Redirection - Version 5.0

Version Description

  • 16th Jan 2021 =
  • Add caching support
  • Add support for migrated permalink structures
  • Add dynamic URL variables
  • Add fully automatic database upgrade option
  • Add a new version release information prompt
  • Improve performance when many redirects have the same path
  • Move bulk all action to a separate button after selecting all
  • Fix error in display with restricted capabilities
  • Avoid problems with 7G Firewall
  • Improve handling of invalid encoded characters
Download this release

Release Info

Developer johnny5
Plugin Icon 128x128 Redirection
Version 5.0
Comparing to
See all releases

Code changes from version 4.9.2 to 5.0

actions/error.php CHANGED
@@ -1,19 +1,35 @@
1
  <?php
2
 
 
 
 
3
  class Error_Action extends Red_Action {
4
- function process_before( $code, $target ) {
5
- $this->code = $code;
6
-
 
 
 
7
  wp_reset_query();
 
 
8
  set_query_var( 'is_404', true );
9
 
 
10
  add_filter( 'template_include', [ $this, 'template_include' ] );
 
 
11
  add_filter( 'pre_handle_404', [ $this, 'pre_handle_404' ] );
12
- add_action( 'wp', [ $this, 'wp' ] );
13
 
14
- return true;
 
15
  }
16
 
 
 
 
 
 
17
  public function wp() {
18
  status_header( $this->code );
19
  nocache_headers();
@@ -22,6 +38,8 @@ class Error_Action extends Red_Action {
22
 
23
  if ( version_compare( $wp_version, '5.1', '<' ) ) {
24
  header( 'X-Redirect-Agent: redirection' );
 
 
25
  }
26
  }
27
 
@@ -36,8 +54,4 @@ class Error_Action extends Red_Action {
36
  public function template_include() {
37
  return get_404_template();
38
  }
39
-
40
- public function needs_target() {
41
- return false;
42
- }
43
  }
1
  <?php
2
 
3
+ /**
4
+ * Return an error to the client, and trigger the WordPress error page
5
+ */
6
  class Error_Action extends Red_Action {
7
+ /**
8
+ * Set WordPress to show the error page
9
+ *
10
+ * @return void
11
+ */
12
+ public function run() {
13
  wp_reset_query();
14
+
15
+ // Set the query to be a 404
16
  set_query_var( 'is_404', true );
17
 
18
+ // Return the 404 page
19
  add_filter( 'template_include', [ $this, 'template_include' ] );
20
+
21
+ // Clear any posts if this is actually a valid URL
22
  add_filter( 'pre_handle_404', [ $this, 'pre_handle_404' ] );
 
23
 
24
+ // Ensure the appropriate http code is returned
25
+ add_action( 'wp', [ $this, 'wp' ] );
26
  }
27
 
28
+ /**
29
+ * Output selected HTTP code, as well as redirection header
30
+ *
31
+ * @return void
32
+ */
33
  public function wp() {
34
  status_header( $this->code );
35
  nocache_headers();
38
 
39
  if ( version_compare( $wp_version, '5.1', '<' ) ) {
40
  header( 'X-Redirect-Agent: redirection' );
41
+ } else {
42
+ header( 'X-Redirect-By: redirection' );
43
  }
44
  }
45
 
54
  public function template_include() {
55
  return get_404_template();
56
  }
 
 
 
 
57
  }
actions/nothing.php CHANGED
@@ -1,11 +1,15 @@
1
  <?php
2
 
 
 
 
3
  class Nothing_Action extends Red_Action {
4
- public function process_before( $code, $target ) {
5
- return apply_filters( 'redirection_do_nothing', false, $target );
6
- }
7
-
8
- public function needs_target() {
9
- return false;
 
10
  }
11
  }
1
  <?php
2
 
3
+ /**
4
+ * The 'do nothing' action. This really does nothing, and is used to short-circuit Redirection so that it doesn't trigger other redirects.
5
+ */
6
  class Nothing_Action extends Red_Action {
7
+ /**
8
+ * Issue an action when nothing happens. This stops further processing.
9
+ *
10
+ * @return void
11
+ */
12
+ public function run() {
13
+ do_action( 'redirection_do_nothing', $this->get_target() );
14
  }
15
  }
actions/pass.php CHANGED
@@ -1,63 +1,72 @@
1
  <?php
2
 
3
- class Pass_Action extends Red_Action {
4
- public function process_external( $url ) {
5
- echo @wp_remote_fopen( $url );
6
- }
7
 
 
 
 
 
8
  /**
9
- * This is deprecated and will be removed in a future version
 
 
 
10
  */
11
- public function process_file( $url ) {
12
- $parts = explode( '?', substr( $url, 7 ) );
13
-
14
- if ( count( $parts ) > 1 ) {
15
- // Put parameters into the environment
16
- $args = explode( '&', $parts[1] );
17
-
18
- if ( count( $args ) > 0 ) {
19
- foreach ( $args as $arg ) {
20
- $tmp = explode( '=', $arg );
21
-
22
- if ( count( $tmp ) === 1 ) {
23
- $_GET[ $arg ] = '';
24
- } else {
25
- $_GET[ $tmp[0] ] = $tmp[1];
26
- }
27
- }
28
- }
29
- }
30
-
31
- @include $parts[0];
32
  }
33
 
 
 
 
 
 
 
34
  public function process_internal( $target ) {
35
  // Another URL on the server
 
36
  $_SERVER['REQUEST_URI'] = $target;
 
 
 
 
 
37
 
38
- if ( strpos( $target, '?' ) ) {
39
- $_SERVER['QUERY_STRING'] = substr( $target, strpos( $target, '?' ) + 1 );
40
  parse_str( $_SERVER['QUERY_STRING'], $_GET );
41
  }
42
-
43
- return true;
44
  }
45
 
 
 
 
 
 
 
46
  public function is_external( $target ) {
47
  return substr( $target, 0, 7 ) === 'http://' || substr( $target, 0, 8 ) === 'https://';
48
  }
49
 
50
- public function process_before( $code, $target ) {
 
 
 
 
 
51
  // External target
 
 
 
 
 
52
  if ( $this->is_external( $target ) ) {
 
53
  $this->process_external( $target );
54
  exit();
55
  }
56
 
57
- return $this->process_internal( $target );
58
- }
59
-
60
- public function needs_target() {
61
- return true;
62
  }
63
  }
1
  <?php
2
 
3
+ require_once dirname( __FILE__ ) . '/url.php';
 
 
 
4
 
5
+ /**
6
+ * A 'pass through' action. Matches a rewrite rather than a redirect, and uses PHP to fetch data from a remote URL.
7
+ */
8
+ class Pass_Action extends Url_Action {
9
  /**
10
+ * Process an external passthrough - a URL that lives external to this server.
11
+ *
12
+ * @param String $url Target URL.
13
+ * @return void
14
  */
15
+ public function process_external( $url ) {
16
+ // This is entirely at the user's risk. The $url is set by the user
17
+ // phpcs:ignore
18
+ echo wp_remote_fopen( $url );
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
19
  }
20
 
21
+ /**
22
+ * Process an internal passthrough - a URL that lives on the same server. Here we change the request URI and continue without making a remote request.
23
+ *
24
+ * @param String $target Target URL.
25
+ * @return void
26
+ */
27
  public function process_internal( $target ) {
28
  // Another URL on the server
29
+ $pos = strpos( $target, '?' );
30
  $_SERVER['REQUEST_URI'] = $target;
31
+ $_SERVER['PATH_INFO'] = $target;
32
+
33
+ if ( $pos ) {
34
+ $_SERVER['QUERY_STRING'] = substr( $target, $pos + 1 );
35
+ $_SERVER['PATH_INFO'] = $target;
36
 
 
 
37
  parse_str( $_SERVER['QUERY_STRING'], $_GET );
38
  }
 
 
39
  }
40
 
41
+ /**
42
+ * Is a URL external?
43
+ *
44
+ * @param String $target URL to test.
45
+ * @return boolean
46
+ */
47
  public function is_external( $target ) {
48
  return substr( $target, 0, 7 ) === 'http://' || substr( $target, 0, 8 ) === 'https://';
49
  }
50
 
51
+ /**
52
+ * Pass the data from the target
53
+ *
54
+ * @return void
55
+ */
56
+ public function run() {
57
  // External target
58
+ $target = $this->get_target();
59
+ if ( $target === null ) {
60
+ return;
61
+ }
62
+
63
  if ( $this->is_external( $target ) ) {
64
+ // Pass on to an external request, echo the results, and then stop
65
  $this->process_external( $target );
66
  exit();
67
  }
68
 
69
+ // Change the request and carry on
70
+ $this->process_internal( $target );
 
 
 
71
  }
72
  }
actions/random.php CHANGED
@@ -1,21 +1,42 @@
1
  <?php
2
 
3
- include_once dirname( __FILE__ ) . '/url.php';
4
 
 
 
 
5
  class Random_Action extends Url_Action {
6
- public function process_before( $code, $target ) {
 
 
 
 
 
7
  // Pick a random WordPress page
8
  global $wpdb;
9
 
10
  $id = $wpdb->get_var( "SELECT ID FROM {$wpdb->prefix}posts WHERE post_status='publish' AND post_password='' AND post_type='post' ORDER BY RAND() LIMIT 0,1" );
11
- return get_permalink( $id );
12
- }
 
 
 
 
 
13
 
14
- public function process_after( $code, $target ) {
15
- $this->redirect_to( $code, $target );
16
  }
17
 
18
- public function needs_target() {
19
- return false;
 
 
 
 
 
 
 
 
 
20
  }
21
  }
1
  <?php
2
 
3
+ require_once dirname( __FILE__ ) . '/url.php';
4
 
5
+ /**
6
+ * URL action - redirect to a URL
7
+ */
8
  class Random_Action extends Url_Action {
9
+ /**
10
+ * Get a random URL
11
+ *
12
+ * @return string|null
13
+ */
14
+ private function get_random_url() {
15
  // Pick a random WordPress page
16
  global $wpdb;
17
 
18
  $id = $wpdb->get_var( "SELECT ID FROM {$wpdb->prefix}posts WHERE post_status='publish' AND post_password='' AND post_type='post' ORDER BY RAND() LIMIT 0,1" );
19
+ if ( $id ) {
20
+ $url = get_permalink( $id );
21
+
22
+ if ( $url ) {
23
+ return $url;
24
+ }
25
+ }
26
 
27
+ return null;
 
28
  }
29
 
30
+ /**
31
+ * Run this action. May not return from this function.
32
+ *
33
+ * @return void
34
+ */
35
+ public function run() {
36
+ $target = $this->get_random_url();
37
+
38
+ if ( $target ) {
39
+ $this->redirect_to( $target );
40
+ }
41
  }
42
  }
actions/url.php CHANGED
@@ -7,14 +7,13 @@ class Url_Action extends Red_Action {
7
  /**
8
  * Redirect to a URL
9
  *
10
- * @param integer $code HTTP status code.
11
- * @param string $target Target URL.
12
  * @return void
13
  */
14
- protected function redirect_to( $code, $target ) {
15
  // This is a known redirect, possibly extenal
16
  // phpcs:ignore
17
- $redirect = wp_redirect( $target, $code, 'redirection' );
18
 
19
  if ( $redirect ) {
20
  /** @psalm-suppress InvalidGlobal */
@@ -28,10 +27,24 @@ class Url_Action extends Red_Action {
28
  }
29
  }
30
 
31
- public function process_after( $code, $target ) {
32
- $this->redirect_to( $code, $target );
 
 
 
 
 
 
 
 
 
33
  }
34
 
 
 
 
 
 
35
  public function needs_target() {
36
  return true;
37
  }
7
  /**
8
  * Redirect to a URL
9
  *
10
+ * @param string $target Target URL.
 
11
  * @return void
12
  */
13
+ protected function redirect_to( $target ) {
14
  // This is a known redirect, possibly extenal
15
  // phpcs:ignore
16
+ $redirect = wp_redirect( $target, $this->get_code(), 'redirection' );
17
 
18
  if ( $redirect ) {
19
  /** @psalm-suppress InvalidGlobal */
27
  }
28
  }
29
 
30
+ /**
31
+ * Run this action. May not return from this function.
32
+ *
33
+ * @return void
34
+ */
35
+ public function run() {
36
+ $target = $this->get_target();
37
+
38
+ if ( $target !== null ) {
39
+ $this->redirect_to( $target );
40
+ }
41
  }
42
 
43
+ /**
44
+ * Does this action need a target?
45
+ *
46
+ * @return boolean
47
+ */
48
  public function needs_target() {
49
  return true;
50
  }
api/api-404.php CHANGED
@@ -180,8 +180,13 @@ class Redirection_Api_404 extends Redirection_Api_Filter_Route {
180
  * @return WP_Error|array Return an array of results, or a WP_Error
181
  */
182
  private function get_404( array $params ) {
183
- if ( isset( $params['groupBy'] ) && in_array( $params['groupBy'], [ 'ip', 'url', 'agent' ], true ) ) {
184
- return Red_404_Log::get_grouped( $params['groupBy'], $params );
 
 
 
 
 
185
  }
186
 
187
  return Red_404_Log::get_filtered( $params );
180
  * @return WP_Error|array Return an array of results, or a WP_Error
181
  */
182
  private function get_404( array $params ) {
183
+ if ( isset( $params['groupBy'] ) && in_array( $params['groupBy'], [ 'ip', 'url', 'agent', 'url-exact' ], true ) ) {
184
+ $group_by = $params['groupBy'];
185
+ if ( $group_by === 'url-exact' ) {
186
+ $group_by = 'url';
187
+ }
188
+
189
+ return Red_404_Log::get_grouped( $group_by, $params );
190
  }
191
 
192
  return Red_404_Log::get_filtered( $params );
api/api-plugin.php CHANGED
@@ -31,7 +31,7 @@ class Redirection_Api_Plugin extends Redirection_Api_Route {
31
  $this->get_route( WP_REST_Server::ALLMETHODS, 'route_test', [ $this, 'permission_callback_manage' ] ),
32
  ) );
33
 
34
- register_rest_route( $namespace, '/plugin/database', array(
35
  $this->get_route( WP_REST_Server::EDITABLE, 'route_database', [ $this, 'permission_callback_manage' ] ),
36
  'args' => [
37
  'upgrade' => [
31
  $this->get_route( WP_REST_Server::ALLMETHODS, 'route_test', [ $this, 'permission_callback_manage' ] ),
32
  ) );
33
 
34
+ register_rest_route( $namespace, '/plugin/data', array(
35
  $this->get_route( WP_REST_Server::EDITABLE, 'route_database', [ $this, 'permission_callback_manage' ] ),
36
  'args' => [
37
  'upgrade' => [
database/database-status.php CHANGED
@@ -191,6 +191,7 @@ class Red_Database_Status {
191
  * Move current stage on to the next
192
  */
193
  public function set_next_stage() {
 
194
  $stage = $this->get_current_stage();
195
 
196
  if ( $stage ) {
191
  * Move current stage on to the next
192
  */
193
  public function set_next_stage() {
194
+ $this->debug = [];
195
  $stage = $this->get_current_stage();
196
 
197
  if ( $stage ) {
database/schema/400.php CHANGED
@@ -57,10 +57,14 @@ class Red_Database_400 extends Red_Database_Upgrader {
57
  $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url='regex' WHERE regex=1" );
58
 
59
  // Remove query part from all URLs and lowercase
60
- $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url=SUBSTRING_INDEX(LOWER(url), '?', 1) WHERE regex=0" );
 
 
 
61
 
62
  // Trim the last / from a URL
63
  $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url=LEFT(match_url,LENGTH(match_url)-1) WHERE regex=0 AND match_url != '/' AND RIGHT(match_url, 1) = '/'" );
 
64
 
65
  // Any URL that is now empty becomes /
66
  return $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url='/' WHERE match_url=''" );
57
  $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url='regex' WHERE regex=1" );
58
 
59
  // Remove query part from all URLs and lowercase
60
+ $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url=LOWER(url) WHERE regex=0" );
61
+
62
+ // Set exact match if query param present
63
+ $this->do_query( $wpdb, $wpdb->prepare( "UPDATE `{$wpdb->prefix}redirection_items` SET match_data=%s WHERE regex=0 AND match_url LIKE '%?%'", '{"source":{"flag_query":"exactorder"}}' ) );
64
 
65
  // Trim the last / from a URL
66
  $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url=LEFT(match_url,LENGTH(match_url)-1) WHERE regex=0 AND match_url != '/' AND RIGHT(match_url, 1) = '/'" );
67
+ $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url=REPLACE(match_url, '/?', '?') WHERE regex=0" );
68
 
69
  // Any URL that is now empty becomes /
70
  return $this->do_query( $wpdb, "UPDATE `{$wpdb->prefix}redirection_items` SET match_url='/' WHERE match_url=''" );
locale/json/redirection-de_DE.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":["Header hinzufügen"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":[""],"No aliases":[""],"Alias":[""],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":[""],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":[""],"Continue":["Fortsetzen"],"The following plugins have been detected.":[""],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":[""],"That's all there is to it - you are now redirecting! Note that the above is just an example.":[""],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":["Wert"],"Values":["Werte"],"All":["Alle"],"Note that some HTTP headers are set by your server and cannot be changed.":["Beachte, dass einige HTTP Header durch deinen Server gesetzt werden und nicht geändert werden können."],"No headers":["Keine Header"],"Header":["Header"],"Location":["Position"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":["HTTP Header"],"Custom Header":["Individuelle Header"],"General":["Allgemein"],"Redirect":["Weiterleitung"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":["Website"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":["Abfrage ignorieren und übergeben"],"Ignore Query":["Abfrage ignorieren"],"Exact Query":["Genaue Abfrage"],"Search title":["Titel durchsuchen"],"Not accessed in last year":["Im letzten Jahr nicht aufgerufen"],"Not accessed in last month":["Im letzten Monat nicht aufgerufen"],"Never accessed":["Niemals aufgerufen"],"Last Accessed":["Letzter Zugriff"],"HTTP Status Code":["HTTP-Statuscode"],"Plain":["Einfach"],"URL match":[""],"Source":["Herkunft"],"Code":["Code"],"Action Type":["Art des Vorgangs"],"Match Type":[""],"Search target URL":["Ziel-URL suchen"],"Search IP":["IP suchen"],"Search user agent":[""],"Search referrer":[""],"Search URL":["URL suchen"],"Filter on: %(type)s":[""],"Disabled":[""],"Enabled":[""],"Compact Display":[""],"Standard Display":[""],"Status":[""],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":["Sprache"],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":["URL und Sprache"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":[""],"Unable to save .htaccess file":[""],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":[""],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":["Automatische Installation"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":[""],"Click \"Finished! 🎉\" when finished.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":["Manuelle Installation"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":[""],"Do not change unless advised to do so!":[""],"Database version":["Datenbankversion"],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":[""],"Manual Upgrade":[""],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":[""],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Ich brauche Support!"],"You will need at least one working REST API to continue.":[""],"Check Again":["Erneut prüfen"],"Testing - %s$":[""],"Show Problems":[""],"Summary":[""],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":["Nicht verfügbar"],"Working but some issues":[""],"Current API":[""],"Switch to this API":[""],"Hide":["Verstecken"],"Show Full":[""],"Working!":[""],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":[""],"Possible cause":[""],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":["Exportiere 404"],"Export redirect":["Exportiere Weiterleitungen"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":[""],"Query Parameters":[""],"Ignore & pass parameters to the target":["Ignoriere die Parameter und übergibt sie an das Ziel"],"Ignore all parameters":["Alle Parameter ignorieren"],"Exact match all parameters in any order":["Genaue Übereinstimmung aller Parameter in beliebiger Reihenfolge"],"Ignore Case":["Fall ignorieren"],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":[""],"(Example) The source URL is your old or original URL":[""],"Disabled! Detected PHP %1$s, need PHP %2$s+":[""],"A database upgrade is in progress. Please continue to finish.":["Ein Datenbank-Upgrade läuft derzeit. Zum Beenden bitte fortfahren."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Die Redirection Datenbank muss aktualisiert werden - <a href=\"%1$1s\">Klicke zum Aktualisieren</a>."],"Redirection database needs upgrading":["Die Datenbank dieses Plugins benötigt ein Update"],"Upgrade Required":["Aktualisierung erforderlich"],"Finish Setup":["Setup fertigstellen"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":["Zurück"],"Continue Setup":["Setup fortsetzen"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":[""],"Start Setup":[""],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":["Zuerst werden wir dir ein paar Fragen stellen, um dann eine Datenbank zu erstellen."],"What's next?":["Was passiert als nächstes?"],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":["Einige Funktionen, die du nützlich finden könntest, sind"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":["Wie benutze ich dieses Plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":["Herzlich Willkommen bei Redirection! 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":[""],"Finished! 🎉":["Fertig! 🎉"],"Progress: %(complete)d$":[""],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Upgrade stoppen"],"Skip this stage":["Diese Stufe überspringen"],"Try again":["Versuche es erneut"],"Database problem":["Datenbankproblem"],"Please enable JavaScript":["Bitte aktiviere JavaScript"],"Please upgrade your database":[""],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":["Tabelle \"%s\" fehlt"],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":["Seitentyp"],"Enter IP addresses (one per line)":["Gib die IP-Adressen ein (eine Adresse pro Zeile)"],"Describe the purpose of this redirect (optional)":["Beschreibe den Zweck dieser Weiterleitung (optional)"],"418 - I'm a teapot":["418 - Ich bin eine Teekanne"],"403 - Forbidden":["403 - Zugriff untersagt"],"400 - Bad Request":["400 - Fehlerhafte Anfrage"],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Alles anzeigen"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":["Gruppieren nach IP"],"Group by URL":["Gruppieren nach URL"],"No grouping":[""],"Ignore URL":["Ignoriere die URL"],"Block IP":["Sperre die IP"],"Redirect All":["Leite alle weiter"],"Count":[""],"URL and WordPress page type":[""],"URL and IP":["URL und IP"],"Problem":[""],"Good":["Gut"],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Gefunden"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":["Erwartet"],"Error":["Fehler"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":["Weiterleitungstester"],"Target":["Ziel"],"URL is not being redirected with Redirection":["Die URL wird nicht mit Redirection umgeleitet"],"URL is being redirected with Redirection":["URL wird mit Redirection umgeleitet"],"Unable to load details":["Die Details konnten nicht geladen werden"],"Enter server URL to match against":["Gib die Server-URL ein, mit der sie übereinstimmen soll"],"Server":["Server"],"Enter role or capability value":["Gib die Rolle oder die Berechtigung ein"],"Role":["Rolle"],"Match against this browser referrer text":["Übereinstimmung mit diesem Browser-Referrer-Text"],"Match against this browser user agent":["Übereinstimmung mit diesem Browser-User-Agent"],"The relative URL you want to redirect from":[""],"Add New":["Neue hinzufügen"],"URL and role/capability":["URL und Rolle / Berechtigung"],"URL and server":["URL und Server"],"Site and home protocol":["Site- und Home-Protokoll"],"Site and home are consistent":["Site und Home sind konsistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Beachte, dass du HTTP-Header an PHP übergeben musst. Bitte wende dich an deinen Hosting-Anbieter, um Unterstützung zu erhalten."],"Accept Language":["Akzeptiere Sprache"],"Header value":["Wert im Header "],"Header name":["Header Name "],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress Filter Name "],"Filter Name":["Filter Name"],"Cookie value":["Cookie-Wert"],"Cookie name":["Cookie-Name"],"Cookie":["Cookie"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":["Wenn du ein Caching-System, wie etwa Cloudflare, verwendest, lies bitte das Folgende:"],"URL and HTTP header":["URL und HTTP-Header"],"URL and custom filter":["URL und benutzerdefinierter Filter"],"URL and cookie":["URL und Cookie"],"404 deleted":["404 gelöscht"],"REST API":["REST-API"],"How Redirection uses the REST API - don't change unless necessary":["Wie Redirection die REST-API verwendet - ändere das nur, wenn es unbedingt erforderlich ist"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching-Software{{/link}}, insbesondere Cloudflare, kann die falsche Seite zwischenspeichern. Versuche alle deine Caches zu löschen."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Bitte vorübergehend andere Plugins deaktivieren!{{/link}} Das behebt so viele Probleme."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Informationen findest Du in der <a href=\"https://redirection.me/support/problems/\">Liste häufiger Probleme</a>."],"Unable to load Redirection ☹️":["Redirection kann nicht geladen werden ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":[""],"Unknown Useragent":["Unbekannter Useragent"],"Device":["Gerät"],"Operating System":["Betriebssystem"],"Browser":["Browser"],"Engine":["Maschine"],"Useragent":[""],"Agent":["Agent"],"No IP logging":["Keine IP-Protokollierung"],"Full IP logging":["Vollständige IP-Protokollierung"],"Anonymize IP (mask last part)":["Anonymisiere IP (maskiere letzten Teil)"],"Monitor changes to %(type)s":["Änderungen überwachen für %(type)s"],"IP Logging":["IP-Protokollierung"],"Geo Info":["Geo Info"],"Agent Info":["Agenteninfo"],"Filter by IP":["Nach IP filtern"],"Geo IP Error":["Geo-IP-Fehler"],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":["Für diese Adresse sind keine Details bekannt."],"Geo IP":[""],"City":["Stadt"],"Area":["Bereich"],"Timezone":["Zeitzone"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":["Bereitgestellt von {{link}}redirect.li (en){{/link}}"],"Trash":["Papierkorb"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Beachte, dass für die Umleitung die WordPress-REST-API aktiviert sein muss. Wenn du dies deaktiviert hast, kannst du die Umleitung nicht verwenden"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."],"Never cache":["Nie zwischenspeichern"],"An hour":["Eine Stunde"],"Redirect Cache":["Cache umleiten"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Möchtest du wirklich von %s importieren?"],"Plugin Importers":["Plugin Importer"],"The following redirect plugins were detected on your site and can be imported from.":["Folgende Redirect Plugins, von denen importiert werden kann, wurden auf deiner Website gefunden."],"total = ":["Total = "],"Import from %s":["Import von %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection benötigt WordPress v%1$1s, Du benutzt v%2$2s. Bitte führe zunächst ein WordPress-Update durch."],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":["⚡️ Magische Lösung ⚡️"],"Plugin Status":["Plugin-Status"],"Custom":[""],"Mobile":["Mobil"],"Feed Readers":["Feed-Leser"],"Libraries":["Bibliotheken"],"URL Monitor Changes":["URL-Monitor-Änderungen"],"Save changes to this group":["Speichere Änderungen in dieser Gruppe"],"For example \"/amp\"":[""],"URL Monitor":["URL-Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Dein Server hat die Anforderung wegen der Größe abgelehnt. Du musst seine Konfiguration ändern, um fortzufahren."],"Also check if your browser is able to load <code>redirection.js</code>:":["Überprüfe auch, ob dein Browser <code>redirection.js</code> laden kann:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":["Redirection konnte nicht geladen werden"],"Post monitor group is valid":["Post-Monitor-Gruppe ist gültig"],"Post monitor group is invalid":["Post-Monitor-Gruppe ist ungültig"],"Post monitor group":["Post-Monitor-Gruppe"],"All redirects have a valid group":["Alle Redirects haben eine gültige Gruppe"],"Redirects with invalid groups detected":["Umleitungen mit ungültigen Gruppen erkannt"],"Valid redirect group":["Gültige Weiterleitungsgruppe"],"Valid groups detected":["Gültige Gruppen erkannt"],"No valid groups, so you will not be able to create any redirects":["Keine gültigen Gruppen, daher kannst du keine Weiterleitungen erstellen"],"Valid groups":["Gültige Gruppen"],"Database tables":["Datenbanktabellen"],"The following tables are missing:":["Die folgenden Tabellen fehlen:"],"All tables present":["Alle Tabellen vorhanden"],"Cached Redirection detected":["Zwischengespeicherte Umleitung erkannt"],"Please clear your browser cache and reload this page.":["Bitte lösche deinen Browser-Cache und lade diese Seite neu."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress hat keine Antwort zurückgegeben. Dies könnte bedeuten, dass ein Fehler aufgetreten ist oder dass die Anfrage blockiert wurde. Bitte überprüfe Deinen Server error_log."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":["Dies kann durch ein anderes Plugin verursacht werden. Weitere Informationen findest du in der Fehlerkonsole deines Browsers."],"Loading, please wait...":["Lädt, bitte warte..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV-Dateiformat{{/strong}}: {{code}}Quell-URL, Ziel-URL{{/code}} - und kann optional mit {{code}}regex, http-Code{{/code}} ({{code}}regex{{/code}} - 0 für Nein, 1 für Ja) folgen."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection funktioniert nicht. Versuche, Deinen Browser-Cache zu löschen und diese Seite neu zu laden."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Wenn das nicht hilft, öffne die Fehlerkonsole deines Browsers und erstelle ein {{link}}neues Problem{{/link}} mit den Details."],"Create Issue":[""],"Email":["E-Mail"],"Need help?":["Hilfe benötigt?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Bitte beachte, dass Support nur möglich ist, wenn Zeit vorhanden ist und nicht garantiert wird. Ich biete keine bezahlte Unterstützung an."],"Pos":["Pos"],"410 - Gone":["410 - Entfernt"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Wird verwendet, um automatisch eine URL zu generieren, wenn keine URL angegeben ist. Verwende die speziellen Tags {{code}}$dec${{/code}} oder {{code}}$hex${{/code}}, um stattdessen eine eindeutige ID einzufügen"],"I'd like to support some more.":["Ich möchte etwas mehr unterstützen."],"Support 💰":["Unterstützen 💰"],"Import to group":["Importiere in Gruppe"],"Import a CSV, .htaccess, or JSON file.":["Importiere eine CSV, .htaccess oder JSON Datei."],"Click 'Add File' or drag and drop here.":["Klicke auf 'Datei hinzufügen' oder Drag & Drop hier."],"Add File":["Datei hinzufügen"],"File selected":["Datei ausgewählt"],"Importing":["Importiere"],"Finished importing":["Importieren beendet"],"Total redirects imported:":["Umleitungen importiert:"],"Double-check the file is the correct format!":["Überprüfe, ob die Datei das richtige Format hat!"],"OK":["OK"],"Close":["Schließen"],"Export":["Exportieren"],"Everything":["Alles"],"WordPress redirects":["WordPress Weiterleitungen"],"Apache redirects":["Apache Weiterleitungen"],"Nginx redirects":["Nginx Weiterleitungen"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx Rewrite-Regeln"],"View":["Anzeigen"],"Import/Export":["Import/Export"],"Logs":["Protokolldateien"],"404 errors":["404 Fehler"],"Redirection saved":["Umleitung gespeichert"],"Log deleted":["Log gelöscht"],"Settings saved":["Einstellungen gespeichert"],"Group saved":["Gruppe gespeichert"],"Are you sure you want to delete this item?":["Bist du sicher, dass du diesen Eintrag löschen möchtest?","Bist du sicher, dass du diese Einträge löschen möchtest?"],"pass":["passieren"],"All groups":["Alle Gruppen"],"301 - Moved Permanently":["301- Dauerhaft verschoben"],"302 - Found":["302 - Gefunden"],"307 - Temporary Redirect":["307 - Zeitweise Umleitung"],"308 - Permanent Redirect":["308 - Dauerhafte Umleitung"],"401 - Unauthorized":["401 - Unautorisiert"],"404 - Not Found":["404 - Nicht gefunden"],"Title":["Titel"],"When matched":["Wenn übereinstimmend"],"with HTTP code":["mit HTTP Code"],"Show advanced options":["Zeige erweiterte Optionen"],"Matched Target":["Passendes Ziel"],"Unmatched Target":["Unpassendes Ziel"],"Saving...":["Speichern..."],"View notice":["Hinweis anzeigen"],"Something went wrong 🙁":["Etwas ist schiefgelaufen 🙁"],"Log entries (%d max)":["Log Einträge (%d max)"],"Bulk Actions":["Mehrfachaktionen"],"Apply":["Anwenden"],"First page":["Erste Seite"],"Prev page":["Vorige Seite"],"Current Page":["Aktuelle Seite"],"of %(page)s":["von %(page)s"],"Next page":["Nächste Seite"],"Last page":["Letzte Seite"],"%s item":["%s Eintrag","%s Einträge"],"Select All":["Alle auswählen"],"Sorry, something went wrong loading the data - please try again":["Entschuldigung, etwas ist beim Laden der Daten schief gelaufen - bitte versuche es erneut"],"No results":["Keine Ergebnisse"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Danke fürs Abonnieren! {{a}}Klicke hier{{/a}}, wenn Du zu Deinem Abonnement zurückkehren möchtest."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Möchtest Du über Änderungen an Redirection auf dem Laufenden bleiben?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Melde dich für den Redirection-Newsletter an - ein gelegentlicher Newsletter über neue Funktionen und Änderungen an diesem Plugin. Ideal, wenn du Beta-Änderungen testen möchtest, bevor diese erscheinen."],"Your email address:":["Deine E-Mail Adresse:"],"You've supported this plugin - thank you!":["Du hast dieses Plugin bereits unterstützt - vielen Dank!"],"You get useful software and I get to carry on making it better.":["Du erhältst nützliche Software und ich komme dazu, sie besser zu machen."],"Forever":["Dauerhaft"],"Delete the plugin - are you sure?":["Plugin löschen - bist du sicher?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Löschen des Plugins entfernt alle deine Weiterleitungen, Logs und Einstellungen. Tu dies, falls du das Plugin dauerhaft entfernen möchtest oder um das Plugin zurückzusetzen."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Einmal gelöscht, werden deine Weiterleitungen nicht mehr funktionieren. Falls sie es dennoch tun sollten, leere bitte deinen Browser Cache."],"Yes! Delete the plugin":["Ja! Lösche das Plugin"],"No! Don't delete the plugin":["Nein! Lösche das Plugin nicht"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Verwalte alle 301-Umleitungen und 404-Fehler."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."],"Redirection Support":["Unleitung Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Auswählen dieser Option löscht alle Umleitungen, alle Logs, und alle Optionen, die mit dem Umleitungs-Plugin verbunden sind. Stelle sicher, das du das wirklich möchtest."],"Delete Redirection":["Umleitung löschen"],"Upload":["Hochladen"],"Import":["Importieren"],"Update":["Aktualisieren"],"Auto-generate URL":["Selbsterstellte URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"],"RSS Token":["RSS Token"],"404 Logs":["404-Logs"],"(time to keep logs for)":["(Dauer, für die die Logs behalten werden)"],"Redirect Logs":["Umleitungs-Logs"],"I'm a nice person and I have helped support the author of this plugin":["Ich bin eine nette Person und ich helfe dem Autor des Plugins"],"Plugin Support":["Plugin Support"],"Options":["Optionen"],"Two months":["zwei Monate"],"A month":["ein Monat"],"A week":["eine Woche"],"A day":["einen Tag"],"No logs":["Keine Logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Benutze Gruppen, um deine Umleitungen zu ordnen. Gruppen werden einem Modul zugeordnet, dies beeinflusst, wie die Umleitungen in der jeweiligen Gruppe funktionieren. Falls du unsicher bist, bleib beim WordPress-Modul."],"Add Group":["Gruppe hinzufügen"],"Search":["Suchen"],"Groups":["Gruppen"],"Save":["Speichern"],"Group":["Gruppe"],"Regular Expression":["Regulärer Ausdruck"],"Match":["Passend"],"Add new redirection":["Eine neue Weiterleitung hinzufügen"],"Cancel":["Abbrechen"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Einstellungen"],"WordPress":["WordPress"],"Error (404)":["Fehler (404)"],"Pass-through":["Durchreichen"],"Redirect to random post":["Umleitung zu zufälligen Beitrag"],"Redirect to URL":["Umleitung zur URL"],"IP":["IP"],"Source URL":["URL-Quelle"],"Date":["Zeitpunkt"],"Add Redirect":["Umleitung hinzufügen"],"View Redirects":["Weiterleitungen anschauen"],"Module":["Module"],"Redirects":["Umleitungen"],"Name":["Name"],"Filters":["Filter"],"Reset hits":["Treffer zurücksetzen"],"Enable":["Aktivieren"],"Disable":["Deaktivieren"],"Delete":["Löschen"],"Edit":["Bearbeiten"],"Last Access":["Letzter Zugriff"],"Hits":["Treffer"],"URL":["URL"],"Modified Posts":["Geänderte Beiträge"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL und User-Agent"],"Target URL":["Ziel-URL"],"URL only":["Nur URL"],"HTTP code":["HTTP-Code"],"Regex":["Regex"],"Referrer":["Vermittler"],"URL and referrer":["URL und Vermittler"],"Logged Out":["Ausgeloggt"],"Logged In":["Eingeloggt"],"URL and login status":["URL- und Loginstatus"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":["Ein unbekannter Fehler ist aufgetreten."],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Protokollierung"],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":["Bist du sicher, dass du die ausgewählten Elemente löschen willst?"],"View Redirect":[""],"RSS":["RSS"],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":["Domain"],"Method":["Methode"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":["Etwas ging schief beim Upgrade von Redirection."],"Something went wrong when installing Redirection.":["Etwas ging schief bei der Installation von Redirection."],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":["Header hinzufügen"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":["Bevorzugte Domain"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":["Alias hinzufügen"],"No aliases":["Keine Aliase"],"Alias":["Alias"],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":["Website-Aliase"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":["Bitte warten, beim Importieren."],"Continue":["Fortsetzen"],"The following plugins have been detected.":["Folgende Plugin wurden festgestellt."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":["Bestehende Umleitungen importieren"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["Das ist soweit alles - du leitest nun um! Bedenke, dass hier oben nur ein Beispiel genannt wird."],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":["Wert"],"Values":["Werte"],"All":["Alle"],"Note that some HTTP headers are set by your server and cannot be changed.":["Beachte, dass einige HTTP Header durch deinen Server gesetzt werden und nicht geändert werden können."],"No headers":["Keine Header"],"Header":["Header"],"Location":["Position"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":["HTTP Header"],"Custom Header":["Individuelle Header"],"General":["Allgemein"],"Redirect":["Weiterleitung"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":["Website"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":["Abfrage ignorieren und übergeben"],"Ignore Query":["Abfrage ignorieren"],"Exact Query":["Genaue Abfrage"],"Search title":["Titel durchsuchen"],"Not accessed in last year":["Im letzten Jahr nicht aufgerufen"],"Not accessed in last month":["Im letzten Monat nicht aufgerufen"],"Never accessed":["Niemals aufgerufen"],"Last Accessed":["Letzter Zugriff"],"HTTP Status Code":["HTTP-Statuscode"],"Plain":["Einfach"],"URL match":[""],"Source":["Herkunft"],"Code":["Code"],"Action Type":["Art des Vorgangs"],"Match Type":[""],"Search target URL":["Ziel-URL suchen"],"Search IP":["IP suchen"],"Search user agent":[""],"Search referrer":[""],"Search URL":["URL suchen"],"Filter on: %(type)s":[""],"Disabled":["Deaktiviert"],"Enabled":["Aktiviert"],"Compact Display":[""],"Standard Display":[""],"Status":["Status"],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":["Sprache"],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":["URL und Sprache"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":[""],"Unable to save .htaccess file":[""],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":[""],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":["Automatische Installation"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":[""],"Click \"Finished! 🎉\" when finished.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":["Manuelle Installation"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":["IP-Header"],"Do not change unless advised to do so!":["Nicht ändern, außer auf Anweisung!"],"Database version":["Datenbankversion"],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":[""],"Manual Upgrade":[""],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":[""],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Ich brauche Support!"],"You will need at least one working REST API to continue.":[""],"Check Again":["Erneut prüfen"],"Testing - %s$":[""],"Show Problems":[""],"Summary":["Zusammenfassung"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":["Nicht verfügbar"],"Working but some issues":["Läuft, aber mit Problemen"],"Current API":["Aktuelle API"],"Switch to this API":["Zu dieser API wechseln"],"Hide":["Verstecken"],"Show Full":[""],"Working!":["Läuft!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":["Was tue ich als nächstes?"],"Possible cause":[""],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":["Exportiere 404"],"Export redirect":["Exportiere Weiterleitungen"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":["Ein Sicherheitsplugin (z. B. Wordfence)"],"URL options":["URL-Optionen"],"Query Parameters":["Abfrage-Parameter"],"Ignore & pass parameters to the target":["Ignoriere die Parameter und übergibt sie an das Ziel"],"Ignore all parameters":["Alle Parameter ignorieren"],"Exact match all parameters in any order":["Genaue Übereinstimmung aller Parameter in beliebiger Reihenfolge"],"Ignore Case":["Fall ignorieren"],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":[""],"(Example) The source URL is your old or original URL":[""],"Disabled! Detected PHP %1$s, need PHP %2$s+":[""],"A database upgrade is in progress. Please continue to finish.":["Ein Datenbank-Upgrade läuft derzeit. Zum Beenden bitte fortfahren."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Die Redirection Datenbank muss aktualisiert werden - <a href=\"%1$1s\">Klicke zum Aktualisieren</a>."],"Redirection database needs upgrading":["Die Datenbank dieses Plugins benötigt ein Update"],"Upgrade Required":["Aktualisierung erforderlich"],"Finish Setup":["Setup fertigstellen"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":["Zurück"],"Continue Setup":["Setup fortsetzen"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":[""],"Start Setup":[""],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":["Zuerst werden wir dir ein paar Fragen stellen, um dann eine Datenbank zu erstellen."],"What's next?":["Was passiert als nächstes?"],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":["Einige Funktionen, die du nützlich finden könntest, sind"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":["Wie benutze ich dieses Plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":["Herzlich Willkommen bei Redirection! 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":[""],"Finished! 🎉":["Fertig! 🎉"],"Progress: %(complete)d$":[""],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Upgrade stoppen"],"Skip this stage":["Diese Stufe überspringen"],"Try again":["Versuche es erneut"],"Database problem":["Datenbankproblem"],"Please enable JavaScript":["Bitte aktiviere JavaScript"],"Please upgrade your database":[""],"Upgrade Database":["Datenbank-Upgrade durchführen"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":["Tabelle \"%s\" fehlt"],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Bitte versuche nicht, all deine 404er umzuleiten - dies ist keine gute Idee."],"Only the 404 page type is currently supported.":["Nur der 404-Seitentyp wird momentan unterstützt."],"Page Type":["Seitentyp"],"Enter IP addresses (one per line)":["Gib die IP-Adressen ein (eine Adresse pro Zeile)"],"Describe the purpose of this redirect (optional)":["Beschreibe den Zweck dieser Weiterleitung (optional)"],"418 - I'm a teapot":["418 - Ich bin eine Teekanne"],"403 - Forbidden":["403 - Zugriff untersagt"],"400 - Bad Request":["400 - Fehlerhafte Anfrage"],"304 - Not Modified":["304 - Not Modified"],"303 - See Other":["303 - See Other"],"Do nothing (ignore)":["Nichts tun (ignorieren)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Alles anzeigen"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":["Gruppieren nach IP"],"Group by URL":["Gruppieren nach URL"],"No grouping":[""],"Ignore URL":["Ignoriere die URL"],"Block IP":["Sperre die IP"],"Redirect All":["Leite alle weiter"],"Count":[""],"URL and WordPress page type":[""],"URL and IP":["URL und IP"],"Problem":["Problem"],"Good":["Gut"],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Gefunden"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":["Erwartet"],"Error":["Fehler"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":["Weiterleitungstester"],"Target":["Ziel"],"URL is not being redirected with Redirection":["Die URL wird nicht mit Redirection umgeleitet"],"URL is being redirected with Redirection":["URL wird mit Redirection umgeleitet"],"Unable to load details":["Die Details konnten nicht geladen werden"],"Enter server URL to match against":["Gib die Server-URL ein, mit der sie übereinstimmen soll"],"Server":["Server"],"Enter role or capability value":["Gib die Rolle oder die Berechtigung ein"],"Role":["Rolle"],"Match against this browser referrer text":["Übereinstimmung mit diesem Browser-Referrer-Text"],"Match against this browser user agent":["Übereinstimmung mit diesem Browser-User-Agent"],"The relative URL you want to redirect from":[""],"Add New":["Neue hinzufügen"],"URL and role/capability":["URL und Rolle / Berechtigung"],"URL and server":["URL und Server"],"Site and home protocol":["Site- und Home-Protokoll"],"Site and home are consistent":["Site und Home sind konsistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Beachte, dass du HTTP-Header an PHP übergeben musst. Bitte wende dich an deinen Hosting-Anbieter, um Unterstützung zu erhalten."],"Accept Language":["Akzeptiere Sprache"],"Header value":["Wert im Header "],"Header name":["Header Name "],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress Filter Name "],"Filter Name":["Filter Name"],"Cookie value":["Cookie-Wert"],"Cookie name":["Cookie-Name"],"Cookie":["Cookie"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":["Wenn du ein Caching-System, wie etwa Cloudflare, verwendest, lies bitte das Folgende:"],"URL and HTTP header":["URL und HTTP-Header"],"URL and custom filter":["URL und benutzerdefinierter Filter"],"URL and cookie":["URL und Cookie"],"404 deleted":["404 gelöscht"],"REST API":["REST-API"],"How Redirection uses the REST API - don't change unless necessary":["Wie Redirection die REST-API verwendet - ändere das nur, wenn es unbedingt erforderlich ist"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching-Software{{/link}}, insbesondere Cloudflare, kann die falsche Seite zwischenspeichern. Versuche alle deine Caches zu löschen."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Bitte vorübergehend andere Plugins deaktivieren!{{/link}} Das behebt so viele Probleme."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Informationen findest Du in der <a href=\"https://redirection.me/support/problems/\">Liste häufiger Probleme</a>."],"Unable to load Redirection ☹️":["Redirection kann nicht geladen werden ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":[""],"Unknown Useragent":["Unbekannter Useragent"],"Device":["Gerät"],"Operating System":["Betriebssystem"],"Browser":["Browser"],"Engine":["Maschine"],"Useragent":[""],"Agent":["Agent"],"No IP logging":["Keine IP-Protokollierung"],"Full IP logging":["Vollständige IP-Protokollierung"],"Anonymize IP (mask last part)":["Anonymisiere IP (maskiere letzten Teil)"],"Monitor changes to %(type)s":["Änderungen überwachen für %(type)s"],"IP Logging":["IP-Protokollierung"],"Geo Info":["Geo Info"],"Agent Info":["Agenteninfo"],"Filter by IP":["Nach IP filtern"],"Geo IP Error":["Geo-IP-Fehler"],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":["Für diese Adresse sind keine Details bekannt."],"Geo IP":[""],"City":["Stadt"],"Area":["Bereich"],"Timezone":["Zeitzone"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":["Bereitgestellt von {{link}}redirect.li (en){{/link}}"],"Trash":["Papierkorb"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Beachte, dass für die Umleitung die WordPress-REST-API aktiviert sein muss. Wenn du dies deaktiviert hast, kannst du die Umleitung nicht verwenden"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."],"Never cache":["Nie zwischenspeichern"],"An hour":["Eine Stunde"],"Redirect Cache":["Cache umleiten"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Möchtest du wirklich von %s importieren?"],"Plugin Importers":["Plugin Importer"],"The following redirect plugins were detected on your site and can be imported from.":["Folgende Redirect Plugins, von denen importiert werden kann, wurden auf deiner Website gefunden."],"total = ":["Total = "],"Import from %s":["Import von %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection benötigt WordPress v%1$1s, Du benutzt v%2$2s. Bitte führe zunächst ein WordPress-Update durch."],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":["⚡️ Magische Lösung ⚡️"],"Plugin Status":["Plugin-Status"],"Custom":["Individuell"],"Mobile":["Mobil"],"Feed Readers":["Feed-Leser"],"Libraries":["Bibliotheken"],"URL Monitor Changes":["URL-Monitor-Änderungen"],"Save changes to this group":["Speichere Änderungen in dieser Gruppe"],"For example \"/amp\"":["Zum Beispiel „/amp“"],"URL Monitor":["URL-Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Dein Server hat die Anforderung wegen der Größe abgelehnt. Du musst seine Konfiguration ändern, um fortzufahren."],"Also check if your browser is able to load <code>redirection.js</code>:":["Überprüfe auch, ob dein Browser <code>redirection.js</code> laden kann:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":["Redirection konnte nicht geladen werden"],"Post monitor group is valid":["Post-Monitor-Gruppe ist gültig"],"Post monitor group is invalid":["Post-Monitor-Gruppe ist ungültig"],"Post monitor group":["Post-Monitor-Gruppe"],"All redirects have a valid group":["Alle Redirects haben eine gültige Gruppe"],"Redirects with invalid groups detected":["Umleitungen mit ungültigen Gruppen erkannt"],"Valid redirect group":["Gültige Weiterleitungsgruppe"],"Valid groups detected":["Gültige Gruppen erkannt"],"No valid groups, so you will not be able to create any redirects":["Keine gültigen Gruppen, daher kannst du keine Weiterleitungen erstellen"],"Valid groups":["Gültige Gruppen"],"Database tables":["Datenbanktabellen"],"The following tables are missing:":["Die folgenden Tabellen fehlen:"],"All tables present":["Alle Tabellen vorhanden"],"Cached Redirection detected":["Zwischengespeicherte Umleitung erkannt"],"Please clear your browser cache and reload this page.":["Bitte lösche deinen Browser-Cache und lade diese Seite neu."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress hat keine Antwort zurückgegeben. Dies könnte bedeuten, dass ein Fehler aufgetreten ist oder dass die Anfrage blockiert wurde. Bitte überprüfe Deinen Server error_log."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":["Dies kann durch ein anderes Plugin verursacht werden. Weitere Informationen findest du in der Fehlerkonsole deines Browsers."],"Loading, please wait...":["Lädt, bitte warte..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV-Dateiformat{{/strong}}: {{code}}Quell-URL, Ziel-URL{{/code}} - und kann optional mit {{code}}regex, http-Code{{/code}} ({{code}}regex{{/code}} - 0 für Nein, 1 für Ja) folgen."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection funktioniert nicht. Versuche, Deinen Browser-Cache zu löschen und diese Seite neu zu laden."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Wenn das nicht hilft, öffne die Fehlerkonsole deines Browsers und erstelle ein {{link}}neues Problem{{/link}} mit den Details."],"Create Issue":[""],"Email":["E-Mail"],"Need help?":["Hilfe benötigt?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Bitte beachte, dass Support nur möglich ist, wenn Zeit vorhanden ist und nicht garantiert wird. Ich biete keine bezahlte Unterstützung an."],"Pos":["Pos"],"410 - Gone":["410 - Entfernt"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Wird verwendet, um automatisch eine URL zu generieren, wenn keine URL angegeben ist. Verwende die speziellen Tags {{code}}$dec${{/code}} oder {{code}}$hex${{/code}}, um stattdessen eine eindeutige ID einzufügen"],"I'd like to support some more.":["Ich möchte etwas mehr unterstützen."],"Support 💰":["Unterstützen 💰"],"Import to group":["Importiere in Gruppe"],"Import a CSV, .htaccess, or JSON file.":["Importiere eine CSV, .htaccess oder JSON Datei."],"Click 'Add File' or drag and drop here.":["Klicke auf 'Datei hinzufügen' oder Drag & Drop hier."],"Add File":["Datei hinzufügen"],"File selected":["Datei ausgewählt"],"Importing":["Importiere"],"Finished importing":["Importieren beendet"],"Total redirects imported:":["Umleitungen importiert:"],"Double-check the file is the correct format!":["Überprüfe, ob die Datei das richtige Format hat!"],"OK":["OK"],"Close":["Schließen"],"Export":["Exportieren"],"Everything":["Alles"],"WordPress redirects":["WordPress Weiterleitungen"],"Apache redirects":["Apache Weiterleitungen"],"Nginx redirects":["Nginx Weiterleitungen"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx Rewrite-Regeln"],"View":["Anzeigen"],"Import/Export":["Import/Export"],"Logs":["Protokolldateien"],"404 errors":["404 Fehler"],"Redirection saved":["Umleitung gespeichert"],"Log deleted":["Log gelöscht"],"Settings saved":["Einstellungen gespeichert"],"Group saved":["Gruppe gespeichert"],"Are you sure you want to delete this item?":["Bist du sicher, dass du diesen Eintrag löschen möchtest?","Bist du sicher, dass du diese Einträge löschen möchtest?"],"pass":["passieren"],"All groups":["Alle Gruppen"],"301 - Moved Permanently":["301- Dauerhaft verschoben"],"302 - Found":["302 - Gefunden"],"307 - Temporary Redirect":["307 - Zeitweise Umleitung"],"308 - Permanent Redirect":["308 - Dauerhafte Umleitung"],"401 - Unauthorized":["401 - Unautorisiert"],"404 - Not Found":["404 - Nicht gefunden"],"Title":["Titel"],"When matched":["Wenn übereinstimmend"],"with HTTP code":["mit HTTP Code"],"Show advanced options":["Zeige erweiterte Optionen"],"Matched Target":["Passendes Ziel"],"Unmatched Target":["Unpassendes Ziel"],"Saving...":["Speichern..."],"View notice":["Hinweis anzeigen"],"Something went wrong 🙁":["Etwas ist schiefgelaufen 🙁"],"Log entries (%d max)":["Log Einträge (%d max)"],"Bulk Actions":["Mehrfachaktionen"],"Apply":["Anwenden"],"First page":["Erste Seite"],"Prev page":["Vorige Seite"],"Current Page":["Aktuelle Seite"],"of %(page)s":["von %(page)s"],"Next page":["Nächste Seite"],"Last page":["Letzte Seite"],"%s item":["%s Eintrag","%s Einträge"],"Select All":["Alle auswählen"],"Sorry, something went wrong loading the data - please try again":["Entschuldigung, etwas ist beim Laden der Daten schief gelaufen - bitte versuche es erneut"],"No results":["Keine Ergebnisse"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Danke fürs Abonnieren! {{a}}Klicke hier{{/a}}, wenn Du zu Deinem Abonnement zurückkehren möchtest."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Möchtest Du über Änderungen an Redirection auf dem Laufenden bleiben?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Melde dich für den Redirection-Newsletter an - ein gelegentlicher Newsletter über neue Funktionen und Änderungen an diesem Plugin. Ideal, wenn du Beta-Änderungen testen möchtest, bevor diese erscheinen."],"Your email address:":["Deine E-Mail Adresse:"],"You've supported this plugin - thank you!":["Du hast dieses Plugin bereits unterstützt - vielen Dank!"],"You get useful software and I get to carry on making it better.":["Du erhältst nützliche Software und ich komme dazu, sie besser zu machen."],"Forever":["Dauerhaft"],"Delete the plugin - are you sure?":["Plugin löschen - bist du sicher?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Löschen des Plugins entfernt alle deine Weiterleitungen, Logs und Einstellungen. Tu dies, falls du das Plugin dauerhaft entfernen möchtest oder um das Plugin zurückzusetzen."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Einmal gelöscht, werden deine Weiterleitungen nicht mehr funktionieren. Falls sie es dennoch tun sollten, leere bitte deinen Browser Cache."],"Yes! Delete the plugin":["Ja! Lösche das Plugin"],"No! Don't delete the plugin":["Nein! Lösche das Plugin nicht"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Verwalte alle 301-Umleitungen und 404-Fehler."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."],"Redirection Support":["Unleitung Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Auswählen dieser Option löscht alle Umleitungen, alle Logs, und alle Optionen, die mit dem Umleitungs-Plugin verbunden sind. Stelle sicher, das du das wirklich möchtest."],"Delete Redirection":["Umleitung löschen"],"Upload":["Hochladen"],"Import":["Importieren"],"Update":["Aktualisieren"],"Auto-generate URL":["Selbsterstellte URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"],"RSS Token":["RSS Token"],"404 Logs":["404-Logs"],"(time to keep logs for)":["(Dauer, für die die Logs behalten werden)"],"Redirect Logs":["Umleitungs-Logs"],"I'm a nice person and I have helped support the author of this plugin":["Ich bin eine nette Person und ich helfe dem Autor des Plugins"],"Plugin Support":["Plugin Support"],"Options":["Optionen"],"Two months":["zwei Monate"],"A month":["ein Monat"],"A week":["eine Woche"],"A day":["einen Tag"],"No logs":["Keine Logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Benutze Gruppen, um deine Umleitungen zu ordnen. Gruppen werden einem Modul zugeordnet, dies beeinflusst, wie die Umleitungen in der jeweiligen Gruppe funktionieren. Falls du unsicher bist, bleib beim WordPress-Modul."],"Add Group":["Gruppe hinzufügen"],"Search":["Suchen"],"Groups":["Gruppen"],"Save":["Speichern"],"Group":["Gruppe"],"Regular Expression":["Regulärer Ausdruck"],"Match":["Passend"],"Add new redirection":["Eine neue Weiterleitung hinzufügen"],"Cancel":["Abbrechen"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Einstellungen"],"WordPress":["WordPress"],"Error (404)":["Fehler (404)"],"Pass-through":["Durchreichen"],"Redirect to random post":["Umleitung zu zufälligen Beitrag"],"Redirect to URL":["Umleitung zur URL"],"IP":["IP"],"Source URL":["URL-Quelle"],"Date":["Zeitpunkt"],"Add Redirect":["Umleitung hinzufügen"],"View Redirects":["Weiterleitungen anschauen"],"Module":["Module"],"Redirects":["Umleitungen"],"Name":["Name"],"Filters":["Filter"],"Reset hits":["Treffer zurücksetzen"],"Enable":["Aktivieren"],"Disable":["Deaktivieren"],"Delete":["Löschen"],"Edit":["Bearbeiten"],"Last Access":["Letzter Zugriff"],"Hits":["Treffer"],"URL":["URL"],"Modified Posts":["Geänderte Beiträge"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL und User-Agent"],"Target URL":["Ziel-URL"],"URL only":["Nur URL"],"HTTP code":["HTTP-Code"],"Regex":["Regex"],"Referrer":["Vermittler"],"URL and referrer":["URL und Vermittler"],"Logged Out":["Ausgeloggt"],"Logged In":["Eingeloggt"],"URL and login status":["URL- und Loginstatus"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-el.json CHANGED
@@ -1 +1 @@
1
- {"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":[""],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":[""],"No aliases":[""],"Alias":[""],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":[""],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":[""],"Continue":[""],"The following plugins have been detected.":[""],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":[""],"That's all there is to it - you are now redirecting! Note that the above is just an example.":[""],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":[""],"Values":[""],"All":[""],"Note that some HTTP headers are set by your server and cannot be changed.":[""],"No headers":[""],"Header":[""],"Location":[""],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":[""],"Custom Header":[""],"General":[""],"Redirect":[""],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":[""],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":[""],"Ignore Query":[""],"Exact Query":[""],"Search title":[""],"Not accessed in last year":[""],"Not accessed in last month":[""],"Never accessed":[""],"Last Accessed":[""],"HTTP Status Code":[""],"Plain":[""],"URL match":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":[""],"Enabled":[""],"Compact Display":[""],"Standard Display":[""],"Status":[""],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":[""],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":[""],"The problem is almost certainly caused by one of the above.":[""],"Your admin pages are being cached. Clear this cache and try again.":[""],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"This is usually fixed by doing one of these:":[""],"You are not authorised to access this page.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Ένας βρόχος εντοπίστηκε και η αναβάθμιση έχει διακοπεί. Αυτό συνήθως υποδεικνύει ότι {{support}}ο ιστότοπός σας είναι cached{{/support}} και οι αλλαγές στη βάση δεδομένων δεν αποθηκεύονται."],"Unable to save .htaccess file":["Αδύνατη η αποθήκευση του .htaccess αρχείου"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Οι ανακατευθύνσεις που προστέθηκαν σε μία ομάδα του Apache μπορούν να αποθηκευτούν σε ένα {{code}}.htaccess{{/code}} αρχείο, προσθέτοντας την πλήρη διαδρομή εδώ. Ως σημείο αναφοράς, το WordPress σας είναι εγκατεστημένο στο {{code}}%(installed)s{{/code}}. "],"Click \"Complete Upgrade\" when finished.":["Κάντε κλικ στο \"Ολοκλήρωση Αναβάθμισης\" όταν ολοκληρωθεί."],"Automatic Install":["Αυτόματη Εγκατάσταση"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Η στοχευμένη σας διεύθυνση URL περιέχει έναν μη έγκυρο χαρακτήρα {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Αν χρησιμοποιείτε το WordPress 5.2 ή νεότερο, κοιτάξτε την {{link}}Υγεία Ιστοτόπου{{/link}} και επιλύστε οποιαδήποτε θέματα."],"If you do not complete the manual install you will be returned here.":["Αν δεν ολοκληρώσετε την χειροκίνητη εγκατάσταση θα επιστρέψετε εδώ."],"Click \"Finished! 🎉\" when finished.":["Κάντε κλικ στο \"Ολοκληρώθηκε! 🎉\" όταν ολοκληρωθεί."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Αν ο ιστότοπός σας χρειάζεται ειδικά δικαιώματα για τη βάση δεδομένων, ή αν προτιμάτε να το κάνετε ο ίδιος, μπορείτε να τρέξετε χειροκίνητα την ακόλουθη SQL."],"Manual Install":["Χειροκίνητη Εγκατάσταση"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Εντοπίστηκαν ανεπαρκή δικαιώματα για τη βάση δεδομένων. Παρακαλούμε δώστε τα κατάλληλα δικαιώματα στον χρήστη της βάσης δεδομένων σας."],"This information is provided for debugging purposes. Be careful making any changes.":["Αυτές οι πληροφορίες παρέχονται για σκοπούς αποσφαλμάτωσης. Να είστε προσεκτικοί κάνοντας οποιεσδήποτε αλλαγές."],"Plugin Debug":["Αποσφαλμάτωση Προσθέτου"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Το Redirection επικοινωνεί με το WordPress μέσω του WordPress REST API. Αυτό είναι ένα κανονικό κομμάτι του WordPress, και θα αντιμετωπίσετε προβλήματα αν δεν μπορείτε να το χρησιμοποιήσετε."],"IP Headers":["Κεφαλίδες IP"],"Do not change unless advised to do so!":[""],"Database version":["Έκδοση βάσης δεδομένων"],"Complete data (JSON)":["Ολόκληρα δεδομένα (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Εξαγωγή σε CSV, Apache .htaccess, Nginx, ή Redirection JSON. Η μορφή JSON περιέχει πλήρεις πληροφορίες, και οι άλλες μορφές περιέχουν μερικές πληροφορίες αναλόγως με τη μορφή."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["Το CSV δεν περιέχει όλες τις πληροφορίες, και όλα εισάγονται/εξάγονται ως \"μόνο URL\" αντιστοιχίες. Χρησιμοποιήστε τη μορφή JSON για μία πλήρη συλλογή δεδομένων."],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":["Αυτόματη Αναβάθμιση"],"Manual Upgrade":["Χειροκίνητη Αναβάθμιση"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Κάντε κλικ στο κουμπί \"Αναβάθμιση Βάσης Δεδομένων\" για να αναβαθμίσετε αυτόματα τη βάση δεδομένων."],"Complete Upgrade":["Ολοκληρωμένη Αναβάθμιση"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Χρειάζομαι υποστήριξη!"],"You will need at least one working REST API to continue.":["Θα χρειαστείτε τουλάχιστον ένα λειτουργικό REST API για να συνεχίσετε."],"Check Again":["Ελέγξτε Πάλι"],"Testing - %s$":["Γίνεται δοκιμή - %s$"],"Show Problems":["Εμφάνιση Προβλημάτων"],"Summary":["Σύνοψη"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Χρησιμοποιείτε μία χαλασμένη διαδρομή του REST API. Η αλλαγή σε ένα λειτουργικό API θα πρέπει να διορθώσει το πρόβλημα."],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Το REST API σας δεν λειτουργεί και το πρόσθετο δεν θα μπορεί να συνεχίσει μέχρι αυτό να διορθωθεί."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Υπάρχουν κάποια προβλήματα με την επικοινωνία με το REST API σας. Δεν είναι απαραίτητο να διορθώσετε αυτά τα προβλήματα και το πρόσθετο μπορεί να λειτουργήσει."],"Unavailable":["Μη Διαθέσιμο"],"Not working but fixable":["Δεν λειτουργεί αλλά επιλύσιμο"],"Working but some issues":["Λειτουργεί αλλά υπάρχουν κάποια θέματα"],"Current API":["Τρέχον API"],"Switch to this API":["Αλλαγή σε αυτό το API"],"Hide":["Απόκρυψη"],"Show Full":["Εμφάνιση Πλήρους"],"Working!":["Λειτουργεί!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"That didn't help":["Αυτό δεν βοήθησε"],"What do I do next?":["Τι κάνω στη συνέχεια;"],"Possible cause":["Πιθανή αιτία"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["Το WordPress επέστρεψε ένα απροσδόκητο μήνυμα. Αυτό είναι πιθανώς ένα σφάλμα της PHP ή κάποιου άλλου πρόσθετου."],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":["Διάβαστε αυτόν τον οδηγό του REST API για περισσότερες πληροφορίες."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Το REST API σας αποθηκεύεται στη μνήμη cache. Παρακαλούμε αδειάστε οποιοδήποτε πρόσθετο μνήμης cache και τη μνήμη cache του διακομιστή, αποσυνδεθείτε, αδειάστε τη μνήμη cache του περιηγητή σας, και προσπαθήστε πάλι."],"URL options / Regex":["Επιλογές URL / Regex"],"Export 404":["Εξαγωγή 404"],"Export redirect":["Εξαγωγή ανακατεύθυνσης"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Η δομή των μόνιμων συνδέσμων του WordPress δεν λειτουργεί στα κανονικά URLs. Παρακαλούμε χρησιμοποιήστε ένα regular expression."],"Pass - as ignore, but also copies the query parameters to the target":["Πέρασμα - όπως η αγνόηση, αλλά επίσης αντιγράφει τις παραμέτρους του ερωτήματος στον στόχο"],"Ignore - as exact, but ignores any query parameters not in your source":["Αγνόηση - όπως η ακριβής, αλλά αγνοεί οποιεσδήποτε παραμέτρους του ερωτήματος δεν υπάρχουν στην προέλευσή σας"],"Exact - matches the query parameters exactly defined in your source, in any order":["Ακριβής - αντιστοιχεί στις παραμέτρους του ερωτήματος ακριβώς όπως ορίστηκαν στην προέλευσή σας, σε οποιαδήποτε σειρά"],"Default query matching":["Προεπιλεγμένη αντιστοίχιση ερωτήματος"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Αγνόηση των καθέτων στο τέλος (π.χ. το {{code}}/συναρπαστικό-άρθρο/{{/code}} θα αντιστοιχίσει στο {{code}}/συναρπαστικό-άρθρο{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":["Επιλογές URL"],"Query Parameters":["Παράμετροι Ερωτήματος"],"Ignore & pass parameters to the target":[""],"Ignore all parameters":[""],"Exact match all parameters in any order":[""],"Ignore Case":[""],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":["Ακατέργαστο REST API"],"Default REST API":["Προεπιλεγμένο REST API"],"(Example) The target URL is the new URL":["(Παράδειγμα) Το στοχευμένο URL είναι το νέο URL"],"(Example) The source URL is your old or original URL":["(Παράδειγμα) Το URL προέλευσης είναι το παλιό σας ή το αρχικό URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Απενεργοποιημένο! Εντοπίστηκε PHP έκδοση %1$s, χρειάζεται PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Πραγματοποιείται μία αναβάθμιση της βάσης δεδομένων. Παρακαλούμε συνεχίστε για να ολοκληρωθεί."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Η βάση δεδομένων του Redirection χρειάζεται να ενημερωθεί - <a href=\"%1$1s\">κάντε κλικ για ενημέρωση</a>."],"Redirection database needs upgrading":["Η βάση δεδομένων του Redirection χρειάζεται να αναβαθμιστεί"],"Upgrade Required":["Απαιτείται ενημέρωση"],"Finish Setup":["Ολοκλήρωση εγκατάστασης"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Έχετε διαφορετικά URLs ρυθμισμένα στη σελίδα Ρυθμίσεις WordPress > Γενικά, το οποίο συνήθως είναι ένδειξη λάθος ρυθμίσεων, και μπορεί να προκαλέσει προβλήματα με το REST API. Παρακαλούμε κοιτάξτε πάλι τις ρυθμίσεις σας."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Αν αντιμετωπίζετε κάποιο πρόβλημα παρακαλούμε συμβουλευτείτε την τεκμηρίωση του προσθέτου, ή επικοινωνήστε με την υποστήριξη της υπηρεσίας φιλοξενίας. Αυτό γενικά {{link}}δεν είναι κάποιο πρόβλημα που προκλήθηκε από το Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Κάποιο άλλο πρόσθετο μπλοκάρει το REST API"],"A server firewall or other server configuration (e.g OVH)":["Ένα firewall του διακομιστή ή κάποια άλλη ρύθμιση στον διακομιστή (π.χ. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Το Redirection χρησιμοποιεί το {{link}}WordPress REST API{{/link}} για να επικοινωνήσει με το WordPress. Αυτό είναι ενεργοποιημένο και λειτουργικό από προεπιλογή. Μερικές φορές το REST API μπλοκάρεται από:"],"Go back":["Επιστροφή"],"Continue Setup":["Συνέχεια Εγκατάστασης"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":["Βασική εγκατάσταση"],"Start Setup":["Έναρξη εγκατάστασης"],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":["Τι ακολουθεί;"],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Μπορείτε να βρείτε την πλήρη τεκμηρίωση στον {{link}}ιστότοπο του Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Μία απλή ανακατεύθυνση περιλαμβάνει τη ρύθμιση ενός {{strong}}URL προέλευσης{{/strong}} (το παλιό URL) και ενός {{strong}}στοχευμένου URL{{/strong}} (το νέο URL). Ορίστε ένα παράδειγμα:"],"How do I use this plugin?":["Πώς χρησιμοποιώ αυτό το πρόσθετο;"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Το Redirection είναι σχεδιασμένο για να χρησιμοποιείται από ιστοτόπους με λίγες ανακατευθύνσεις μέχρι και ιστοτόπους με χιλιάδες ανακατευθύνσεις."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Ευχαριστούμε που εγκαταστήσατε και χρησιμοποείτε το Redirection v%(version)s. Αυτό το πρόσθετο θα σας επιτρέπει να διαχειρίζεστε τις ανακατευθύνσεις 301, να παρακολουθείτε τα σφάλματα 404, και να βελτιώσετε τον ιστότοπό σας, χωρίς να χρειάζεται γνώση των Apache και Nginx."],"Welcome to Redirection 🚀🎉":["Καλώς ήρθατε στο Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Προς αποφυγήν κάποιου άπληστου regular expression μπορείτε να χρησιμοποιήσετε το {{code}}^{{/code}} για να το αγκυρώσετε στην αρχή του URL. Για παράδειγμα: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Θυμηθείτε να ενεργοποιήσετε την επιλογή \"regex\" αν αυτό είναι regular expression."],"The source URL should probably start with a {{code}}/{{/code}}":["Το URL προέλευσης μάλλον πρέπει να ξεκινάει με {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Αυτό θα μετατραπεί σε ανακατεύθυνση του διακομιστή για τον τομέα {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Οι αγκυρωμένες τιμές δεν αποστέλλονται στον διακομιστή και δεν μπορούν να ανακατευθυνθούν."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} σε {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Ολοκληρώθηκε! 🎉"],"Progress: %(complete)d$":["Πρόοδος: %(complete)d$"],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Διακοπή αναβάθμισης"],"Skip this stage":["Παράλειψη αυτού του σταδίου"],"Try again":["Προσπαθήστε ξανά"],"Database problem":["Πρόβλημα με τη βάση δεδομένων"],"Please enable JavaScript":[""],"Please upgrade your database":[""],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":[""],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Παρακαλούμε μην προσπαθήσετε να ακατευθύνετε όλα τα 404 σας - αυτό δεν είναι καλό."],"Only the 404 page type is currently supported.":["Μόνο ο τύπος σελίδων 404 υποστηρίζεται προς το παρόν."],"Page Type":["Είδος Σελίδας"],"Enter IP addresses (one per line)":["Εισάγετε τις διευθύνσεις IP (μία ανά σειρά)"],"Describe the purpose of this redirect (optional)":["Περιγράψτε τον σκοπό της κάθε ανακατεύθυνσης (προαιρετικό)"],"418 - I'm a teapot":["418 - I'm a teapot"],"403 - Forbidden":["403 - Forbidden"],"400 - Bad Request":["400 - Bad Request"],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":["Μην κάνετε τίποτα (αγνοήστε)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Εμφάνιση όλων"],"Delete all logs for these entries":["Διαγραφή όλων των αρχείων καταγραφής για αυτές τις καταχωρήσεις"],"Delete all logs for this entry":["Διαγραφή όλων των αρχείων καταγραφής για αυτήν την καταχώρηση"],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":["Αποκλεισμός IP"],"Redirect All":[""],"Count":["Αρίθμηση"],"URL and WordPress page type":[""],"URL and IP":["URL και IP"],"Problem":["Πρόβλημα"],"Good":["Καλό"],"Check":["Έλεγχος"],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Βρέθηκε"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["Σφάλμα"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":["Στόχος"],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":["Διακομιστής"],"Enter role or capability value":[""],"Role":["Ρόλος"],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"GDPR / Privacy information":[""],"Add New":["Νέο άρθρο"],"URL and role/capability":[""],"URL and server":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Αποδοχή γλώσσας"],"Header value":[""],"Header name":[""],"HTTP Header":[""],"WordPress filter name":[""],"Filter Name":["Όνομα φίλτρου"],"Cookie value":[""],"Cookie name":[""],"Cookie":["Cookie"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL και cookie"],"404 deleted":["404 διαγράφηκε"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":["WordPress REST API"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":[""],"Useragent Error":[""],"Unknown Useragent":[""],"Device":["Συσκευή"],"Operating System":["Λειτουργικό Σύστημα"],"Browser":["Περιηγητής"],"Engine":[""],"Useragent":[""],"Agent":["Agent"],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":[""],"IP Logging":[""],"(select IP logging level)":[""],"Geo Info":["Geo Info"],"Agent Info":[""],"Filter by IP":["Φιλτράρισμα κατά IP"],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":["Geo IP"],"City":["Πόλη"],"Area":["Περιοχή"],"Timezone":["Ζώνη ώρας"],"Geo Location":["Γεω τοποθεσία"],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":["Διεγραμμένα"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":["Mια ώρα"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":["σύνολο = "],"Import from %s":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":["Κατάσταση πρόσθετου"],"Custom":["Προσαρμοσμένη"],"Mobile":["Κινητό"],"Feed Readers":[""],"Libraries":["Βιβλιοθήκες"],"URL Monitor Changes":[""],"Save changes to this group":["Αποθήκευση αλλαγών σε αυτήν την ομάδα"],"For example \"/amp\"":[""],"URL Monitor":[""],"Delete 404s":["Διαγραφή 404s"],"Delete all from IP %s":["Διαγραφή όλων από τηνIP %s"],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Πίνακες βάσης δεδομένων"],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Φόρτωση, παρακαλώ περιμένετε..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"Create Issue":[""],"Email":["Email"],"Need help?":["Χρειάζεστε βοήθεια;"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":["Θέση"],"410 - Gone":[""],"Position":["Θέση"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":[""],"Support 💰":["Υποστήριξη 💰"],"Import to group":[""],"Import a CSV, .htaccess, or JSON file.":[""],"Click 'Add File' or drag and drop here.":[""],"Add File":["Προσθήκη Αρχείου"],"File selected":["Επιλεγμένο αρχείο"],"Importing":["Εισαγωγή σε εξέλιξη"],"Finished importing":[""],"Total redirects imported:":[""],"Double-check the file is the correct format!":[""],"OK":["OK"],"Close":["Κλείσιμο"],"Export":["Εξαγωγή"],"Everything":["Όλα"],"WordPress redirects":[""],"Apache redirects":["Apache redirects"],"Nginx redirects":[""],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["Προβολή"],"Import/Export":["Εισαγωγή/Εξαγωγή"],"Logs":["Αρχεία καταγραφής"],"404 errors":[""],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"Redirection saved":[""],"Log deleted":["Το αρχείο καταγραφής διαγράφηκε"],"Settings saved":["Οι ρυθμίσεις αποθηκεύτηκαν"],"Group saved":["Η ομάδα αποθηκεύτηκε"],"Are you sure you want to delete this item?":["Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το αντικείμενο;","Είστε σίγουροι ότι θέλετε να διαγράψετε αυτά τα αντικείμενα;"],"pass":[""],"All groups":["Όλες οι ομάδες"],"301 - Moved Permanently":["301-Μετακινήθηκε μόνιμα"],"302 - Found":[""],"307 - Temporary Redirect":["307-προσωρινή ανακατεύθυνση"],"308 - Permanent Redirect":["308-μόνιμη ανακατεύθυνση"],"401 - Unauthorized":["401-μη εξουσιοδοτημένη"],"404 - Not Found":["404-δεν βρέθηκε"],"Title":["Τίτλος"],"When matched":[""],"with HTTP code":["με κωδικό HTTP"],"Show advanced options":[""],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Αποθήκευση..."],"View notice":["Προβολή ειδοποίησης"],"Something went wrong 🙁":[""],"Log entries (%d max)":[""],"Select bulk action":["Επιλέξτε μαζική ενέργεια"],"Bulk Actions":["Μαζική επεξ/σία"],"Apply":["Εκτέλεση"],"First page":["Αρχική σελίδα"],"Prev page":["Προηγούμενη σελίδα"],"Current Page":["Τρέχουσα σελίδα"],"of %(page)s":[""],"Next page":["Επόμενη σελίδα"],"Last page":["Τελευταία σελίδα"],"%s item":["%s στοιχείο","%s στοιχεία"],"Select All":["Επιλογή όλων"],"Sorry, something went wrong loading the data - please try again":[""],"No results":["Κανένα αποτέλεσμα"],"Delete the logs - are you sure?":[""],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":[""],"Yes! Delete the logs":["Ναι! Διαγραφή των αρχείων καταγραφής"],"No! Don't delete the logs":["Όχι! Να μην διαγραφούν τα αρχεία καταγραφής"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Ενημερωτικό Δελτίο"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":[""],"Your email address:":["Η διεύθυνση email σας:"],"You've supported this plugin - thank you!":["Έχετε υποστηρίξει αυτό το πρόσθετο - σας ευχαριστώ!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Πάντα"],"Delete the plugin - are you sure?":["Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το πρόσθετο;"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":[""],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":[""],"Yes! Delete the plugin":["Ναι! Διαγραφή του πρόσθετου"],"No! Don't delete the plugin":["Όχι! Να μην διαγραφεί το πρόσθετο"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":[""],"Redirection Support":["Υποστήριξη Redirection"],"Support":["Υποστήριξη"],"404s":["404s"],"Log":["Αρχείο καταγραφής"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":["Διαγραφή ανακατεύθυνσης"],"Upload":["Μεταφόρτωση"],"Import":["Εισαγωγή"],"Update":["Ενημέρωση"],"Auto-generate URL":[""],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":[""],"RSS Token":["RSS Token"],"404 Logs":[""],"(time to keep logs for)":[""],"Redirect Logs":[""],"I'm a nice person and I have helped support the author of this plugin":[""],"Plugin Support":["Υποστήριξη πρόσθετου"],"Options":["Επιλογές"],"Two months":["Δύο μήνες"],"A month":["Ένας μήνας"],"A week":["Μία βδομάδα"],"A day":["Μια ημέρα"],"No logs":[""],"Delete All":["Διαγραφή όλων"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":[""],"Add Group":["Προσθήκη Ομάδας"],"Search":["Αναζήτηση"],"Groups":["Ομάδες"],"Save":["Αποθήκευση"],"Group":["Ομάδα"],"Regular Expression":[""],"Match":["Ταίριασμα"],"Add new redirection":[""],"Cancel":["Άκυρο"],"Download":["Λήψη"],"Redirection":[""],"Settings":["Ρυθμίσεις"],"Error (404)":[""],"Pass-through":[""],"Redirect to random post":[""],"Redirect to URL":["Ανακατεύθυνση σε URL"],"IP":["IP"],"Source URL":["URL προέλευσης"],"Date":["Ημερομηνία"],"Add Redirect":["Προσθήκη ανακατεύθυνσης"],"View Redirects":[""],"Module":["Άρθρωμα"],"Redirects":["Redirects"],"Name":["Όνομα"],"Filters":["Φίλτρα"],"Reset hits":[""],"Enable":["Ενεργοποίηση"],"Disable":["Απενεργοποίηση"],"Delete":["Διαγραφή"],"Edit":["Επεξεργασία"],"Last Access":["Τελευταία Πρόσβαση"],"Hits":[""],"URL":["Διεύθυνση URL"],"Modified Posts":[""],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":[""],"Target URL":["URL προορισμού"],"URL only":["Μόνο URL"],"HTTP code":[""],"Regex":["Regex"],"Referrer":["Αναφορέας"],"URL and referrer":[""],"Logged Out":["Αποσύνδεση"],"Logged In":["Συνδέθηκε"],"URL and login status":["URL και κατάσταση σύνδεσης"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":["Προέκυψε ένα άγνωστο σφάλμα."],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":["Προβολή αποσφαλμάτωσης"],"View Data":["Προβολή Δεδομένων"],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Καταγραφή"],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":["Είστε σίγουροι ότι θέλετε να διαγράψετε τα επιλεγμένα στοιχεία;"],"View Redirect":["Προβολή Ανακατεύθυνσης"],"RSS":["RSS"],"Group by user agent":[""],"Search domain":["Αναζήτηση domain"],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":[""],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":[""],"No aliases":[""],"Alias":[""],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":[""],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":[""],"Continue":[""],"The following plugins have been detected.":[""],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":[""],"That's all there is to it - you are now redirecting! Note that the above is just an example.":[""],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":[""],"Values":[""],"All":[""],"Note that some HTTP headers are set by your server and cannot be changed.":[""],"No headers":[""],"Header":[""],"Location":[""],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":[""],"Custom Header":[""],"General":[""],"Redirect":[""],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":[""],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":[""],"Ignore Query":[""],"Exact Query":[""],"Search title":[""],"Not accessed in last year":[""],"Not accessed in last month":[""],"Never accessed":[""],"Last Accessed":[""],"HTTP Status Code":[""],"Plain":[""],"URL match":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":[""],"Enabled":[""],"Compact Display":[""],"Standard Display":[""],"Status":[""],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":[""],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":[""],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Ένας βρόχος εντοπίστηκε και η αναβάθμιση έχει διακοπεί. Αυτό συνήθως υποδεικνύει ότι {{support}}ο ιστότοπός σας είναι cached{{/support}} και οι αλλαγές στη βάση δεδομένων δεν αποθηκεύονται."],"Unable to save .htaccess file":["Αδύνατη η αποθήκευση του .htaccess αρχείου"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Οι ανακατευθύνσεις που προστέθηκαν σε μία ομάδα του Apache μπορούν να αποθηκευτούν σε ένα {{code}}.htaccess{{/code}} αρχείο, προσθέτοντας την πλήρη διαδρομή εδώ. Ως σημείο αναφοράς, το WordPress σας είναι εγκατεστημένο στο {{code}}%(installed)s{{/code}}. "],"Click \"Complete Upgrade\" when finished.":["Κάντε κλικ στο \"Ολοκλήρωση Αναβάθμισης\" όταν ολοκληρωθεί."],"Automatic Install":["Αυτόματη Εγκατάσταση"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Η στοχευμένη σας διεύθυνση URL περιέχει έναν μη έγκυρο χαρακτήρα {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Αν χρησιμοποιείτε το WordPress 5.2 ή νεότερο, κοιτάξτε την {{link}}Υγεία Ιστοτόπου{{/link}} και επιλύστε οποιαδήποτε θέματα."],"If you do not complete the manual install you will be returned here.":["Αν δεν ολοκληρώσετε την χειροκίνητη εγκατάσταση θα επιστρέψετε εδώ."],"Click \"Finished! 🎉\" when finished.":["Κάντε κλικ στο \"Ολοκληρώθηκε! 🎉\" όταν ολοκληρωθεί."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Αν ο ιστότοπός σας χρειάζεται ειδικά δικαιώματα για τη βάση δεδομένων, ή αν προτιμάτε να το κάνετε ο ίδιος, μπορείτε να τρέξετε χειροκίνητα την ακόλουθη SQL."],"Manual Install":["Χειροκίνητη Εγκατάσταση"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Εντοπίστηκαν ανεπαρκή δικαιώματα για τη βάση δεδομένων. Παρακαλούμε δώστε τα κατάλληλα δικαιώματα στον χρήστη της βάσης δεδομένων σας."],"This information is provided for debugging purposes. Be careful making any changes.":["Αυτές οι πληροφορίες παρέχονται για σκοπούς αποσφαλμάτωσης. Να είστε προσεκτικοί κάνοντας οποιεσδήποτε αλλαγές."],"Plugin Debug":["Αποσφαλμάτωση Προσθέτου"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Το Redirection επικοινωνεί με το WordPress μέσω του WordPress REST API. Αυτό είναι ένα κανονικό κομμάτι του WordPress, και θα αντιμετωπίσετε προβλήματα αν δεν μπορείτε να το χρησιμοποιήσετε."],"IP Headers":["Κεφαλίδες IP"],"Do not change unless advised to do so!":[""],"Database version":["Έκδοση βάσης δεδομένων"],"Complete data (JSON)":["Ολόκληρα δεδομένα (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Εξαγωγή σε CSV, Apache .htaccess, Nginx, ή Redirection JSON. Η μορφή JSON περιέχει πλήρεις πληροφορίες, και οι άλλες μορφές περιέχουν μερικές πληροφορίες αναλόγως με τη μορφή."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["Το CSV δεν περιέχει όλες τις πληροφορίες, και όλα εισάγονται/εξάγονται ως \"μόνο URL\" αντιστοιχίες. Χρησιμοποιήστε τη μορφή JSON για μία πλήρη συλλογή δεδομένων."],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":["Αυτόματη Αναβάθμιση"],"Manual Upgrade":["Χειροκίνητη Αναβάθμιση"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Κάντε κλικ στο κουμπί \"Αναβάθμιση Βάσης Δεδομένων\" για να αναβαθμίσετε αυτόματα τη βάση δεδομένων."],"Complete Upgrade":["Ολοκληρωμένη Αναβάθμιση"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Χρειάζομαι υποστήριξη!"],"You will need at least one working REST API to continue.":["Θα χρειαστείτε τουλάχιστον ένα λειτουργικό REST API για να συνεχίσετε."],"Check Again":["Ελέγξτε Πάλι"],"Testing - %s$":["Γίνεται δοκιμή - %s$"],"Show Problems":["Εμφάνιση Προβλημάτων"],"Summary":["Σύνοψη"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Το REST API σας δεν λειτουργεί και το πρόσθετο δεν θα μπορεί να συνεχίσει μέχρι αυτό να διορθωθεί."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Υπάρχουν κάποια προβλήματα με την επικοινωνία με το REST API σας. Δεν είναι απαραίτητο να διορθώσετε αυτά τα προβλήματα και το πρόσθετο μπορεί να λειτουργήσει."],"Unavailable":["Μη Διαθέσιμο"],"Working but some issues":["Λειτουργεί αλλά υπάρχουν κάποια θέματα"],"Current API":["Τρέχον API"],"Switch to this API":["Αλλαγή σε αυτό το API"],"Hide":["Απόκρυψη"],"Show Full":["Εμφάνιση Πλήρους"],"Working!":["Λειτουργεί!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":["Τι κάνω στη συνέχεια;"],"Possible cause":["Πιθανή αιτία"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":["Διάβαστε αυτόν τον οδηγό του REST API για περισσότερες πληροφορίες."],"URL options / Regex":["Επιλογές URL / Regex"],"Export 404":["Εξαγωγή 404"],"Export redirect":["Εξαγωγή ανακατεύθυνσης"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Η δομή των μόνιμων συνδέσμων του WordPress δεν λειτουργεί στα κανονικά URLs. Παρακαλούμε χρησιμοποιήστε ένα regular expression."],"Pass - as ignore, but also copies the query parameters to the target":["Πέρασμα - όπως η αγνόηση, αλλά επίσης αντιγράφει τις παραμέτρους του ερωτήματος στον στόχο"],"Ignore - as exact, but ignores any query parameters not in your source":["Αγνόηση - όπως η ακριβής, αλλά αγνοεί οποιεσδήποτε παραμέτρους του ερωτήματος δεν υπάρχουν στην προέλευσή σας"],"Exact - matches the query parameters exactly defined in your source, in any order":["Ακριβής - αντιστοιχεί στις παραμέτρους του ερωτήματος ακριβώς όπως ορίστηκαν στην προέλευσή σας, σε οποιαδήποτε σειρά"],"Default query matching":["Προεπιλεγμένη αντιστοίχιση ερωτήματος"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Αγνόηση των καθέτων στο τέλος (π.χ. το {{code}}/συναρπαστικό-άρθρο/{{/code}} θα αντιστοιχίσει στο {{code}}/συναρπαστικό-άρθρο{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":["Επιλογές URL"],"Query Parameters":["Παράμετροι Ερωτήματος"],"Ignore & pass parameters to the target":[""],"Ignore all parameters":[""],"Exact match all parameters in any order":[""],"Ignore Case":[""],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":["Ακατέργαστο REST API"],"Default REST API":["Προεπιλεγμένο REST API"],"(Example) The target URL is the new URL":["(Παράδειγμα) Το στοχευμένο URL είναι το νέο URL"],"(Example) The source URL is your old or original URL":["(Παράδειγμα) Το URL προέλευσης είναι το παλιό σας ή το αρχικό URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Απενεργοποιημένο! Εντοπίστηκε PHP έκδοση %1$s, χρειάζεται PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Πραγματοποιείται μία αναβάθμιση της βάσης δεδομένων. Παρακαλούμε συνεχίστε για να ολοκληρωθεί."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Η βάση δεδομένων του Redirection χρειάζεται να ενημερωθεί - <a href=\"%1$1s\">κάντε κλικ για ενημέρωση</a>."],"Redirection database needs upgrading":["Η βάση δεδομένων του Redirection χρειάζεται να αναβαθμιστεί"],"Upgrade Required":["Απαιτείται ενημέρωση"],"Finish Setup":["Ολοκλήρωση εγκατάστασης"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Έχετε διαφορετικά URLs ρυθμισμένα στη σελίδα Ρυθμίσεις WordPress > Γενικά, το οποίο συνήθως είναι ένδειξη λάθος ρυθμίσεων, και μπορεί να προκαλέσει προβλήματα με το REST API. Παρακαλούμε κοιτάξτε πάλι τις ρυθμίσεις σας."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Αν αντιμετωπίζετε κάποιο πρόβλημα παρακαλούμε συμβουλευτείτε την τεκμηρίωση του προσθέτου, ή επικοινωνήστε με την υποστήριξη της υπηρεσίας φιλοξενίας. Αυτό γενικά {{link}}δεν είναι κάποιο πρόβλημα που προκλήθηκε από το Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Κάποιο άλλο πρόσθετο μπλοκάρει το REST API"],"A server firewall or other server configuration (e.g OVH)":["Ένα firewall του διακομιστή ή κάποια άλλη ρύθμιση στον διακομιστή (π.χ. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Το Redirection χρησιμοποιεί το {{link}}WordPress REST API{{/link}} για να επικοινωνήσει με το WordPress. Αυτό είναι ενεργοποιημένο και λειτουργικό από προεπιλογή. Μερικές φορές το REST API μπλοκάρεται από:"],"Go back":["Επιστροφή"],"Continue Setup":["Συνέχεια Εγκατάστασης"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":["Βασική εγκατάσταση"],"Start Setup":["Έναρξη εγκατάστασης"],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":["Τι ακολουθεί;"],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Μπορείτε να βρείτε την πλήρη τεκμηρίωση στον {{link}}ιστότοπο του Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Μία απλή ανακατεύθυνση περιλαμβάνει τη ρύθμιση ενός {{strong}}URL προέλευσης{{/strong}} (το παλιό URL) και ενός {{strong}}στοχευμένου URL{{/strong}} (το νέο URL). Ορίστε ένα παράδειγμα:"],"How do I use this plugin?":["Πώς χρησιμοποιώ αυτό το πρόσθετο;"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Το Redirection είναι σχεδιασμένο για να χρησιμοποιείται από ιστοτόπους με λίγες ανακατευθύνσεις μέχρι και ιστοτόπους με χιλιάδες ανακατευθύνσεις."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Ευχαριστούμε που εγκαταστήσατε και χρησιμοποείτε το Redirection v%(version)s. Αυτό το πρόσθετο θα σας επιτρέπει να διαχειρίζεστε τις ανακατευθύνσεις 301, να παρακολουθείτε τα σφάλματα 404, και να βελτιώσετε τον ιστότοπό σας, χωρίς να χρειάζεται γνώση των Apache και Nginx."],"Welcome to Redirection 🚀🎉":["Καλώς ήρθατε στο Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Προς αποφυγήν κάποιου άπληστου regular expression μπορείτε να χρησιμοποιήσετε το {{code}}^{{/code}} για να το αγκυρώσετε στην αρχή του URL. Για παράδειγμα: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Θυμηθείτε να ενεργοποιήσετε την επιλογή \"regex\" αν αυτό είναι regular expression."],"The source URL should probably start with a {{code}}/{{/code}}":["Το URL προέλευσης μάλλον πρέπει να ξεκινάει με {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Αυτό θα μετατραπεί σε ανακατεύθυνση του διακομιστή για τον τομέα {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Οι αγκυρωμένες τιμές δεν αποστέλλονται στον διακομιστή και δεν μπορούν να ανακατευθυνθούν."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} σε {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Ολοκληρώθηκε! 🎉"],"Progress: %(complete)d$":["Πρόοδος: %(complete)d$"],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Διακοπή αναβάθμισης"],"Skip this stage":["Παράλειψη αυτού του σταδίου"],"Try again":["Προσπαθήστε ξανά"],"Database problem":["Πρόβλημα με τη βάση δεδομένων"],"Please enable JavaScript":[""],"Please upgrade your database":[""],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":[""],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Παρακαλούμε μην προσπαθήσετε να ακατευθύνετε όλα τα 404 σας - αυτό δεν είναι καλό."],"Only the 404 page type is currently supported.":["Μόνο ο τύπος σελίδων 404 υποστηρίζεται προς το παρόν."],"Page Type":["Είδος Σελίδας"],"Enter IP addresses (one per line)":["Εισάγετε τις διευθύνσεις IP (μία ανά σειρά)"],"Describe the purpose of this redirect (optional)":["Περιγράψτε τον σκοπό της κάθε ανακατεύθυνσης (προαιρετικό)"],"418 - I'm a teapot":["418 - I'm a teapot"],"403 - Forbidden":["403 - Forbidden"],"400 - Bad Request":["400 - Bad Request"],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":["Μην κάνετε τίποτα (αγνοήστε)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Εμφάνιση όλων"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":["Αποκλεισμός IP"],"Redirect All":[""],"Count":["Αρίθμηση"],"URL and WordPress page type":[""],"URL and IP":["URL και IP"],"Problem":["Πρόβλημα"],"Good":["Καλό"],"Check":["Έλεγχος"],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Βρέθηκε"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["Σφάλμα"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":["Στόχος"],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":["Διακομιστής"],"Enter role or capability value":[""],"Role":["Ρόλος"],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"Add New":["Νέο άρθρο"],"URL and role/capability":[""],"URL and server":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Αποδοχή γλώσσας"],"Header value":[""],"Header name":[""],"HTTP Header":[""],"WordPress filter name":[""],"Filter Name":["Όνομα φίλτρου"],"Cookie value":[""],"Cookie name":[""],"Cookie":["Cookie"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL και cookie"],"404 deleted":["404 διαγράφηκε"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":["WordPress REST API"],"Useragent Error":[""],"Unknown Useragent":[""],"Device":["Συσκευή"],"Operating System":["Λειτουργικό Σύστημα"],"Browser":["Περιηγητής"],"Engine":[""],"Useragent":[""],"Agent":["Agent"],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":[""],"IP Logging":[""],"Geo Info":["Geo Info"],"Agent Info":[""],"Filter by IP":["Φιλτράρισμα κατά IP"],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":["Geo IP"],"City":["Πόλη"],"Area":["Περιοχή"],"Timezone":["Ζώνη ώρας"],"Geo Location":["Γεω τοποθεσία"],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":["Διεγραμμένα"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":["Mια ώρα"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":["σύνολο = "],"Import from %s":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":["Κατάσταση πρόσθετου"],"Custom":["Προσαρμοσμένη"],"Mobile":["Κινητό"],"Feed Readers":[""],"Libraries":["Βιβλιοθήκες"],"URL Monitor Changes":[""],"Save changes to this group":["Αποθήκευση αλλαγών σε αυτήν την ομάδα"],"For example \"/amp\"":[""],"URL Monitor":[""],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Πίνακες βάσης δεδομένων"],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Φόρτωση, παρακαλώ περιμένετε..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"Create Issue":[""],"Email":["Email"],"Need help?":["Χρειάζεστε βοήθεια;"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":["Θέση"],"410 - Gone":[""],"Position":["Θέση"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":[""],"Support 💰":["Υποστήριξη 💰"],"Import to group":[""],"Import a CSV, .htaccess, or JSON file.":[""],"Click 'Add File' or drag and drop here.":[""],"Add File":["Προσθήκη Αρχείου"],"File selected":["Επιλεγμένο αρχείο"],"Importing":["Εισαγωγή σε εξέλιξη"],"Finished importing":[""],"Total redirects imported:":[""],"Double-check the file is the correct format!":[""],"OK":["OK"],"Close":["Κλείσιμο"],"Export":["Εξαγωγή"],"Everything":["Όλα"],"WordPress redirects":[""],"Apache redirects":["Apache redirects"],"Nginx redirects":[""],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["Προβολή"],"Import/Export":["Εισαγωγή/Εξαγωγή"],"Logs":["Αρχεία καταγραφής"],"404 errors":[""],"Redirection saved":[""],"Log deleted":["Το αρχείο καταγραφής διαγράφηκε"],"Settings saved":["Οι ρυθμίσεις αποθηκεύτηκαν"],"Group saved":["Η ομάδα αποθηκεύτηκε"],"Are you sure you want to delete this item?":["Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το αντικείμενο;","Είστε σίγουροι ότι θέλετε να διαγράψετε αυτά τα αντικείμενα;"],"pass":[""],"All groups":["Όλες οι ομάδες"],"301 - Moved Permanently":["301-Μετακινήθηκε μόνιμα"],"302 - Found":[""],"307 - Temporary Redirect":["307-προσωρινή ανακατεύθυνση"],"308 - Permanent Redirect":["308-μόνιμη ανακατεύθυνση"],"401 - Unauthorized":["401-μη εξουσιοδοτημένη"],"404 - Not Found":["404-δεν βρέθηκε"],"Title":["Τίτλος"],"When matched":[""],"with HTTP code":["με κωδικό HTTP"],"Show advanced options":[""],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Αποθήκευση..."],"View notice":["Προβολή ειδοποίησης"],"Something went wrong 🙁":[""],"Log entries (%d max)":[""],"Bulk Actions":["Μαζική επεξ/σία"],"Apply":["Εκτέλεση"],"First page":["Αρχική σελίδα"],"Prev page":["Προηγούμενη σελίδα"],"Current Page":["Τρέχουσα σελίδα"],"of %(page)s":[""],"Next page":["Επόμενη σελίδα"],"Last page":["Τελευταία σελίδα"],"%s item":["%s στοιχείο","%s στοιχεία"],"Select All":["Επιλογή όλων"],"Sorry, something went wrong loading the data - please try again":[""],"No results":["Κανένα αποτέλεσμα"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Ενημερωτικό Δελτίο"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":[""],"Your email address:":["Η διεύθυνση email σας:"],"You've supported this plugin - thank you!":["Έχετε υποστηρίξει αυτό το πρόσθετο - σας ευχαριστώ!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Πάντα"],"Delete the plugin - are you sure?":["Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το πρόσθετο;"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":[""],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":[""],"Yes! Delete the plugin":["Ναι! Διαγραφή του πρόσθετου"],"No! Don't delete the plugin":["Όχι! Να μην διαγραφεί το πρόσθετο"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":[""],"Redirection Support":["Υποστήριξη Redirection"],"Support":["Υποστήριξη"],"404s":["404s"],"Log":["Αρχείο καταγραφής"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":["Διαγραφή ανακατεύθυνσης"],"Upload":["Μεταφόρτωση"],"Import":["Εισαγωγή"],"Update":["Ενημέρωση"],"Auto-generate URL":[""],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":[""],"RSS Token":["RSS Token"],"404 Logs":[""],"(time to keep logs for)":[""],"Redirect Logs":[""],"I'm a nice person and I have helped support the author of this plugin":[""],"Plugin Support":["Υποστήριξη πρόσθετου"],"Options":["Επιλογές"],"Two months":["Δύο μήνες"],"A month":["Ένας μήνας"],"A week":["Μία βδομάδα"],"A day":["Μια ημέρα"],"No logs":[""],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":[""],"Add Group":["Προσθήκη Ομάδας"],"Search":["Αναζήτηση"],"Groups":["Ομάδες"],"Save":["Αποθήκευση"],"Group":["Ομάδα"],"Regular Expression":[""],"Match":["Ταίριασμα"],"Add new redirection":[""],"Cancel":["Άκυρο"],"Download":["Λήψη"],"Redirection":[""],"Settings":["Ρυθμίσεις"],"WordPress":["WordPress"],"Error (404)":[""],"Pass-through":[""],"Redirect to random post":[""],"Redirect to URL":["Ανακατεύθυνση σε URL"],"IP":["IP"],"Source URL":["URL προέλευσης"],"Date":["Ημερομηνία"],"Add Redirect":["Προσθήκη ανακατεύθυνσης"],"View Redirects":[""],"Module":["Άρθρωμα"],"Redirects":["Redirects"],"Name":["Όνομα"],"Filters":["Φίλτρα"],"Reset hits":[""],"Enable":["Ενεργοποίηση"],"Disable":["Απενεργοποίηση"],"Delete":["Διαγραφή"],"Edit":["Επεξεργασία"],"Last Access":["Τελευταία Πρόσβαση"],"Hits":[""],"URL":["Διεύθυνση URL"],"Modified Posts":[""],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":[""],"Target URL":["URL προορισμού"],"URL only":["Μόνο URL"],"HTTP code":[""],"Regex":["Regex"],"Referrer":["Αναφορέας"],"URL and referrer":[""],"Logged Out":["Αποσύνδεση"],"Logged In":["Συνδέθηκε"],"URL and login status":["URL και κατάσταση σύνδεσης"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-en_GB.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Relocate to domain"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings."],"Relocate Site":["Relocate Site"],"Add CORS Presets":["Add CORS Presets"],"Add Security Presets":["Add Security Presets"],"Add Header":["Add Header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Preferred domain"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Force a redirect from HTTP to HTTPS – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Canonical Settings"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Add www to domain – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Remove www from domain – {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Don't set a preferred domain – {{code}}%(site)s{{/code}}"],"Add Alias":["Add Alias"],"No aliases":["No aliases"],"Alias":["Alias"],"Aliased Domain":["Aliased Domain"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress installation."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin."],"Site Aliases":["Site Aliases"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."],"Need to search and replace?":["Need to search and replace?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes."],"Please wait, importing.":["Please wait, importing."],"Continue":["Continue"],"The following plugins have been detected.":["The following plugins have been detected."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import."],"Import Existing Redirects":["Import Existing Redirects"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["That's all there is to it – you are now redirecting! Note that the above is just an example."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["If you want to redirect everything, please use a site relocation or alias from the Site page."],"Value":["Value"],"Values":["Values"],"All":["All"],"Note that some HTTP headers are set by your server and cannot be changed.":["Note that some HTTP headers are set by your server and cannot be changed."],"No headers":["No headers"],"Header":["Header"],"Location":["Location"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Site headers are added across your site, including redirects. Redirect headers are only added to redirects."],"HTTP Headers":["http Headers"],"Custom Header":["Custom header"],"General":["General"],"Redirect":["Redirect"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Some servers may be configured to serve file resources directly, preventing a redirect occurring."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Unable to make request due to browser security. This is typically because your WordPress and site URL settings are inconsistent, or the request was blocked by your site CORS policy."],"Ignore & Pass Query":["Ignore & pass query"],"Ignore Query":["Ignore query"],"Exact Query":["Exact query"],"Search title":["Search title"],"Not accessed in last year":["Not accessed in last year"],"Not accessed in last month":["Not accessed in last month"],"Never accessed":["Never accessed"],"Last Accessed":["Last accessed"],"HTTP Status Code":["HTTP status code"],"Plain":["Plain"],"URL match":["URL match"],"Source":["Source"],"Code":["Code"],"Action Type":["Action type"],"Match Type":["Match type"],"Search target URL":["Search target URL"],"Search IP":["Search IP"],"Search user agent":["Search user agent"],"Search referrer":["Search referrer"],"Search URL":["Search URL"],"Filter on: %(type)s":["Filter on: %(type)s"],"Disabled":["Disabled"],"Enabled":["Enabled"],"Compact Display":["Compact display"],"Standard Display":["Standard display"],"Status":["Status"],"Pre-defined":["Pre-defined"],"Custom Display":["Custom display"],"Display All":["Display all"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Comma separated list of languages to match against (i.e. da, en-GB)"],"Language":["Language"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL and language"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Log out, clear your browser cache, and log in again - your browser has cached an old session."],"Reload the page - your current session is old.":["Reload the page - your current session is old."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved."],"Unable to save .htaccess file":["Unable to save .htaccess file"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Click \"Complete Upgrade\" when finished."],"Automatic Install":["Automatic Install"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."],"If you do not complete the manual install you will be returned here.":["If you do not complete the manual install you will be returned here."],"Click \"Finished! 🎉\" when finished.":["Click \"Finished! 🎉\" when finished."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."],"Manual Install":["Manual install"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Insufficient database permissions detected. Please give your database user appropriate permissions."],"This information is provided for debugging purposes. Be careful making any changes.":["This information is provided for debugging purposes. Be careful making any changes."],"Plugin Debug":["Plugin debug"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it."],"IP Headers":["IP headers"],"Do not change unless advised to do so!":["Do not change unless advised to do so!"],"Database version":["Database version"],"Complete data (JSON)":["Complete data (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data."],"All imports will be appended to the current database - nothing is merged.":["All imports will be appended to the current database - nothing is merged."],"Automatic Upgrade":["Automatic upgrade"],"Manual Upgrade":["Manual upgrade"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Click the \"Upgrade Database\" button to automatically upgrade the database."],"Complete Upgrade":["Complete Upgrade"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Note that you will need to set the Apache module path in your Redirection options."],"I need support!":["I need support!"],"You will need at least one working REST API to continue.":["You will need at least one working REST API to continue."],"Check Again":["Check Again"],"Testing - %s$":["Testing - %s$"],"Show Problems":["Show Problems"],"Summary":["Summary"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Your REST API is not working and the plugin will not be able to continue until this is fixed."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."],"Unavailable":["Unavailable"],"Working but some issues":["Working but some issues"],"Current API":["Current API"],"Switch to this API":["Switch to this API"],"Hide":["Hide"],"Show Full":["Show Full"],"Working!":["Working!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["The target URL you want to redirect, or auto-complete on post name or permalink."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Include these details in your report along with a description of what you were doing and a screenshot"],"Create An Issue":["Create An Issue"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."],"Read this REST API guide for more information.":["Read this REST API guide for more information."],"URL options / Regex":["URL options/Regex"],"Export 404":["Export 404"],"Export redirect":["Export redirect"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["WordPress permalink structures do not work in normal URLs. Please use a regular expression."],"Pass - as ignore, but also copies the query parameters to the target":["Pass - as ignore, but also copies the query parameters to the target"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignore - as exact, but ignores any query parameters not in your source"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exact - matches the query parameters exactly defined in your source, in any order"],"Default query matching":["Default query matching"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Applies to all redirections unless you configure them otherwise."],"Default URL settings":["Default URL settings"],"Ignore and pass all query parameters":["Ignore and pass all query parameters"],"Ignore all query parameters":["Ignore all query parameters"],"Exact match":["Exact match"],"Caching software (e.g Cloudflare)":["Caching software (e.g. Cloudflare)"],"A security plugin (e.g Wordfence)":["A security plugin (e.g. Wordfence)"],"URL options":["URL options"],"Query Parameters":["Query Parameters"],"Ignore & pass parameters to the target":["Ignore & pass parameters to the target"],"Ignore all parameters":["Ignore all parameters"],"Exact match all parameters in any order":["Exact match all parameters in any order"],"Ignore Case":["Ignore Case"],"Ignore Slash":["Ignore Slash"],"Relative REST API":["Relative REST API"],"Raw REST API":["Raw REST API"],"Default REST API":["Default REST API"],"(Example) The target URL is the new URL":["(Example) The target URL is the new URL"],"(Example) The source URL is your old or original URL":["(Example) The source URL is your old or original URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Disabled! Detected PHP %1$s, need PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["A database upgrade is in progress. Please continue to finish."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."],"Redirection database needs upgrading":["Redirection database needs upgrading"],"Upgrade Required":["Upgrade Required"],"Finish Setup":["Finish Setup"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["If you do experience a problem, then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Some other plugin that blocks the REST API"],"A server firewall or other server configuration (e.g OVH)":["A server firewall or other server configuration (e.g. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:"],"Go back":["Go back"],"Continue Setup":["Continue Setup"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR)."],"Store IP information for redirects and 404 errors.":["Store IP information for redirects and 404 errors."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements."],"Keep a log of all redirects and 404 errors.":["Keep a log of all redirects and 404 errors."],"{{link}}Read more about this.{{/link}}":["{{link}}Read more about this.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["If you change the permalink in a post or page, then Redirection can automatically create a redirect for you."],"Monitor permalink changes in WordPress posts and pages":["Monitor permalink changes in WordPress posts and pages"],"These are some options you may want to enable now. They can be changed at any time.":["These are some options you may want to enable now. They can be changed at any time."],"Basic Setup":["Basic Setup"],"Start Setup":["Start Setup"],"When ready please press the button to continue.":["When ready please press the button to continue."],"First you will be asked a few questions, and then Redirection will set up your database.":["First you will be asked a few questions, and then Redirection will set up your database."],"What's next?":["What's next?"],"Check a URL is being redirected":["Check a URL is being redirected"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"],"Some features you may find useful are":["Some features you may find useful are"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Full documentation can be found on the {{link}}Redirection website.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:"],"How do I use this plugin?":["How do I use this plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed."],"Welcome to Redirection 🚀🎉":["Welcome to Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Remember to enable the \"regex\" option if this is a regular expression."],"The source URL should probably start with a {{code}}/{{/code}}":["The source URL should probably start with a {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Anchor values are not sent to the server and cannot be redirected."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Finished! 🎉"],"Progress: %(complete)d$":["Progress: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Leaving before the process has completed may cause problems."],"Setting up Redirection":["Setting up Redirection"],"Upgrading Redirection":["Upgrading Redirection"],"Please remain on this page until complete.":["Please remain on this page until complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["If you want to {{support}}ask for support{{/support}} please include these details:"],"Stop upgrade":["Stop upgrade"],"Skip this stage":["Skip this stage"],"Try again":["Try again"],"Database problem":["Database problem"],"Please enable JavaScript":["Please enable JavaScript"],"Please upgrade your database":["Please upgrade your database"],"Upgrade Database":["Upgrade Database"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin."],"Your database does not need updating to %s.":["Your database does not need updating to %s."],"Table \"%s\" is missing":["Table \"%s\" is missing"],"Create basic data":["Create basic data"],"Install Redirection tables":["Install Redirection tables"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Please do not try and redirect all your 404s - this is not a good thing to do."],"Only the 404 page type is currently supported.":["Only the 404 page type is currently supported."],"Page Type":["Page Type"],"Enter IP addresses (one per line)":["Enter IP addresses (one per line)"],"Describe the purpose of this redirect (optional)":["Describe the purpose of this redirect (optional)"],"418 - I'm a teapot":["418 - I'm a teapot"],"403 - Forbidden":["403 - Forbidden"],"400 - Bad Request":["400 - Bad Request"],"304 - Not Modified":["304 - Not Modified"],"303 - See Other":["303 - See Other"],"Do nothing (ignore)":["Do nothing (ignore)"],"Target URL when not matched (empty to ignore)":["Target URL when not matched (empty to ignore)"],"Target URL when matched (empty to ignore)":["Target URL when matched (empty to ignore)"],"Show All":["Show All"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":["Delete Log Entries"],"Group by IP":["Group by IP"],"Group by URL":["Group by URL"],"No grouping":["No grouping"],"Ignore URL":["Ignore URL"],"Block IP":["Block IP"],"Redirect All":["Redirect All"],"Count":["Count"],"URL and WordPress page type":["URL and WordPress page type"],"URL and IP":["URL and IP"],"Problem":["Problem"],"Good":["Good"],"Check":["Check"],"Check Redirect":["Check Redirect"],"Check redirect for: {{code}}%s{{/code}}":["Check redirect for: {{code}}%s{{/code}}"],"Not using Redirection":["Not using Redirection"],"Using Redirection":["Using Redirection"],"Found":["Found"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"],"Expected":["Expected"],"Error":["Error"],"Enter full URL, including http:// or https://":["Enter full URL, including http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."],"Redirect Tester":["Redirect Tester"],"Target":["Target"],"URL is not being redirected with Redirection":["URL is not being redirected with Redirection"],"URL is being redirected with Redirection":["URL is being redirected with Redirection"],"Unable to load details":["Unable to load details"],"Enter server URL to match against":["Enter server URL to match against"],"Server":["Server"],"Enter role or capability value":["Enter role or capability value"],"Role":["Role"],"Match against this browser referrer text":["Match against this browser referrer text"],"Match against this browser user agent":["Match against this browser user agent"],"The relative URL you want to redirect from":["The relative URL you want to redirect from"],"Add New":["Add New"],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Site and home protocol":["Site and home protocol"],"Site and home are consistent":["Site and home are consistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."],"Accept Language":["Accept Language"],"Header value":["Header value"],"Header name":["Header name"],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress filter name"],"Filter Name":["Filter Name"],"Cookie value":["Cookie value"],"Cookie name":["Cookie name"],"Cookie":["Cookie"],"clearing your cache.":["clearing your cache."],"If you are using a caching system such as Cloudflare then please read this: ":["If you are using a caching system such as Cloudflare then please read this: "],"URL and HTTP header":["URL and HTTP header"],"URL and custom filter":["URL and custom filter"],"URL and cookie":["URL and cookie"],"404 deleted":["404 deleted"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["How Redirection uses the REST API - don't change unless necessary"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."],"Unable to load Redirection ☹️":["Unable to load Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Useragent Error"],"Unknown Useragent":["Unknown Useragent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["No IP logging"],"Full IP logging":["Full IP logging"],"Anonymize IP (mask last part)":["Anonymise IP (mask last part)"],"Monitor changes to %(type)s":["Monitor changes to %(type)s"],"IP Logging":["IP Logging"],"Geo Info":["Geo Info"],"Agent Info":["Agent Info"],"Filter by IP":["Filter by IP"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":["Timezone"],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["Bin"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":["Also check if your browser is able to load <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."],"Unable to load Redirection":["Unable to load Redirection"],"Post monitor group is valid":["Post monitor group is valid"],"Post monitor group is invalid":["Post monitor group is invalid"],"Post monitor group":["Post monitor group"],"All redirects have a valid group":["All redirects have a valid group"],"Redirects with invalid groups detected":["Redirects with invalid groups detected"],"Valid redirect group":["Valid redirect group"],"Valid groups detected":["Valid groups detected"],"No valid groups, so you will not be able to create any redirects":["No valid groups, so you will not be able to create any redirects"],"Valid groups":["Valid groups"],"Database tables":["Database tables"],"The following tables are missing:":["The following tables are missing:"],"All tables present":["All tables present"],"Cached Redirection detected":["Cached Redirection detected"],"Please clear your browser cache and reload this page.":["Please clear your browser cache and reload this page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."],"If you think Redirection is at fault then create an issue.":["If you think Redirection is at fault then create an issue."],"This may be caused by another plugin - look at your browser's error console for more details.":["This may be caused by another plugin - look at your browser's error console for more details."],"Loading, please wait...":["Loading, please wait..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection is not working. Try clearing your browser cache and reloading this page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."],"Create Issue":["Create Issue"],"Email":["Email"],"Need help?":["Need help?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."],"Pos":["Pos"],"410 - Gone":["410 - Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"Import to group":["Import to group"],"Import a CSV, .htaccess, or JSON file.":["Import a CSV, .htaccess, or JSON file."],"Click 'Add File' or drag and drop here.":["Click 'Add File' or drag and drop here."],"Add File":["Add File"],"File selected":["File selected"],"Importing":["Importing"],"Finished importing":["Finished importing"],"Total redirects imported:":["Total redirects imported:"],"Double-check the file is the correct format!":["Double-check the file is the correct format!"],"OK":["OK"],"Close":["Close"],"Export":["Export"],"Everything":["Everything"],"WordPress redirects":["WordPress redirects"],"Apache redirects":["Apache redirects"],"Nginx redirects":["Nginx redirects"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["View"],"Import/Export":["Import/Export"],"Logs":["Logs"],"404 errors":["404 errors"],"Redirection saved":["Redirection saved"],"Log deleted":["Log deleted"],"Settings saved":["Settings saved"],"Group saved":["Group saved"],"Are you sure you want to delete this item?":["Are you sure you want to delete this item?","Are you sure you want to delete these items?"],"pass":["pass"],"All groups":["All groups"],"301 - Moved Permanently":["301 - Moved Permanently"],"302 - Found":["302 - Found"],"307 - Temporary Redirect":["307 - Temporary Redirect"],"308 - Permanent Redirect":["308 - Permanent Redirect"],"401 - Unauthorized":["401 - Unauthorised"],"404 - Not Found":["404 - Not Found"],"Title":["Title"],"When matched":["When matched"],"with HTTP code":["with HTTP code"],"Show advanced options":["Show advanced options"],"Matched Target":["Matched Target"],"Unmatched Target":["Unmatched Target"],"Saving...":["Saving..."],"View notice":["View notice"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Bulk Actions":["Bulk Actions"],"Apply":["Apply"],"First page":["First page"],"Prev page":["Prev page"],"Current Page":["Current Page"],"of %(page)s":["of %(page)s"],"Next page":["Next page"],"Last page":["Last page"],"%s item":["%s item","%s items"],"Select All":["Select All"],"Sorry, something went wrong loading the data - please try again":["Sorry, something went wrong loading the data - please try again"],"No results":["No results"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Want to keep up to date with changes to Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module."],"Add Group":["Add Group"],"Search":["Search"],"Groups":["Groups"],"Save":["Save"],"Group":["Group"],"Regular Expression":["Regular expression"],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"IP":["IP"],"Source URL":["Source URL"],"Date":["Date"],"Add Redirect":["Add Redirect"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filters":["Filters"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Modified Posts"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL and user agent"],"Target URL":["Target URL"],"URL only":["URL only"],"HTTP code":["HTTP code"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL and referrer"],"Logged Out":["Logged Out"],"Logged In":["Logged In"],"URL and login status":["URL and login status"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved."],"This is usually fixed by doing one of the following:":["This is usually fixed by doing one of the following:"],"You are using an old or cached session":["You are using an old or cached session"],"Please review your data and try again.":["Please review your data and try again."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request."],"Bad data":["Bad data"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Your WordPress REST API has been disabled. You will need to enable it to continue."],"An unknown error occurred.":["An unknown error occurred."],"Your REST API is being redirected. Please remove the redirection for the API.":["Your REST API is being redirected. Please remove the redirection for the API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":["Your server configuration is blocking access to the REST API. You will need to fix this."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Check your {{link}}Site Health{{/link}} and fix any issues."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue."],"Debug Information":["Debug Information"],"Show debug":["Show debug"],"View Data":["View Data"],"Other":["Other"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size."],"Track redirect hits and date of last access. Contains no user information.":["Track redirect hits and date of last access. Contains no user information."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Logging"],"(IP logging level)":["(IP logging level)"],"Are you sure you want to delete the selected items?":["Are you sure you want to delete the selected items?"],"View Redirect":["View Redirect"],"RSS":["RSS"],"Group by user agent":["Group by user agent"],"Search domain":["Search domain"],"Redirect By":["Redirect by"],"Domain":["Domain"],"Method":["Method"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Please check the {{link}}support site{{/link}} before proceeding further."],"Something went wrong when upgrading Redirection.":["Something went wrong while upgrading Redirection."],"Something went wrong when installing Redirection.":["Something went wrong while installing Redirection."],"Apply To All":["Apply to All"],"Bulk Actions (all)":["Bulk Actions (all)"],"Actions applied to all selected items":["Actions applied to all selected items"],"Actions applied to everything that matches current filter":["Actions applied to everything that matches current filter"],"Redirect Source":["Redirect Source"],"Request Headers":["Request Headers"],"Exclude from logs":["Exclude from logs"],"Cannot connect to the server to determine the redirect status.":["Cannot connect to the server to determine the redirect status."],"Your URL is cached and the cache may need to be cleared.":["Your URL is cached and the cache may need to be cleared."],"Something else other than Redirection is redirecting this URL.":["Something else other than Redirection is redirecting this URL."],"Relocate to domain":["Relocate to domain"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings."],"Relocate Site":["Relocate Site"],"Add CORS Presets":["Add CORS Presets"],"Add Security Presets":["Add Security Presets"],"Add Header":["Add Header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Preferred domain"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Force a redirect from HTTP to HTTPS – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Canonical Settings"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Add www to domain – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Remove www from domain – {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Don't set a preferred domain – {{code}}%(site)s{{/code}}"],"Add Alias":["Add Alias"],"No aliases":["No aliases"],"Alias":["Alias"],"Aliased Domain":["Aliased Domain"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress installation."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin."],"Site Aliases":["Site Aliases"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."],"Need to search and replace?":["Need to search and replace?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes."],"Please wait, importing.":["Please wait, importing."],"Continue":["Continue"],"The following plugins have been detected.":["The following plugins have been detected."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import."],"Import Existing Redirects":["Import Existing Redirects"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["That's all there is to it – you are now redirecting! Note that the above is just an example."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["If you want to redirect everything, please use a site relocation or alias from the Site page."],"Value":["Value"],"Values":["Values"],"All":["All"],"Note that some HTTP headers are set by your server and cannot be changed.":["Note that some HTTP headers are set by your server and cannot be changed."],"No headers":["No headers"],"Header":["Header"],"Location":["Location"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Site headers are added across your site, including redirects. Redirect headers are only added to redirects."],"HTTP Headers":["http Headers"],"Custom Header":["Custom header"],"General":["General"],"Redirect":["Redirect"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Some servers may be configured to serve file resources directly, preventing a redirect occurring."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Unable to make request due to browser security. This is typically because your WordPress and site URL settings are inconsistent, or the request was blocked by your site CORS policy."],"Ignore & Pass Query":["Ignore & pass query"],"Ignore Query":["Ignore query"],"Exact Query":["Exact query"],"Search title":["Search title"],"Not accessed in last year":["Not accessed in last year"],"Not accessed in last month":["Not accessed in last month"],"Never accessed":["Never accessed"],"Last Accessed":["Last accessed"],"HTTP Status Code":["HTTP status code"],"Plain":["Plain"],"URL match":["URL match"],"Source":["Source"],"Code":["Code"],"Action Type":["Action type"],"Match Type":["Match type"],"Search target URL":["Search target URL"],"Search IP":["Search IP"],"Search user agent":["Search user agent"],"Search referrer":["Search referrer"],"Search URL":["Search URL"],"Filter on: %(type)s":["Filter on: %(type)s"],"Disabled":["Disabled"],"Enabled":["Enabled"],"Compact Display":["Compact display"],"Standard Display":["Standard display"],"Status":["Status"],"Pre-defined":["Pre-defined"],"Custom Display":["Custom display"],"Display All":["Display all"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Comma separated list of languages to match against (i.e. da, en-GB)"],"Language":["Language"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL and language"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Log out, clear your browser cache, and log in again - your browser has cached an old session."],"Reload the page - your current session is old.":["Reload the page - your current session is old."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved."],"Unable to save .htaccess file":["Unable to save .htaccess file"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Click \"Complete Upgrade\" when finished."],"Automatic Install":["Automatic Install"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."],"If you do not complete the manual install you will be returned here.":["If you do not complete the manual install you will be returned here."],"Click \"Finished! 🎉\" when finished.":["Click \"Finished! 🎉\" when finished."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."],"Manual Install":["Manual install"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Insufficient database permissions detected. Please give your database user appropriate permissions."],"This information is provided for debugging purposes. Be careful making any changes.":["This information is provided for debugging purposes. Be careful making any changes."],"Plugin Debug":["Plugin debug"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it."],"IP Headers":["IP headers"],"Do not change unless advised to do so!":["Do not change unless advised to do so!"],"Database version":["Database version"],"Complete data (JSON)":["Complete data (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data."],"All imports will be appended to the current database - nothing is merged.":["All imports will be appended to the current database - nothing is merged."],"Automatic Upgrade":["Automatic upgrade"],"Manual Upgrade":["Manual upgrade"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Click the \"Upgrade Database\" button to automatically upgrade the database."],"Complete Upgrade":["Complete Upgrade"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Note that you will need to set the Apache module path in your Redirection options."],"I need support!":["I need support!"],"You will need at least one working REST API to continue.":["You will need at least one working REST API to continue."],"Check Again":["Check Again"],"Testing - %s$":["Testing - %s$"],"Show Problems":["Show Problems"],"Summary":["Summary"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Your REST API is not working and the plugin will not be able to continue until this is fixed."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."],"Unavailable":["Unavailable"],"Working but some issues":["Working but some issues"],"Current API":["Current API"],"Switch to this API":["Switch to this API"],"Hide":["Hide"],"Show Full":["Show Full"],"Working!":["Working!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["The target URL you want to redirect, or auto-complete on post name or permalink."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Include these details in your report along with a description of what you were doing and a screenshot"],"Create An Issue":["Create An Issue"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."],"Read this REST API guide for more information.":["Read this REST API guide for more information."],"URL options / Regex":["URL options/Regex"],"Export 404":["Export 404"],"Export redirect":["Export redirect"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["WordPress permalink structures do not work in normal URLs. Please use a regular expression."],"Pass - as ignore, but also copies the query parameters to the target":["Pass - as ignore, but also copies the query parameters to the target"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignore - as exact, but ignores any query parameters not in your source"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exact - matches the query parameters exactly defined in your source, in any order"],"Default query matching":["Default query matching"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Applies to all redirections unless you configure them otherwise."],"Default URL settings":["Default URL settings"],"Ignore and pass all query parameters":["Ignore and pass all query parameters"],"Ignore all query parameters":["Ignore all query parameters"],"Exact match":["Exact match"],"Caching software (e.g Cloudflare)":["Caching software (e.g. Cloudflare)"],"A security plugin (e.g Wordfence)":["A security plugin (e.g. Wordfence)"],"URL options":["URL options"],"Query Parameters":["Query Parameters"],"Ignore & pass parameters to the target":["Ignore & pass parameters to the target"],"Ignore all parameters":["Ignore all parameters"],"Exact match all parameters in any order":["Exact match all parameters in any order"],"Ignore Case":["Ignore Case"],"Ignore Slash":["Ignore Slash"],"Relative REST API":["Relative REST API"],"Raw REST API":["Raw REST API"],"Default REST API":["Default REST API"],"(Example) The target URL is the new URL":["(Example) The target URL is the new URL"],"(Example) The source URL is your old or original URL":["(Example) The source URL is your old or original URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Disabled! Detected PHP %1$s, need PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["A database upgrade is in progress. Please continue to finish."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."],"Redirection database needs upgrading":["Redirection database needs upgrading"],"Upgrade Required":["Upgrade Required"],"Finish Setup":["Finish Setup"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["If you do experience a problem, then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Some other plugin that blocks the REST API"],"A server firewall or other server configuration (e.g OVH)":["A server firewall or other server configuration (e.g. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:"],"Go back":["Go back"],"Continue Setup":["Continue Setup"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR)."],"Store IP information for redirects and 404 errors.":["Store IP information for redirects and 404 errors."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements."],"Keep a log of all redirects and 404 errors.":["Keep a log of all redirects and 404 errors."],"{{link}}Read more about this.{{/link}}":["{{link}}Read more about this.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["If you change the permalink in a post or page, then Redirection can automatically create a redirect for you."],"Monitor permalink changes in WordPress posts and pages":["Monitor permalink changes in WordPress posts and pages"],"These are some options you may want to enable now. They can be changed at any time.":["These are some options you may want to enable now. They can be changed at any time."],"Basic Setup":["Basic Setup"],"Start Setup":["Start Setup"],"When ready please press the button to continue.":["When ready please press the button to continue."],"First you will be asked a few questions, and then Redirection will set up your database.":["First you will be asked a few questions, and then Redirection will set up your database."],"What's next?":["What's next?"],"Check a URL is being redirected":["Check a URL is being redirected"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"],"Some features you may find useful are":["Some features you may find useful are"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Full documentation can be found on the {{link}}Redirection website.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:"],"How do I use this plugin?":["How do I use this plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed."],"Welcome to Redirection 🚀🎉":["Welcome to Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Remember to enable the \"regex\" option if this is a regular expression."],"The source URL should probably start with a {{code}}/{{/code}}":["The source URL should probably start with a {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Anchor values are not sent to the server and cannot be redirected."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Finished! 🎉"],"Progress: %(complete)d$":["Progress: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Leaving before the process has completed may cause problems."],"Setting up Redirection":["Setting up Redirection"],"Upgrading Redirection":["Upgrading Redirection"],"Please remain on this page until complete.":["Please remain on this page until complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["If you want to {{support}}ask for support{{/support}} please include these details:"],"Stop upgrade":["Stop upgrade"],"Skip this stage":["Skip this stage"],"Try again":["Try again"],"Database problem":["Database problem"],"Please enable JavaScript":["Please enable JavaScript"],"Please upgrade your database":["Please upgrade your database"],"Upgrade Database":["Upgrade Database"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin."],"Your database does not need updating to %s.":["Your database does not need updating to %s."],"Table \"%s\" is missing":["Table \"%s\" is missing"],"Create basic data":["Create basic data"],"Install Redirection tables":["Install Redirection tables"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Please do not try and redirect all your 404s - this is not a good thing to do."],"Only the 404 page type is currently supported.":["Only the 404 page type is currently supported."],"Page Type":["Page Type"],"Enter IP addresses (one per line)":["Enter IP addresses (one per line)"],"Describe the purpose of this redirect (optional)":["Describe the purpose of this redirect (optional)"],"418 - I'm a teapot":["418 - I'm a teapot"],"403 - Forbidden":["403 - Forbidden"],"400 - Bad Request":["400 - Bad Request"],"304 - Not Modified":["304 - Not Modified"],"303 - See Other":["303 - See Other"],"Do nothing (ignore)":["Do nothing (ignore)"],"Target URL when not matched (empty to ignore)":["Target URL when not matched (empty to ignore)"],"Target URL when matched (empty to ignore)":["Target URL when matched (empty to ignore)"],"Show All":["Show All"],"Delete logs for these entries":["Delete logs for these entries"],"Delete logs for this entry":["Delete logs for this entry"],"Delete Log Entries":["Delete Log Entries"],"Group by IP":["Group by IP"],"Group by URL":["Group by URL"],"No grouping":["No grouping"],"Ignore URL":["Ignore URL"],"Block IP":["Block IP"],"Redirect All":["Redirect All"],"Count":["Count"],"URL and WordPress page type":["URL and WordPress page type"],"URL and IP":["URL and IP"],"Problem":["Problem"],"Good":["Good"],"Check":["Check"],"Check Redirect":["Check Redirect"],"Check redirect for: {{code}}%s{{/code}}":["Check redirect for: {{code}}%s{{/code}}"],"Not using Redirection":["Not using Redirection"],"Using Redirection":["Using Redirection"],"Found":["Found"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"],"Expected":["Expected"],"Error":["Error"],"Enter full URL, including http:// or https://":["Enter full URL, including http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."],"Redirect Tester":["Redirect Tester"],"Target":["Target"],"URL is not being redirected with Redirection":["URL is not being redirected with Redirection"],"URL is being redirected with Redirection":["URL is being redirected with Redirection"],"Unable to load details":["Unable to load details"],"Enter server URL to match against":["Enter server URL to match against"],"Server":["Server"],"Enter role or capability value":["Enter role or capability value"],"Role":["Role"],"Match against this browser referrer text":["Match against this browser referrer text"],"Match against this browser user agent":["Match against this browser user agent"],"The relative URL you want to redirect from":["The relative URL you want to redirect from"],"Add New":["Add New"],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Site and home protocol":["Site and home protocol"],"Site and home are consistent":["Site and home are consistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."],"Accept Language":["Accept Language"],"Header value":["Header value"],"Header name":["Header name"],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress filter name"],"Filter Name":["Filter Name"],"Cookie value":["Cookie value"],"Cookie name":["Cookie name"],"Cookie":["Cookie"],"clearing your cache.":["clearing your cache."],"If you are using a caching system such as Cloudflare then please read this: ":["If you are using a caching system such as Cloudflare then please read this: "],"URL and HTTP header":["URL and HTTP header"],"URL and custom filter":["URL and custom filter"],"URL and cookie":["URL and cookie"],"404 deleted":["404 deleted"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["How Redirection uses the REST API - don't change unless necessary"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."],"Unable to load Redirection ☹️":["Unable to load Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Useragent Error"],"Unknown Useragent":["Unknown Useragent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["No IP logging"],"Full IP logging":["Full IP logging"],"Anonymize IP (mask last part)":["Anonymise IP (mask last part)"],"Monitor changes to %(type)s":["Monitor changes to %(type)s"],"IP Logging":["IP Logging"],"Geo Info":["Geo Info"],"Agent Info":["Agent Info"],"Filter by IP":["Filter by IP"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":["Timezone"],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["Bin"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Your server has rejected the request for being too large. You will need to reconfigure it to continue."],"Also check if your browser is able to load <code>redirection.js</code>:":["Also check if your browser is able to load <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."],"Unable to load Redirection":["Unable to load Redirection"],"Post monitor group is valid":["Post monitor group is valid"],"Post monitor group is invalid":["Post monitor group is invalid"],"Post monitor group":["Post monitor group"],"All redirects have a valid group":["All redirects have a valid group"],"Redirects with invalid groups detected":["Redirects with invalid groups detected"],"Valid redirect group":["Valid redirect group"],"Valid groups detected":["Valid groups detected"],"No valid groups, so you will not be able to create any redirects":["No valid groups, so you will not be able to create any redirects"],"Valid groups":["Valid groups"],"Database tables":["Database tables"],"The following tables are missing:":["The following tables are missing:"],"All tables present":["All tables present"],"Cached Redirection detected":["Cached Redirection detected"],"Please clear your browser cache and reload this page.":["Please clear your browser cache and reload this page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."],"If you think Redirection is at fault then create an issue.":["If you think Redirection is at fault then create an issue."],"This may be caused by another plugin - look at your browser's error console for more details.":["This may be caused by another plugin - look at your browser's error console for more details."],"Loading, please wait...":["Loading, please wait..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection is not working. Try clearing your browser cache and reloading this page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."],"Create Issue":["Create Issue"],"Email":["Email"],"Need help?":["Need help?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."],"Pos":["Pos"],"410 - Gone":["410 - Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"Import to group":["Import to group"],"Import a CSV, .htaccess, or JSON file.":["Import a CSV, .htaccess, or JSON file."],"Click 'Add File' or drag and drop here.":["Click 'Add File' or drag and drop here."],"Add File":["Add File"],"File selected":["File selected"],"Importing":["Importing"],"Finished importing":["Finished importing"],"Total redirects imported:":["Total redirects imported:"],"Double-check the file is the correct format!":["Double-check the file is the correct format!"],"OK":["OK"],"Close":["Close"],"Export":["Export"],"Everything":["Everything"],"WordPress redirects":["WordPress redirects"],"Apache redirects":["Apache redirects"],"Nginx redirects":["Nginx redirects"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["View"],"Import/Export":["Import/Export"],"Logs":["Logs"],"404 errors":["404 errors"],"Redirection saved":["Redirection saved"],"Log deleted":["Log deleted"],"Settings saved":["Settings saved"],"Group saved":["Group saved"],"Are you sure you want to delete this item?":["Are you sure you want to delete this item?","Are you sure you want to delete these items?"],"pass":["pass"],"All groups":["All groups"],"301 - Moved Permanently":["301 - Moved Permanently"],"302 - Found":["302 - Found"],"307 - Temporary Redirect":["307 - Temporary Redirect"],"308 - Permanent Redirect":["308 - Permanent Redirect"],"401 - Unauthorized":["401 - Unauthorised"],"404 - Not Found":["404 - Not Found"],"Title":["Title"],"When matched":["When matched"],"with HTTP code":["with HTTP code"],"Show advanced options":["Show advanced options"],"Matched Target":["Matched Target"],"Unmatched Target":["Unmatched Target"],"Saving...":["Saving..."],"View notice":["View notice"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Bulk Actions":["Bulk Actions"],"Apply":["Apply"],"First page":["First page"],"Prev page":["Prev page"],"Current Page":["Current Page"],"of %(page)s":["of %(page)s"],"Next page":["Next page"],"Last page":["Last page"],"%s item":["%s item","%s items"],"Select All":["Select All"],"Sorry, something went wrong loading the data - please try again":["Sorry, something went wrong loading the data - please try again"],"No results":["No results"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Want to keep up to date with changes to Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module."],"Add Group":["Add Group"],"Search":["Search"],"Groups":["Groups"],"Save":["Save"],"Group":["Group"],"Regular Expression":["Regular expression"],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"IP":["IP"],"Source URL":["Source URL"],"Date":["Date"],"Add Redirect":["Add Redirect"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filters":["Filters"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Modified Posts"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL and user agent"],"Target URL":["Target URL"],"URL only":["URL only"],"HTTP code":["HTTP code"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL and referrer"],"Logged Out":["Logged Out"],"Logged In":["Logged In"],"URL and login status":["URL and login status"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-en_ZA.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":[""],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":[""],"No aliases":[""],"Alias":[""],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":[""],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":[""],"Continue":[""],"The following plugins have been detected.":[""],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":[""],"That's all there is to it - you are now redirecting! Note that the above is just an example.":[""],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":[""],"Values":[""],"All":[""],"Note that some HTTP headers are set by your server and cannot be changed.":[""],"No headers":[""],"Header":[""],"Location":[""],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":[""],"Custom Header":[""],"General":[""],"Redirect":[""],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":[""],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":[""],"Ignore Query":[""],"Exact Query":[""],"Search title":[""],"Not accessed in last year":[""],"Not accessed in last month":[""],"Never accessed":[""],"Last Accessed":[""],"HTTP Status Code":[""],"Plain":[""],"URL match":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":[""],"Enabled":[""],"Compact Display":[""],"Standard Display":[""],"Status":[""],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":[""],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":[""],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":[""],"Unable to save .htaccess file":[""],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":[""],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":[""],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":[""],"Click \"Finished! 🎉\" when finished.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":[""],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":[""],"Do not change unless advised to do so!":[""],"Database version":[""],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":[""],"Manual Upgrade":[""],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":[""],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":[""],"You will need at least one working REST API to continue.":[""],"Check Again":[""],"Testing - %s$":[""],"Show Problems":[""],"Summary":[""],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":[""],"Working but some issues":[""],"Current API":[""],"Switch to this API":[""],"Hide":[""],"Show Full":[""],"Working!":[""],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":[""],"Possible cause":[""],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":[""],"Export redirect":[""],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":[""],"Query Parameters":[""],"Ignore & pass parameters to the target":[""],"Ignore all parameters":[""],"Exact match all parameters in any order":[""],"Ignore Case":[""],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":[""],"(Example) The source URL is your old or original URL":[""],"Disabled! Detected PHP %1$s, need PHP %2$s+":[""],"A database upgrade is in progress. Please continue to finish.":[""],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":[""],"Redirection database needs upgrading":[""],"Upgrade Required":[""],"Finish Setup":[""],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":[""],"Continue Setup":[""],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":[""],"Start Setup":[""],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":[""],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":[""],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":[""],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":[""],"Finished! 🎉":[""],"Progress: %(complete)d$":[""],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":[""],"Skip this stage":[""],"Try again":[""],"Database problem":[""],"Please enable JavaScript":[""],"Please upgrade your database":[""],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":[""],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":["Problem"],"Good":["Good"],"Check":["Check"],"Check Redirect":["Check Redirect"],"Check redirect for: {{code}}%s{{/code}}":["Check redirect for: {{code}}%s{{/code}}"],"Not using Redirection":["Not using Redirection"],"Using Redirection":["Using Redirection"],"Found":["Found"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"],"Expected":["Expected"],"Error":["Error"],"Enter full URL, including http:// or https://":["Enter full URL, including http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."],"Redirect Tester":["Redirect Tester"],"Target":["Target"],"URL is not being redirected with Redirection":["URL is not being redirected with Redirection"],"URL is being redirected with Redirection":["URL is being redirected with Redirection"],"Unable to load details":["Unable to load details"],"Enter server URL to match against":["Enter server URL to match against"],"Server":["Server"],"Enter role or capability value":["Enter role or capability value"],"Role":["Role"],"Match against this browser referrer text":["Match against this browser referrer text"],"Match against this browser user agent":["Match against this browser user agent"],"The relative URL you want to redirect from":["The relative URL you want to redirect from"],"Add New":["Add New"],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Site and home protocol":["Site and home protocol"],"Site and home are consistent":["Site and home are consistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."],"Accept Language":["Accept Language"],"Header value":["Header value"],"Header name":["Header name"],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress filter name"],"Filter Name":["Filter Name"],"Cookie value":["Cookie value"],"Cookie name":["Cookie name"],"Cookie":["Cookie"],"clearing your cache.":["clearing your cache."],"If you are using a caching system such as Cloudflare then please read this: ":["If you are using a caching system such as Cloudflare then please read this: "],"URL and HTTP header":["URL and HTTP header"],"URL and custom filter":["URL and custom filter"],"URL and cookie":["URL and cookie"],"404 deleted":["404 deleted"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["How Redirection uses the REST API - don't change unless necessary"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."],"Unable to load Redirection ☹️":["Unable to load Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Useragent Error"],"Unknown Useragent":["Unknown Useragent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["No IP logging"],"Full IP logging":["Full IP logging"],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":["Monitor changes to %(type)s"],"IP Logging":["IP Logging"],"Geo Info":["Geo Info"],"Agent Info":["Agent Info"],"Filter by IP":["Filter by IP"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":[""],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":["Also check if your browser is able to load <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."],"Unable to load Redirection":["Unable to load Redirection"],"Post monitor group is valid":["Post monitor group is valid"],"Post monitor group is invalid":["Post monitor group is invalid"],"Post monitor group":["Post monitor group"],"All redirects have a valid group":["All redirects have a valid group"],"Redirects with invalid groups detected":["Redirects with invalid groups detected"],"Valid redirect group":["Valid redirect group"],"Valid groups detected":["Valid groups detected"],"No valid groups, so you will not be able to create any redirects":["No valid groups, so you will not be able to create any redirects"],"Valid groups":["Valid groups"],"Database tables":["Database tables"],"The following tables are missing:":["The following tables are missing:"],"All tables present":["All tables present"],"Cached Redirection detected":["Cached Redirection detected"],"Please clear your browser cache and reload this page.":["Please clear your browser cache and reload this page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."],"If you think Redirection is at fault then create an issue.":["If you think Redirection is at fault then create an issue."],"This may be caused by another plugin - look at your browser's error console for more details.":["This may be caused by another plugin - look at your browser's error console for more details."],"Loading, please wait...":["Loading, please wait..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection is not working. Try clearing your browser cache and reloading this page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."],"Create Issue":["Create Issue"],"Email":["Email"],"Need help?":["Need help?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."],"Pos":["Pos"],"410 - Gone":["410 - Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"Import to group":["Import to group"],"Import a CSV, .htaccess, or JSON file.":["Import a CSV, .htaccess, or JSON file."],"Click 'Add File' or drag and drop here.":["Click 'Add File' or drag and drop here."],"Add File":["Add File"],"File selected":["File selected"],"Importing":["Importing"],"Finished importing":["Finished importing"],"Total redirects imported:":["Total redirects imported:"],"Double-check the file is the correct format!":["Double-check the file is the correct format!"],"OK":["OK"],"Close":["Close"],"Export":["Export"],"Everything":["Everything"],"WordPress redirects":["WordPress redirects"],"Apache redirects":["Apache redirects"],"Nginx redirects":["Nginx redirects"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["View"],"Import/Export":["Import/Export"],"Logs":["Logs"],"404 errors":["404 errors"],"Redirection saved":["Redirection saved"],"Log deleted":["Log deleted"],"Settings saved":["Settings saved"],"Group saved":["Group saved"],"Are you sure you want to delete this item?":["Are you sure you want to delete this item?","Are you sure you want to delete these items?"],"pass":["pass"],"All groups":["All groups"],"301 - Moved Permanently":["301 - Moved Permanently"],"302 - Found":["302 - Found"],"307 - Temporary Redirect":["307 - Temporary Redirect"],"308 - Permanent Redirect":["308 - Permanent Redirect"],"401 - Unauthorized":["401 - Unauthorized"],"404 - Not Found":["404 - Not Found"],"Title":["Title"],"When matched":["When matched"],"with HTTP code":["with HTTP code"],"Show advanced options":["Show advanced options"],"Matched Target":["Matched Target"],"Unmatched Target":["Unmatched Target"],"Saving...":["Saving..."],"View notice":["View notice"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Bulk Actions":["Bulk Actions"],"Apply":["Apply"],"First page":["First page"],"Prev page":["Prev page"],"Current Page":["Current Page"],"of %(page)s":["of %(page)s"],"Next page":["Next page"],"Last page":["Last page"],"%s item":["%s item","%s items"],"Select All":["Select All"],"Sorry, something went wrong loading the data - please try again":["Sorry, something went wrong loading the data - please try again"],"No results":["No results"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Want to keep up to date with changes to Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module."],"Add Group":["Add Group"],"Search":["Search"],"Groups":["Groups"],"Save":["Save"],"Group":["Group"],"Regular Expression":["Regular expression"],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"IP":["IP"],"Source URL":["Source URL"],"Date":["Date"],"Add Redirect":["Add Redirect"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filters":["Filters"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Modified Posts"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL and user agent"],"Target URL":["Target URL"],"URL only":["URL only"],"HTTP code":[""],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL and referrer"],"Logged Out":["Logged Out"],"Logged In":["Logged In"],"URL and login status":["URL and login status"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":[""],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":[""],"Relocate Site":[""],"Add CORS Presets":[""],"Add Security Presets":[""],"Add Header":[""],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Preferred domain":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":[""],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":[""],"Canonical Settings":[""],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":[""],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":[""],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":[""],"Add Alias":[""],"No aliases":[""],"Alias":[""],"Aliased Domain":[""],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":[""],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":[""],"Site Aliases":[""],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":[""],"Need to search and replace?":[""],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":[""],"Please wait, importing.":[""],"Continue":[""],"The following plugins have been detected.":[""],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":[""],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":[""],"Import Existing Redirects":[""],"That's all there is to it - you are now redirecting! Note that the above is just an example.":[""],"If you want to redirect everything please use a site relocation or alias from the Site page.":[""],"Value":[""],"Values":[""],"All":[""],"Note that some HTTP headers are set by your server and cannot be changed.":[""],"No headers":[""],"Header":[""],"Location":[""],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":[""],"Custom Header":[""],"General":[""],"Redirect":[""],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":[""],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":[""],"Ignore Query":[""],"Exact Query":[""],"Search title":[""],"Not accessed in last year":[""],"Not accessed in last month":[""],"Never accessed":[""],"Last Accessed":[""],"HTTP Status Code":[""],"Plain":[""],"URL match":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":[""],"Enabled":[""],"Compact Display":[""],"Standard Display":[""],"Status":[""],"Pre-defined":[""],"Custom Display":[""],"Display All":[""],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":[""],"Language":[""],"504 - Gateway Timeout":[""],"503 - Service Unavailable":[""],"502 - Bad Gateway":[""],"501 - Not implemented":[""],"500 - Internal Server Error":[""],"451 - Unavailable For Legal Reasons":[""],"URL and language":[""],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":[""],"Reload the page - your current session is old.":[""],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":[""],"Unable to save .htaccess file":[""],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":[""],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":[""],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":[""],"Click \"Finished! 🎉\" when finished.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":[""],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":[""],"Do not change unless advised to do so!":[""],"Database version":[""],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":[""],"Manual Upgrade":[""],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":[""],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":[""],"You will need at least one working REST API to continue.":[""],"Check Again":[""],"Testing - %s$":[""],"Show Problems":[""],"Summary":[""],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":[""],"Working but some issues":[""],"Current API":[""],"Switch to this API":[""],"Hide":[""],"Show Full":[""],"Working!":[""],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":[""],"Possible cause":[""],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":[""],"Export redirect":[""],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":[""],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":[""],"Query Parameters":[""],"Ignore & pass parameters to the target":[""],"Ignore all parameters":[""],"Exact match all parameters in any order":[""],"Ignore Case":[""],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":[""],"(Example) The source URL is your old or original URL":[""],"Disabled! Detected PHP %1$s, need PHP %2$s+":[""],"A database upgrade is in progress. Please continue to finish.":[""],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":[""],"Redirection database needs upgrading":[""],"Upgrade Required":[""],"Finish Setup":[""],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":[""],"Continue Setup":[""],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":[""],"Start Setup":[""],"When ready please press the button to continue.":[""],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":[""],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":[""],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":[""],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":[""],"Finished! 🎉":[""],"Progress: %(complete)d$":[""],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":[""],"Skip this stage":[""],"Try again":[""],"Database problem":[""],"Please enable JavaScript":[""],"Please upgrade your database":[""],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":[""],"Table \"%s\" is missing":[""],"Create basic data":[""],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":["Problem"],"Good":["Good"],"Check":["Check"],"Check Redirect":["Check Redirect"],"Check redirect for: {{code}}%s{{/code}}":["Check redirect for: {{code}}%s{{/code}}"],"Not using Redirection":["Not using Redirection"],"Using Redirection":["Using Redirection"],"Found":["Found"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"],"Expected":["Expected"],"Error":["Error"],"Enter full URL, including http:// or https://":["Enter full URL, including http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."],"Redirect Tester":["Redirect Tester"],"Target":["Target"],"URL is not being redirected with Redirection":["URL is not being redirected with Redirection"],"URL is being redirected with Redirection":["URL is being redirected with Redirection"],"Unable to load details":["Unable to load details"],"Enter server URL to match against":["Enter server URL to match against"],"Server":["Server"],"Enter role or capability value":["Enter role or capability value"],"Role":["Role"],"Match against this browser referrer text":["Match against this browser referrer text"],"Match against this browser user agent":["Match against this browser user agent"],"The relative URL you want to redirect from":["The relative URL you want to redirect from"],"Add New":["Add New"],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Site and home protocol":["Site and home protocol"],"Site and home are consistent":["Site and home are consistent"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."],"Accept Language":["Accept Language"],"Header value":["Header value"],"Header name":["Header name"],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress filter name"],"Filter Name":["Filter Name"],"Cookie value":["Cookie value"],"Cookie name":["Cookie name"],"Cookie":["Cookie"],"clearing your cache.":["clearing your cache."],"If you are using a caching system such as Cloudflare then please read this: ":["If you are using a caching system such as Cloudflare then please read this: "],"URL and HTTP header":["URL and HTTP header"],"URL and custom filter":["URL and custom filter"],"URL and cookie":["URL and cookie"],"404 deleted":["404 deleted"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["How Redirection uses the REST API - don't change unless necessary"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."],"Unable to load Redirection ☹️":["Unable to load Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Useragent Error"],"Unknown Useragent":["Unknown Useragent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["No IP logging"],"Full IP logging":["Full IP logging"],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":["Monitor changes to %(type)s"],"IP Logging":["IP Logging"],"Geo Info":["Geo Info"],"Agent Info":["Agent Info"],"Filter by IP":["Filter by IP"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":[""],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Your server has rejected the request for being too big. You will need to reconfigure it to continue."],"Also check if your browser is able to load <code>redirection.js</code>:":["Also check if your browser is able to load <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."],"Unable to load Redirection":["Unable to load Redirection"],"Post monitor group is valid":["Post monitor group is valid"],"Post monitor group is invalid":["Post monitor group is invalid"],"Post monitor group":["Post monitor group"],"All redirects have a valid group":["All redirects have a valid group"],"Redirects with invalid groups detected":["Redirects with invalid groups detected"],"Valid redirect group":["Valid redirect group"],"Valid groups detected":["Valid groups detected"],"No valid groups, so you will not be able to create any redirects":["No valid groups, so you will not be able to create any redirects"],"Valid groups":["Valid groups"],"Database tables":["Database tables"],"The following tables are missing:":["The following tables are missing:"],"All tables present":["All tables present"],"Cached Redirection detected":["Cached Redirection detected"],"Please clear your browser cache and reload this page.":["Please clear your browser cache and reload this page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."],"If you think Redirection is at fault then create an issue.":["If you think Redirection is at fault then create an issue."],"This may be caused by another plugin - look at your browser's error console for more details.":["This may be caused by another plugin - look at your browser's error console for more details."],"Loading, please wait...":["Loading, please wait..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection is not working. Try clearing your browser cache and reloading this page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."],"Create Issue":["Create Issue"],"Email":["Email"],"Need help?":["Need help?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."],"Pos":["Pos"],"410 - Gone":["410 - Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"Import to group":["Import to group"],"Import a CSV, .htaccess, or JSON file.":["Import a CSV, .htaccess, or JSON file."],"Click 'Add File' or drag and drop here.":["Click 'Add File' or drag and drop here."],"Add File":["Add File"],"File selected":["File selected"],"Importing":["Importing"],"Finished importing":["Finished importing"],"Total redirects imported:":["Total redirects imported:"],"Double-check the file is the correct format!":["Double-check the file is the correct format!"],"OK":["OK"],"Close":["Close"],"Export":["Export"],"Everything":["Everything"],"WordPress redirects":["WordPress redirects"],"Apache redirects":["Apache redirects"],"Nginx redirects":["Nginx redirects"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["View"],"Import/Export":["Import/Export"],"Logs":["Logs"],"404 errors":["404 errors"],"Redirection saved":["Redirection saved"],"Log deleted":["Log deleted"],"Settings saved":["Settings saved"],"Group saved":["Group saved"],"Are you sure you want to delete this item?":["Are you sure you want to delete this item?","Are you sure you want to delete these items?"],"pass":["pass"],"All groups":["All groups"],"301 - Moved Permanently":["301 - Moved Permanently"],"302 - Found":["302 - Found"],"307 - Temporary Redirect":["307 - Temporary Redirect"],"308 - Permanent Redirect":["308 - Permanent Redirect"],"401 - Unauthorized":["401 - Unauthorized"],"404 - Not Found":["404 - Not Found"],"Title":["Title"],"When matched":["When matched"],"with HTTP code":["with HTTP code"],"Show advanced options":["Show advanced options"],"Matched Target":["Matched Target"],"Unmatched Target":["Unmatched Target"],"Saving...":["Saving..."],"View notice":["View notice"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Bulk Actions":["Bulk Actions"],"Apply":["Apply"],"First page":["First page"],"Prev page":["Prev page"],"Current Page":["Current Page"],"of %(page)s":["of %(page)s"],"Next page":["Next page"],"Last page":["Last page"],"%s item":["%s item","%s items"],"Select All":["Select All"],"Sorry, something went wrong loading the data - please try again":["Sorry, something went wrong loading the data - please try again"],"No results":["No results"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Want to keep up to date with changes to Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module."],"Add Group":["Add Group"],"Search":["Search"],"Groups":["Groups"],"Save":["Save"],"Group":["Group"],"Regular Expression":["Regular expression"],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"IP":["IP"],"Source URL":["Source URL"],"Date":["Date"],"Add Redirect":["Add Redirect"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filters":["Filters"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Modified Posts"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL and user agent"],"Target URL":["Target URL"],"URL only":["URL only"],"HTTP code":[""],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL and referrer"],"Logged Out":["Logged Out"],"Logged In":["Logged In"],"URL and login status":["URL and login status"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-es_ES.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Tus páginas de administración están en caché. Vacía esta caché e inténtalo de nuevo. Puede haber varias cachés."],"This is usually fixed by doing one of the following:":["Esto normalmente se corrige haciendo algo de lo siguiente:"],"You are using an old or cached session":["Estás usando una sesión antigua o en caché"],"Please review your data and try again.":["Por favor, revisa tus datos e inténtalo de nuevo."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["Ocurrió un problema al hacer una solicitud a tu sitio. Esto podría indciar que has facilitado datos que no coinciden con los requisitos, o que plugin envió una mala solicitud."],"Bad data":["Datos malos"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress devolvió un mensaje inesperado. Esto podría deberse a un error de PHP de otro plugin, o a datos insertados por tu tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Tu API REST de WordPress se ha desactivado. Tendrías que activarla para continuar."],"An unknown error occurred.":["Ocurrió un error desconocido."],"Your REST API is being redirected. Please remove the redirection for the API.":["Tu API REST está siendo redirigida. Por favor, elimina la redirección de la API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Un plugin de seguridad o un cortafuegos está bloqueando el acceso. Tendrías que poner en lista blanca la API REST."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["La configuración de tu servidor está bloqueando el acceso a la API REST. Tendrías que corregir esto."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Comprueba la {{link}}salud del sitio{{/link}} y corrige cualquier problema."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":["¿Puedes acceder a tu {{api}}API REST{{/api}} sin redireccionar? En caso contrario tendrías que corregir los errores."],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["Tu API REST está devolviendo una página 404. esto es casi con certeza debido a un problema con un plugin externo o con la configuración del servidor. "],"Debug Information":["Información de depuración"],"Show debug":["Mostrar depuración"],"View Data":["Ver datos"],"Other":["Otros"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection no almacerna ninguna información que identifique a los usuarios que no esté configurada arriba. Es tu responsabildiad asegurar que el sitio reune cualquier {{link}}requisito de privacidad{{/link}} aplicable."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Captura la información de la cabecera HTTP con registros (excepto cookies). Puede incluir información de usuarios, y podría aumentar el tamaño de tu registro."],"Track redirect hits and date of last access. Contains no user information.":["Seguimento de visitas a redirecciones y fecha del último acceso. No contiene ninguna información de usuarios."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":["Registra redirecciones «externas» - las que no son de Redirection. Esto puede aumentar el tamaño de tu registro y no contiene ninguna información de usuarios."],"Logging":["Registro"],"(IP logging level)":["(Nivel de registro de IPs)"],"Are you sure you want to delete the selected items?":["¿Seguro que deseas borrar los elementos seleccionados?"],"View Redirect":["Ver redirección"],"RSS":["RSS"],"Group by user agent":["Agrupar por agente de usuario"],"Search domain":["Buscar dominio"],"Redirect By":["Redirección mediante"],"Domain":["Dominio"],"Method":["Método"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Si eso no ayuda entonces {{strong}}crea un informe de problemas{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Por favor, echa un vistazo al {{link}}sitio de soporte{{/link}} antes de seguir adelante."],"Something went wrong when upgrading Redirection.":["Algo fue mal durante la actualización de Redirection."],"Something went wrong when installing Redirection.":["Algo fue mal durante la instalación de Redirection."],"Apply To All":["Aplicar a todo"],"Bulk Actions (all)":["Acciones en lote (todo)"],"Actions applied to all selected items":["Acciones aplicadas a todos los elementos seleccionados"],"Actions applied to everything that matches current filter":["Acciones aplicadas a todo lo que coincida con el filtro actual"],"Redirect Source":["Origen de la redirección"],"Request Headers":["Cabeceras de la solicitud"],"Exclude from logs":["Excluir de los registros"],"Cannot connect to the server to determine the redirect status.":["No se puede conectar al servidor para determinar el estado de la redirección."],"Your URL is cached and the cache may need to be cleared.":["Tu URL está en caché y puede que tengas que vaciar la caché."],"Something else other than Redirection is redirecting this URL.":["Algo que no es Redirection está redirigiendo esta URL."],"Relocate to domain":["Reubicar a dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["¿Quieres redirigir todo el sitio? Introduce un dominio para redirigir todo, excepto el acceso a WordPress y la administración. Al activar esta opción se desactivará cualquier alias de sitio o ajustes canónicos."],"Relocate Site":["Reubicar el sitio"],"Add CORS Presets":["Añadir preajustes CORS"],"Add Security Presets":["Añadir preajustes de seguridad"],"Add Header":["Añadir cabecera"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Deberías actualizar la URL de tu sitio para que coincida con tus ajustes de la canónica: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferido"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS está funcionando antes de forzar una redirección."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forzar una redirección de HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Ajustes canónicos"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Añadir www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Eliminar www del dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["No establecer un dominio preferido - {{code}}%(site)s{{/code}}"],"Add Alias":["Añadir alias"],"No aliases":["Sin alias"],"Alias":["Alias"],"Aliased Domain":["Dominio con alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Necesitarás configurar tu sistema (DNS y servidor) para pasar solicitudes de estos dominios a esta instalación de WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de sitio es otro dominio que deseas redirigir a este sitio. Por ejemplo, un dominio antiguo o un subdominio. Esto redirigirá todas las URL, incluidas las de acceso y administración de WordPress."],"Site Aliases":["Alias ​​del sitio"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["El plugin de acompañamiento Search Regex te permite buscar y reemplazar datos en tu sitio. También es compatible con Redirection, y es útil si quieres actualizar por lotes montones de redirecciones."],"Need to search and replace?":["¿Necesitas buscar y reemplazar?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Las opciones en esta página pueden causar problemas si se usan incorrectamente. Puedes {{link}}desactivarlas temporalmente{{/link}} para realizar cambios."],"Please wait, importing.":["Por favor, espera, importando."],"Continue":["Seguir"],"The following plugins have been detected.":["Se han detectado los siguientes plugins."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automáticamente redirecciones cuando cambias la URL de una entrada. Importarlas en Redirection te permitirá gestionarlas y supervisarlas."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importar las redirecciones existentes desde WordPress u otros plugins es un buen modo de empezar con Redirection. Revisa cada conjunto de redirecciones que desees importar."],"Import Existing Redirects":["Importar redirecciones existentes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["¡Eso es todo - ahora estás redirigiendo! Ten en cuenta que lo de arriba es solo un ejemplo."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si deseas redirigir todo, por favor, utiliza una reubicación del sitio o un alias desde la página del sitio."],"Value":["Valor"],"Values":["Valores"],"All":["Todo"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ten en cuenta que tu servidor establece algunas cabeceras HTTP que no se pueden cambiar."],"No headers":["Sin cabeceras"],"Header":["Cabecera"],"Location":["Ubicación"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Las cabeceras del sitio se añaden a todo el sitio, incluyendo las redirecciones. Las cabeceras de redirección solo se añaden a las redirecciones."],"HTTP Headers":["Cabeceras HTTP"],"Custom Header":["Cabecera personalizada"],"General":["General"],"Redirect":["Redirigir"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Algunos servidores pueden configurarse para servir recursos de archivos directamente, evitando que se produzca una redirección."],"Site":["Sitio"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["No se puede realizar la solicitud debido a la seguridad del navegador. Esto suele ocurrir porque los ajustes de WordPress y de la URL del sitio son inconsistentes o la política de intercambio de recursos de origen cruzado («CORS») de tu sitio ha bloqueado la solicitud."],"Ignore & Pass Query":["Ignorar y pasar la consulta"],"Ignore Query":["Ignorar la consulta"],"Exact Query":["Consulta exacta"],"Search title":["Buscar título"],"Not accessed in last year":["No se ha accedido en el último año"],"Not accessed in last month":["No se ha accedido en el último mes"],"Never accessed":["No se ha accedido nunca"],"Last Accessed":["Último acceso"],"HTTP Status Code":["Código HTTP de estado"],"Plain":["Plano"],"URL match":["Coincidencia de URL"],"Source":["Fuente"],"Code":["Código"],"Action Type":["Tipo de acción"],"Match Type":["Tipo de coincidencia"],"Search target URL":["Buscar URL de destino"],"Search IP":["Buscar IP"],"Search user agent":["Buscar agente de usuario"],"Search referrer":["Buscar remitente"],"Search URL":["Buscar URL"],"Filter on: %(type)s":["Filtrar en: %(tipo)s"],"Disabled":["Desactivada"],"Enabled":["Activada"],"Compact Display":["Vista compacta"],"Standard Display":["Vista estándar"],"Status":["Estado"],"Pre-defined":["Predefinido"],"Custom Display":["Vista personalizada"],"Display All":["Mostrar todo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Tu URL parece que continene un dominio dentro de la ruta: {{code}}%(relative)s{{/code}}. ¿Querías usar {{code}}%(absolute)s{{/code}} en su lugar?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista de idiomas, separados por comas, con los que coincidir (por ejemplo, es_ES)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tiempo de espera de la puerta de enlace agotado"],"503 - Service Unavailable":["503 - Servicio no disponible"],"502 - Bad Gateway":["502 - Puerta de enlace incorrecta"],"501 - Not implemented":["501 - No implementado"],"500 - Internal Server Error":["500 - Error interno del servidor"],"451 - Unavailable For Legal Reasons":["451 - No disponible por motivos legales"],"URL and language":["URL e idioma"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Sal, vacía la caché de tu navegador y vuelve a acceder - tu navegador ha guardado en la caché una sesión antigua."],"Reload the page - your current session is old.":["Recarga la página - tu sesión actual es antigua."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Se ha detectado un bucle y la actualización se ha detenido. Normalmente, esto indica que {{support}}tu sitio está almacenado en la caché{{/support}} y los cambios en la base de datos no se están guardando."],"Unable to save .htaccess file":["No ha sido posible guardar el archivo .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["La redirecciones añadidas a un grupo de Apache se puede guardar a un fichero {{code}}.htaccess{{/code}} añadiendo aquí la ruta completa. Para tu referencia, tu instalación de WordPress está en {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Haz clic en «Completar la actualización» cuando hayas acabado."],"Automatic Install":["Instalación automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Tu dirección de destino contiene el carácter no válido {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si estás usando WordPress 5.2 o superior, mira en tu {{link}}salud del sitio{{/link}} y resuelve los problemas."],"If you do not complete the manual install you will be returned here.":["Si no completas la instalación manual volverás aquí."],"Click \"Finished! 🎉\" when finished.":["Haz clic en «¡Terminado! 🎉» cuando hayas acabado."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Tu sitio necesita permisos especiales para la base de datos. También lo puedes hacer tú mismo ejecutando el siguiente SQL."],"Manual Install":["Instalación manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Permisos insuficientes para la base de datos detectados. Proporciónale a tu usuario de base de datos los permisos necesarios."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta información se proporciona con propósitos de depuración. Ten cuidado al hacer cambios."],"Plugin Debug":["Depuración del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection se comunica con WordPress a través de la REST API de WordPress. Este es un componente estándar de WordPress, y tendrás problemas si no puedes usarla."],"IP Headers":["Cabeceras IP"],"Do not change unless advised to do so!":["¡No lo cambies a menos que te lo indiquen!"],"Database version":["Versión de base de datos"],"Complete data (JSON)":["Datos completos (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection. El formato JSON contiene información completa, y otros formatos contienen información parcial apropiada para el formato."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["El CSV no incluye toda la información, y todo se importa/exporta como coincidencias de «Sólo URL». Usa el formato JSON para obtener un conjunto completo de datos."],"All imports will be appended to the current database - nothing is merged.":["Todas las importaciones se adjuntarán a la base de datos actual; nada se combina."],"Automatic Upgrade":["Actualización automática"],"Manual Upgrade":["Actualización manual"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Por favor, haz una copia de seguridad de tus datos de Redirection: {{download}}descargando una copia de seguridad{{/download}}. Si experimentas algún problema puedes importarlo de vuelta a Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Haz clic en el botón «Actualizar base de datos» para actualizar automáticamente la base de datos."],"Complete Upgrade":["Completar la actualización"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection almacena datos en tu base de datos y a veces es necesario actualizarla. Tu base de datos está en la versión {{strong}}%(current)s{{/strong}} y la última es {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Ten en cuenta que necesitarás establecer la ruta del módulo de Apache en tus opciones de Redirection."],"I need support!":["¡Necesito ayuda!"],"You will need at least one working REST API to continue.":["Necesitarás al menos una API REST funcionando para continuar."],"Check Again":["Comprobar otra vez"],"Testing - %s$":["Comprobando - %s$"],"Show Problems":["Mostrar problemas"],"Summary":["Resumen"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Tu REST API no funciona y el plugin no podrá continuar hasta que esto se arregle."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Hay algunos problemas para conectarse a tu REST API. No es necesario solucionar estos problemas y el plugin puede funcionar."],"Unavailable":["No disponible"],"Working but some issues":["Funciona pero con algunos problemas"],"Current API":["API actual"],"Switch to this API":["Cambiar a esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar completo"],"Working!":["¡Trabajando!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Tu URL de destino debería ser una URL absoluta como {{code}}https://domain.com/%(url)s{{/code}} o comenzar con una barra inclinada {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Tu fuente es la misma que la de destino, y esto creará un bucle. Deja el destino en blanco si no quieres tomar medidas."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["La URL de destino que quieres redirigir o autocompletar automáticamente en el nombre de la publicación o enlace permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Incluye estos detalles en tu informe junto con una descripción de lo que estabas haciendo y una captura de pantalla."],"Create An Issue":["Crear una incidencia"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Esto podría ser un plugin de seguridad, o que tu servidor está sin memoria o que exista un error externo. Por favor, comprueba el registro de errores de tu servidor"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Es probable que tu REST API esté siendo bloqueada por un plugin de seguridad. Por favor, desactívalo o configúralo para permitir solicitudes de la REST API."],"Read this REST API guide for more information.":["Lee esta guía de la REST API para más información."],"URL options / Regex":["Opciones de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecciones"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Las estructuras de enlaces permanentes de WordPress no funcionan en URLs normales. Por favor, utiliza una expresión regular."],"Pass - as ignore, but also copies the query parameters to the target":["Pasar - como ignorar, pero también copia los parámetros de consulta al destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como la coincidencia exacta, pero ignora cualquier parámetro de consulta que no esté en tu origen"],"Exact - matches the query parameters exactly defined in your source, in any order":["Coincidencia exacta - coincide exactamente con los parámetros de consulta definidos en tu origen, en cualquier orden"],"Default query matching":["Coincidencia de consulta por defecto"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora barras invertidas (p.ej. {{code}}/entrada-alucinante/{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Sin coincidencia de mayúsculas/minúsculas (p.ej. {{code}}/Entrada-Alucinante{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Se aplica a todas las redirecciones a menos que las configures de otro modo."],"Default URL settings":["Ajustes de URL por defecto"],"Ignore and pass all query parameters":["Ignora y pasa todos los parámetros de consulta"],"Ignore all query parameters":["Ignora todos los parámetros de consulta"],"Exact match":["Coincidencia exacta"],"Caching software (e.g Cloudflare)":["Software de caché (p. ej. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin de seguridad (p. ej. Wordfence)"],"URL options":["Opciones de URL"],"Query Parameters":["Parámetros de consulta"],"Ignore & pass parameters to the target":["Ignorar y pasar parámetros al destino"],"Ignore all parameters":["Ignorar todos los parámetros"],"Exact match all parameters in any order":["Coincidencia exacta de todos los parámetros en cualquier orden"],"Ignore Case":["Ignorar mayúsculas/minúsculas"],"Ignore Slash":["Ignorar barra inclinada"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST completa"],"Default REST API":["API REST por defecto"],"(Example) The target URL is the new URL":["(Ejemplo) La URL de destino es la nueva URL"],"(Example) The source URL is your old or original URL":["(Ejemplo) La URL de origen es tu URL antigua u original"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["¡Desactivado! Detectado PHP %1$s, se necesita PHP %2$s o superior"],"A database upgrade is in progress. Please continue to finish.":["Hay una actualización de la base de datos en marcha. Por favor, continua para terminar."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Hay que actualizar la base de datos de Redirection - <a href=\"%1$1s\">haz clic para actualizar</a>."],"Redirection database needs upgrading":["La base de datos de Redirection necesita actualizarse"],"Upgrade Required":["Actualización necesaria"],"Finish Setup":["Finalizar configuración"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Tienes diferentes URLs configuradas en tu página ajustes de WordPress > General, lo que normalmente es una indicación de una mala configuración, y puede causar problemas con la API REST. Por favor, revisa tus ajustes."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si tienes algún problema, por favor consulta la documentación de tu plugin, o intenta contactar con el soporte de tu alojamiento. Esto es normalmente {{{link}}no suele ser un problema causado por Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algún otro plugin que bloquea la API REST"],"A server firewall or other server configuration (e.g OVH)":["Un cortafuegos del servidor u otra configuración del servidor (p.ej. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utiliza la {{link}}WordPress REST API{{/link}} para comunicarse con WordPress. Esto está activado y funciona de forma predeterminada. A veces la API REST está bloqueada por:"],"Go back":["Volver"],"Continue Setup":["Continuar la configuración"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["El almacenamiento de la dirección IP te permite realizar acciones de registro adicionales. Ten en cuenta que tendrás que cumplir con las leyes locales relativas a la recopilación de datos (por ejemplo, RGPD)."],"Store IP information for redirects and 404 errors.":["Almacenar información de IPs de las redirecciones y errores 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Almacena registros de redirecciones y 404s te permitirá ver lo que está pasando en tu sitio. Esto aumentará los requisitos de almacenamiento de la base de datos."],"Keep a log of all redirects and 404 errors.":["Guardar un registro de todas las redirecciones y errores 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leer más sobre esto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si cambias el enlace permanente en una entrada o página, entonces Redirection puede crear automáticamente una redirección para ti."],"Monitor permalink changes in WordPress posts and pages":["Supervisar los cambios de los enlaces permanentes en las entradas y páginas de WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas son algunas de las opciones que puedes activar ahora. Se pueden cambiar en cualquier momento."],"Basic Setup":["Configuración básica"],"Start Setup":["Iniciar configuración"],"When ready please press the button to continue.":["Cuando estés listo, pulsa el botón para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primero se te harán algunas preguntas, y luego Redirection configurará tu base de datos."],"What's next?":["¿Cuáles son las novedades?"],"Check a URL is being redirected":["Comprueba si una URL está siendo redirigida"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Coincidencia de URLs más potente, incluidas las expresiones {{regular}}regulares {{/regular}}, y {{other}} otras condiciones{{{/other}}."],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importar{{/link}} desde .htaccess, CSV, y una gran variedad de otros plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Supervisar errores 404{{{/link}}, obtener información detallada sobre el visitante, y solucionar cualquier problema"],"Some features you may find useful are":["Algunas de las características que puedes encontrar útiles son"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["La documentación completa la puedes encontrar en la {{link}}web de Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Una redirección simple implica configurar una {{strong}}URL de origen{{/strong}}} (la URL antigua) y una {{strong}}URL de destino{{/strong}} (la nueva URL). Aquí tienes un ejemplo:"],"How do I use this plugin?":["¿Cómo utilizo este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection está diseñado para utilizarse desde sitios con unos pocos redirecciones a sitios con miles de redirecciones."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Gracias por instalar y usar Redirection v%(version)s. Este plugin te permitirá gestionar redirecciones 301, realizar un seguimiento de los errores 404, y mejorar tu sitio, sin necesidad de tener conocimientos de Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenido a Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Para evitar una expresión regular ambiciosa, puedes utilizar un {{code}}^{{/code}} para anclarla al inicio de la URL. Por ejemplo: {{code}}%(ejemplo)s{{/code}}."],"Remember to enable the \"regex\" option if this is a regular expression.":["Recuerda activar la opción «regex» si se trata de una expresión regular."],"The source URL should probably start with a {{code}}/{{/code}}":["La URL de origen probablemente debería comenzar con un {{code}}/{{/code}}."],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Esto se convertirá en una redirección de servidor para el dominio {{code}}%(server)s{{{/code}}}."],"Anchor values are not sent to the server and cannot be redirected.":["Los valores de anclaje no se envían al servidor y no pueden ser redirigidos."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["¡Terminado! 🎉"],"Progress: %(complete)d$":["Progreso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Salir antes de que el proceso haya terminado puede causar problemas."],"Setting up Redirection":["Configurando Redirection"],"Upgrading Redirection":["Actualizando Redirection"],"Please remain on this page until complete.":["Por favor, permanece en esta página hasta que se complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si quieres {{support}}solicitar ayuda{{/support}}por favor, incluye estos detalles:"],"Stop upgrade":["Parar actualización"],"Skip this stage":["Saltarse esta etapa"],"Try again":["Intentarlo de nuevo"],"Database problem":["Problema en la base de datos"],"Please enable JavaScript":["Por favor, activa JavaScript"],"Please upgrade your database":["Por favor, actualiza tu base de datos"],"Upgrade Database":["Actualizar base de datos"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Por favor, completa tu <a href=\"%s\">configuración de Redirection</a> para activar el plugin."],"Your database does not need updating to %s.":["Tu base de datos no necesita actualizarse a %s."],"Table \"%s\" is missing":["La tabla \"%s\" no existe"],"Create basic data":["Crear datos básicos"],"Install Redirection tables":["Instalar tablas de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["La URL del sitio y de inicio no son consistentes. Por favor, corrígelo en tu página de Ajustes > Generales: %1$1s no es igual a %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Por favor, no intentes redirigir todos tus 404s - no es una buena idea."],"Only the 404 page type is currently supported.":["De momento solo es compatible con el tipo 404 de página de error."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Introduce direcciones IP (una por línea)"],"Describe the purpose of this redirect (optional)":["Describe la finalidad de esta redirección (opcional)"],"418 - I'm a teapot":["418 - Soy una tetera"],"403 - Forbidden":["403 - Prohibido"],"400 - Bad Request":["400 - Mala petición"],"304 - Not Modified":["304 - No modificada"],"303 - See Other":["303 - Ver otra"],"Do nothing (ignore)":["No hacer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino cuando no coinciden (vacío para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino cuando coinciden (vacío para ignorar)"],"Show All":["Mostrar todo"],"Delete logs for these entries":["Borrar los registros de estas entradas"],"Delete logs for this entry":["Borrar los registros de esta entrada"],"Delete Log Entries":["Borrar entradas del registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Sin agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirigir todo"],"Count":["Contador"],"URL and WordPress page type":["URL y tipo de página de WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bueno"],"Check":["Comprobar"],"Check Redirect":["Comprobar la redirección"],"Check redirect for: {{code}}%s{{/code}}":["Comprobar la redirección para: {{code}}%s{{/code}}"],"Not using Redirection":["No uso la redirección"],"Using Redirection":["Usando la redirección"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Error"],"Enter full URL, including http:// or https://":["Introduce la URL completa, incluyendo http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["A veces, tu navegador puede almacenar en caché una URL, lo que dificulta saber si está funcionando como se esperaba. Usa esto para verificar una URL para ver cómo está redirigiendo realmente."],"Redirect Tester":["Probar redirecciones"],"Target":["Destino"],"URL is not being redirected with Redirection":["La URL no está siendo redirigida por Redirection"],"URL is being redirected with Redirection":["La URL está siendo redirigida por Redirection"],"Unable to load details":["No se han podido cargar los detalles"],"Enter server URL to match against":["Escribe la URL del servidor que comprobar"],"Server":["Servidor"],"Enter role or capability value":["Escribe el valor de perfil o capacidad"],"Role":["Perfil"],"Match against this browser referrer text":["Comparar contra el texto de referencia de este navegador"],"Match against this browser user agent":["Comparar contra el agente usuario de este navegador"],"The relative URL you want to redirect from":["La URL relativa desde la que quieres redirigir"],"Add New":["Añadir nueva"],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Site and home protocol":["Protocolo de portada y el sitio"],"Site and home are consistent":["Portada y sitio son consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Date cuenta de que es tu responsabilidad pasar las cabeceras HTTP a PHP. Por favor, contacta con tu proveedor de alojamiento para obtener soporte sobre esto."],"Accept Language":["Aceptar idioma"],"Header value":["Valor de cabecera"],"Header name":["Nombre de cabecera"],"HTTP Header":["Cabecera HTTP"],"WordPress filter name":["Nombre del filtro WordPress"],"Filter Name":["Nombre del filtro"],"Cookie value":["Valor de la cookie"],"Cookie name":["Nombre de la cookie"],"Cookie":["Cookie"],"clearing your cache.":["vaciando tu caché."],"If you are using a caching system such as Cloudflare then please read this: ":["Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"],"URL and HTTP header":["URL y cabecera HTTP"],"URL and custom filter":["URL y filtro personalizado"],"URL and cookie":["URL y cookie"],"404 deleted":["404 borrado"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Por favor, echa un vistazo al {{link}}estado del plugin{{/link}}. Podría ser capaz de identificar y resolver \"mágicamente\" el problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Un software de caché{{/link}}, en particular Cloudflare, podría cachear lo que no debería. Prueba a borrar todas tus cachés."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Por favor, ¡desactiva temporalmente otros plugins!{{/link}} Esto arregla muchos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."],"Unable to load Redirection ☹️":["No se puede cargar Redirection ☹️"],"WordPress REST API":["REST API de WordPress"],"Useragent Error":["Error de agente de usuario"],"Unknown Useragent":["Agente de usuario desconocido"],"Device":["Dispositivo"],"Operating System":["Sistema operativo"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuario"],"Agent":["Agente"],"No IP logging":["Sin registro de IP"],"Full IP logging":["Registro completo de IP"],"Anonymize IP (mask last part)":["Anonimizar IP (enmascarar la última parte)"],"Monitor changes to %(type)s":["Supervisar cambios de %(type)s"],"IP Logging":["Registro de IP"],"Geo Info":["Información de geolocalización"],"Agent Info":["Información de agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Error de geolocalización de IP"],"Something went wrong obtaining this information":["Algo ha ido mal obteniendo esta información"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Esta es una IP de una red privada. Significa que se encuentra dentro de una casa o red de empresa y no se puede mostrar más información."],"No details are known for this address.":["No se conoce ningún detalle para esta dirección."],"Geo IP":["Geolocalización de IP"],"City":["Ciudad"],"Area":["Área"],"Timezone":["Zona horaria"],"Geo Location":["Geolocalización"],"Powered by {{link}}redirect.li{{/link}}":["Funciona gracias a {{link}}redirect.li{{/link}}"],"Trash":["Papelera"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentación completa de Redirection está en {{site}}https://redirection.me{{/site}}. Si tienes algún problema, por favor revisa primero las {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si quieres enviar información y no quieres que se incluya en un repositorio público, envíala directamente por {{email}}correo electrónico{{/email}} - ¡incluye toda la información que puedas!"],"Never cache":["No cachear nunca"],"An hour":["Una hora"],"Redirect Cache":["Redireccionar caché"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"],"Are you sure you want to import from %s?":["¿Estás seguro de querer importar de %s?"],"Plugin Importers":["Importadores de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Se han detectado los siguientes plugins de redirección en tu sitio y se puede importar desde ellos."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requiere WordPress v%1s, estás usando v%2s - por favor, actualiza tu WordPress"],"Default WordPress \"old slugs\"":["\"Viejos slugs\" por defecto de WordPress"],"Create associated redirect (added to end of URL)":["Crea una redirección asociada (añadida al final de la URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> no está definido. Esto normalmente significa que otro plugin está impidiendo que cargue Redirection. Por favor, desactiva todos los plugins e inténtalo de nuevo."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si no funciona el botón mágico entonces deberías leer el error y ver si puedes arreglarlo manualmente, o sino seguir la sección 'Necesito ayuda' de abajo."],"⚡️ Magic fix ⚡️":["⚡️ Arreglo mágico ⚡️"],"Plugin Status":["Estado del plugin"],"Custom":["Personalizado"],"Mobile":["Móvil"],"Feed Readers":["Lectores de feeds"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Supervisar cambios de URL"],"Save changes to this group":["Guardar los cambios de este grupo"],"For example \"/amp\"":["Por ejemplo \"/amp\""],"URL Monitor":["Supervisar URL"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Tu servidor rechazó la petición por ser demasiado grande. Necesitarás volver a configurarla para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["También comprueba si tu navegador puede cargar <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si estás usando un plugin o servicio (CloudFlare, OVH, etc.) de caché de página entonces también puedes probar a vaciar la caché."],"Unable to load Redirection":["No ha sido posible cargar Redirection"],"Post monitor group is valid":["El grupo de supervisión de entradas es válido"],"Post monitor group is invalid":["El grupo de supervisión de entradas no es válido"],"Post monitor group":["Grupo de supervisión de entradas"],"All redirects have a valid group":["Todas las redirecciones tienen un grupo válido"],"Redirects with invalid groups detected":["Detectadas redirecciones con grupos no válidos"],"Valid redirect group":["Grupo de redirección válido"],"Valid groups detected":["Detectados grupos válidos"],"No valid groups, so you will not be able to create any redirects":["No hay grupos válidos, así que no podrás crear redirecciones"],"Valid groups":["Grupos válidos"],"Database tables":["Tablas de la base de datos"],"The following tables are missing:":["Faltan las siguientes tablas:"],"All tables present":["Están presentes todas las tablas"],"Cached Redirection detected":["Detectada caché de Redirection"],"Please clear your browser cache and reload this page.":["Por favor, vacía la caché de tu navegador y recarga esta página"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress no ha devuelto una respuesta. Esto podría significar que ocurrió un error o que la petición se bloqueó. Por favor, revisa el error_log de tu servidor."],"If you think Redirection is at fault then create an issue.":["Si crees que es un fallo de Redirection entonces envía un aviso de problema."],"This may be caused by another plugin - look at your browser's error console for more details.":["Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."],"Loading, please wait...":["Cargando, por favor espera…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}formato de archivo CSV{{/strong}}: {{code}}URL de origen, URL de destino{{/code}} - y puede añadirse opcionalmente {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 para no, 1 para sí)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["La redirección no está funcionando. Trata de vaciar la caché de tu navegador y recarga esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si eso no ayuda abre la consola de errores de tu navegador y crea un {{link}}aviso de problema nuevo{{/link}} con los detalles."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Need help?":["¿Necesitas ayuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Por favor, date cuenta de que todo soporte se ofrece sobre la base del tiempo disponible y no está garantizado. No ofrezco soporte de pago."],"Pos":["Pos"],"410 - Gone":["410 - Desaparecido"],"Position":["Posición"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Se usa para generar automáticamente una URL si no se ofrece una URL. Utiliza las etiquetas especiales {{code}}$dec${{/code}} o {{code}}$hex${{/code}} para insertar un ID único insertado"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"Import to group":["Importar a un grupo"],"Import a CSV, .htaccess, or JSON file.":["Importa un archivo CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Haz clic en 'Añadir archivo' o arrastra y suelta aquí."],"Add File":["Añadir archivo"],"File selected":["Archivo seleccionado"],"Importing":["Importando"],"Finished importing":["Importación finalizada"],"Total redirects imported:":["Total de redirecciones importadas:"],"Double-check the file is the correct format!":["¡Vuelve a comprobar que el archivo esté en el formato correcto!"],"OK":["Aceptar"],"Close":["Cerrar"],"Export":["Exportar"],"Everything":["Todo"],"WordPress redirects":["Redirecciones WordPress"],"Apache redirects":["Redirecciones Apache"],"Nginx redirects":["Redirecciones Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess de Apache"],"Nginx rewrite rules":["Reglas de rewrite de Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Errores 404"],"Redirection saved":["Redirección guardada"],"Log deleted":["Registro borrado"],"Settings saved":["Ajustes guardados"],"Group saved":["Grupo guardado"],"Are you sure you want to delete this item?":["¿Estás seguro de querer borrar este elemento?","¿Estás seguro de querer borrar estos elementos?"],"pass":["pass"],"All groups":["Todos los grupos"],"301 - Moved Permanently":["301 - Movido permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirección temporal"],"308 - Permanent Redirect":["308 - Redirección permanente"],"401 - Unauthorized":["401 - No autorizado"],"404 - Not Found":["404 - No encontrado"],"Title":["Título"],"When matched":["Cuando coincide"],"with HTTP code":["con el código HTTP"],"Show advanced options":["Mostrar opciones avanzadas"],"Matched Target":["Objetivo coincidente"],"Unmatched Target":["Objetivo no coincidente"],"Saving...":["Guardando…"],"View notice":["Ver aviso"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Bulk Actions":["Acciones en lote"],"Apply":["Aplicar"],"First page":["Primera página"],"Prev page":["Página anterior"],"Current Page":["Página actual"],"of %(page)s":["de %(page)s"],"Next page":["Página siguiente"],"Last page":["Última página"],"%s item":["%s elemento","%s elementos"],"Select All":["Elegir todos"],"Sorry, something went wrong loading the data - please try again":["Lo siento, pero algo fue mal al cargar los datos - por favor, inténtalo de nuevo"],"No results":["No hay resultados"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."],"Newsletter":["Boletín"],"Want to keep up to date with changes to Redirection?":["¿Quieres estar al día de los cambios en Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Regístrate al pequeño boletín de Redirection - un boletín liviano sobre las nuevas funcionalidades y cambios en el plugin. Ideal si quieres probar los cambios de la versión beta antes de su lanzamiento."],"Your email address:":["Tu dirección de correo electrónico:"],"You've supported this plugin - thank you!":["Ya has apoyado a este plugin - ¡gracias!"],"You get useful software and I get to carry on making it better.":["Tienes un software útil y yo seguiré haciéndolo mejor."],"Forever":["Siempre"],"Delete the plugin - are you sure?":["Borrar el plugin - ¿estás seguro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Al borrar el plugin se eliminarán todas tus redirecciones, registros y ajustes. Haz esto si estás seguro de que quieres borrar el plugin, o si quieres restablecer el plugin. "],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Una vez borres tus redirecciones dejarán de funcionar. Si parece que siguen funcionando entonces, por favor, vacía la caché de tu navegador."],"Yes! Delete the plugin":["¡Sí! Borrar el plugin"],"No! Don't delete the plugin":["¡No! No borrar el plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestiona todas tus redirecciones 301 y supervisa tus errores 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection se puede usar gratis - ¡La vida es maravillosa y encantadora! Sin embargo, ha requerido una gran cantidad de tiempo y esfuerzo desarrollarlo y, si te ha sido útil, puedes ayudar a este desarrollo {{strong}}haciendo una pequeña donación{{/strong}}. "],"Redirection Support":["Soporte de Redirection"],"Support":["Soporte"],"404s":["404s"],"Log":["Registro"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Seleccionando esta opción borrara todas las redirecciones, todos los registros, y cualquier opción asociada con el plugin Redirection. Asegurese que es esto lo que desea hacer."],"Delete Redirection":["Borrar Redirection"],"Upload":["Subir"],"Import":["Importar"],"Update":["Actualizar"],"Auto-generate URL":["Auto generar URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token único que permite acceso de los lectores de feeds a los registros RSS de Redirection (déjalo en blanco para que se genere automáticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros 404"],"(time to keep logs for)":["(tiempo que se mantendrán los registros)"],"Redirect Logs":["Registros de redirecciones"],"I'm a nice person and I have helped support the author of this plugin":["Soy una buena persona y he apoyado al autor de este plugin"],"Plugin Support":["Soporte del plugin"],"Options":["Opciones"],"Two months":["Dos meses"],"A month":["Un mes"],"A week":["Una semana"],"A day":["Un dia"],"No logs":["No hay logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utiliza grupos para organizar tus redirecciones. Los grupos se asignan a un módulo, lo cual afecta a cómo se realizan las redirecciones en ese grupo. Si no estás seguro entonces utiliza el módulo WordPress."],"Add Group":["Añadir grupo"],"Search":["Buscar"],"Groups":["Grupos"],"Save":["Guardar"],"Group":["Grupo"],"Regular Expression":["Expresión regular"],"Match":["Coincidencia"],"Add new redirection":["Añadir nueva redirección"],"Cancel":["Cancelar"],"Download":["Descargar"],"Redirection":["Redirection"],"Settings":["Ajustes"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"IP":["IP"],"Source URL":["URL de origen"],"Date":["Fecha"],"Add Redirect":["Añadir redirección"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filters":["Filtros"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Borrar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Entradas modificadas"],"Redirections":["Redirecciones"],"User Agent":["Agente usuario HTTP"],"URL and user agent":["URL y cliente de usuario (user agent)"],"Target URL":["URL de destino"],"URL only":["Sólo URL"],"HTTP code":["Código HTTP"],"Regex":["Expresión regular"],"Referrer":["Referente"],"URL and referrer":["URL y referente"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["Estado de URL y conexión"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Tus páginas de administración están en caché. Vacía esta caché e inténtalo de nuevo. Puede haber varias cachés."],"This is usually fixed by doing one of the following:":["Esto normalmente se corrige haciendo algo de lo siguiente:"],"You are using an old or cached session":["Estás usando una sesión antigua o en caché"],"Please review your data and try again.":["Por favor, revisa tus datos e inténtalo de nuevo."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["Ocurrió un problema al hacer una solicitud a tu sitio. Esto podría indciar que has facilitado datos que no coinciden con los requisitos, o que plugin envió una mala solicitud."],"Bad data":["Datos malos"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress devolvió un mensaje inesperado. Esto podría deberse a un error de PHP de otro plugin, o a datos insertados por tu tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Tu API REST de WordPress se ha desactivado. Tendrías que activarla para continuar."],"An unknown error occurred.":["Ocurrió un error desconocido."],"Your REST API is being redirected. Please remove the redirection for the API.":["Tu API REST está siendo redirigida. Por favor, elimina la redirección de la API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Un plugin de seguridad o un cortafuegos está bloqueando el acceso. Tendrías que poner en lista blanca la API REST."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["La configuración de tu servidor está bloqueando el acceso a la API REST. Tendrías que corregir esto."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Comprueba la {{link}}salud del sitio{{/link}} y corrige cualquier problema."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":["¿Puedes acceder a tu {{api}}API REST{{/api}} sin redireccionar? En caso contrario tendrías que corregir los errores."],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["Tu API REST está devolviendo una página 404. esto es casi con certeza debido a un problema con un plugin externo o con la configuración del servidor. "],"Debug Information":["Información de depuración"],"Show debug":["Mostrar depuración"],"View Data":["Ver datos"],"Other":["Otros"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection no almacerna ninguna información que identifique a los usuarios que no esté configurada arriba. Es tu responsabildiad asegurar que el sitio reune cualquier {{link}}requisito de privacidad{{/link}} aplicable."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Captura la información de la cabecera HTTP con registros (excepto cookies). Puede incluir información de usuarios, y podría aumentar el tamaño de tu registro."],"Track redirect hits and date of last access. Contains no user information.":["Seguimento de visitas a redirecciones y fecha del último acceso. No contiene ninguna información de usuarios."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":["Registra redirecciones «externas» - las que no son de Redirection. Esto puede aumentar el tamaño de tu registro y no contiene ninguna información de usuarios."],"Logging":["Registro"],"(IP logging level)":["(Nivel de registro de IPs)"],"Are you sure you want to delete the selected items?":["¿Seguro que deseas borrar los elementos seleccionados?"],"View Redirect":["Ver redirección"],"RSS":["RSS"],"Group by user agent":["Agrupar por agente de usuario"],"Search domain":["Buscar dominio"],"Redirect By":["Redirección mediante"],"Domain":["Dominio"],"Method":["Método"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Si eso no ayuda entonces {{strong}}crea un informe de problemas{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Por favor, echa un vistazo al {{link}}sitio de soporte{{/link}} antes de seguir adelante."],"Something went wrong when upgrading Redirection.":["Algo fue mal durante la actualización de Redirection."],"Something went wrong when installing Redirection.":["Algo fue mal durante la instalación de Redirection."],"Apply To All":["Aplicar a todo"],"Bulk Actions (all)":["Acciones en lote (todo)"],"Actions applied to all selected items":["Acciones aplicadas a todos los elementos seleccionados"],"Actions applied to everything that matches current filter":["Acciones aplicadas a todo lo que coincida con el filtro actual"],"Redirect Source":["Origen de la redirección"],"Request Headers":["Cabeceras de la solicitud"],"Exclude from logs":["Excluir de los registros"],"Cannot connect to the server to determine the redirect status.":["No se puede conectar al servidor para determinar el estado de la redirección."],"Your URL is cached and the cache may need to be cleared.":["Tu URL está en caché y puede que tengas que vaciar la caché."],"Something else other than Redirection is redirecting this URL.":["Algo que no es Redirection está redirigiendo esta URL."],"Relocate to domain":["Reubicar a dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["¿Quieres redirigir todo el sitio? Introduce un dominio para redirigir todo, excepto el acceso a WordPress y la administración. Al activar esta opción se desactivará cualquier alias de sitio o ajustes canónicos."],"Relocate Site":["Reubicar el sitio"],"Add CORS Presets":["Añadir preajustes CORS"],"Add Security Presets":["Añadir preajustes de seguridad"],"Add Header":["Añadir cabecera"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Deberías actualizar la URL de tu sitio para que coincida con tus ajustes de la canónica: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferido"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS está funcionando antes de forzar una redirección."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forzar una redirección de HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Ajustes canónicos"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Añadir www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Eliminar www del dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["No establecer un dominio preferido - {{code}}%(site)s{{/code}}"],"Add Alias":["Añadir alias"],"No aliases":["Sin alias"],"Alias":["Alias"],"Aliased Domain":["Dominio con alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Necesitarás configurar tu sistema (DNS y servidor) para pasar solicitudes de estos dominios a esta instalación de WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de sitio es otro dominio que deseas redirigir a este sitio. Por ejemplo, un dominio antiguo o un subdominio. Esto redirigirá todas las URL, incluidas las de acceso y administración de WordPress."],"Site Aliases":["Alias ​​del sitio"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["El plugin de acompañamiento Search Regex te permite buscar y reemplazar datos en tu sitio. También es compatible con Redirection, y es útil si quieres actualizar por lotes montones de redirecciones."],"Need to search and replace?":["¿Necesitas buscar y reemplazar?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Las opciones en esta página pueden causar problemas si se usan incorrectamente. Puedes {{link}}desactivarlas temporalmente{{/link}} para realizar cambios."],"Please wait, importing.":["Por favor, espera, importando."],"Continue":["Seguir"],"The following plugins have been detected.":["Se han detectado los siguientes plugins."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automáticamente redirecciones cuando cambias la URL de una entrada. Importarlas en Redirection te permitirá gestionarlas y supervisarlas."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importar las redirecciones existentes desde WordPress u otros plugins es un buen modo de empezar con Redirection. Revisa cada conjunto de redirecciones que desees importar."],"Import Existing Redirects":["Importar redirecciones existentes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["¡Eso es todo - ahora estás redirigiendo! Ten en cuenta que lo de arriba es solo un ejemplo."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si deseas redirigir todo, por favor, utiliza una reubicación del sitio o un alias desde la página del sitio."],"Value":["Valor"],"Values":["Valores"],"All":["Todo"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ten en cuenta que tu servidor establece algunas cabeceras HTTP que no se pueden cambiar."],"No headers":["Sin cabeceras"],"Header":["Cabecera"],"Location":["Ubicación"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Las cabeceras del sitio se añaden a todo el sitio, incluyendo las redirecciones. Las cabeceras de redirección solo se añaden a las redirecciones."],"HTTP Headers":["Cabeceras HTTP"],"Custom Header":["Cabecera personalizada"],"General":["General"],"Redirect":["Redirigir"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Algunos servidores pueden configurarse para servir recursos de archivos directamente, evitando que se produzca una redirección."],"Site":["Sitio"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["No se puede realizar la solicitud debido a la seguridad del navegador. Esto suele ocurrir porque los ajustes de WordPress y de la URL del sitio son inconsistentes o la política de intercambio de recursos de origen cruzado («CORS») de tu sitio ha bloqueado la solicitud."],"Ignore & Pass Query":["Ignorar y pasar la consulta"],"Ignore Query":["Ignorar la consulta"],"Exact Query":["Consulta exacta"],"Search title":["Buscar título"],"Not accessed in last year":["No se ha accedido en el último año"],"Not accessed in last month":["No se ha accedido en el último mes"],"Never accessed":["No se ha accedido nunca"],"Last Accessed":["Último acceso"],"HTTP Status Code":["Código HTTP de estado"],"Plain":["Plano"],"URL match":["Coincidencia de URL"],"Source":["Fuente"],"Code":["Código"],"Action Type":["Tipo de acción"],"Match Type":["Tipo de coincidencia"],"Search target URL":["Buscar URL de destino"],"Search IP":["Buscar IP"],"Search user agent":["Buscar agente de usuario"],"Search referrer":["Buscar remitente"],"Search URL":["Buscar URL"],"Filter on: %(type)s":["Filtrar en: %(tipo)s"],"Disabled":["Desactivada"],"Enabled":["Activada"],"Compact Display":["Vista compacta"],"Standard Display":["Vista estándar"],"Status":["Estado"],"Pre-defined":["Predefinido"],"Custom Display":["Vista personalizada"],"Display All":["Mostrar todo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Tu URL parece que continene un dominio dentro de la ruta: {{code}}%(relative)s{{/code}}. ¿Querías usar {{code}}%(absolute)s{{/code}} en su lugar?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista de idiomas, separados por comas, con los que coincidir (por ejemplo, es_ES)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tiempo de espera de la puerta de enlace agotado"],"503 - Service Unavailable":["503 - Servicio no disponible"],"502 - Bad Gateway":["502 - Puerta de enlace incorrecta"],"501 - Not implemented":["501 - No implementado"],"500 - Internal Server Error":["500 - Error interno del servidor"],"451 - Unavailable For Legal Reasons":["451 - No disponible por motivos legales"],"URL and language":["URL e idioma"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Sal, vacía la caché de tu navegador y vuelve a acceder - tu navegador ha guardado en la caché una sesión antigua."],"Reload the page - your current session is old.":["Recarga la página - tu sesión actual es antigua."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Se ha detectado un bucle y la actualización se ha detenido. Normalmente, esto indica que {{support}}tu sitio está almacenado en la caché{{/support}} y los cambios en la base de datos no se están guardando."],"Unable to save .htaccess file":["No ha sido posible guardar el archivo .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["La redirecciones añadidas a un grupo de Apache se puede guardar a un fichero {{code}}.htaccess{{/code}} añadiendo aquí la ruta completa. Para tu referencia, tu instalación de WordPress está en {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Haz clic en «Completar la actualización» cuando hayas acabado."],"Automatic Install":["Instalación automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Tu dirección de destino contiene el carácter no válido {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si estás usando WordPress 5.2 o superior, mira en tu {{link}}salud del sitio{{/link}} y resuelve los problemas."],"If you do not complete the manual install you will be returned here.":["Si no completas la instalación manual volverás aquí."],"Click \"Finished! 🎉\" when finished.":["Haz clic en «¡Terminado! 🎉» cuando hayas acabado."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Tu sitio necesita permisos especiales para la base de datos. También lo puedes hacer tú mismo ejecutando el siguiente SQL."],"Manual Install":["Instalación manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Permisos insuficientes para la base de datos detectados. Proporciónale a tu usuario de base de datos los permisos necesarios."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta información se proporciona con propósitos de depuración. Ten cuidado al hacer cambios."],"Plugin Debug":["Depuración del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection se comunica con WordPress a través de la REST API de WordPress. Este es un componente estándar de WordPress, y tendrás problemas si no puedes usarla."],"IP Headers":["Cabeceras IP"],"Do not change unless advised to do so!":["¡No lo cambies a menos que te lo indiquen!"],"Database version":["Versión de base de datos"],"Complete data (JSON)":["Datos completos (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection. El formato JSON contiene información completa, y otros formatos contienen información parcial apropiada para el formato."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["El CSV no incluye toda la información, y todo se importa/exporta como coincidencias de «Sólo URL». Usa el formato JSON para obtener un conjunto completo de datos."],"All imports will be appended to the current database - nothing is merged.":["Todas las importaciones se adjuntarán a la base de datos actual; nada se combina."],"Automatic Upgrade":["Actualización automática"],"Manual Upgrade":["Actualización manual"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Por favor, haz una copia de seguridad de tus datos de Redirection: {{download}}descargando una copia de seguridad{{/download}}. Si experimentas algún problema puedes importarlo de vuelta a Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Haz clic en el botón «Actualizar base de datos» para actualizar automáticamente la base de datos."],"Complete Upgrade":["Completar la actualización"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection almacena datos en tu base de datos y a veces es necesario actualizarla. Tu base de datos está en la versión {{strong}}%(current)s{{/strong}} y la última es {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Ten en cuenta que necesitarás establecer la ruta del módulo de Apache en tus opciones de Redirection."],"I need support!":["¡Necesito ayuda!"],"You will need at least one working REST API to continue.":["Necesitarás al menos una API REST funcionando para continuar."],"Check Again":["Comprobar otra vez"],"Testing - %s$":["Comprobando - %s$"],"Show Problems":["Mostrar problemas"],"Summary":["Resumen"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Tu REST API no funciona y el plugin no podrá continuar hasta que esto se arregle."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Hay algunos problemas para conectarse a tu REST API. No es necesario solucionar estos problemas y el plugin puede funcionar."],"Unavailable":["No disponible"],"Working but some issues":["Funciona pero con algunos problemas"],"Current API":["API actual"],"Switch to this API":["Cambiar a esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar completo"],"Working!":["¡Trabajando!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Tu URL de destino debería ser una URL absoluta como {{code}}https://domain.com/%(url)s{{/code}} o comenzar con una barra inclinada {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Tu fuente es la misma que la de destino, y esto creará un bucle. Deja el destino en blanco si no quieres tomar medidas."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["La URL de destino que quieres redirigir o autocompletar automáticamente en el nombre de la publicación o enlace permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Incluye estos detalles en tu informe junto con una descripción de lo que estabas haciendo y una captura de pantalla."],"Create An Issue":["Crear una incidencia"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Esto podría ser un plugin de seguridad, o que tu servidor está sin memoria o que exista un error externo. Por favor, comprueba el registro de errores de tu servidor"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Es probable que tu REST API esté siendo bloqueada por un plugin de seguridad. Por favor, desactívalo o configúralo para permitir solicitudes de la REST API."],"Read this REST API guide for more information.":["Lee esta guía de la REST API para más información."],"URL options / Regex":["Opciones de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecciones"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Las estructuras de enlaces permanentes de WordPress no funcionan en URLs normales. Por favor, utiliza una expresión regular."],"Pass - as ignore, but also copies the query parameters to the target":["Pasar - como ignorar, pero también copia los parámetros de consulta al destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como la coincidencia exacta, pero ignora cualquier parámetro de consulta que no esté en tu origen"],"Exact - matches the query parameters exactly defined in your source, in any order":["Coincidencia exacta - coincide exactamente con los parámetros de consulta definidos en tu origen, en cualquier orden"],"Default query matching":["Coincidencia de consulta por defecto"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora barras invertidas (p.ej. {{code}}/entrada-alucinante/{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Sin coincidencia de mayúsculas/minúsculas (p.ej. {{code}}/Entrada-Alucinante{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Se aplica a todas las redirecciones a menos que las configures de otro modo."],"Default URL settings":["Ajustes de URL por defecto"],"Ignore and pass all query parameters":["Ignora y pasa todos los parámetros de consulta"],"Ignore all query parameters":["Ignora todos los parámetros de consulta"],"Exact match":["Coincidencia exacta"],"Caching software (e.g Cloudflare)":["Software de caché (p. ej. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin de seguridad (p. ej. Wordfence)"],"URL options":["Opciones de URL"],"Query Parameters":["Parámetros de consulta"],"Ignore & pass parameters to the target":["Ignorar y pasar parámetros al destino"],"Ignore all parameters":["Ignorar todos los parámetros"],"Exact match all parameters in any order":["Coincidencia exacta de todos los parámetros en cualquier orden"],"Ignore Case":["Ignorar mayúsculas/minúsculas"],"Ignore Slash":["Ignorar barra inclinada"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST completa"],"Default REST API":["API REST por defecto"],"(Example) The target URL is the new URL":["(Ejemplo) La URL de destino es la nueva URL"],"(Example) The source URL is your old or original URL":["(Ejemplo) La URL de origen es tu URL antigua u original"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["¡Desactivado! Detectado PHP %1$s, se necesita PHP %2$s o superior"],"A database upgrade is in progress. Please continue to finish.":["Hay una actualización de la base de datos en marcha. Por favor, continua para terminar."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Hay que actualizar la base de datos de Redirection - <a href=\"%1$1s\">haz clic para actualizar</a>."],"Redirection database needs upgrading":["La base de datos de Redirection necesita actualizarse"],"Upgrade Required":["Actualización necesaria"],"Finish Setup":["Finalizar configuración"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Tienes diferentes URLs configuradas en tu página ajustes de WordPress > General, lo que normalmente es una indicación de una mala configuración, y puede causar problemas con la API REST. Por favor, revisa tus ajustes."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si tienes algún problema, por favor consulta la documentación de tu plugin, o intenta contactar con el soporte de tu alojamiento. Esto es normalmente {{{link}}no suele ser un problema causado por Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algún otro plugin que bloquea la API REST"],"A server firewall or other server configuration (e.g OVH)":["Un cortafuegos del servidor u otra configuración del servidor (p.ej. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utiliza la {{link}}WordPress REST API{{/link}} para comunicarse con WordPress. Esto está activado y funciona de forma predeterminada. A veces la API REST está bloqueada por:"],"Go back":["Volver"],"Continue Setup":["Continuar la configuración"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["El almacenamiento de la dirección IP te permite realizar acciones de registro adicionales. Ten en cuenta que tendrás que cumplir con las leyes locales relativas a la recopilación de datos (por ejemplo, RGPD)."],"Store IP information for redirects and 404 errors.":["Almacenar información de IPs de las redirecciones y errores 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Almacena registros de redirecciones y 404s te permitirá ver lo que está pasando en tu sitio. Esto aumentará los requisitos de almacenamiento de la base de datos."],"Keep a log of all redirects and 404 errors.":["Guardar un registro de todas las redirecciones y errores 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leer más sobre esto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si cambias el enlace permanente en una entrada o página, entonces Redirection puede crear automáticamente una redirección para ti."],"Monitor permalink changes in WordPress posts and pages":["Supervisar los cambios de los enlaces permanentes en las entradas y páginas de WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas son algunas de las opciones que puedes activar ahora. Se pueden cambiar en cualquier momento."],"Basic Setup":["Configuración básica"],"Start Setup":["Iniciar configuración"],"When ready please press the button to continue.":["Cuando estés listo, pulsa el botón para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primero se te harán algunas preguntas, y luego Redirection configurará tu base de datos."],"What's next?":["¿Cuáles son las novedades?"],"Check a URL is being redirected":["Comprueba si una URL está siendo redirigida"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Coincidencia de URLs más potente, incluidas las expresiones {{regular}}regulares {{/regular}}, y {{other}} otras condiciones{{{/other}}."],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importar{{/link}} desde .htaccess, CSV, y una gran variedad de otros plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Supervisar errores 404{{/link}}, obtener información detallada sobre el visitante y corregir cualquier problema"],"Some features you may find useful are":["Algunas de las características que puedes encontrar útiles son"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["La documentación completa la puedes encontrar en la {{link}}web de Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Una redirección simple implica configurar una {{strong}}URL de origen{{/strong}}} (la URL antigua) y una {{strong}}URL de destino{{/strong}} (la nueva URL). Aquí tienes un ejemplo:"],"How do I use this plugin?":["¿Cómo utilizo este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection está diseñado para utilizarse desde sitios con unos pocos redirecciones a sitios con miles de redirecciones."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Gracias por instalar y usar Redirection v%(version)s. Este plugin te permitirá gestionar redirecciones 301, realizar un seguimiento de los errores 404, y mejorar tu sitio, sin necesidad de tener conocimientos de Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenido a Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Para evitar una expresión regular ambiciosa, puedes utilizar un {{code}}^{{/code}} para anclarla al inicio de la URL. Por ejemplo: {{code}}%(ejemplo)s{{/code}}."],"Remember to enable the \"regex\" option if this is a regular expression.":["Recuerda activar la opción «regex» si se trata de una expresión regular."],"The source URL should probably start with a {{code}}/{{/code}}":["La URL de origen probablemente debería comenzar con un {{code}}/{{/code}}."],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Esto se convertirá en una redirección de servidor para el dominio {{code}}%(server)s{{{/code}}}."],"Anchor values are not sent to the server and cannot be redirected.":["Los valores de anclaje no se envían al servidor y no pueden ser redirigidos."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["¡Terminado! 🎉"],"Progress: %(complete)d$":["Progreso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Salir antes de que el proceso haya terminado puede causar problemas."],"Setting up Redirection":["Configurando Redirection"],"Upgrading Redirection":["Actualizando Redirection"],"Please remain on this page until complete.":["Por favor, permanece en esta página hasta que se complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si quieres {{support}}solicitar ayuda{{/support}}por favor, incluye estos detalles:"],"Stop upgrade":["Parar actualización"],"Skip this stage":["Saltarse esta etapa"],"Try again":["Intentarlo de nuevo"],"Database problem":["Problema en la base de datos"],"Please enable JavaScript":["Por favor, activa JavaScript"],"Please upgrade your database":["Por favor, actualiza tu base de datos"],"Upgrade Database":["Actualizar base de datos"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Por favor, completa tu <a href=\"%s\">configuración de Redirection</a> para activar el plugin."],"Your database does not need updating to %s.":["Tu base de datos no necesita actualizarse a %s."],"Table \"%s\" is missing":["La tabla \"%s\" no existe"],"Create basic data":["Crear datos básicos"],"Install Redirection tables":["Instalar tablas de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["La URL del sitio y de inicio no son consistentes. Por favor, corrígelo en tu página de Ajustes > Generales: %1$1s no es igual a %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Por favor, no intentes redirigir todos tus 404s - no es una buena idea."],"Only the 404 page type is currently supported.":["De momento solo es compatible con el tipo 404 de página de error."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Introduce direcciones IP (una por línea)"],"Describe the purpose of this redirect (optional)":["Describe la finalidad de esta redirección (opcional)"],"418 - I'm a teapot":["418 - Soy una tetera"],"403 - Forbidden":["403 - Prohibido"],"400 - Bad Request":["400 - Mala petición"],"304 - Not Modified":["304 - No modificada"],"303 - See Other":["303 - Ver otra"],"Do nothing (ignore)":["No hacer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino cuando no coinciden (vacío para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino cuando coinciden (vacío para ignorar)"],"Show All":["Mostrar todo"],"Delete logs for these entries":["Borrar los registros de estas entradas"],"Delete logs for this entry":["Borrar los registros de esta entrada"],"Delete Log Entries":["Borrar entradas del registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Sin agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirigir todo"],"Count":["Contador"],"URL and WordPress page type":["URL y tipo de página de WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bueno"],"Check":["Comprobar"],"Check Redirect":["Comprobar la redirección"],"Check redirect for: {{code}}%s{{/code}}":["Comprobar la redirección para: {{code}}%s{{/code}}"],"Not using Redirection":["No uso la redirección"],"Using Redirection":["Usando la redirección"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Error"],"Enter full URL, including http:// or https://":["Introduce la URL completa, incluyendo http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["A veces, tu navegador puede almacenar en caché una URL, lo que dificulta saber si está funcionando como se esperaba. Usa esto para verificar una URL para ver cómo está redirigiendo realmente."],"Redirect Tester":["Probar redirecciones"],"Target":["Destino"],"URL is not being redirected with Redirection":["La URL no está siendo redirigida por Redirection"],"URL is being redirected with Redirection":["La URL está siendo redirigida por Redirection"],"Unable to load details":["No se han podido cargar los detalles"],"Enter server URL to match against":["Escribe la URL del servidor que comprobar"],"Server":["Servidor"],"Enter role or capability value":["Escribe el valor de perfil o capacidad"],"Role":["Perfil"],"Match against this browser referrer text":["Comparar contra el texto de referencia de este navegador"],"Match against this browser user agent":["Comparar contra el agente usuario de este navegador"],"The relative URL you want to redirect from":["La URL relativa desde la que quieres redirigir"],"Add New":["Añadir nueva"],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Site and home protocol":["Protocolo de portada y el sitio"],"Site and home are consistent":["Portada y sitio son consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Date cuenta de que es tu responsabilidad pasar las cabeceras HTTP a PHP. Por favor, contacta con tu proveedor de alojamiento para obtener soporte sobre esto."],"Accept Language":["Aceptar idioma"],"Header value":["Valor de cabecera"],"Header name":["Nombre de cabecera"],"HTTP Header":["Cabecera HTTP"],"WordPress filter name":["Nombre del filtro WordPress"],"Filter Name":["Nombre del filtro"],"Cookie value":["Valor de la cookie"],"Cookie name":["Nombre de la cookie"],"Cookie":["Cookie"],"clearing your cache.":["vaciando tu caché."],"If you are using a caching system such as Cloudflare then please read this: ":["Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"],"URL and HTTP header":["URL y cabecera HTTP"],"URL and custom filter":["URL y filtro personalizado"],"URL and cookie":["URL y cookie"],"404 deleted":["404 borrado"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Por favor, echa un vistazo al {{link}}estado del plugin{{/link}}. Podría ser capaz de identificar y resolver \"mágicamente\" el problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Un software de caché{{/link}}, en particular Cloudflare, podría cachear lo que no debería. Prueba a borrar todas tus cachés."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Por favor, ¡desactiva temporalmente otros plugins!{{/link}} Esto arregla muchos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."],"Unable to load Redirection ☹️":["No se puede cargar Redirection ☹️"],"WordPress REST API":["REST API de WordPress"],"Useragent Error":["Error de agente de usuario"],"Unknown Useragent":["Agente de usuario desconocido"],"Device":["Dispositivo"],"Operating System":["Sistema operativo"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuario"],"Agent":["Agente"],"No IP logging":["Sin registro de IP"],"Full IP logging":["Registro completo de IP"],"Anonymize IP (mask last part)":["Anonimizar IP (enmascarar la última parte)"],"Monitor changes to %(type)s":["Supervisar cambios de %(type)s"],"IP Logging":["Registro de IP"],"Geo Info":["Información de geolocalización"],"Agent Info":["Información de agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Error de geolocalización de IP"],"Something went wrong obtaining this information":["Algo ha ido mal obteniendo esta información"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Esta es una IP de una red privada. Significa que se encuentra dentro de una casa o red de empresa y no se puede mostrar más información."],"No details are known for this address.":["No se conoce ningún detalle para esta dirección."],"Geo IP":["Geolocalización de IP"],"City":["Ciudad"],"Area":["Área"],"Timezone":["Zona horaria"],"Geo Location":["Geolocalización"],"Powered by {{link}}redirect.li{{/link}}":["Funciona gracias a {{link}}redirect.li{{/link}}"],"Trash":["Papelera"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentación completa de Redirection está en {{site}}https://redirection.me{{/site}}. Si tienes algún problema, por favor revisa primero las {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si quieres enviar información y no quieres que se incluya en un repositorio público, envíala directamente por {{email}}correo electrónico{{/email}} - ¡incluye toda la información que puedas!"],"Never cache":["No cachear nunca"],"An hour":["Una hora"],"Redirect Cache":["Redireccionar caché"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"],"Are you sure you want to import from %s?":["¿Estás seguro de querer importar de %s?"],"Plugin Importers":["Importadores de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Se han detectado los siguientes plugins de redirección en tu sitio y se puede importar desde ellos."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requiere WordPress v%1s, estás usando v%2s - por favor, actualiza tu WordPress"],"Default WordPress \"old slugs\"":["\"Viejos slugs\" por defecto de WordPress"],"Create associated redirect (added to end of URL)":["Crea una redirección asociada (añadida al final de la URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> no está definido. Esto normalmente significa que otro plugin está impidiendo que cargue Redirection. Por favor, desactiva todos los plugins e inténtalo de nuevo."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si no funciona el botón mágico entonces deberías leer el error y ver si puedes arreglarlo manualmente, o sino seguir la sección 'Necesito ayuda' de abajo."],"⚡️ Magic fix ⚡️":["⚡️ Arreglo mágico ⚡️"],"Plugin Status":["Estado del plugin"],"Custom":["Personalizado"],"Mobile":["Móvil"],"Feed Readers":["Lectores de feeds"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Supervisar cambios de URL"],"Save changes to this group":["Guardar los cambios de este grupo"],"For example \"/amp\"":["Por ejemplo \"/amp\""],"URL Monitor":["Supervisar URL"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Tu servidor rechazó la petición por ser demasiado grande. Necesitarás volver a configurarla para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["También comprueba si tu navegador puede cargar <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si estás usando un plugin o servicio (CloudFlare, OVH, etc.) de caché de página entonces también puedes probar a vaciar la caché."],"Unable to load Redirection":["No ha sido posible cargar Redirection"],"Post monitor group is valid":["El grupo de supervisión de entradas es válido"],"Post monitor group is invalid":["El grupo de supervisión de entradas no es válido"],"Post monitor group":["Grupo de supervisión de entradas"],"All redirects have a valid group":["Todas las redirecciones tienen un grupo válido"],"Redirects with invalid groups detected":["Detectadas redirecciones con grupos no válidos"],"Valid redirect group":["Grupo de redirección válido"],"Valid groups detected":["Detectados grupos válidos"],"No valid groups, so you will not be able to create any redirects":["No hay grupos válidos, así que no podrás crear redirecciones"],"Valid groups":["Grupos válidos"],"Database tables":["Tablas de la base de datos"],"The following tables are missing:":["Faltan las siguientes tablas:"],"All tables present":["Están presentes todas las tablas"],"Cached Redirection detected":["Detectada caché de Redirection"],"Please clear your browser cache and reload this page.":["Por favor, vacía la caché de tu navegador y recarga esta página"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress no ha devuelto una respuesta. Esto podría significar que ocurrió un error o que la petición se bloqueó. Por favor, revisa el error_log de tu servidor."],"If you think Redirection is at fault then create an issue.":["Si crees que es un fallo de Redirection entonces envía un aviso de problema."],"This may be caused by another plugin - look at your browser's error console for more details.":["Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."],"Loading, please wait...":["Cargando, por favor espera…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}formato de archivo CSV{{/strong}}: {{code}}URL de origen, URL de destino{{/code}} - y puede añadirse opcionalmente {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 para no, 1 para sí)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["La redirección no está funcionando. Trata de vaciar la caché de tu navegador y recarga esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si eso no ayuda abre la consola de errores de tu navegador y crea un {{link}}aviso de problema nuevo{{/link}} con los detalles."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Need help?":["¿Necesitas ayuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Por favor, date cuenta de que todo soporte se ofrece sobre la base del tiempo disponible y no está garantizado. No ofrezco soporte de pago."],"Pos":["Pos"],"410 - Gone":["410 - Desaparecido"],"Position":["Posición"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Se usa para generar automáticamente una URL si no se ofrece una URL. Utiliza las etiquetas especiales {{code}}$dec${{/code}} o {{code}}$hex${{/code}} para insertar un ID único insertado"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"Import to group":["Importar a un grupo"],"Import a CSV, .htaccess, or JSON file.":["Importa un archivo CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Haz clic en 'Añadir archivo' o arrastra y suelta aquí."],"Add File":["Añadir archivo"],"File selected":["Archivo seleccionado"],"Importing":["Importando"],"Finished importing":["Importación finalizada"],"Total redirects imported:":["Total de redirecciones importadas:"],"Double-check the file is the correct format!":["¡Vuelve a comprobar que el archivo esté en el formato correcto!"],"OK":["Aceptar"],"Close":["Cerrar"],"Export":["Exportar"],"Everything":["Todo"],"WordPress redirects":["Redirecciones WordPress"],"Apache redirects":["Redirecciones Apache"],"Nginx redirects":["Redirecciones Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess de Apache"],"Nginx rewrite rules":["Reglas de rewrite de Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Errores 404"],"Redirection saved":["Redirección guardada"],"Log deleted":["Registro borrado"],"Settings saved":["Ajustes guardados"],"Group saved":["Grupo guardado"],"Are you sure you want to delete this item?":["¿Estás seguro de querer borrar este elemento?","¿Estás seguro de querer borrar estos elementos?"],"pass":["pass"],"All groups":["Todos los grupos"],"301 - Moved Permanently":["301 - Movido permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirección temporal"],"308 - Permanent Redirect":["308 - Redirección permanente"],"401 - Unauthorized":["401 - No autorizado"],"404 - Not Found":["404 - No encontrado"],"Title":["Título"],"When matched":["Cuando coincide"],"with HTTP code":["con el código HTTP"],"Show advanced options":["Mostrar opciones avanzadas"],"Matched Target":["Objetivo coincidente"],"Unmatched Target":["Objetivo no coincidente"],"Saving...":["Guardando…"],"View notice":["Ver aviso"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Bulk Actions":["Acciones en lote"],"Apply":["Aplicar"],"First page":["Primera página"],"Prev page":["Página anterior"],"Current Page":["Página actual"],"of %(page)s":["de %(page)s"],"Next page":["Página siguiente"],"Last page":["Última página"],"%s item":["%s elemento","%s elementos"],"Select All":["Elegir todos"],"Sorry, something went wrong loading the data - please try again":["Lo siento, pero algo fue mal al cargar los datos - por favor, inténtalo de nuevo"],"No results":["No hay resultados"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."],"Newsletter":["Boletín"],"Want to keep up to date with changes to Redirection?":["¿Quieres estar al día de los cambios en Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Regístrate al pequeño boletín de Redirection - un boletín liviano sobre las nuevas funcionalidades y cambios en el plugin. Ideal si quieres probar los cambios de la versión beta antes de su lanzamiento."],"Your email address:":["Tu dirección de correo electrónico:"],"You've supported this plugin - thank you!":["Ya has apoyado a este plugin - ¡gracias!"],"You get useful software and I get to carry on making it better.":["Tienes un software útil y yo seguiré haciéndolo mejor."],"Forever":["Siempre"],"Delete the plugin - are you sure?":["Borrar el plugin - ¿estás seguro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Al borrar el plugin se eliminarán todas tus redirecciones, registros y ajustes. Haz esto si estás seguro de que quieres borrar el plugin, o si quieres restablecer el plugin. "],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Una vez borres tus redirecciones dejarán de funcionar. Si parece que siguen funcionando entonces, por favor, vacía la caché de tu navegador."],"Yes! Delete the plugin":["¡Sí! Borrar el plugin"],"No! Don't delete the plugin":["¡No! No borrar el plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestiona todas tus redirecciones 301 y supervisa tus errores 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection se puede usar gratis - ¡La vida es maravillosa y encantadora! Sin embargo, ha requerido una gran cantidad de tiempo y esfuerzo desarrollarlo y, si te ha sido útil, puedes ayudar a este desarrollo {{strong}}haciendo una pequeña donación{{/strong}}. "],"Redirection Support":["Soporte de Redirection"],"Support":["Soporte"],"404s":["404s"],"Log":["Registro"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Seleccionando esta opción borrara todas las redirecciones, todos los registros, y cualquier opción asociada con el plugin Redirection. Asegurese que es esto lo que desea hacer."],"Delete Redirection":["Borrar Redirection"],"Upload":["Subir"],"Import":["Importar"],"Update":["Actualizar"],"Auto-generate URL":["Auto generar URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token único que permite acceso de los lectores de feeds a los registros RSS de Redirection (déjalo en blanco para que se genere automáticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros 404"],"(time to keep logs for)":["(tiempo que se mantendrán los registros)"],"Redirect Logs":["Registros de redirecciones"],"I'm a nice person and I have helped support the author of this plugin":["Soy una buena persona y he apoyado al autor de este plugin"],"Plugin Support":["Soporte del plugin"],"Options":["Opciones"],"Two months":["Dos meses"],"A month":["Un mes"],"A week":["Una semana"],"A day":["Un dia"],"No logs":["No hay logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utiliza grupos para organizar tus redirecciones. Los grupos se asignan a un módulo, lo cual afecta a cómo se realizan las redirecciones en ese grupo. Si no estás seguro entonces utiliza el módulo WordPress."],"Add Group":["Añadir grupo"],"Search":["Buscar"],"Groups":["Grupos"],"Save":["Guardar"],"Group":["Grupo"],"Regular Expression":["Expresión regular"],"Match":["Coincidencia"],"Add new redirection":["Añadir nueva redirección"],"Cancel":["Cancelar"],"Download":["Descargar"],"Redirection":["Redirection"],"Settings":["Ajustes"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"IP":["IP"],"Source URL":["URL de origen"],"Date":["Fecha"],"Add Redirect":["Añadir redirección"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filters":["Filtros"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Borrar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Entradas modificadas"],"Redirections":["Redirecciones"],"User Agent":["Agente usuario HTTP"],"URL and user agent":["URL y cliente de usuario (user agent)"],"Target URL":["URL de destino"],"URL only":["Sólo URL"],"HTTP code":["Código HTTP"],"Regex":["Expresión regular"],"Referrer":["Referente"],"URL and referrer":["URL y referente"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["Estado de URL y conexión"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-es_VE.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Tus páginas de administración están en la caché. Vacía esta caché e inténtalo de nuevo. Puede haber implicadas varias cachés."],"This is usually fixed by doing one of the following:":["Esto normalmente se corrige haciendo algo de lo siguiente:"],"You are using an old or cached session":["Estás usando una sesión antigua o en la caché"],"Please review your data and try again.":["Por favor, revisa tus datos e inténtalo de nuevo."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["Ha habido un problema al hacer una solicitud a tu sitio. Esto podría indicar que has proporcionado datos que no cumplen con los requisitos o que plugin ha enviado una mala solicitud."],"Bad data":["Datos malos"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress ha devuelto un mensaje inesperado. Esto podría ser un error de PHP de otro plugin o datos insertados por tu tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Tu API REST de WordPress ha sido desactivada. Tendrías que activarla para continuar."],"An unknown error occurred.":["Ha ocurrido un error desconocido."],"Your REST API is being redirected. Please remove the redirection for the API.":["Tu API REST está siendo redirigida. Por favor, elimina la redirección para la API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Un plugin de seguridad o un cortafuegos está bloqueando el acceso. Tendrás que poner la API REST en lista blanca."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["La configuración de tu servidor está bloqueando el acceso a la API REST. Tendrás que corregir esto."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Comprueba la {{link}}salud del sitio{{/link}} y corrige cualquier problema."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":["¿Puedes acceder a tu {{api}}API REST{{/api}} sin redireccionar? Si no es así, tendrás que corregir cualquier problema."],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["Tu API REST está devolviendo una página 404. Esto es casi con certeza debido a un problema con un plugin externo o con la configuración del servidor."],"Debug Information":["Información de depuración"],"Show debug":["Mostrar la depuración"],"View Data":["Ver los datos"],"Other":["Otros"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection no almacena ninguna información que identifique a los usuarios que no esté configurada arriba. Es tu responsabilidad asegurar que tu sitio cumple con cualquier {{link}}requisito de privacidad{{/link}} aplicable."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Captura la información HTTP de la cabecera con registros (excepto cookies). Puede incluir información de los usuarios y podría aumentar el tamaño de tu registro."],"Track redirect hits and date of last access. Contains no user information.":["Seguimiento de visitas a redirecciones y la fecha del último acceso. No contiene ninguna información de los usuarios."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":["Registra redirecciones «externas» - las que no son de Redirection. Esto puede aumentar el tamaño de tu registro y no contiene ninguna información de los usuarios."],"Logging":["Registro"],"(IP logging level)":["(Nivel de registro de IP)"],"Are you sure you want to delete the selected items?":["¿Seguro que quieres borrar los elementos seleccionados?"],"View Redirect":["Ver la redirección"],"RSS":["RSS"],"Group by user agent":["Agrupar por agente de usuario"],"Search domain":["Buscar un dominio"],"Redirect By":["Redirigido por"],"Domain":["Dominio"],"Method":["Método"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Si eso no ayuda, entonces {{strong}}crea un informe de problemas{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Por favor, echa un vistazo al {{link}}sitio de soporte{{/link}} antes de seguir adelante."],"Something went wrong when upgrading Redirection.":["Algo ha ido mal al actualizar Redirection."],"Something went wrong when installing Redirection.":["Algo ha ido mal al instalar Redirection."],"Apply To All":["Aplicar a todo"],"Bulk Actions (all)":["Acciones en lote (todo)"],"Actions applied to all selected items":["Acciones aplicadas a todos los elementos seleccionados"],"Actions applied to everything that matches current filter":["Acciones aplicadas a todo lo que coincida con el filtro actual"],"Redirect Source":["Origen de la redirección"],"Request Headers":["Cabeceras de la solicitud"],"Exclude from logs":["Excluir de los registros"],"Cannot connect to the server to determine the redirect status.":["No se puede conectar con el servidor para determinar el estado de la redirección."],"Your URL is cached and the cache may need to be cleared.":["Tu URL está en la caché y puede que la caché tenga que ser vaciada."],"Something else other than Redirection is redirecting this URL.":["Alguien, que no es Redirection, está redirigiendo esta URL."],"Relocate to domain":["Reubicar a dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["¿Quieres redirigir todo el sitio? Introduce un dominio para redirigir todo, excepto el acceso a WordPress y el escritorio. Al activar esta opción se desactivará cualquier alias de sitio o ajustes canónicos."],"Relocate Site":["Reubicar sitio"],"Add CORS Presets":["Añadir preajustes CORS"],"Add Security Presets":["Añadir preajustes de seguridad"],"Add Header":["Añadir cabecera"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Debes actualizar la URL de tu sitio para que coincida con tus ajustes canónicos: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferido"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS está funcionando antes de forzar una redirección."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forzar una redirección de HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Ajustes canónicos"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Añadir www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Eliminar www del dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["No establecer un dominio preferido - {{code}}%(site)s{{/code}}"],"Add Alias":["Añadir alias"],"No aliases":["Sin alias"],"Alias":["Alias"],"Aliased Domain":["Dominio con alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Necesitarás configurar tu sistema (DNS y servidor) para pasar solicitudes de estos dominios a esta instalación de WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de sitio es otro dominio que deseas redirigir a este sitio. Por ejemplo, un dominio antiguo o un subdominio. Esto redirigirá todas las URL, incluidas las de acceso a y escritorio de WordPress."],"Site Aliases":["Alias ​​de sitio"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["El plugin de acompañamiento «Search Regex» te permite buscar y reemplazar datos en tu sitio. También es compatible con «Redirection», y es útil si quieres actualizar por lotes montones de redirecciones."],"Need to search and replace?":["¿Necesitas buscar y reemplazar?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Las opciones en esta página pueden causar problemas si se usan incorrectamente. Puedes {{link}}desactivarlas temporalmente{{/link}} para realizar cambios."],"Please wait, importing.":["Por favor, espera, importando."],"Continue":["Continuar"],"The following plugins have been detected.":["Se han detectado los siguientes plugins."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automáticamente redirecciones cuando cambias la URL de una entrada. Importarlas en Redirection te permitirá gestionarlas y supervisarlas."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importar las redirecciones existentes desde WordPress u otros plugins es un buen modo de empezar con Redirection. Revisa cada conjunto de redirecciones que desees importar."],"Import Existing Redirects":["Importar redirecciones existentes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["¡Eso es todo - ahora estás redirigiendo! Ten en cuenta que lo de arriba es solo un ejemplo."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si deseas redirigir todo, utiliza una reubicación del sitio o un alias desde la página del sitio."],"Value":["Valor"],"Values":["Valores"],"All":["Todos"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ten en cuenta que tu servidor establece algunas cabeceras HTTP que no se pueden cambiar."],"No headers":["Sin cabeceras"],"Header":["Cabecera"],"Location":["Ubicación"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Las cabeceras del sitio se añaden a todo el sitio, incluidas las redirecciones. Las cabeceras de redirección solo se añaden a las redirecciones."],"HTTP Headers":["Cabeceras HTTP"],"Custom Header":["Cabecera personalizada"],"General":["General"],"Redirect":["Redirigir"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Algunos servidores pueden configurarse para servir recursos de archivos directamente, evitando que se produzca una redirección."],"Site":["Sitio"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["No se puede realizar la solicitud debido a la seguridad del navegador. Esto suele ocurrir porque las configuraciones de WordPress y de la URL del sitio son inconsistentes o la política de intercambio de recursos de origen cruzado («CORS») de su sitio bloqueó la solicitud."],"Ignore & Pass Query":["Ignorar y pasar la consulta"],"Ignore Query":["Ignorar la consulta"],"Exact Query":["Consulta exacta"],"Search title":["Buscar título"],"Not accessed in last year":["No se ha accedido en el último año"],"Not accessed in last month":["No se ha accedido en el último mes"],"Never accessed":["No se ha accedido nunca"],"Last Accessed":["Último acceso"],"HTTP Status Code":["Código HTTP de estado"],"Plain":["Plano"],"URL match":["Coincidencia de URL"],"Source":["Fuente"],"Code":["Código"],"Action Type":["Tipo de acción"],"Match Type":["Tipo de coincidencia"],"Search target URL":["Buscar URL de destino"],"Search IP":["Buscar IP"],"Search user agent":["Buscar agente de usuario"],"Search referrer":["Buscar remitente"],"Search URL":["Buscar URL"],"Filter on: %(type)s":["Filtrar en: %(tipo)s"],"Disabled":["Desactivada"],"Enabled":["Activada"],"Compact Display":["Vista compacta"],"Standard Display":["Vista estándar"],"Status":["Estado"],"Pre-defined":["Predefinido"],"Custom Display":["Vista personalizada"],"Display All":["Mostrar todo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Tu URL parece que continene un dominio dentro de la ruta: {{code}}%(relative)s{{/code}}. ¿Querías usar {{code}}%(absolute)s{{/code}} en su lugar?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista de idiomas, separados por comas, con los que coincidir (por ejemplo, es_ES)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tiempo de espera de la puerta de enlace agotado"],"503 - Service Unavailable":["503 - Servicio no disponible"],"502 - Bad Gateway":["502 - Puerta de enlace incorrecta"],"501 - Not implemented":["501 - No implementado"],"500 - Internal Server Error":["500 - Error interno del servidor"],"451 - Unavailable For Legal Reasons":["451 - No disponible por motivos legales"],"URL and language":["URL e idioma"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Sal, vacía la caché de tu navegador y vuelve a acceder - tu navegador ha guardado en la caché una sesión antigua."],"Reload the page - your current session is old.":["Recarga la página - tu sesión actual es antigua."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Se ha detectado un bucle y la actualización se ha detenido. Normalmente, esto indica que {{support}}tu sitio está almacenado en la caché{{/support}} y los cambios en la base de datos no se están guardando."],"Unable to save .htaccess file":["No ha sido posible guardar el archivo .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["La redirecciones añadidas a un grupo de Apache se puede guardar a un fichero {{code}}.htaccess{{/code}} añadiendo aquí la ruta completa. Para tu referencia, tu instalación de WordPress está en {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Haz clic en «Completar la actualización» cuando hayas acabado."],"Automatic Install":["Instalación automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Tu dirección de destino contiene el carácter no válido {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si estás usando WordPress 5.2 o superior, mira en tu {{link}}salud del sitio{{/link}} y resuelve los problemas."],"If you do not complete the manual install you will be returned here.":["Si no completas la instalación manual volverás aquí."],"Click \"Finished! 🎉\" when finished.":["Haz clic en «¡Terminado! 🎉» cuando hayas acabado."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Tu sitio necesita permisos especiales para la base de datos. También lo puedes hacer tú mismo ejecutando el siguiente SQL."],"Manual Install":["Instalación manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Permisos insuficientes para la base de datos detectados. Proporciónale a tu usuario de base de datos los permisos necesarios."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta información se proporciona con propósitos de depuración. Ten cuidado al hacer cambios."],"Plugin Debug":["Depuración del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection se comunica con WordPress a través de la REST API de WordPress. Este es un componente estándar de WordPress, y tendrás problemas si no puedes usarla."],"IP Headers":["Cabeceras IP"],"Do not change unless advised to do so!":["¡No lo cambies a menos que te lo indiquen!"],"Database version":["Versión de base de datos"],"Complete data (JSON)":["Datos completos (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection. El formato JSON contiene información completa, y otros formatos contienen información parcial apropiada para el formato."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["El CSV no incluye toda la información, y todo se importa/exporta como coincidencias de «Sólo URL». Usa el formato JSON para obtener un conjunto completo de datos."],"All imports will be appended to the current database - nothing is merged.":["Todas las importaciones se adjuntarán a la base de datos actual; nada se combina."],"Automatic Upgrade":["Actualización automática"],"Manual Upgrade":["Actualización manual"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Por favor, haz una copia de seguridad de tus datos de Redirection: {{download}}descargando una copia de seguridad{{/download}}. Si experimentas algún problema puedes importarlo de vuelta a Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Haz clic en el botón «Actualizar base de datos» para actualizar automáticamente la base de datos."],"Complete Upgrade":["Completar la actualización"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection almacena datos en tu base de datos y a veces es necesario actualizarla. Tu base de datos está en la versión {{strong}}%(current)s{{/strong}} y la última es {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Ten en cuenta que necesitarás establecer la ruta del módulo de Apache en tus opciones de Redirection."],"I need support!":["¡Necesito ayuda!"],"You will need at least one working REST API to continue.":["Necesitarás al menos una API REST funcionando para continuar."],"Check Again":["Comprobar otra vez"],"Testing - %s$":["Comprobando - %s$"],"Show Problems":["Mostrar problemas"],"Summary":["Resumen"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Tu REST API no funciona y el plugin no podrá continuar hasta que esto se arregle."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Hay algunos problemas para conectarse a tu REST API. No es necesario solucionar estos problemas y el plugin puede funcionar."],"Unavailable":["No disponible"],"Working but some issues":["Funciona pero con algunos problemas"],"Current API":["API actual"],"Switch to this API":["Cambiar a esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar completo"],"Working!":["¡Trabajando!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Tu URL de destino debería ser una URL absoluta como {{code}}https://domain.com/%(url)s{{/code}} o comenzar con una barra inclinada {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Tu fuente es la misma que la de destino, y esto creará un bucle. Deja el destino en blanco si no quieres tomar medidas."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["La URL de destino que quieres redirigir o autocompletar automáticamente en el nombre de la publicación o enlace permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Incluye estos detalles en tu informe junto con una descripción de lo que estabas haciendo y una captura de pantalla."],"Create An Issue":["Crear una incidencia"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Esto podría ser un plugin de seguridad, o que tu servidor está sin memoria o que exista un error externo. Por favor, comprueba el registro de errores de tu servidor"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Es probable que tu REST API esté siendo bloqueada por un plugin de seguridad. Por favor, desactívalo o configúralo para permitir solicitudes de la REST API."],"Read this REST API guide for more information.":["Lee esta guía de la REST API para más información."],"URL options / Regex":["Opciones de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecciones"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Las estructuras de enlaces permanentes de WordPress no funcionan en URLs normales. Por favor, utiliza una expresión regular."],"Pass - as ignore, but also copies the query parameters to the target":["Pasar - como ignorar, peo también copia los parámetros de consulta al destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como la coincidencia exacta, pero ignora cualquier parámetro de consulta que no esté en tu origen"],"Exact - matches the query parameters exactly defined in your source, in any order":["Coincidencia exacta - coincide exactamente con los parámetros de consulta definidos en tu origen, en cualquier orden"],"Default query matching":["Coincidencia de consulta por defecto"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora barras invertidas (p.ej. {{code}}/entrada-alucinante/{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Sin coincidencia de mayúsculas/minúsculas (p.ej. {{code}}/Entrada-Alucinante{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Se aplica a todas las redirecciones a menos que las configures de otro modo."],"Default URL settings":["Ajustes de URL por defecto"],"Ignore and pass all query parameters":["Ignora y pasa todos los parámetros de consulta"],"Ignore all query parameters":["Ignora todos los parámetros de consulta"],"Exact match":["Coincidencia exacta"],"Caching software (e.g Cloudflare)":["Software de caché (p. ej. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin de seguridad (p. ej. Wordfence)"],"URL options":["Opciones de URL"],"Query Parameters":["Parámetros de consulta"],"Ignore & pass parameters to the target":["Ignorar y pasar parámetros al destino"],"Ignore all parameters":["Ignorar todos los parámetros"],"Exact match all parameters in any order":["Coincidencia exacta de todos los parámetros en cualquier orden"],"Ignore Case":["Ignorar mayúsculas/minúsculas"],"Ignore Slash":["Ignorar barra inclinada"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST completa"],"Default REST API":["API REST por defecto"],"(Example) The target URL is the new URL":["(Ejemplo) La URL de destino es la nueva URL"],"(Example) The source URL is your old or original URL":["(Ejemplo) La URL de origen es tu URL antigua u original"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["¡Desactivado! Detectado PHP %1$s, se necesita PHP %2$s o superior"],"A database upgrade is in progress. Please continue to finish.":["Hay una actualización de la base de datos en marcha. Por favor, continua para terminar."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Hay que actualizar la base de datos de Redirection - <a href=\"%1$1s\">haz clic para actualizar</a>."],"Redirection database needs upgrading":["La base de datos de Redirection necesita actualizarse"],"Upgrade Required":["Actualización necesaria"],"Finish Setup":["Finalizar configuración"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Tienes diferentes URLs configuradas en tu página ajustes de WordPress > General, lo que normalmente es una indicación de una mala configuración, y puede causar problemas con la API REST. Por favor, revisa tus ajustes."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si tienes algún problema, por favor consulta la documentación de tu plugin, o intenta contactar con el soporte de tu alojamiento. Esto es normalmente {{{link}}no suele ser un problema causado por Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algún otro plugin que bloquea la API REST"],"A server firewall or other server configuration (e.g OVH)":["Un cortafuegos del servidor u otra configuración del servidor (p.ej. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utiliza la {{link}}WordPress REST API{{/link}} para comunicarse con WordPress. Esto está activado y funciona de forma predeterminada. A veces la API REST está bloqueada por:"],"Go back":["Volver"],"Continue Setup":["Continuar la configuración"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["El almacenamiento de la dirección IP te permite realizar acciones de registro adicionales. Ten en cuenta que tendrás que cumplir con las leyes locales relativas a la recopilación de datos (por ejemplo, RGPD)."],"Store IP information for redirects and 404 errors.":["Almacena información IP para redirecciones y errores 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Almacena registros de redirecciones y 404s te permitirá ver lo que está pasando en tu sitio. Esto aumentará los requisitos de almacenamiento de la base de datos."],"Keep a log of all redirects and 404 errors.":["Guarda un registro de todas las redirecciones y errores 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leer más sobre esto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si cambias el enlace permanente en una entrada o página, entonces Redirection puede crear automáticamente una redirección para ti."],"Monitor permalink changes in WordPress posts and pages":["Supervisar los cambios de los enlaces permanentes en las entradas y páginas de WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas son algunas de las opciones que puedes activar ahora. Se pueden cambiar en cualquier momento."],"Basic Setup":["Configuración básica"],"Start Setup":["Iniciar configuración"],"When ready please press the button to continue.":["Cuando estés listo, pulsa el botón para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primero se te harán algunas preguntas, y luego Redirection configurará tu base de datos."],"What's next?":["¿Cuáles son las novedades?"],"Check a URL is being redirected":["Comprueba si una URL está siendo redirigida"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Coincidencia de URLs más potente, incluidas las expresiones {{regular}}regulares {{/regular}}, y {{other}} otras condiciones{{{/other}}."],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importar{{/link}} desde .htaccess, CSV, y una gran variedad de otros plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Supervisar errores 404{{{/link}}, obtener información detallada sobre el visitante, y solucionar cualquier problema"],"Some features you may find useful are":["Algunas de las características que puedes encontrar útiles son"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["La documentación completa la puedes encontrar en la {{link}}web de Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Una redirección simple implica configurar una {{strong}}URL de origen{{/strong}}} (la URL antigua) y una {{strong}}URL de destino{{/strong}} (la nueva URL). Aquí tienes un ejemplo:"],"How do I use this plugin?":["¿Cómo utilizo este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection está diseñado para utilizarse desde sitios con unos pocos redirecciones a sitios con miles de redirecciones."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Gracias por instalar y usar Redirection v%(version)s. Este plugin te permitirá gestionar redirecciones 301, realizar un seguimiento de los errores 404, y mejorar tu sitio, sin necesidad de tener conocimientos de Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenido a Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Para evitar una expresión regular ambiciosa, puedes utilizar un {{code}}^{{/code}} para anclarla al inicio de la URL. Por ejemplo: {{code}}%(ejemplo)s{{/code}}."],"Remember to enable the \"regex\" option if this is a regular expression.":["Recuerda activar la opción «regex» si se trata de una expresión regular."],"The source URL should probably start with a {{code}}/{{/code}}":["La URL de origen probablemente debería comenzar con un {{code}}/{{/code}}."],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Esto se convertirá en una redirección de servidor para el dominio {{code}}%(server)s{{{/code}}}."],"Anchor values are not sent to the server and cannot be redirected.":["Los valores de anclaje no se envían al servidor y no pueden ser redirigidos."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["¡Terminado! 🎉"],"Progress: %(complete)d$":["Progreso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Salir antes de que el proceso haya terminado puede causar problemas."],"Setting up Redirection":["Configurando Redirection"],"Upgrading Redirection":["Actualizando Redirection"],"Please remain on this page until complete.":["Por favor, permanece en esta página hasta que se complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si quieres {{support}}solicitar ayuda{{/support}}por favor, incluye estos detalles:"],"Stop upgrade":["Parar actualización"],"Skip this stage":["Saltarse esta etapa"],"Try again":["Intentarlo de nuevo"],"Database problem":["Problema en la base de datos"],"Please enable JavaScript":["Por favor, activa JavaScript"],"Please upgrade your database":["Por favor, actualiza tu base de datos"],"Upgrade Database":["Actualizar base de datos"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Por favor, completa tu <a href=\"%s\">configuración de Redirection</a> para activar el plugin."],"Your database does not need updating to %s.":["Tu base de datos no necesita actualizarse a %s."],"Table \"%s\" is missing":["La tabla \"%s\" no existe"],"Create basic data":["Crear datos básicos"],"Install Redirection tables":["Instalar tablas de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["La URL del sitio y de inicio no son consistentes. Por favor, corrígelo en tu página de Ajustes > Generales: %1$1s no es igual a %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Por favor, no intentes redirigir todos tus 404s - no es una buena idea."],"Only the 404 page type is currently supported.":["De momento solo es compatible con el tipo 404 de página de error."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Introduce direcciones IP (una por línea)"],"Describe the purpose of this redirect (optional)":["Describe la finalidad de esta redirección (opcional)"],"418 - I'm a teapot":["418 - Soy una tetera"],"403 - Forbidden":["403 - Prohibido"],"400 - Bad Request":["400 - Mala petición"],"304 - Not Modified":["304 - No modificada"],"303 - See Other":["303 - Ver otra"],"Do nothing (ignore)":["No hacer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino cuando no coinciden (vacío para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino cuando coinciden (vacío para ignorar)"],"Show All":["Mostrar todo"],"Delete logs for these entries":["Borrar los registros de estas entradas"],"Delete logs for this entry":["Borrar los registros de esta entrada"],"Delete Log Entries":["Borrar entradas del registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Sin agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirigir todo"],"Count":["Contador"],"URL and WordPress page type":["URL y tipo de página de WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bueno"],"Check":["Comprobar"],"Check Redirect":["Comprobar la redirección"],"Check redirect for: {{code}}%s{{/code}}":["Comprobar la redirección para: {{code}}%s{{/code}}"],"Not using Redirection":["No uso la redirección"],"Using Redirection":["Usando la redirección"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Error"],"Enter full URL, including http:// or https://":["Introduce la URL completa, incluyendo http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["A veces, tu navegador puede almacenar en caché una URL, lo que dificulta saber si está funcionando como se esperaba. Usa esto para verificar una URL para ver cómo está redirigiendo realmente."],"Redirect Tester":["Probar redirecciones"],"Target":["Destino"],"URL is not being redirected with Redirection":["La URL no está siendo redirigida por Redirection"],"URL is being redirected with Redirection":["La URL está siendo redirigida por Redirection"],"Unable to load details":["No se han podido cargar los detalles"],"Enter server URL to match against":["Escribe la URL del servidor que comprobar"],"Server":["Servidor"],"Enter role or capability value":["Escribe el valor de perfil o capacidad"],"Role":["Perfil"],"Match against this browser referrer text":["Comparar contra el texto de referencia de este navegador"],"Match against this browser user agent":["Comparar contra el agente usuario de este navegador"],"The relative URL you want to redirect from":["La URL relativa desde la que quieres redirigir"],"Add New":["Añadir nueva"],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Site and home protocol":["Protocolo de portada y el sitio"],"Site and home are consistent":["Portada y sitio son consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Date cuenta de que es tu responsabilidad pasar las cabeceras HTTP a PHP. Por favor, contacta con tu proveedor de alojamiento para obtener soporte sobre esto."],"Accept Language":["Aceptar idioma"],"Header value":["Valor de cabecera"],"Header name":["Nombre de cabecera"],"HTTP Header":["Cabecera HTTP"],"WordPress filter name":["Nombre del filtro WordPress"],"Filter Name":["Nombre del filtro"],"Cookie value":["Valor de la cookie"],"Cookie name":["Nombre de la cookie"],"Cookie":["Cookie"],"clearing your cache.":["vaciando tu caché."],"If you are using a caching system such as Cloudflare then please read this: ":["Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"],"URL and HTTP header":["URL y cabecera HTTP"],"URL and custom filter":["URL y filtro personalizado"],"URL and cookie":["URL y cookie"],"404 deleted":["404 borrado"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Por favor, echa un vistazo al {{link}}estado del plugin{{/link}}. Podría ser capaz de identificar y resolver \"mágicamente\" el problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Un software de caché{{/link}}, en particular Cloudflare, podría cachear lo que no debería. Prueba a borrar todas tus cachés."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Por favor, ¡desactiva temporalmente otros plugins!{{/link}} Esto arregla muchos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."],"Unable to load Redirection ☹️":["No se puede cargar Redirection ☹️"],"WordPress REST API":["REST API de WordPress"],"Useragent Error":["Error de agente de usuario"],"Unknown Useragent":["Agente de usuario desconocido"],"Device":["Dispositivo"],"Operating System":["Sistema operativo"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuario"],"Agent":["Agente"],"No IP logging":["Sin registro de IP"],"Full IP logging":["Registro completo de IP"],"Anonymize IP (mask last part)":["Anonimizar IP (enmascarar la última parte)"],"Monitor changes to %(type)s":["Monitorizar cambios de %(type)s"],"IP Logging":["Registro de IP"],"Geo Info":["Información de geolocalización"],"Agent Info":["Información de agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Error de geolocalización de IP"],"Something went wrong obtaining this information":["Algo ha ido mal obteniendo esta información"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Esta es una IP de una red privada. Significa que se encuentra dentro de una casa o red de empresa y no se puede mostrar más información."],"No details are known for this address.":["No se conoce ningún detalle para esta dirección."],"Geo IP":["Geolocalización de IP"],"City":["Ciudad"],"Area":["Área"],"Timezone":["Zona horaria"],"Geo Location":["Geolocalización"],"Powered by {{link}}redirect.li{{/link}}":["Funciona gracias a {{link}}redirect.li{{/link}}"],"Trash":["Papelera"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentación completa de Redirection está en {{site}}https://redirection.me{{/site}}. Si tienes algún problema, por favor revisa primero las {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si quieres enviar información y no quieres que se incluya en un repositorio público, envíala directamente por {{email}}correo electrónico{{/email}} - ¡incluye toda la información que puedas!"],"Never cache":["No cachear nunca"],"An hour":["Una hora"],"Redirect Cache":["Redireccionar caché"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"],"Are you sure you want to import from %s?":["¿Estás seguro de querer importar de %s?"],"Plugin Importers":["Importadores de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Se han detectado los siguientes plugins de redirección en tu sitio y se puede importar desde ellos."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requiere WordPress v%1$1s, estás usando v%2$2s - por favor, actualiza tu WordPress"],"Default WordPress \"old slugs\"":["\"Viejos slugs\" por defecto de WordPress"],"Create associated redirect (added to end of URL)":["Crea una redirección asociada (añadida al final de la URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> no está definido. Esto normalmente significa que otro plugin está impidiendo que cargue Redirection. Por favor, desactiva todos los plugins e inténtalo de nuevo."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si no funciona el botón mágico entonces deberías leer el error y ver si puedes arreglarlo manualmente, o sino seguir la sección 'Necesito ayuda' de abajo."],"⚡️ Magic fix ⚡️":["⚡️ Arreglo mágico ⚡️"],"Plugin Status":["Estado del plugin"],"Custom":["Personalizado"],"Mobile":["Móvil"],"Feed Readers":["Lectores de feeds"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Monitorizar el cambio de URL"],"Save changes to this group":["Guardar los cambios de este grupo"],"For example \"/amp\"":["Por ejemplo \"/amp\""],"URL Monitor":["Supervisar URL"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Tu servidor ha rechazado la petición por ser demasiado grande. Tendrás que volver a configurarlo para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["También comprueba si tu navegador puede cargar <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si estás usando un plugin o servicio (CloudFlare, OVH, etc.) de caché de página entonces también puedes probar a vaciar la caché."],"Unable to load Redirection":["No ha sido posible cargar Redirection"],"Post monitor group is valid":["El grupo de monitoreo de entradas es válido"],"Post monitor group is invalid":["El grupo de monitoreo de entradas no es válido"],"Post monitor group":["Grupo de monitoreo de entradas"],"All redirects have a valid group":["Todas las redirecciones tienen un grupo válido"],"Redirects with invalid groups detected":["Detectadas redirecciones con grupos no válidos"],"Valid redirect group":["Grupo de redirección válido"],"Valid groups detected":["Detectados grupos válidos"],"No valid groups, so you will not be able to create any redirects":["No hay grupos válidos, así que no podrás crear redirecciones"],"Valid groups":["Grupos válidos"],"Database tables":["Tablas de la base de datos"],"The following tables are missing:":["Faltan las siguientes tablas:"],"All tables present":["Están presentes todas las tablas"],"Cached Redirection detected":["Detectada caché de Redirection"],"Please clear your browser cache and reload this page.":["Por favor, vacía la caché de tu navegador y recarga esta página"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress no ha devuelto una respuesta. Esto podría significar que ocurrió un error o que la petición se bloqueó. Por favor, revisa el error_log de tu servidor."],"If you think Redirection is at fault then create an issue.":["Si crees que es un fallo de Redirection entonces envía un aviso de problema."],"This may be caused by another plugin - look at your browser's error console for more details.":["Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."],"Loading, please wait...":["Cargando, por favor espera…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}formato de archivo CSV{{/strong}}: {{code}}URL de origen, URL de destino{{/code}} - y puede añadirse opcionalmente {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 para no, 1 para sí)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["La redirección no está funcionando. Trata de vaciar la caché de tu navegador y recarga esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si eso no ayuda abre la consola de errores de tu navegador y crea un {{link}}aviso de problema nuevo{{/link}} con los detalles."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Need help?":["¿Necesitas ayuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Por favor, date cuenta de que todo soporte se ofrece sobre la base del tiempo disponible y no está garantizado. No ofrezco soporte de pago."],"Pos":["Pos"],"410 - Gone":["410 - Desaparecido"],"Position":["Posición"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Se usa para generar automáticamente una URL si no se ofrece una URL. Utiliza las etiquetas especiales {{code}}$dec${{/code}} o {{code}}$hex${{/code}} para insertar un ID único insertado"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"Import to group":["Importar a un grupo"],"Import a CSV, .htaccess, or JSON file.":["Importa un archivo CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Haz clic en 'Añadir archivo' o arrastra y suelta aquí."],"Add File":["Añadir archivo"],"File selected":["Archivo seleccionado"],"Importing":["Importando"],"Finished importing":["Importación finalizada"],"Total redirects imported:":["Total de redirecciones importadas:"],"Double-check the file is the correct format!":["¡Vuelve a comprobar que el archivo esté en el formato correcto!"],"OK":["Aceptar"],"Close":["Cerrar"],"Export":["Exportar"],"Everything":["Todo"],"WordPress redirects":["Redirecciones WordPress"],"Apache redirects":["Redirecciones Apache"],"Nginx redirects":["Redirecciones Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess de Apache"],"Nginx rewrite rules":["Reglas de rewrite de Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Errores 404"],"Redirection saved":["Redirección guardada"],"Log deleted":["Registro borrado"],"Settings saved":["Ajustes guardados"],"Group saved":["Grupo guardado"],"Are you sure you want to delete this item?":["¿Estás seguro de querer borrar este elemento?","¿Estás seguro de querer borrar estos elementos?"],"pass":["pass"],"All groups":["Todos los grupos"],"301 - Moved Permanently":["301 - Movido permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirección temporal"],"308 - Permanent Redirect":["308 - Redirección permanente"],"401 - Unauthorized":["401 - No autorizado"],"404 - Not Found":["404 - No encontrado"],"Title":["Título"],"When matched":["Cuando coincide"],"with HTTP code":["con el código HTTP"],"Show advanced options":["Mostrar opciones avanzadas"],"Matched Target":["Objetivo coincidente"],"Unmatched Target":["Objetivo no coincidente"],"Saving...":["Guardando…"],"View notice":["Ver aviso"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Bulk Actions":["Acciones en lote"],"Apply":["Aplicar"],"First page":["Primera página"],"Prev page":["Página anterior"],"Current Page":["Página actual"],"of %(page)s":["de %(page)s"],"Next page":["Página siguiente"],"Last page":["Última página"],"%s item":["%s elemento","%s elementos"],"Select All":["Elegir todos"],"Sorry, something went wrong loading the data - please try again":["Lo siento, pero algo fue mal al cargar los datos - por favor, inténtalo de nuevo"],"No results":["No hay resultados"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."],"Newsletter":["Boletín"],"Want to keep up to date with changes to Redirection?":["¿Quieres estar al día de los cambios en Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Regístrate al pequeño boletín de Redirection - un boletín liviano sobre las nuevas funcionalidades y cambios en el plugin. Ideal si quieres probar los cambios de la versión beta antes de su lanzamiento."],"Your email address:":["Tu dirección de correo electrónico:"],"You've supported this plugin - thank you!":["Ya has apoyado a este plugin - ¡gracias!"],"You get useful software and I get to carry on making it better.":["Tienes un software útil y yo seguiré haciéndolo mejor."],"Forever":["Siempre"],"Delete the plugin - are you sure?":["Borrar el plugin - ¿estás seguro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Al borrar el plugin se eliminarán todas tus redirecciones, registros y ajustes. Haz esto si estás seguro de que quieres borrar el plugin, o si quieres restablecer el plugin. "],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Una vez borres tus redirecciones dejarán de funcionar. Si parece que siguen funcionando entonces, por favor, vacía la caché de tu navegador."],"Yes! Delete the plugin":["¡Sí! Borrar el plugin"],"No! Don't delete the plugin":["¡No! No borrar el plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestiona todas tus redirecciones 301 y monitoriza tus errores 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection se puede usar gratis - ¡La vida es maravillosa y encantadora! Sin embargo, ha requerido una gran cantidad de tiempo y esfuerzo desarrollarlo y, si te ha sido útil, puedes ayudar a este desarrollo {{strong}}haciendo una pequeña donación{{/strong}}. "],"Redirection Support":["Soporte de Redirection"],"Support":["Soporte"],"404s":["404s"],"Log":["Registro"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Seleccionando esta opción borrara todas las redirecciones, todos los registros, y cualquier opción asociada con el plugin Redirection. Asegurese que es esto lo que desea hacer."],"Delete Redirection":["Borrar Redirection"],"Upload":["Subir"],"Import":["Importar"],"Update":["Actualizar"],"Auto-generate URL":["Auto generar URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token único que permite acceso de los lectores de feeds a los registros RSS de Redirection (déjalo en blanco para que se genere automáticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros 404"],"(time to keep logs for)":["(tiempo que se mantendrán los registros)"],"Redirect Logs":["Registros de redirecciones"],"I'm a nice person and I have helped support the author of this plugin":["Soy una buena persona y he apoyado al autor de este plugin"],"Plugin Support":["Soporte del plugin"],"Options":["Opciones"],"Two months":["Dos meses"],"A month":["Un mes"],"A week":["Una semana"],"A day":["Un dia"],"No logs":["No hay logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utiliza grupos para organizar tus redirecciones. Los grupos se asignan a un módulo, lo cual afecta a cómo se realizan las redirecciones en ese grupo. Si no estás seguro entonces utiliza el módulo WordPress."],"Add Group":["Añadir grupo"],"Search":["Buscar"],"Groups":["Grupos"],"Save":["Guardar"],"Group":["Grupo"],"Regular Expression":["Expresión regular"],"Match":["Coincidencia"],"Add new redirection":["Añadir nueva redirección"],"Cancel":["Cancelar"],"Download":["Descargar"],"Redirection":["Redirection"],"Settings":["Ajustes"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"IP":["IP"],"Source URL":["URL de origen"],"Date":["Fecha"],"Add Redirect":["Añadir redirección"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filters":["Filtros"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Eliminar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Entradas modificadas"],"Redirections":["Redirecciones"],"User Agent":["Agente usuario HTTP"],"URL and user agent":["URL y cliente de usuario (user agent)"],"Target URL":["URL de destino"],"URL only":["Sólo URL"],"HTTP code":["Código HTTP"],"Regex":["Expresión regular"],"Referrer":["Referente"],"URL and referrer":["URL y referente"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["Estado de URL y conexión"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Tus páginas de administración están en la caché. Vacía esta caché e inténtalo de nuevo. Puede haber implicadas varias cachés."],"This is usually fixed by doing one of the following:":["Esto normalmente se corrige haciendo algo de lo siguiente:"],"You are using an old or cached session":["Estás usando una sesión antigua o en la caché"],"Please review your data and try again.":["Por favor, revisa tus datos e inténtalo de nuevo."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["Ha habido un problema al hacer una solicitud a tu sitio. Esto podría indicar que has proporcionado datos que no cumplen con los requisitos o que plugin ha enviado una mala solicitud."],"Bad data":["Datos malos"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress ha devuelto un mensaje inesperado. Esto podría ser un error de PHP de otro plugin o datos insertados por tu tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Tu API REST de WordPress ha sido desactivada. Tendrías que activarla para continuar."],"An unknown error occurred.":["Ha ocurrido un error desconocido."],"Your REST API is being redirected. Please remove the redirection for the API.":["Tu API REST está siendo redirigida. Por favor, elimina la redirección para la API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Un plugin de seguridad o un cortafuegos está bloqueando el acceso. Tendrás que poner la API REST en lista blanca."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["La configuración de tu servidor está bloqueando el acceso a la API REST. Tendrás que corregir esto."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Comprueba la {{link}}salud del sitio{{/link}} y corrige cualquier problema."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":["¿Puedes acceder a tu {{api}}API REST{{/api}} sin redireccionar? Si no es así, tendrás que corregir cualquier problema."],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["Tu API REST está devolviendo una página 404. Esto es casi con certeza debido a un problema con un plugin externo o con la configuración del servidor."],"Debug Information":["Información de depuración"],"Show debug":["Mostrar la depuración"],"View Data":["Ver los datos"],"Other":["Otros"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection no almacena ninguna información que identifique a los usuarios que no esté configurada arriba. Es tu responsabilidad asegurar que tu sitio cumple con cualquier {{link}}requisito de privacidad{{/link}} aplicable."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Captura la información HTTP de la cabecera con registros (excepto cookies). Puede incluir información de los usuarios y podría aumentar el tamaño de tu registro."],"Track redirect hits and date of last access. Contains no user information.":["Seguimiento de visitas a redirecciones y la fecha del último acceso. No contiene ninguna información de los usuarios."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":["Registra redirecciones «externas» - las que no son de Redirection. Esto puede aumentar el tamaño de tu registro y no contiene ninguna información de los usuarios."],"Logging":["Registro"],"(IP logging level)":["(Nivel de registro de IP)"],"Are you sure you want to delete the selected items?":["¿Seguro que quieres borrar los elementos seleccionados?"],"View Redirect":["Ver la redirección"],"RSS":["RSS"],"Group by user agent":["Agrupar por agente de usuario"],"Search domain":["Buscar un dominio"],"Redirect By":["Redirigido por"],"Domain":["Dominio"],"Method":["Método"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Si eso no ayuda, entonces {{strong}}crea un informe de problemas{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Por favor, echa un vistazo al {{link}}sitio de soporte{{/link}} antes de seguir adelante."],"Something went wrong when upgrading Redirection.":["Algo ha ido mal al actualizar Redirection."],"Something went wrong when installing Redirection.":["Algo ha ido mal al instalar Redirection."],"Apply To All":["Aplicar a todo"],"Bulk Actions (all)":["Acciones en lote (todo)"],"Actions applied to all selected items":["Acciones aplicadas a todos los elementos seleccionados"],"Actions applied to everything that matches current filter":["Acciones aplicadas a todo lo que coincida con el filtro actual"],"Redirect Source":["Origen de la redirección"],"Request Headers":["Cabeceras de la solicitud"],"Exclude from logs":["Excluir de los registros"],"Cannot connect to the server to determine the redirect status.":["No se puede conectar con el servidor para determinar el estado de la redirección."],"Your URL is cached and the cache may need to be cleared.":["Tu URL está en la caché y puede que la caché tenga que ser vaciada."],"Something else other than Redirection is redirecting this URL.":["Alguien, que no es Redirection, está redirigiendo esta URL."],"Relocate to domain":["Reubicar a dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["¿Quieres redirigir todo el sitio? Introduce un dominio para redirigir todo, excepto el acceso a WordPress y el escritorio. Al activar esta opción se desactivará cualquier alias de sitio o ajustes canónicos."],"Relocate Site":["Reubicar sitio"],"Add CORS Presets":["Añadir preajustes CORS"],"Add Security Presets":["Añadir preajustes de seguridad"],"Add Header":["Añadir cabecera"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Debes actualizar la URL de tu sitio para que coincida con tus ajustes canónicos: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferido"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS está funcionando antes de forzar una redirección."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forzar una redirección de HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Ajustes canónicos"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Añadir www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Eliminar www del dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["No establecer un dominio preferido - {{code}}%(site)s{{/code}}"],"Add Alias":["Añadir alias"],"No aliases":["Sin alias"],"Alias":["Alias"],"Aliased Domain":["Dominio con alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Necesitarás configurar tu sistema (DNS y servidor) para pasar solicitudes de estos dominios a esta instalación de WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de sitio es otro dominio que deseas redirigir a este sitio. Por ejemplo, un dominio antiguo o un subdominio. Esto redirigirá todas las URL, incluidas las de acceso a y escritorio de WordPress."],"Site Aliases":["Alias ​​de sitio"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["El plugin de acompañamiento «Search Regex» te permite buscar y reemplazar datos en tu sitio. También es compatible con «Redirection», y es útil si quieres actualizar por lotes montones de redirecciones."],"Need to search and replace?":["¿Necesitas buscar y reemplazar?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Las opciones en esta página pueden causar problemas si se usan incorrectamente. Puedes {{link}}desactivarlas temporalmente{{/link}} para realizar cambios."],"Please wait, importing.":["Por favor, espera, importando."],"Continue":["Continuar"],"The following plugins have been detected.":["Se han detectado los siguientes plugins."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automáticamente redirecciones cuando cambias la URL de una entrada. Importarlas en Redirection te permitirá gestionarlas y supervisarlas."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importar las redirecciones existentes desde WordPress u otros plugins es un buen modo de empezar con Redirection. Revisa cada conjunto de redirecciones que desees importar."],"Import Existing Redirects":["Importar redirecciones existentes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["¡Eso es todo - ahora estás redirigiendo! Ten en cuenta que lo de arriba es solo un ejemplo."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si deseas redirigir todo, utiliza una reubicación del sitio o un alias desde la página del sitio."],"Value":["Valor"],"Values":["Valores"],"All":["Todos"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ten en cuenta que tu servidor establece algunas cabeceras HTTP que no se pueden cambiar."],"No headers":["Sin cabeceras"],"Header":["Cabecera"],"Location":["Ubicación"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Las cabeceras del sitio se añaden a todo el sitio, incluidas las redirecciones. Las cabeceras de redirección solo se añaden a las redirecciones."],"HTTP Headers":["Cabeceras HTTP"],"Custom Header":["Cabecera personalizada"],"General":["General"],"Redirect":["Redirigir"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Algunos servidores pueden configurarse para servir recursos de archivos directamente, evitando que se produzca una redirección."],"Site":["Sitio"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["No se puede realizar la solicitud debido a la seguridad del navegador. Esto suele ocurrir porque las configuraciones de WordPress y de la URL del sitio son inconsistentes o la política de intercambio de recursos de origen cruzado («CORS») de su sitio bloqueó la solicitud."],"Ignore & Pass Query":["Ignorar y pasar la consulta"],"Ignore Query":["Ignorar la consulta"],"Exact Query":["Consulta exacta"],"Search title":["Buscar título"],"Not accessed in last year":["No se ha accedido en el último año"],"Not accessed in last month":["No se ha accedido en el último mes"],"Never accessed":["No se ha accedido nunca"],"Last Accessed":["Último acceso"],"HTTP Status Code":["Código HTTP de estado"],"Plain":["Plano"],"URL match":["Coincidencia de URL"],"Source":["Fuente"],"Code":["Código"],"Action Type":["Tipo de acción"],"Match Type":["Tipo de coincidencia"],"Search target URL":["Buscar URL de destino"],"Search IP":["Buscar IP"],"Search user agent":["Buscar agente de usuario"],"Search referrer":["Buscar remitente"],"Search URL":["Buscar URL"],"Filter on: %(type)s":["Filtrar en: %(tipo)s"],"Disabled":["Desactivada"],"Enabled":["Activada"],"Compact Display":["Vista compacta"],"Standard Display":["Vista estándar"],"Status":["Estado"],"Pre-defined":["Predefinido"],"Custom Display":["Vista personalizada"],"Display All":["Mostrar todo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Tu URL parece que continene un dominio dentro de la ruta: {{code}}%(relative)s{{/code}}. ¿Querías usar {{code}}%(absolute)s{{/code}} en su lugar?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista de idiomas, separados por comas, con los que coincidir (por ejemplo, es_ES)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tiempo de espera de la puerta de enlace agotado"],"503 - Service Unavailable":["503 - Servicio no disponible"],"502 - Bad Gateway":["502 - Puerta de enlace incorrecta"],"501 - Not implemented":["501 - No implementado"],"500 - Internal Server Error":["500 - Error interno del servidor"],"451 - Unavailable For Legal Reasons":["451 - No disponible por motivos legales"],"URL and language":["URL e idioma"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Sal, vacía la caché de tu navegador y vuelve a acceder - tu navegador ha guardado en la caché una sesión antigua."],"Reload the page - your current session is old.":["Recarga la página - tu sesión actual es antigua."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Se ha detectado un bucle y la actualización se ha detenido. Normalmente, esto indica que {{support}}tu sitio está almacenado en la caché{{/support}} y los cambios en la base de datos no se están guardando."],"Unable to save .htaccess file":["No ha sido posible guardar el archivo .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["La redirecciones añadidas a un grupo de Apache se puede guardar a un fichero {{code}}.htaccess{{/code}} añadiendo aquí la ruta completa. Para tu referencia, tu instalación de WordPress está en {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Haz clic en «Completar la actualización» cuando hayas acabado."],"Automatic Install":["Instalación automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Tu dirección de destino contiene el carácter no válido {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si estás usando WordPress 5.2 o superior, mira en tu {{link}}salud del sitio{{/link}} y resuelve los problemas."],"If you do not complete the manual install you will be returned here.":["Si no completas la instalación manual volverás aquí."],"Click \"Finished! 🎉\" when finished.":["Haz clic en «¡Terminado! 🎉» cuando hayas acabado."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Tu sitio necesita permisos especiales para la base de datos. También lo puedes hacer tú mismo ejecutando el siguiente SQL."],"Manual Install":["Instalación manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Permisos insuficientes para la base de datos detectados. Proporciónale a tu usuario de base de datos los permisos necesarios."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta información se proporciona con propósitos de depuración. Ten cuidado al hacer cambios."],"Plugin Debug":["Depuración del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection se comunica con WordPress a través de la REST API de WordPress. Este es un componente estándar de WordPress, y tendrás problemas si no puedes usarla."],"IP Headers":["Cabeceras IP"],"Do not change unless advised to do so!":["¡No lo cambies a menos que te lo indiquen!"],"Database version":["Versión de base de datos"],"Complete data (JSON)":["Datos completos (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection. El formato JSON contiene información completa, y otros formatos contienen información parcial apropiada para el formato."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["El CSV no incluye toda la información, y todo se importa/exporta como coincidencias de «Sólo URL». Usa el formato JSON para obtener un conjunto completo de datos."],"All imports will be appended to the current database - nothing is merged.":["Todas las importaciones se adjuntarán a la base de datos actual; nada se combina."],"Automatic Upgrade":["Actualización automática"],"Manual Upgrade":["Actualización manual"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Por favor, haz una copia de seguridad de tus datos de Redirection: {{download}}descargando una copia de seguridad{{/download}}. Si experimentas algún problema puedes importarlo de vuelta a Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Haz clic en el botón «Actualizar base de datos» para actualizar automáticamente la base de datos."],"Complete Upgrade":["Completar la actualización"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection almacena datos en tu base de datos y a veces es necesario actualizarla. Tu base de datos está en la versión {{strong}}%(current)s{{/strong}} y la última es {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Ten en cuenta que necesitarás establecer la ruta del módulo de Apache en tus opciones de Redirection."],"I need support!":["¡Necesito ayuda!"],"You will need at least one working REST API to continue.":["Necesitarás al menos una API REST funcionando para continuar."],"Check Again":["Comprobar otra vez"],"Testing - %s$":["Comprobando - %s$"],"Show Problems":["Mostrar problemas"],"Summary":["Resumen"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Tu REST API no funciona y el plugin no podrá continuar hasta que esto se arregle."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Hay algunos problemas para conectarse a tu REST API. No es necesario solucionar estos problemas y el plugin puede funcionar."],"Unavailable":["No disponible"],"Working but some issues":["Funciona pero con algunos problemas"],"Current API":["API actual"],"Switch to this API":["Cambiar a esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar completo"],"Working!":["¡Trabajando!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Tu URL de destino debería ser una URL absoluta como {{code}}https://domain.com/%(url)s{{/code}} o comenzar con una barra inclinada {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Tu fuente es la misma que la de destino, y esto creará un bucle. Deja el destino en blanco si no quieres tomar medidas."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["La URL de destino que quieres redirigir o autocompletar automáticamente en el nombre de la publicación o enlace permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Incluye estos detalles en tu informe junto con una descripción de lo que estabas haciendo y una captura de pantalla."],"Create An Issue":["Crear una incidencia"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Esto podría ser un plugin de seguridad, o que tu servidor está sin memoria o que exista un error externo. Por favor, comprueba el registro de errores de tu servidor"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Es probable que tu REST API esté siendo bloqueada por un plugin de seguridad. Por favor, desactívalo o configúralo para permitir solicitudes de la REST API."],"Read this REST API guide for more information.":["Lee esta guía de la REST API para más información."],"URL options / Regex":["Opciones de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecciones"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Las estructuras de enlaces permanentes de WordPress no funcionan en URLs normales. Por favor, utiliza una expresión regular."],"Pass - as ignore, but also copies the query parameters to the target":["Pasar - como ignorar, peo también copia los parámetros de consulta al destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como la coincidencia exacta, pero ignora cualquier parámetro de consulta que no esté en tu origen"],"Exact - matches the query parameters exactly defined in your source, in any order":["Coincidencia exacta - coincide exactamente con los parámetros de consulta definidos en tu origen, en cualquier orden"],"Default query matching":["Coincidencia de consulta por defecto"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora barras invertidas (p.ej. {{code}}/entrada-alucinante/{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Sin coincidencia de mayúsculas/minúsculas (p.ej. {{code}}/Entrada-Alucinante{{/code}} coincidirá con {{code}}/entrada-alucinante{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Se aplica a todas las redirecciones a menos que las configures de otro modo."],"Default URL settings":["Ajustes de URL por defecto"],"Ignore and pass all query parameters":["Ignora y pasa todos los parámetros de consulta"],"Ignore all query parameters":["Ignora todos los parámetros de consulta"],"Exact match":["Coincidencia exacta"],"Caching software (e.g Cloudflare)":["Software de caché (p. ej. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin de seguridad (p. ej. Wordfence)"],"URL options":["Opciones de URL"],"Query Parameters":["Parámetros de consulta"],"Ignore & pass parameters to the target":["Ignorar y pasar parámetros al destino"],"Ignore all parameters":["Ignorar todos los parámetros"],"Exact match all parameters in any order":["Coincidencia exacta de todos los parámetros en cualquier orden"],"Ignore Case":["Ignorar mayúsculas/minúsculas"],"Ignore Slash":["Ignorar barra inclinada"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST completa"],"Default REST API":["API REST por defecto"],"(Example) The target URL is the new URL":["(Ejemplo) La URL de destino es la nueva URL"],"(Example) The source URL is your old or original URL":["(Ejemplo) La URL de origen es tu URL antigua u original"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["¡Desactivado! Detectado PHP %1$s, se necesita PHP %2$s o superior"],"A database upgrade is in progress. Please continue to finish.":["Hay una actualización de la base de datos en marcha. Por favor, continua para terminar."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Hay que actualizar la base de datos de Redirection - <a href=\"%1$1s\">haz clic para actualizar</a>."],"Redirection database needs upgrading":["La base de datos de Redirection necesita actualizarse"],"Upgrade Required":["Actualización necesaria"],"Finish Setup":["Finalizar configuración"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Tienes diferentes URLs configuradas en tu página ajustes de WordPress > General, lo que normalmente es una indicación de una mala configuración, y puede causar problemas con la API REST. Por favor, revisa tus ajustes."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si tienes algún problema, por favor consulta la documentación de tu plugin, o intenta contactar con el soporte de tu alojamiento. Esto es normalmente {{{link}}no suele ser un problema causado por Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algún otro plugin que bloquea la API REST"],"A server firewall or other server configuration (e.g OVH)":["Un cortafuegos del servidor u otra configuración del servidor (p.ej. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utiliza la {{link}}WordPress REST API{{/link}} para comunicarse con WordPress. Esto está activado y funciona de forma predeterminada. A veces la API REST está bloqueada por:"],"Go back":["Volver"],"Continue Setup":["Continuar la configuración"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["El almacenamiento de la dirección IP te permite realizar acciones de registro adicionales. Ten en cuenta que tendrás que cumplir con las leyes locales relativas a la recopilación de datos (por ejemplo, RGPD)."],"Store IP information for redirects and 404 errors.":["Almacena información IP para redirecciones y errores 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Almacena registros de redirecciones y 404s te permitirá ver lo que está pasando en tu sitio. Esto aumentará los requisitos de almacenamiento de la base de datos."],"Keep a log of all redirects and 404 errors.":["Guarda un registro de todas las redirecciones y errores 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leer más sobre esto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si cambias el enlace permanente en una entrada o página, entonces Redirection puede crear automáticamente una redirección para ti."],"Monitor permalink changes in WordPress posts and pages":["Supervisar los cambios de los enlaces permanentes en las entradas y páginas de WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas son algunas de las opciones que puedes activar ahora. Se pueden cambiar en cualquier momento."],"Basic Setup":["Configuración básica"],"Start Setup":["Iniciar configuración"],"When ready please press the button to continue.":["Cuando estés listo, pulsa el botón para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primero se te harán algunas preguntas, y luego Redirection configurará tu base de datos."],"What's next?":["¿Cuáles son las novedades?"],"Check a URL is being redirected":["Comprueba si una URL está siendo redirigida"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Coincidencia de URLs más potente, incluidas las expresiones {{regular}}regulares {{/regular}}, y {{other}} otras condiciones{{{/other}}."],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importar{{/link}} desde .htaccess, CSV, y una gran variedad de otros plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Supervisar errores 404{{/link}}, obtener información detallada sobre el visitante, y solucionar cualquier problema"],"Some features you may find useful are":["Algunas de las características que puedes encontrar útiles son"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["La documentación completa la puedes encontrar en la {{link}}web de Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Una redirección simple implica configurar una {{strong}}URL de origen{{/strong}}} (la URL antigua) y una {{strong}}URL de destino{{/strong}} (la nueva URL). Aquí tienes un ejemplo:"],"How do I use this plugin?":["¿Cómo utilizo este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection está diseñado para utilizarse desde sitios con unos pocos redirecciones a sitios con miles de redirecciones."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Gracias por instalar y usar Redirection v%(version)s. Este plugin te permitirá gestionar redirecciones 301, realizar un seguimiento de los errores 404, y mejorar tu sitio, sin necesidad de tener conocimientos de Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenido a Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Para evitar una expresión regular ambiciosa, puedes utilizar un {{code}}^{{/code}} para anclarla al inicio de la URL. Por ejemplo: {{code}}%(ejemplo)s{{/code}}."],"Remember to enable the \"regex\" option if this is a regular expression.":["Recuerda activar la opción «regex» si se trata de una expresión regular."],"The source URL should probably start with a {{code}}/{{/code}}":["La URL de origen probablemente debería comenzar con un {{code}}/{{/code}}."],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Esto se convertirá en una redirección de servidor para el dominio {{code}}%(server)s{{{/code}}}."],"Anchor values are not sent to the server and cannot be redirected.":["Los valores de anclaje no se envían al servidor y no pueden ser redirigidos."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["¡Terminado! 🎉"],"Progress: %(complete)d$":["Progreso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Salir antes de que el proceso haya terminado puede causar problemas."],"Setting up Redirection":["Configurando Redirection"],"Upgrading Redirection":["Actualizando Redirection"],"Please remain on this page until complete.":["Por favor, permanece en esta página hasta que se complete."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si quieres {{support}}solicitar ayuda{{/support}}por favor, incluye estos detalles:"],"Stop upgrade":["Parar actualización"],"Skip this stage":["Saltarse esta etapa"],"Try again":["Intentarlo de nuevo"],"Database problem":["Problema en la base de datos"],"Please enable JavaScript":["Por favor, activa JavaScript"],"Please upgrade your database":["Por favor, actualiza tu base de datos"],"Upgrade Database":["Actualizar base de datos"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Por favor, completa tu <a href=\"%s\">configuración de Redirection</a> para activar el plugin."],"Your database does not need updating to %s.":["Tu base de datos no necesita actualizarse a %s."],"Table \"%s\" is missing":["La tabla \"%s\" no existe"],"Create basic data":["Crear datos básicos"],"Install Redirection tables":["Instalar tablas de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["La URL del sitio y de inicio no son consistentes. Por favor, corrígelo en tu página de Ajustes > Generales: %1$1s no es igual a %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Por favor, no intentes redirigir todos tus 404s - no es una buena idea."],"Only the 404 page type is currently supported.":["De momento solo es compatible con el tipo 404 de página de error."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Introduce direcciones IP (una por línea)"],"Describe the purpose of this redirect (optional)":["Describe la finalidad de esta redirección (opcional)"],"418 - I'm a teapot":["418 - Soy una tetera"],"403 - Forbidden":["403 - Prohibido"],"400 - Bad Request":["400 - Mala petición"],"304 - Not Modified":["304 - No modificada"],"303 - See Other":["303 - Ver otra"],"Do nothing (ignore)":["No hacer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino cuando no coinciden (vacío para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino cuando coinciden (vacío para ignorar)"],"Show All":["Mostrar todo"],"Delete logs for these entries":["Borrar los registros de estas entradas"],"Delete logs for this entry":["Borrar los registros de esta entrada"],"Delete Log Entries":["Borrar entradas del registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Sin agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirigir todo"],"Count":["Contador"],"URL and WordPress page type":["URL y tipo de página de WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bueno"],"Check":["Comprobar"],"Check Redirect":["Comprobar la redirección"],"Check redirect for: {{code}}%s{{/code}}":["Comprobar la redirección para: {{code}}%s{{/code}}"],"Not using Redirection":["No uso la redirección"],"Using Redirection":["Usando la redirección"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Error"],"Enter full URL, including http:// or https://":["Introduce la URL completa, incluyendo http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["A veces, tu navegador puede almacenar en caché una URL, lo que dificulta saber si está funcionando como se esperaba. Usa esto para verificar una URL para ver cómo está redirigiendo realmente."],"Redirect Tester":["Probar redirecciones"],"Target":["Destino"],"URL is not being redirected with Redirection":["La URL no está siendo redirigida por Redirection"],"URL is being redirected with Redirection":["La URL está siendo redirigida por Redirection"],"Unable to load details":["No se han podido cargar los detalles"],"Enter server URL to match against":["Escribe la URL del servidor que comprobar"],"Server":["Servidor"],"Enter role or capability value":["Escribe el valor de perfil o capacidad"],"Role":["Perfil"],"Match against this browser referrer text":["Comparar contra el texto de referencia de este navegador"],"Match against this browser user agent":["Comparar contra el agente usuario de este navegador"],"The relative URL you want to redirect from":["La URL relativa desde la que quieres redirigir"],"Add New":["Añadir nueva"],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Site and home protocol":["Protocolo de portada y el sitio"],"Site and home are consistent":["Portada y sitio son consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Date cuenta de que es tu responsabilidad pasar las cabeceras HTTP a PHP. Por favor, contacta con tu proveedor de alojamiento para obtener soporte sobre esto."],"Accept Language":["Aceptar idioma"],"Header value":["Valor de cabecera"],"Header name":["Nombre de cabecera"],"HTTP Header":["Cabecera HTTP"],"WordPress filter name":["Nombre del filtro WordPress"],"Filter Name":["Nombre del filtro"],"Cookie value":["Valor de la cookie"],"Cookie name":["Nombre de la cookie"],"Cookie":["Cookie"],"clearing your cache.":["vaciando tu caché."],"If you are using a caching system such as Cloudflare then please read this: ":["Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"],"URL and HTTP header":["URL y cabecera HTTP"],"URL and custom filter":["URL y filtro personalizado"],"URL and cookie":["URL y cookie"],"404 deleted":["404 borrado"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Por favor, echa un vistazo al {{link}}estado del plugin{{/link}}. Podría ser capaz de identificar y resolver \"mágicamente\" el problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Un software de caché{{/link}}, en particular Cloudflare, podría cachear lo que no debería. Prueba a borrar todas tus cachés."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Por favor, ¡desactiva temporalmente otros plugins!{{/link}} Esto arregla muchos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."],"Unable to load Redirection ☹️":["No se puede cargar Redirection ☹️"],"WordPress REST API":["REST API de WordPress"],"Useragent Error":["Error de agente de usuario"],"Unknown Useragent":["Agente de usuario desconocido"],"Device":["Dispositivo"],"Operating System":["Sistema operativo"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuario"],"Agent":["Agente"],"No IP logging":["Sin registro de IP"],"Full IP logging":["Registro completo de IP"],"Anonymize IP (mask last part)":["Anonimizar IP (enmascarar la última parte)"],"Monitor changes to %(type)s":["Monitorizar cambios de %(type)s"],"IP Logging":["Registro de IP"],"Geo Info":["Información de geolocalización"],"Agent Info":["Información de agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Error de geolocalización de IP"],"Something went wrong obtaining this information":["Algo ha ido mal obteniendo esta información"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Esta es una IP de una red privada. Significa que se encuentra dentro de una casa o red de empresa y no se puede mostrar más información."],"No details are known for this address.":["No se conoce ningún detalle para esta dirección."],"Geo IP":["Geolocalización de IP"],"City":["Ciudad"],"Area":["Área"],"Timezone":["Zona horaria"],"Geo Location":["Geolocalización"],"Powered by {{link}}redirect.li{{/link}}":["Funciona gracias a {{link}}redirect.li{{/link}}"],"Trash":["Papelera"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentación completa de Redirection está en {{site}}https://redirection.me{{/site}}. Si tienes algún problema, por favor revisa primero las {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si quieres enviar información y no quieres que se incluya en un repositorio público, envíala directamente por {{email}}correo electrónico{{/email}} - ¡incluye toda la información que puedas!"],"Never cache":["No cachear nunca"],"An hour":["Una hora"],"Redirect Cache":["Redireccionar caché"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"],"Are you sure you want to import from %s?":["¿Estás seguro de querer importar de %s?"],"Plugin Importers":["Importadores de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Se han detectado los siguientes plugins de redirección en tu sitio y se puede importar desde ellos."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requiere WordPress v%1$1s, estás usando v%2$2s - por favor, actualiza tu WordPress"],"Default WordPress \"old slugs\"":["\"Viejos slugs\" por defecto de WordPress"],"Create associated redirect (added to end of URL)":["Crea una redirección asociada (añadida al final de la URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> no está definido. Esto normalmente significa que otro plugin está impidiendo que cargue Redirection. Por favor, desactiva todos los plugins e inténtalo de nuevo."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si no funciona el botón mágico entonces deberías leer el error y ver si puedes arreglarlo manualmente, o sino seguir la sección 'Necesito ayuda' de abajo."],"⚡️ Magic fix ⚡️":["⚡️ Arreglo mágico ⚡️"],"Plugin Status":["Estado del plugin"],"Custom":["Personalizado"],"Mobile":["Móvil"],"Feed Readers":["Lectores de feeds"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Monitorizar el cambio de URL"],"Save changes to this group":["Guardar los cambios de este grupo"],"For example \"/amp\"":["Por ejemplo \"/amp\""],"URL Monitor":["Supervisar URL"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Tu servidor ha rechazado la petición por ser demasiado grande. Tendrás que volver a configurarlo para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["También comprueba si tu navegador puede cargar <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si estás usando un plugin o servicio (CloudFlare, OVH, etc.) de caché de página entonces también puedes probar a vaciar la caché."],"Unable to load Redirection":["No ha sido posible cargar Redirection"],"Post monitor group is valid":["El grupo de monitoreo de entradas es válido"],"Post monitor group is invalid":["El grupo de monitoreo de entradas no es válido"],"Post monitor group":["Grupo de monitoreo de entradas"],"All redirects have a valid group":["Todas las redirecciones tienen un grupo válido"],"Redirects with invalid groups detected":["Detectadas redirecciones con grupos no válidos"],"Valid redirect group":["Grupo de redirección válido"],"Valid groups detected":["Detectados grupos válidos"],"No valid groups, so you will not be able to create any redirects":["No hay grupos válidos, así que no podrás crear redirecciones"],"Valid groups":["Grupos válidos"],"Database tables":["Tablas de la base de datos"],"The following tables are missing:":["Faltan las siguientes tablas:"],"All tables present":["Están presentes todas las tablas"],"Cached Redirection detected":["Detectada caché de Redirection"],"Please clear your browser cache and reload this page.":["Por favor, vacía la caché de tu navegador y recarga esta página"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress no ha devuelto una respuesta. Esto podría significar que ocurrió un error o que la petición se bloqueó. Por favor, revisa el error_log de tu servidor."],"If you think Redirection is at fault then create an issue.":["Si crees que es un fallo de Redirection entonces envía un aviso de problema."],"This may be caused by another plugin - look at your browser's error console for more details.":["Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."],"Loading, please wait...":["Cargando, por favor espera…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}formato de archivo CSV{{/strong}}: {{code}}URL de origen, URL de destino{{/code}} - y puede añadirse opcionalmente {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 para no, 1 para sí)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["La redirección no está funcionando. Trata de vaciar la caché de tu navegador y recarga esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si eso no ayuda abre la consola de errores de tu navegador y crea un {{link}}aviso de problema nuevo{{/link}} con los detalles."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Need help?":["¿Necesitas ayuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Por favor, date cuenta de que todo soporte se ofrece sobre la base del tiempo disponible y no está garantizado. No ofrezco soporte de pago."],"Pos":["Pos"],"410 - Gone":["410 - Desaparecido"],"Position":["Posición"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Se usa para generar automáticamente una URL si no se ofrece una URL. Utiliza las etiquetas especiales {{code}}$dec${{/code}} o {{code}}$hex${{/code}} para insertar un ID único insertado"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"Import to group":["Importar a un grupo"],"Import a CSV, .htaccess, or JSON file.":["Importa un archivo CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Haz clic en 'Añadir archivo' o arrastra y suelta aquí."],"Add File":["Añadir archivo"],"File selected":["Archivo seleccionado"],"Importing":["Importando"],"Finished importing":["Importación finalizada"],"Total redirects imported:":["Total de redirecciones importadas:"],"Double-check the file is the correct format!":["¡Vuelve a comprobar que el archivo esté en el formato correcto!"],"OK":["Aceptar"],"Close":["Cerrar"],"Export":["Exportar"],"Everything":["Todo"],"WordPress redirects":["Redirecciones WordPress"],"Apache redirects":["Redirecciones Apache"],"Nginx redirects":["Redirecciones Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess de Apache"],"Nginx rewrite rules":["Reglas de rewrite de Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Errores 404"],"Redirection saved":["Redirección guardada"],"Log deleted":["Registro borrado"],"Settings saved":["Ajustes guardados"],"Group saved":["Grupo guardado"],"Are you sure you want to delete this item?":["¿Estás seguro de querer borrar este elemento?","¿Estás seguro de querer borrar estos elementos?"],"pass":["pass"],"All groups":["Todos los grupos"],"301 - Moved Permanently":["301 - Movido permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirección temporal"],"308 - Permanent Redirect":["308 - Redirección permanente"],"401 - Unauthorized":["401 - No autorizado"],"404 - Not Found":["404 - No encontrado"],"Title":["Título"],"When matched":["Cuando coincide"],"with HTTP code":["con el código HTTP"],"Show advanced options":["Mostrar opciones avanzadas"],"Matched Target":["Objetivo coincidente"],"Unmatched Target":["Objetivo no coincidente"],"Saving...":["Guardando…"],"View notice":["Ver aviso"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Bulk Actions":["Acciones en lote"],"Apply":["Aplicar"],"First page":["Primera página"],"Prev page":["Página anterior"],"Current Page":["Página actual"],"of %(page)s":["de %(page)s"],"Next page":["Página siguiente"],"Last page":["Última página"],"%s item":["%s elemento","%s elementos"],"Select All":["Elegir todos"],"Sorry, something went wrong loading the data - please try again":["Lo siento, pero algo fue mal al cargar los datos - por favor, inténtalo de nuevo"],"No results":["No hay resultados"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."],"Newsletter":["Boletín"],"Want to keep up to date with changes to Redirection?":["¿Quieres estar al día de los cambios en Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Regístrate al pequeño boletín de Redirection - un boletín liviano sobre las nuevas funcionalidades y cambios en el plugin. Ideal si quieres probar los cambios de la versión beta antes de su lanzamiento."],"Your email address:":["Tu dirección de correo electrónico:"],"You've supported this plugin - thank you!":["Ya has apoyado a este plugin - ¡gracias!"],"You get useful software and I get to carry on making it better.":["Tienes un software útil y yo seguiré haciéndolo mejor."],"Forever":["Siempre"],"Delete the plugin - are you sure?":["Borrar el plugin - ¿estás seguro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Al borrar el plugin se eliminarán todas tus redirecciones, registros y ajustes. Haz esto si estás seguro de que quieres borrar el plugin, o si quieres restablecer el plugin. "],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Una vez borres tus redirecciones dejarán de funcionar. Si parece que siguen funcionando entonces, por favor, vacía la caché de tu navegador."],"Yes! Delete the plugin":["¡Sí! Borrar el plugin"],"No! Don't delete the plugin":["¡No! No borrar el plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestiona todas tus redirecciones 301 y monitoriza tus errores 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection se puede usar gratis - ¡La vida es maravillosa y encantadora! Sin embargo, ha requerido una gran cantidad de tiempo y esfuerzo desarrollarlo y, si te ha sido útil, puedes ayudar a este desarrollo {{strong}}haciendo una pequeña donación{{/strong}}. "],"Redirection Support":["Soporte de Redirection"],"Support":["Soporte"],"404s":["404s"],"Log":["Registro"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Seleccionando esta opción borrara todas las redirecciones, todos los registros, y cualquier opción asociada con el plugin Redirection. Asegurese que es esto lo que desea hacer."],"Delete Redirection":["Borrar Redirection"],"Upload":["Subir"],"Import":["Importar"],"Update":["Actualizar"],"Auto-generate URL":["Auto generar URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token único que permite acceso de los lectores de feeds a los registros RSS de Redirection (déjalo en blanco para que se genere automáticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros 404"],"(time to keep logs for)":["(tiempo que se mantendrán los registros)"],"Redirect Logs":["Registros de redirecciones"],"I'm a nice person and I have helped support the author of this plugin":["Soy una buena persona y he apoyado al autor de este plugin"],"Plugin Support":["Soporte del plugin"],"Options":["Opciones"],"Two months":["Dos meses"],"A month":["Un mes"],"A week":["Una semana"],"A day":["Un dia"],"No logs":["No hay logs"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utiliza grupos para organizar tus redirecciones. Los grupos se asignan a un módulo, lo cual afecta a cómo se realizan las redirecciones en ese grupo. Si no estás seguro entonces utiliza el módulo WordPress."],"Add Group":["Añadir grupo"],"Search":["Buscar"],"Groups":["Grupos"],"Save":["Guardar"],"Group":["Grupo"],"Regular Expression":["Expresión regular"],"Match":["Coincidencia"],"Add new redirection":["Añadir nueva redirección"],"Cancel":["Cancelar"],"Download":["Descargar"],"Redirection":["Redirection"],"Settings":["Ajustes"],"WordPress":["WordPress"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"IP":["IP"],"Source URL":["URL de origen"],"Date":["Fecha"],"Add Redirect":["Añadir redirección"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filters":["Filtros"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Eliminar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Modified Posts":["Entradas modificadas"],"Redirections":["Redirecciones"],"User Agent":["Agente usuario HTTP"],"URL and user agent":["URL y cliente de usuario (user agent)"],"Target URL":["URL de destino"],"URL only":["Sólo URL"],"HTTP code":["Código HTTP"],"Regex":["Expresión regular"],"Referrer":["Referente"],"URL and referrer":["URL y referente"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["Estado de URL y conexión"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-fr_FR.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Transférer vers un domaine"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Souhaitez-vous rediriger l’ensemble du site ? Saisissez un domaine pour tout rediriger, sauf la connexion et l’administration de WordPress. L’activation de cette option désactivera tout alias de site ou réglages canoniques."],"Relocate Site":["Transférer le site"],"Add CORS Presets":["Ajouter des préréglages CORS"],"Add Security Presets":["Ajouter des préréglages de sécurité"],"Add Header":["Ajouter un en-tête"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Vous devez mettre à jour l’URL de votre site pour qu’elle corresponde à vos réglages canoniques : {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Domaine préféré"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Avertissement{{/strong}} : assurez-vous que votre HTTPS fonctionne avant de forcer une redirection."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forcer une redirection de HTTP vers HTTPS  - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Réglages canoniques"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Ajouter www au domaine  - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Retirer www du domaine - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Ne pas définir de domaine préféré - {{code}}%(site)s{{/code}}"],"Add Alias":["Ajouter un alias"],"No aliases":["Aucun alias"],"Alias":["Alias"],"Aliased Domain":["Domaine alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Vous devrez configurer votre système (DNS et serveur) pour transmettre les demandes pour ces domaines à cette installation WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de site est un autre domaine que vous souhaitez rediriger vers ce site. Par exemple, un ancien domaine ou un sous-domaine. Cela redirigera toutes les URL, y compris celles de connexion et d’administration de WordPress."],"Site Aliases":["Alias de site"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["L’extension complémentaire Search Regex vous permet de rechercher et de remplacer des données sur votre site. Il prend également en charge Redirection, et est pratique si vous voulez mettre à jour simultanément un grand nombre de redirections."],"Need to search and replace?":["Besoin de rechercher et de remplacer ?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Les options de cette page peuvent causer des problèmes si elles sont mal utilisées. Vous pouvez les {{link}}désactiver temporairement{{/link}} pour effectuer des modifications."],"Please wait, importing.":["Veuillez patienter, importation en cours."],"Continue":["Continuer"],"The following plugins have been detected.":["Les extensions suivantes ont été détectées."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crée automatiquement des redirections lorsque vous modifiez l’URL d’une publication. Les importer dans Redirection vous permettra de les gérer et de les contrôler."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["L’importation de redirections existantes depuis WordPress ou d’autres extensions est un bon moyen de commencer à utiliser Redirection. Vérifiez chaque ensemble de redirections que vous souhaitez importer."],"Import Existing Redirects":["Importer les redirections existantes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["C’est tout ce qu’il y a à dire - vous êtes maintenant en train de rediriger ! Notez que ce qui précède n’est qu’un exemple."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si vous souhaitez tout rediriger, veuillez utiliser un site de relocalisation ou un alias de la page site."],"Value":["Valeur"],"Values":["Valeurs"],"All":["Toutes"],"Note that some HTTP headers are set by your server and cannot be changed.":["Notez que certains en-têtes HTTP sont définis par votre serveur et ne peuvent pas être modifiés."],"No headers":["Aucun en-tête"],"Header":["En-tête"],"Location":["Emplacement"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Les en-têtes de site sont ajoutés sur l’ensemble de votre site, y compris les redirections. Les en-têtes de redirection sont ajoutés uniquement aux redirections."],"HTTP Headers":["En-têtes HTTP"],"Custom Header":["En-tête personnalisé"],"General":["Général"],"Redirect":["Redirection"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Quelques serveurs peuvent être configurés pour servir directement les ressources de fichiers, empêchant une redirection de se produire."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Impossible de faire une demande en raison de la sécurité du navigateur. C’est généralement parce que vos réglages WordPress et URL de site sont incohérents ou qu’une demande a été bloquée par votre politique de partage de ressources entre origines multiples CORS."],"Ignore & Pass Query":["Ignorer et passer la requête"],"Ignore Query":["Ignorer la requête"],"Exact Query":["Requête exacte"],"Search title":["Rechercher le titre"],"Not accessed in last year":["Non consulté l’année dernière"],"Not accessed in last month":["Non consulté le mois dernier"],"Never accessed":["Jamais consulté"],"Last Accessed":["Dernière consultation"],"HTTP Status Code":["Code d’état HTTP"],"Plain":["Plein"],"URL match":["Correspondance URL"],"Source":["Source"],"Code":["Code"],"Action Type":["Type d’action"],"Match Type":["Type correspondant"],"Search target URL":["Rechercher l’URL cible"],"Search IP":["Rechercher l’IP"],"Search user agent":["Rechercher l’agent utilisateur"],"Search referrer":["Rechercher le référent"],"Search URL":["Rechercher l’URL"],"Filter on: %(type)s":["Filtre : %(type)s"],"Disabled":["Désactivé"],"Enabled":["Activé"],"Compact Display":["Affichage compact"],"Standard Display":["Affichage standard"],"Status":["État"],"Pre-defined":["Prédéfini"],"Custom Display":["Affichage personnalisé"],"Display All":["Tout afficher"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Votre URL semble contenir un domaine à l’intérieur du chemin : {{code}}%(relative)s{{/code}}. Avez-vous voulu utiliser {{code}}%(absolute)s{{/code}} à la place ?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Liste des langues à comparer, séparées par des virgules (ex : da, en-GB)"],"Language":["Langue"],"504 - Gateway Timeout":["504 - Temps d’attente de la passerelle écoulé"],"503 - Service Unavailable":["503 - Service temporairement indisponible"],"502 - Bad Gateway":["502 - Mauvaise passerelle"],"501 - Not implemented":["501 - Non supporté par le serveur"],"500 - Internal Server Error":["500 - Erreur interne du serveur"],"451 - Unavailable For Legal Reasons":["451 - Indisponible pour des raisons légales"],"URL and language":["URL et langue"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Déconnectez-vous, videz le cache de votre navigateur et reconnectez-vous. Votre navigateur a mis en cache une session expirée."],"Reload the page - your current session is old.":["Veuillez recharger la page. Votre session actuelle est expirée."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Une boucle a été détectée et la mise à niveau a été arrêtée. Ceci indique généralement que {{{support}}}votre site est mis en cache{{{support}}} et que les modifications de la base de données ne sont pas enregistrées."],"Unable to save .htaccess file":["Impossible d’enregistrer le fichier .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Les redirections ajoutées à un groupe Apache peuvent être enregistrées dans un fichier {{code}}.htaccess{{/code}} en ajoutant le chemin complet ici. Pour information, votre WordPress est installé dans {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Cliquez sur « Finir la mise à jour » quand fini."],"Automatic Install":["Installation automatique"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Votre URL cible contient le caractère invalide {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si vous utilisez WordPress 5.2 ou une version plus récente, consultez la {{link}}santé du site{{/link}} et résolvez tous les problèmes."],"If you do not complete the manual install you will be returned here.":["Si vous ne terminez pas l’installation manuelle, vous serez renvoyé ici."],"Click \"Finished! 🎉\" when finished.":["Cliquez sur « Fini ! 🎉 » quand ça a fini."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Si votre site a besoin de permissions spéciales pour les bases de données, ou si vous préférez le faire vous même, vous pouvez exécuter manuellement le SQL suivant."],"Manual Install":["Installation manuelle"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Autorisations de base de données insuffisantes. Veuillez donner à l’utilisateur de votre base de données les droits appropriés."],"This information is provided for debugging purposes. Be careful making any changes.":["Cette information est fournie pour le débogage. Soyez prudent en faisant des modifications."],"Plugin Debug":["Débogage de l’extension"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection communique avec WordPress à travers l’API REST WordPress. C’est une partie standard de WordPress, vous encourez des problèmes si vous ne l’utilisez pas."],"IP Headers":["En-têtes IP"],"Do not change unless advised to do so!":["Ne pas modifier sauf avis contraire !"],"Database version":["Version de la base de données"],"Complete data (JSON)":["Données complètes (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Export en CVS, Apache .htaccess, Nginx ou JSON Redirection. Le format JSON contient toutes les informations. Les autres formats contiennent des informations partielles appropriées au format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CVS n’inclut pas toutes les informations, et tout est importé/exporté en « URL uniquement ». Utilisez le format JSON pour un ensemble complet de données."],"All imports will be appended to the current database - nothing is merged.":["Tous les imports seront annexés à la base de données actuelle - rien n’est fusionné."],"Automatic Upgrade":["Mise à niveau automatique"],"Manual Upgrade":["Mise à niveau manuelle"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Veuillez faire une mise à jour de vos données de Redirection : {{download}}télécharger une sauvegarde{{/download}}. En cas de problèmes, vous pouvez la ré-importer dans Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Le clic sur le bouton « Mettre à niveau la base des données » met à niveau la base de données automatiquement."],"Complete Upgrade":["Finir la mise à niveau"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection stocke vos données dans votre base de données et a parfois besoin d’être mis à niveau. Votre base de données est en version {{strong}}%(current)s{{/strong}} et la dernière est {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Notez que vous allez devoir saisir le chemin du module Apache dans vos options Redirection."],"I need support!":["J’ai besoin du support !"],"You will need at least one working REST API to continue.":["Vous aurez besoin d’au moins une API REST fonctionnelle pour continuer."],"Check Again":["Vérifier à nouveau"],"Testing - %s$":["Test en cours - %s$"],"Show Problems":["Afficher les problèmes"],"Summary":["Résumé"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Votre API REST ne fonctionne pas et l’extension ne sera pas fonctionnelle avant que ce ne soit corrigé."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Il y a des problèmes de connexion à votre API REST. Il n’est pas nécessaire de corriger ces problèmes, l’extension est capable de fonctionner."],"Unavailable":["Non disponible"],"Working but some issues":["Ça fonctionne mais il y a quelques problèmes "],"Current API":["API active"],"Switch to this API":["Basculez vers cette API"],"Hide":["Masquer"],"Show Full":["Afficher en entier"],"Working!":["Ça marche !"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Votre URL de destination devrait être une URL absolue du type {{code}}https://domain.com/%(url)s{{/code}} ou commencer par une barre oblique {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Votre source est identique à votre cible et cela créera une boucle infinie. Laissez vide si cela vous convient."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["URL de destination de la redirection, ou auto-complétion basée sur le nom de la publication ou son permalien."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inclure ces détails dans votre rapport avec une description de ce que vous faisiez ainsi qu’une copie d’écran."],"Create An Issue":["Reporter un problème"],"What do I do next?":["Que faire ensuite ?"],"Possible cause":["Cause possible"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Cela peut être une extension de sécurité, votre serveur qui n’a plus de mémoire ou une erreur extérieure. Veuillez consulter votre journal d’erreurs."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Votre API REST est probablement bloquée par une extension de sécurité. Veuillez la désactiver ou la configurer afin d’autoriser les requêtes de l’API REST."],"Read this REST API guide for more information.":["Lisez ce guide de l’API REST pour plus d’informations."],"URL options / Regex":["Options d’URL / Regex"],"Export 404":["Exporter les 404"],"Export redirect":["Exporter les redirections"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["La structure des permaliens ne fonctionne pas dans les URL normales. Veuillez utiliser une expression régulière."],"Pass - as ignore, but also copies the query parameters to the target":["Passer - comme « ignorer », mais copie également les paramètres de requête sur la cible"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorer - comme « exact », mais ignore les paramètres de requête qui ne sont pas dans votre source"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exact - correspond aux paramètres de requête exacts définis dans votre source, dans n’importe quel ordre"],"Default query matching":["Correspondance de requête par défaut"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorer les barres obliques (ex : {{code}}/article-fantastique/{{/code}} correspondra à {{code}}/article-fantastique{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Correspondances non-sensibles à la casse (ex : {{code}}/Article-Fantastique{{/code}} correspondra à {{code}}/article-fantastique{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["S’applique à toutes les redirections à moins que vous ne les configuriez autrement."],"Default URL settings":["Réglages d’URL par défaut"],"Ignore and pass all query parameters":["Ignorer et transmettre tous les paramètres de requête"],"Ignore all query parameters":["Ignorer tous les paramètres de requête"],"Exact match":["Correspondance exacte"],"Caching software (e.g Cloudflare)":["Logiciel de cache (ex : Cloudflare)"],"A security plugin (e.g Wordfence)":["Une extension de sécurité (ex : Wordfence)"],"URL options":["Options d’URL"],"Query Parameters":["Paramètres de requête"],"Ignore & pass parameters to the target":["Ignorer et transmettre les paramètres à la cible"],"Ignore all parameters":["Ignorer tous les paramètres"],"Exact match all parameters in any order":["Faire correspondre exactement tous les paramètres dans n’importe quel ordre"],"Ignore Case":["Ignorer la casse"],"Ignore Slash":["Ignorer la barre oblique"],"Relative REST API":["API REST relative"],"Raw REST API":["API REST brute"],"Default REST API":["API REST par défaut"],"(Example) The target URL is the new URL":["(Exemple) L’URL cible est la nouvelle URL."],"(Example) The source URL is your old or original URL":["(Exemple) L’URL source est votre ancienne URL ou votre URL d’origine."],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Désactivé ! Version PHP détectée : %s - nécessite PHP 5.4 au minimum"],"A database upgrade is in progress. Please continue to finish.":["Une mise à niveau de la base de données est en cours. Veuillez continuer pour la finir."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["La base de données de Redirection doit être mise à jour - <a href=\"%1$1s\">cliquer pour mettre à jour</a>."],"Redirection database needs upgrading":["La base de données de redirection doit être mise à jour"],"Upgrade Required":["Mise à niveau nécessaire"],"Finish Setup":["Terminer la configuration"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Vous avez des URL différentes configurées dans votre page Réglages > Général, ce qui est le plus souvent un signe de mauvaise configuration et qui provoquera des problèmes avec l’API REST. Veuillez examiner vos réglages."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si vous rencontrez un problème, consultez la documentation de l’extension ou essayez de contacter votre hébergeur. Ce n’est généralement {{link}}pas un problème provoqué par Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Une autre extension bloque l’API REST"],"A server firewall or other server configuration (e.g OVH)":["Un pare-feu de serveur ou une autre configuration de serveur (ex : OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utilise {{link}}l’API REST WordPress{{/link}} pour communiquer avec WordPress. C’est activé et fonctionnel par défaut. Parfois, elle peut être bloquée par :"],"Go back":["Revenir en arrière"],"Continue Setup":["Continuer la configuration"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Le stockage de l’adresse IP vous permet d’effectuer des actions de journalisation supplémentaires. Notez que vous devrez vous conformer aux lois locales en matière de collecte de données (le RGPD par exemple)."],"Store IP information for redirects and 404 errors.":["Stockez les informations IP pour les redirections et les erreurs 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Le stockage des journaux pour les redirections et les 404 vous permettra de voir ce qui se passe sur votre site. Cela augmente vos besoins en taille de base de données."],"Keep a log of all redirects and 404 errors.":["Gardez un journal de toutes les redirections et erreurs 404."],"{{link}}Read more about this.{{/link}}":["{{link}}En savoir plus à ce sujet.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si vous modifiez le permalien dans une publication, Redirection peut automatiquement créer une redirection à votre place."],"Monitor permalink changes in WordPress posts and pages":["Surveillez les modifications de permaliens dans les publications WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Voici quelques options que vous voudriez peut-être activer. Elles peuvent être changées à tout moment."],"Basic Setup":["Configuration de base"],"Start Setup":["Démarrer la configuration"],"When ready please press the button to continue.":["Si tout est bon, veuillez appuyer sur le bouton pour continuer."],"First you will be asked a few questions, and then Redirection will set up your database.":["On vous posera d’abord quelques questions puis Redirection configurera votre base de données."],"What's next?":["Et après ?"],"Check a URL is being redirected":["Vérifie qu’une URL est bien redirigée"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Une correspondance d’URL plus puissante avec notamment les {{regular}}expressions régulières{{/regular}} et {{other}}d’autres conditions{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importez{{/link}} depuis .htaccess, CSV et une multitude d’autres extensions"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Surveillez les erreurs 404{{/link}}, obtenez des informations détaillées sur les visiteurs et corrigez les problèmes"],"Some features you may find useful are":["Certaines fonctionnalités que vous pouvez trouver utiles sont "],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Une documentation complète est disponible sur {{link}}le site de Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Une redirection simple consiste à définir une {{strong}}URL source{{/strong}} (l’ancienne URL) et une {{strong}}URL cible{{/strong}} (la nouvelle URL). Voici un exemple :"],"How do I use this plugin?":["Comment utiliser cette extension ?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection est conçu pour être utilisé sur des sites comportant aussi bien une poignée que des milliers de redirections."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Merci d’avoir installé et d’utiliser Redirection v%(version)s. Cette extension vous permettra de gérer vos redirections 301, de surveiller vos erreurs 404 et d’améliorer votre site sans aucune connaissance Apache ou Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenue dans Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Pour éviter des expression régulières gourmandes, vous pouvez utiliser {{code}}^{{/code}} pour l’ancrer au début de l’URL. Par exemple : {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["N’oubliez pas de cocher l’option « regex » si c’est une expression régulière."],"The source URL should probably start with a {{code}}/{{/code}}":["L’URL source devrait probablement commencer par un {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Ce sera converti en redirection serveur pour le domaine {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Les valeurs avec des ancres ne sont pas envoyées au serveur et ne peuvent pas être redirigées."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} vers {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Terminé ! 🎉"],"Progress: %(complete)d$":["Progression : %(achevé)d$"],"Leaving before the process has completed may cause problems.":["Partir avant la fin du processus peut causer des problèmes."],"Setting up Redirection":["Configuration de Redirection"],"Upgrading Redirection":["Mise à niveau de Redirection"],"Please remain on this page until complete.":["Veuillez rester sur cette page jusqu’à la fin."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si vous souhaitez {{support}}obtenir de l’aide{{/support}}, veuillez mentionner ces détails :"],"Stop upgrade":["Arrêter la mise à niveau"],"Skip this stage":["Passer cette étape"],"Try again":["Réessayer"],"Database problem":["Problème de base de données"],"Please enable JavaScript":["Veuillez activer JavaScript"],"Please upgrade your database":["Veuillez mettre à niveau votre base de données"],"Upgrade Database":["Mettre à niveau la base de données"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Veuillez terminer <a href=\"%s\">la configuration de Redirection</a> pour activer l’extension."],"Your database does not need updating to %s.":["Votre base de données n’a pas besoin d’être mise à niveau vers %s."],"Table \"%s\" is missing":["La table « %s » est manquante"],"Create basic data":["Création des données de base"],"Install Redirection tables":["Installer les tables de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["L’URL du site et de l’accueil (home) sont inconsistantes. Veuillez les corriger dans la page Réglages > Général : %1$1s n’est pas %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Veuillez ne pas essayer de rediriger toutes vos 404 - ce n’est pas une bonne chose à faire."],"Only the 404 page type is currently supported.":["Seul le type de page 404 est actuellement supporté."],"Page Type":["Type de page"],"Enter IP addresses (one per line)":["Saisissez les adresses IP (une par ligne)"],"Describe the purpose of this redirect (optional)":["Décrivez le but de cette redirection (facultatif)"],"418 - I'm a teapot":["418 - Je suis une théière"],"403 - Forbidden":["403 - Interdit"],"400 - Bad Request":["400 - mauvaise requête"],"304 - Not Modified":["304 - Non modifié"],"303 - See Other":["303 - Voir ailleurs"],"Do nothing (ignore)":["Ne rien faire (ignorer)"],"Target URL when not matched (empty to ignore)":["URL cible si aucune correspondance (laisser vide pour ignorer)"],"Target URL when matched (empty to ignore)":["URL cible si il y a une correspondance (laisser vide pour ignorer)"],"Show All":["Tout afficher"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":["Supprimer les entrées du journal"],"Group by IP":["Grouper par IP"],"Group by URL":["Grouper par URL"],"No grouping":["Aucun regroupement"],"Ignore URL":["Ignorer l’URL"],"Block IP":["Bloquer l’IP"],"Redirect All":["Tout rediriger"],"Count":["Compter"],"URL and WordPress page type":["URL et type de page WordPress"],"URL and IP":["URL et IP"],"Problem":["Problème"],"Good":["Bon"],"Check":["Vérifier"],"Check Redirect":["Vérifier la redirection"],"Check redirect for: {{code}}%s{{/code}}":["Vérifier la redirection pour : {{code}}%s{{/code}}"],"Not using Redirection":["N’utilisant pas Redirection"],"Using Redirection":["Utilisant Redirection"],"Found":["Trouvé"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(code)d{{/code}} vers {{code}}%(url)s{{/code}}"],"Expected":["Attendu"],"Error":["Erreur"],"Enter full URL, including http:// or https://":["Saisissez l’URL complète, avec http:// ou https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Parfois votre navigateur peut mettre en cache une URL, ce qui rend les diagnostics difficiles. Utilisez cet outil pour vérifier qu’une URL est réellement redirigée."],"Redirect Tester":["Testeur de redirection"],"Target":["Cible"],"URL is not being redirected with Redirection":["L’URL n’est pas redirigée avec Redirection."],"URL is being redirected with Redirection":["L’URL est redirigée avec Redirection."],"Unable to load details":["Impossible de charger les détails"],"Enter server URL to match against":["Saisissez l’URL du serveur à comparer avec"],"Server":["Serveur"],"Enter role or capability value":["Saisissez la valeur de rôle ou de capacité"],"Role":["Rôle"],"Match against this browser referrer text":["Correspondance avec ce texte de référence du navigateur"],"Match against this browser user agent":["Correspondance avec cet agent utilisateur de navigateur"],"The relative URL you want to redirect from":["L’URL relative que vous voulez rediriger"],"Add New":["Ajouter une redirection"],"URL and role/capability":["URL et rôle/capacité"],"URL and server":["URL et serveur"],"Site and home protocol":["Protocole du site et de l’accueil"],"Site and home are consistent":["Le site et l’accueil sont cohérents"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Sachez qu’il est de votre responsabilité de passer les en-têtes HTTP en PHP. Veuillez contacter votre hébergeur pour obtenir de l’aide."],"Accept Language":["Accepter la langue"],"Header value":["Valeur de l’en-tête"],"Header name":["Nom de l’en-tête"],"HTTP Header":["En-tête HTTP"],"WordPress filter name":["Nom de filtre WordPress"],"Filter Name":["Nom du filtre"],"Cookie value":["Valeur du cookie"],"Cookie name":["Nom du cookie"],"Cookie":["Cookie"],"clearing your cache.":["vider votre cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Si vous utilisez un système de cache comme Cloudflare, veuillez lire ceci : "],"URL and HTTP header":["URL et en-tête HTTP"],"URL and custom filter":["URL et filtre personnalisé"],"URL and cookie":["URL et cookie"],"404 deleted":["404 supprimée"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Comment Redirection utilise l’API REST - ne pas changer sauf si nécessaire"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Jetez un œil à {{link}}l’état de l’extension{{/link}}. Ça pourrait identifier et corriger le problème."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Les logiciels de cache{{/link}}, comme Cloudflare en particulier, peuvent mettre en cache les mauvais éléments. Essayez de vider tous vos caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Veuillez temporairement désactiver les autres extensions !{{/link}} Ça pourrait résoudre beaucoup de problèmes."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Veuillez lire la <a href=\"https://redirection.me/support/problems/\">liste de problèmes communs</a>."],"Unable to load Redirection ☹️":["Impossible de charger Redirection ☹️"],"WordPress REST API":["API REST WordPress"],"Useragent Error":["Erreur de l’agent utilisateur"],"Unknown Useragent":["Agent utilisateur inconnu"],"Device":["Appareil"],"Operating System":["Système d’exploitation"],"Browser":["Navigateur"],"Engine":["Moteur"],"Useragent":["Agent utilisateur"],"Agent":["Agent"],"No IP logging":["Aucune IP journalisée"],"Full IP logging":["Connexion avec IP complète"],"Anonymize IP (mask last part)":["Anonymiser l’IP (masquer la dernière partie)"],"Monitor changes to %(type)s":["Surveiller les modifications de(s) %(type)s"],"IP Logging":["Journalisation d’IP"],"Geo Info":["Informations géographiques"],"Agent Info":["Informations sur l’agent"],"Filter by IP":["Filtrer par IP"],"Geo IP Error":["Erreur de l’IP géographique"],"Something went wrong obtaining this information":["Un problème est survenu lors de l’obtention de cette information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Cette IP provient d’un réseau privé. Elle fait partie du réseau d’un domicile ou d’une entreprise. Aucune autre information ne peut être affichée."],"No details are known for this address.":["Aucun détail n’est connu pour cette adresse."],"Geo IP":["IP géographique"],"City":["Ville"],"Area":["Zone"],"Timezone":["Fuseau horaire"],"Geo Location":["Emplacement géographique"],"Powered by {{link}}redirect.li{{/link}}":["Propulsé par {{link}}redirect.li{{/link}}"],"Trash":["Corbeille"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Veuillez noter que Redirection utilise l’API REST de WordPress. Si vous l’avez désactivée, vous ne serez pas en mesure d’utiliser Redirection."],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Vous pouvez trouver une documentation complète à propos de l’utilisation de Redirection sur le site de support <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentation complète de Redirection est disponible sur {{site}}https://redirection.me{{/site}}. En cas de problème, veuillez d’abord consulter la {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si vous souhaitez signaler un bogue, veuillez lire le guide {{report}}Reporting Bugs {{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si vous souhaitez soumettre des informations que vous ne voulez pas divulguer dans un dépôt public, envoyez-les directement via {{email}}e-mail{{/ email}} - en incluant autant d’informations que possible !"],"Never cache":["Jamais de cache"],"An hour":["Une heure"],"Redirect Cache":["Cache de redirection"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Combien de temps garder les URL redirigées en 301 dans le cache (via l’en-tête HTTP « Expires »)"],"Are you sure you want to import from %s?":["Confirmez-vous l’importation depuis %s ?"],"Plugin Importers":["Importeurs d’extensions"],"The following redirect plugins were detected on your site and can be imported from.":["Les extensions de redirection suivantes ont été détectées sur votre site et peuvent être importées."],"total = ":["total = "],"Import from %s":["Importer depuis %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection nécessite WordPress v%1$1s, vous utilisez v%2$2s - veuillez mettre à jour votre installation WordPress."],"Default WordPress \"old slugs\"":["« Anciens slugs » de WordPress par défaut"],"Create associated redirect (added to end of URL)":["Créer une redirection associée (ajoutée à la fin de l’URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> n’est pas défini. Cela signifie généralement qu’une autre extension bloque le chargement de Redirection. Veuillez désactiver toutes les extensions et réessayer."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si le bouton magique ne fonctionne pas, veuillez lire l’erreur et voir si vous pouvez le réparer manuellement, sinon suivez la section « Besoin d’aide » ci-dessous."],"⚡️ Magic fix ⚡️":["⚡️ Correction magique ⚡️"],"Plugin Status":["Statut de l’extension"],"Custom":["Personnalisé"],"Mobile":["Mobile"],"Feed Readers":["Lecteurs de flux"],"Libraries":["Librairies"],"URL Monitor Changes":["Surveiller la modification des URL"],"Save changes to this group":["Enregistrer les modifications apportées à ce groupe"],"For example \"/amp\"":["Par exemple « /amp »"],"URL Monitor":["URL à surveiller"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":["Vérifiez également si votre navigateur est capable de charger <code>redirection.js</code> :"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si vous utilisez une extension ou un service de mise en cache de pages (CloudFlare, OVH, etc.), vous pouvez également essayer de vider ce cache."],"Unable to load Redirection":["Impossible de charger Redirection"],"Post monitor group is valid":["Le groupe de surveillance d’articles est valide"],"Post monitor group is invalid":["Le groupe de surveillance d’articles est non valide"],"Post monitor group":["Groupe de surveillance d’article"],"All redirects have a valid group":["Toutes les redirections ont un groupe valide"],"Redirects with invalid groups detected":["Redirections avec des groupes non valides détectées"],"Valid redirect group":["Groupe de redirection valide"],"Valid groups detected":["Groupes valides détectés"],"No valid groups, so you will not be able to create any redirects":["Aucun groupe valide, vous ne pourrez pas créer de redirections."],"Valid groups":["Groupes valides"],"Database tables":["Tables de la base de données"],"The following tables are missing:":["Les tables suivantes sont manquantes :"],"All tables present":["Toutes les tables présentes"],"Cached Redirection detected":["Redirection en cache détectée"],"Please clear your browser cache and reload this page.":["Veuillez vider le cache de votre navigateur et recharger cette page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress n’a pas renvoyé de réponse. Cela peut signifier qu’une erreur est survenue ou que la requête a été bloquée. Veuillez consulter les error_log de votre serveur."],"If you think Redirection is at fault then create an issue.":["Si vous pensez que Redirection est en faute alors créez un rapport."],"This may be caused by another plugin - look at your browser's error console for more details.":["Cela peut être causé par une autre extension – regardez la console d’erreur de votre navigateur pour plus de détails."],"Loading, please wait...":["Veuillez patienter pendant le chargement…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}Fichier au format CSV{{/strong}} : {{code}}source URL, target URL{{/code}} – facultativement suivi par {{code}}regex, http code{{/code}} {{code}}regex{{/code}} – mettez 0 pour non, 1 pour oui."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["L’extension Redirection ne fonctionne pas. Essayez de nettoyer votre cache navigateur puis rechargez cette page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si cela n’aide pas, ouvrez la console de votre navigateur et ouvrez un {{link}}nouveau ticket{{/link}} avec les détails."],"Create Issue":["Créer un rapport"],"Email":["E-mail"],"Need help?":["Besoin d’aide ?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Veuillez noter que tout support est fourni sur la base de mon temps libre et que cela n’est pas garanti. Je ne propose pas de support payant."],"Pos":["Pos"],"410 - Gone":["410 – Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Utilisé pour générer une URL si aucune URL n’est donnée. Utilisez les étiquettes spéciales {{code}}$dec${{/code}} ou {{code}}$hex${{/code}} pour insérer un identifiant unique déjà utilisé."],"I'd like to support some more.":["Je voudrais soutenir un peu plus."],"Support 💰":["Support 💰"],"Import to group":["Importer dans le groupe"],"Import a CSV, .htaccess, or JSON file.":["Importer un fichier CSV, .htaccess ou JSON."],"Click 'Add File' or drag and drop here.":["Cliquer sur « ajouter un fichier » ou glisser-déposer ici."],"Add File":["Ajouter un fichier"],"File selected":["Fichier sélectionné"],"Importing":["Import"],"Finished importing":["Import terminé"],"Total redirects imported:":["Total des redirections importées :"],"Double-check the file is the correct format!":["Vérifiez à deux fois si le fichier et dans le bon format !"],"OK":["OK"],"Close":["Fermer"],"Export":["Exporter"],"Everything":["Tout"],"WordPress redirects":["Redirections WordPress"],"Apache redirects":["Redirections Apache"],"Nginx redirects":["Redirections Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":["Règles de réécriture Nginx"],"View":["Visualiser"],"Import/Export":["Import/export"],"Logs":["Journaux"],"404 errors":["Erreurs 404"],"Redirection saved":["Redirection sauvegardée"],"Log deleted":["Journal supprimé"],"Settings saved":["Réglages sauvegardés"],"Group saved":["Groupe sauvegardé"],"Are you sure you want to delete this item?":["Confirmez-vous la suppression de cet élément ?","Confirmez-vous la suppression de ces éléments ?"],"pass":["Passer"],"All groups":["Tous les groupes"],"301 - Moved Permanently":["301 - déplacé de façon permanente"],"302 - Found":["302 – trouvé"],"307 - Temporary Redirect":["307 – Redirigé temporairement"],"308 - Permanent Redirect":["308 – Redirigé de façon permanente"],"401 - Unauthorized":["401 – Non-autorisé"],"404 - Not Found":["404 – Introuvable"],"Title":["Titre"],"When matched":["Quand cela correspond"],"with HTTP code":["avec code HTTP"],"Show advanced options":["Afficher les options avancées"],"Matched Target":["Cible correspondant"],"Unmatched Target":["Cible ne correspondant pas"],"Saving...":["Sauvegarde…"],"View notice":["Voir la notification"],"Something went wrong 🙁":["Quelque chose s’est mal passé 🙁"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Bulk Actions":["Actions groupées"],"Apply":["Appliquer"],"First page":["Première page"],"Prev page":["Page précédente"],"Current Page":["Page courante"],"of %(page)s":["de %(page)s"],"Next page":["Page suivante"],"Last page":["Dernière page"],"%s item":["%s élément","%s éléments"],"Select All":["Tout sélectionner"],"Sorry, something went wrong loading the data - please try again":["Désolé, quelque chose a échoué au chargement des données. Veuillez réessayer."],"No results":["Aucun résultat"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Merci pour votre abonnement ! {{a}}Cliquez ici{{/a}} si vous souhaitez revenir à votre abonnement."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vous souhaitez être au courant des modifications apportées à Redirection ?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Inscrivez-vous à la minuscule newsletter de Redirection - une newsletter ponctuelle vous informe des nouvelles fonctionnalités et des modifications apportées à l’extension. La solution idéale si vous voulez tester les versions beta."],"Your email address:":["Votre adresse de messagerie :"],"You've supported this plugin - thank you!":["Vous avez apporté votre soutien à l’extension. Merci !"],"You get useful software and I get to carry on making it better.":["Vous avez une extension utile, et je peux continuer à l’améliorer."],"Forever":["Indéfiniment"],"Delete the plugin - are you sure?":["Confirmez-vous la suppression de cette extension ?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Supprimer cette extension retirera toutes vos redirections, journaux et réglages. Faites-le si vous souhaitez vraiment supprimer l’extension, ou si vous souhaitez la réinitialiser."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Une fois supprimées, vos redirections ne fonctionneront plus. Si elles continuent de fonctionner, veuillez vider votre cache navigateur."],"Yes! Delete the plugin":["Oui ! Supprimer l’extension"],"No! Don't delete the plugin":["Non ! Ne supprimez pas l’extension"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gérez toutes vos redirections 301 et surveillez les erreurs 404."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection est utilisable gratuitement. La vie est belle ! Cependant, cette extension a nécessité beaucoup de travail et d’effort pour être développée. Donc si vous la trouvez utile, vous pouvez contribuer à son développement en {{strong}}faisant un petit don{{/strong}}."],"Redirection Support":["Support de Redirection"],"Support":["Support"],"404s":["404"],"Log":["Journaux"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Sélectionner cette option supprimera toutes les redirections, les journaux et toutes les options associées à l’extension Redirection. Soyez sûr que c’est ce que vous voulez !"],"Delete Redirection":["Supprimer Redirection"],"Upload":["Mettre en ligne"],"Import":["Importer"],"Update":["Mettre à jour"],"Auto-generate URL":["URL auto-générée "],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un jeton unique permettant aux lecteurs de flux d’accéder au flux RSS des journaux de Redirection (laisser vide pour générer automatiquement)."],"RSS Token":["Jeton RSS "],"404 Logs":["Journaux des 404 "],"(time to keep logs for)":["(durée de conservation des journaux)"],"Redirect Logs":["Journaux des redirections "],"I'm a nice person and I have helped support the author of this plugin":["Je suis un type bien et j’ai aidé l’auteur de cette extension."],"Plugin Support":["Support de l’extension "],"Options":["Options"],"Two months":["Deux mois"],"A month":["Un mois"],"A week":["Une semaine"],"A day":["Un jour"],"No logs":["Aucun journal"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilisez les groupes pour organiser vos redirections. Les groupes sont assignés à un module qui affecte la manière dont les redirections dans ce groupe fonctionnent. Si vous n’êtes pas sûr/e, tenez-vous en au module de WordPress."],"Add Group":["Ajouter un groupe"],"Search":["Rechercher"],"Groups":["Groupes"],"Save":["Enregistrer"],"Group":["Groupe"],"Regular Expression":["Expression régulière"],"Match":["Correspondant"],"Add new redirection":["Ajouter une nouvelle redirection"],"Cancel":["Annuler"],"Download":["Télécharger"],"Redirection":["Redirection"],"Settings":["Réglages"],"WordPress":["WordPress"],"Error (404)":["Erreur (404)"],"Pass-through":["Outrepasser"],"Redirect to random post":["Rediriger vers un article aléatoire"],"Redirect to URL":["Redirection vers une URL"],"IP":["IP"],"Source URL":["URL source"],"Date":["Date"],"Add Redirect":["Ajouter une redirection"],"View Redirects":["Voir les redirections"],"Module":["Module"],"Redirects":["Redirections"],"Name":["Nom"],"Filters":["Filtre"],"Reset hits":["Réinitialiser les vues"],"Enable":["Activer"],"Disable":["Désactiver"],"Delete":["Supprimer"],"Edit":["Modifier"],"Last Access":["Dernier accès"],"Hits":["Vues"],"URL":["URL"],"Modified Posts":["Articles modifiés"],"Redirections":["Redirections"],"User Agent":["Agent utilisateur"],"URL and user agent":["URL et agent utilisateur"],"Target URL":["URL cible"],"URL only":["URL uniquement"],"HTTP code":["Code HTTP"],"Regex":["Regex"],"Referrer":["Référant"],"URL and referrer":["URL et référent"],"Logged Out":["Déconnecté"],"Logged In":["Connecté"],"URL and login status":["URL et état de connexion"],"plural-forms":"nplurals=2; plural=n > 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":["Mauvaise donnée"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Votre API REST WordPress a été désactivée. Vous devrez l’activer pour continuer."],"An unknown error occurred.":["Une erreur inconnue est survenue."],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Vérifiez votre {{link}}Santé du site{{/link}} et corrigez les problèmes."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":["Information de débogage"],"Show debug":["Afficher le débogage"],"View Data":["Voir les données"],"Other":["Autre"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Journalisation"],"(IP logging level)":["(Niveau de journalisation des IP)"],"Are you sure you want to delete the selected items?":["Confirmez-vous vouloir supprimer les éléments sélectionnés ?"],"View Redirect":["Voir la redirection"],"RSS":["RSS"],"Group by user agent":["Grouper par agent utilisateur"],"Search domain":["Rechercher un domaine"],"Redirect By":["Redirection par"],"Domain":["Domaine"],"Method":["Méthode"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":["Quelque chose s’est mal passé lors de l’installation de Redirection."],"Apply To All":["Appliquer à tous"],"Bulk Actions (all)":["Actions en bloc (toutes)"],"Actions applied to all selected items":["Actions appliquées à tous les éléments sélectionnés"],"Actions applied to everything that matches current filter":["Actions appliquées à tout ce qui correspond au filtre actuel"],"Redirect Source":["Source de redirection"],"Request Headers":[""],"Exclude from logs":["Exclure des journaux"],"Cannot connect to the server to determine the redirect status.":["Impossible de se connecter au serveur pour déterminer l’état de la redirection."],"Your URL is cached and the cache may need to be cleared.":["Votre URL est mise en cache et le cache peut avoir besoin d’être vidé."],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Transférer vers un domaine"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Souhaitez-vous rediriger l’ensemble du site ? Saisissez un domaine pour tout rediriger, sauf la connexion et l’administration de WordPress. L’activation de cette option désactivera tout alias de site ou réglages canoniques."],"Relocate Site":["Transférer le site"],"Add CORS Presets":["Ajouter des préréglages CORS"],"Add Security Presets":["Ajouter des préréglages de sécurité"],"Add Header":["Ajouter un en-tête"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Vous devez mettre à jour l’URL de votre site pour qu’elle corresponde à vos réglages canoniques : {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Domaine préféré"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Avertissement{{/strong}} : assurez-vous que votre HTTPS fonctionne avant de forcer une redirection."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forcer une redirection de HTTP vers HTTPS  - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Réglages canoniques"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Ajouter www au domaine  - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Retirer www du domaine - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Ne pas définir de domaine préféré - {{code}}%(site)s{{/code}}"],"Add Alias":["Ajouter un alias"],"No aliases":["Aucun alias"],"Alias":["Alias"],"Aliased Domain":["Domaine alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Vous devrez configurer votre système (DNS et serveur) pour transmettre les demandes pour ces domaines à cette installation WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Un alias de site est un autre domaine que vous souhaitez rediriger vers ce site. Par exemple, un ancien domaine ou un sous-domaine. Cela redirigera toutes les URL, y compris celles de connexion et d’administration de WordPress."],"Site Aliases":["Alias de site"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["L’extension complémentaire Search Regex vous permet de rechercher et de remplacer des données sur votre site. Il prend également en charge Redirection, et est pratique si vous voulez mettre à jour simultanément un grand nombre de redirections."],"Need to search and replace?":["Besoin de rechercher et de remplacer ?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Les options de cette page peuvent causer des problèmes si elles sont mal utilisées. Vous pouvez les {{link}}désactiver temporairement{{/link}} pour effectuer des modifications."],"Please wait, importing.":["Veuillez patienter, importation en cours."],"Continue":["Continuer"],"The following plugins have been detected.":["Les extensions suivantes ont été détectées."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crée automatiquement des redirections lorsque vous modifiez l’URL d’une publication. Les importer dans Redirection vous permettra de les gérer et de les contrôler."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["L’importation de redirections existantes depuis WordPress ou d’autres extensions est un bon moyen de commencer à utiliser Redirection. Vérifiez chaque ensemble de redirections que vous souhaitez importer."],"Import Existing Redirects":["Importer les redirections existantes"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["C’est tout ce qu’il y a à dire - vous êtes maintenant en train de rediriger ! Notez que ce qui précède n’est qu’un exemple."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Si vous souhaitez tout rediriger, veuillez utiliser un site de relocalisation ou un alias de la page site."],"Value":["Valeur"],"Values":["Valeurs"],"All":["Toutes"],"Note that some HTTP headers are set by your server and cannot be changed.":["Notez que certains en-têtes HTTP sont définis par votre serveur et ne peuvent pas être modifiés."],"No headers":["Aucun en-tête"],"Header":["En-tête"],"Location":["Emplacement"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Les en-têtes de site sont ajoutés sur l’ensemble de votre site, y compris les redirections. Les en-têtes de redirection sont ajoutés uniquement aux redirections."],"HTTP Headers":["En-têtes HTTP"],"Custom Header":["En-tête personnalisé"],"General":["Général"],"Redirect":["Redirection"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Quelques serveurs peuvent être configurés pour servir directement les ressources de fichiers, empêchant une redirection de se produire."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Impossible de faire une demande en raison de la sécurité du navigateur. C’est généralement parce que vos réglages WordPress et URL de site sont incohérents ou qu’une demande a été bloquée par votre politique de partage de ressources entre origines multiples CORS."],"Ignore & Pass Query":["Ignorer et passer la requête"],"Ignore Query":["Ignorer la requête"],"Exact Query":["Requête exacte"],"Search title":["Rechercher le titre"],"Not accessed in last year":["Non consulté l’année dernière"],"Not accessed in last month":["Non consulté le mois dernier"],"Never accessed":["Jamais consulté"],"Last Accessed":["Dernière consultation"],"HTTP Status Code":["Code d’état HTTP"],"Plain":["Plein"],"URL match":["Correspondance URL"],"Source":["Source"],"Code":["Code"],"Action Type":["Type d’action"],"Match Type":["Type correspondant"],"Search target URL":["Rechercher l’URL cible"],"Search IP":["Rechercher l’IP"],"Search user agent":["Rechercher l’agent utilisateur"],"Search referrer":["Rechercher le référent"],"Search URL":["Rechercher l’URL"],"Filter on: %(type)s":["Filtre : %(type)s"],"Disabled":["Désactivé"],"Enabled":["Activé"],"Compact Display":["Affichage compact"],"Standard Display":["Affichage standard"],"Status":["État"],"Pre-defined":["Prédéfini"],"Custom Display":["Affichage personnalisé"],"Display All":["Tout afficher"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Votre URL semble contenir un domaine à l’intérieur du chemin : {{code}}%(relative)s{{/code}}. Avez-vous voulu utiliser {{code}}%(absolute)s{{/code}} à la place ?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Liste des langues à comparer, séparées par des virgules (ex : da, en-GB)"],"Language":["Langue"],"504 - Gateway Timeout":["504 - Temps d’attente de la passerelle écoulé"],"503 - Service Unavailable":["503 - Service temporairement indisponible"],"502 - Bad Gateway":["502 - Mauvaise passerelle"],"501 - Not implemented":["501 - Non supporté par le serveur"],"500 - Internal Server Error":["500 - Erreur interne du serveur"],"451 - Unavailable For Legal Reasons":["451 - Indisponible pour des raisons légales"],"URL and language":["URL et langue"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Déconnectez-vous, videz le cache de votre navigateur et reconnectez-vous. Votre navigateur a mis en cache une session expirée."],"Reload the page - your current session is old.":["Veuillez recharger la page. Votre session actuelle est expirée."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Une boucle a été détectée et la mise à niveau a été arrêtée. Ceci indique généralement que {{{support}}}votre site est mis en cache{{{support}}} et que les modifications de la base de données ne sont pas enregistrées."],"Unable to save .htaccess file":["Impossible d’enregistrer le fichier .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Les redirections ajoutées à un groupe Apache peuvent être enregistrées dans un fichier {{code}}.htaccess{{/code}} en ajoutant le chemin complet ici. Pour information, votre WordPress est installé dans {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Cliquez sur « Finir la mise à jour » quand fini."],"Automatic Install":["Installation automatique"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Votre URL cible contient le caractère invalide {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Si vous utilisez WordPress 5.2 ou une version plus récente, consultez la {{link}}santé du site{{/link}} et résolvez tous les problèmes."],"If you do not complete the manual install you will be returned here.":["Si vous ne terminez pas l’installation manuelle, vous serez renvoyé ici."],"Click \"Finished! 🎉\" when finished.":["Cliquez sur « Fini ! 🎉 » quand ça a fini."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Si votre site nécessite des droits spéciaux pour la base de données, ou si vous préférez le faire vous-même, vous pouvez exécuter manuellement le SQL suivant."],"Manual Install":["Installation manuelle"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Autorisations de base de données insuffisantes. Veuillez donner à l’utilisateur de votre base de données les droits appropriés."],"This information is provided for debugging purposes. Be careful making any changes.":["Cette information est fournie pour le débogage. Soyez prudent en faisant des modifications."],"Plugin Debug":["Débogage de l’extension"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection communique avec WordPress à travers l’API REST WordPress. C’est une partie standard de WordPress, vous encourez des problèmes si vous ne l’utilisez pas."],"IP Headers":["En-têtes IP"],"Do not change unless advised to do so!":["Ne pas modifier sauf avis contraire !"],"Database version":["Version de la base de données"],"Complete data (JSON)":["Données complètes (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Export en CVS, Apache .htaccess, Nginx ou JSON Redirection. Le format JSON contient toutes les informations. Les autres formats contiennent des informations partielles appropriées au format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CVS n’inclut pas toutes les informations, et tout est importé/exporté en « URL uniquement ». Utilisez le format JSON pour un ensemble complet de données."],"All imports will be appended to the current database - nothing is merged.":["Tous les imports seront annexés à la base de données actuelle - rien n’est fusionné."],"Automatic Upgrade":["Mise à niveau automatique"],"Manual Upgrade":["Mise à niveau manuelle"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Veuillez faire une mise à jour de vos données de Redirection : {{download}}télécharger une sauvegarde{{/download}}. En cas de problèmes, vous pouvez la ré-importer dans Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Le clic sur le bouton « Mettre à niveau la base des données » met à niveau la base de données automatiquement."],"Complete Upgrade":["Finir la mise à niveau"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection stocke vos données dans votre base de données et a parfois besoin d’être mis à niveau. Votre base de données est en version {{strong}}%(current)s{{/strong}} et la dernière est {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Notez que vous allez devoir saisir le chemin du module Apache dans vos options Redirection."],"I need support!":["J’ai besoin du support !"],"You will need at least one working REST API to continue.":["Vous aurez besoin d’au moins une API REST fonctionnelle pour continuer."],"Check Again":["Vérifier à nouveau"],"Testing - %s$":["Test en cours - %s$"],"Show Problems":["Afficher les problèmes"],"Summary":["Résumé"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Votre API REST ne fonctionne pas et l’extension ne sera pas fonctionnelle avant que ce ne soit corrigé."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Il y a des problèmes de connexion à votre API REST. Il n’est pas nécessaire de corriger ces problèmes, l’extension est capable de fonctionner."],"Unavailable":["Non disponible"],"Working but some issues":["Ça fonctionne mais il y a quelques problèmes "],"Current API":["API active"],"Switch to this API":["Basculez vers cette API"],"Hide":["Masquer"],"Show Full":["Afficher en entier"],"Working!":["Ça marche !"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Votre URL de destination devrait être une URL absolue du type {{code}}https://domain.com/%(url)s{{/code}} ou commencer par une barre oblique {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Votre source est identique à votre cible et cela créera une boucle infinie. Laissez vide si cela vous convient."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["URL de destination de la redirection, ou auto-complétion basée sur le nom de la publication ou son permalien."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inclure ces détails dans votre rapport avec une description de ce que vous faisiez ainsi qu’une copie d’écran."],"Create An Issue":["Reporter un problème"],"What do I do next?":["Que faire ensuite ?"],"Possible cause":["Cause possible"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Cela peut être une extension de sécurité, votre serveur qui n’a plus de mémoire ou une erreur extérieure. Veuillez consulter votre journal d’erreurs."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Votre API REST est probablement bloquée par une extension de sécurité. Veuillez la désactiver ou la configurer afin d’autoriser les requêtes de l’API REST."],"Read this REST API guide for more information.":["Lisez ce guide de l’API REST pour plus d’informations."],"URL options / Regex":["Options d’URL / Regex"],"Export 404":["Exporter les 404"],"Export redirect":["Exporter les redirections"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["La structure des permaliens ne fonctionne pas dans les URL normales. Veuillez utiliser une expression régulière."],"Pass - as ignore, but also copies the query parameters to the target":["Passer - comme « ignorer », mais copie également les paramètres de requête sur la cible"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorer - comme « exact », mais ignore les paramètres de requête qui ne sont pas dans votre source"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exact - correspond aux paramètres de requête exacts définis dans votre source, dans n’importe quel ordre"],"Default query matching":["Correspondance de requête par défaut"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorer les barres obliques (ex : {{code}}/article-fantastique/{{/code}} correspondra à {{code}}/article-fantastique{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Correspondances non-sensibles à la casse (ex : {{code}}/Article-Fantastique{{/code}} correspondra à {{code}}/article-fantastique{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["S’applique à toutes les redirections à moins que vous ne les configuriez autrement."],"Default URL settings":["Réglages d’URL par défaut"],"Ignore and pass all query parameters":["Ignorer et transmettre tous les paramètres de requête"],"Ignore all query parameters":["Ignorer tous les paramètres de requête"],"Exact match":["Correspondance exacte"],"Caching software (e.g Cloudflare)":["Logiciel de cache (ex : Cloudflare)"],"A security plugin (e.g Wordfence)":["Une extension de sécurité (ex : Wordfence)"],"URL options":["Options d’URL"],"Query Parameters":["Paramètres de requête"],"Ignore & pass parameters to the target":["Ignorer et transmettre les paramètres à la cible"],"Ignore all parameters":["Ignorer tous les paramètres"],"Exact match all parameters in any order":["Faire correspondre exactement tous les paramètres dans n’importe quel ordre"],"Ignore Case":["Ignorer la casse"],"Ignore Slash":["Ignorer la barre oblique"],"Relative REST API":["API REST relative"],"Raw REST API":["API REST brute"],"Default REST API":["API REST par défaut"],"(Example) The target URL is the new URL":["(Exemple) L’URL cible est la nouvelle URL."],"(Example) The source URL is your old or original URL":["(Exemple) L’URL source est votre ancienne URL ou votre URL d’origine."],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Désactivé ! Version PHP détectée : %s - nécessite PHP 5.4 au minimum"],"A database upgrade is in progress. Please continue to finish.":["Une mise à niveau de la base de données est en cours. Veuillez continuer pour la finir."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["La base de données de Redirection doit être mise à jour - <a href=\"%1$1s\">cliquer pour mettre à jour</a>."],"Redirection database needs upgrading":["La base de données de redirection doit être mise à jour"],"Upgrade Required":["Mise à niveau nécessaire"],"Finish Setup":["Terminer la configuration"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Vous avez des URL différentes configurées dans votre page Réglages > Général, ce qui est le plus souvent un signe de mauvaise configuration et qui provoquera des problèmes avec l’API REST. Veuillez examiner vos réglages."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Si vous rencontrez un problème, consultez la documentation de l’extension ou essayez de contacter votre hébergeur. Ce n’est généralement {{link}}pas un problème provoqué par Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Une autre extension bloque l’API REST"],"A server firewall or other server configuration (e.g OVH)":["Un pare-feu de serveur ou une autre configuration de serveur (ex : OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection utilise {{link}}l’API REST WordPress{{/link}} pour communiquer avec WordPress. C’est activé et fonctionnel par défaut. Parfois, elle peut être bloquée par :"],"Go back":["Revenir en arrière"],"Continue Setup":["Continuer la configuration"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Le stockage de l’adresse IP vous permet d’effectuer des actions de journalisation supplémentaires. Notez que vous devrez vous conformer aux lois locales en matière de collecte de données (le RGPD par exemple)."],"Store IP information for redirects and 404 errors.":["Stockez les informations IP pour les redirections et les erreurs 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Le stockage des journaux pour les redirections et les 404 vous permettra de voir ce qui se passe sur votre site. Cela augmente vos besoins en taille de base de données."],"Keep a log of all redirects and 404 errors.":["Gardez un journal de toutes les redirections et erreurs 404."],"{{link}}Read more about this.{{/link}}":["{{link}}En savoir plus à ce sujet.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Si vous modifiez le permalien dans une publication, Redirection peut automatiquement créer une redirection à votre place."],"Monitor permalink changes in WordPress posts and pages":["Surveillez les modifications de permaliens dans les publications WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Voici quelques options que vous voudriez peut-être activer. Elles peuvent être changées à tout moment."],"Basic Setup":["Configuration de base"],"Start Setup":["Démarrer la configuration"],"When ready please press the button to continue.":["Si tout est bon, veuillez appuyer sur le bouton pour continuer."],"First you will be asked a few questions, and then Redirection will set up your database.":["On vous posera d’abord quelques questions puis Redirection configurera votre base de données."],"What's next?":["Et après ?"],"Check a URL is being redirected":["Vérifie qu’une URL est bien redirigée"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Une correspondance d’URL plus puissante avec notamment les {{regular}}expressions régulières{{/regular}} et {{other}}d’autres conditions{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importez{{/link}} depuis .htaccess, CSV et une multitude d’autres extensions"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Surveillez les erreurs 404{{/link}}, obtenez des informations détaillées sur les visiteurs et corrigez les problèmes"],"Some features you may find useful are":["Certaines fonctionnalités que vous pouvez trouver utiles sont "],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Une documentation complète est disponible sur {{link}}le site de Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Une redirection simple consiste à définir une {{strong}}URL source{{/strong}} (l’ancienne URL) et une {{strong}}URL cible{{/strong}} (la nouvelle URL). Voici un exemple :"],"How do I use this plugin?":["Comment utiliser cette extension ?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection est conçu pour être utilisé sur des sites comportant aussi bien une poignée que des milliers de redirections."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Merci d’avoir installé et d’utiliser Redirection v%(version)s. Cette extension vous permettra de gérer vos redirections 301, de surveiller vos erreurs 404 et d’améliorer votre site sans aucune connaissance Apache ou Nginx."],"Welcome to Redirection 🚀🎉":["Bienvenue dans Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["Pour éviter des expression régulières gourmandes, vous pouvez utiliser {{code}}^{{/code}} pour l’ancrer au début de l’URL. Par exemple : {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["N’oubliez pas de cocher l’option « regex » si c’est une expression régulière."],"The source URL should probably start with a {{code}}/{{/code}}":["L’URL source devrait probablement commencer par un {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Ce sera converti en redirection serveur pour le domaine {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Les valeurs avec des ancres ne sont pas envoyées au serveur et ne peuvent pas être redirigées."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} vers {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Terminé ! 🎉"],"Progress: %(complete)d$":["Progression : %(achevé)d$"],"Leaving before the process has completed may cause problems.":["Partir avant la fin du processus peut causer des problèmes."],"Setting up Redirection":["Configuration de Redirection"],"Upgrading Redirection":["Mise à niveau de Redirection"],"Please remain on this page until complete.":["Veuillez rester sur cette page jusqu’à la fin."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Si vous souhaitez {{support}}obtenir de l’aide{{/support}}, veuillez mentionner ces détails :"],"Stop upgrade":["Arrêter la mise à niveau"],"Skip this stage":["Passer cette étape"],"Try again":["Réessayer"],"Database problem":["Problème de base de données"],"Please enable JavaScript":["Veuillez activer JavaScript"],"Please upgrade your database":["Veuillez mettre à niveau votre base de données"],"Upgrade Database":["Mettre à niveau la base de données"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Veuillez terminer <a href=\"%s\">la configuration de Redirection</a> pour activer l’extension."],"Your database does not need updating to %s.":["Votre base de données n’a pas besoin d’être mise à niveau vers %s."],"Table \"%s\" is missing":["La table « %s » est manquante"],"Create basic data":["Création des données de base"],"Install Redirection tables":["Installer les tables de Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["L’URL du site et de l’accueil (home) sont inconsistantes. Veuillez les corriger dans la page Réglages > Général : %1$1s n’est pas %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Veuillez ne pas essayer de rediriger toutes vos 404 - ce n’est pas une bonne chose à faire."],"Only the 404 page type is currently supported.":["Seul le type de page 404 est actuellement supporté."],"Page Type":["Type de page"],"Enter IP addresses (one per line)":["Saisissez les adresses IP (une par ligne)"],"Describe the purpose of this redirect (optional)":["Décrivez le but de cette redirection (facultatif)"],"418 - I'm a teapot":["418 - Je suis une théière"],"403 - Forbidden":["403 - Interdit"],"400 - Bad Request":["400 - mauvaise requête"],"304 - Not Modified":["304 - Non modifié"],"303 - See Other":["303 - Voir ailleurs"],"Do nothing (ignore)":["Ne rien faire (ignorer)"],"Target URL when not matched (empty to ignore)":["URL cible si aucune correspondance (laisser vide pour ignorer)"],"Target URL when matched (empty to ignore)":["URL cible si il y a une correspondance (laisser vide pour ignorer)"],"Show All":["Tout afficher"],"Delete logs for these entries":["Supprimer les journaux pour ces entrées"],"Delete logs for this entry":["Supprimer les journaux pour cet entrée"],"Delete Log Entries":["Supprimer les entrées du journal"],"Group by IP":["Grouper par IP"],"Group by URL":["Grouper par URL"],"No grouping":["Aucun regroupement"],"Ignore URL":["Ignorer l’URL"],"Block IP":["Bloquer l’IP"],"Redirect All":["Tout rediriger"],"Count":["Compter"],"URL and WordPress page type":["URL et type de page WordPress"],"URL and IP":["URL et IP"],"Problem":["Problème"],"Good":["Bon"],"Check":["Vérifier"],"Check Redirect":["Vérifier la redirection"],"Check redirect for: {{code}}%s{{/code}}":["Vérifier la redirection pour : {{code}}%s{{/code}}"],"Not using Redirection":["N’utilisant pas Redirection"],"Using Redirection":["Utilisant Redirection"],"Found":["Trouvé"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(code)d{{/code}} vers {{code}}%(url)s{{/code}}"],"Expected":["Attendu"],"Error":["Erreur"],"Enter full URL, including http:// or https://":["Saisissez l’URL complète, avec http:// ou https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Parfois votre navigateur peut mettre en cache une URL, ce qui rend les diagnostics difficiles. Utilisez cet outil pour vérifier qu’une URL est réellement redirigée."],"Redirect Tester":["Testeur de redirection"],"Target":["Cible"],"URL is not being redirected with Redirection":["L’URL n’est pas redirigée avec Redirection."],"URL is being redirected with Redirection":["L’URL est redirigée avec Redirection."],"Unable to load details":["Impossible de charger les détails"],"Enter server URL to match against":["Saisissez l’URL du serveur à comparer avec"],"Server":["Serveur"],"Enter role or capability value":["Saisissez la valeur de rôle ou de capacité"],"Role":["Rôle"],"Match against this browser referrer text":["Correspondance avec ce texte de référence du navigateur"],"Match against this browser user agent":["Correspondance avec cet agent utilisateur de navigateur"],"The relative URL you want to redirect from":["L’URL relative que vous voulez rediriger"],"Add New":["Ajouter une redirection"],"URL and role/capability":["URL et rôle/capacité"],"URL and server":["URL et serveur"],"Site and home protocol":["Protocole du site et de l’accueil"],"Site and home are consistent":["Le site et l’accueil sont cohérents"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Sachez qu’il est de votre responsabilité de passer les en-têtes HTTP en PHP. Veuillez contacter votre hébergeur pour obtenir de l’aide."],"Accept Language":["Accepter la langue"],"Header value":["Valeur de l’en-tête"],"Header name":["Nom de l’en-tête"],"HTTP Header":["En-tête HTTP"],"WordPress filter name":["Nom de filtre WordPress"],"Filter Name":["Nom du filtre"],"Cookie value":["Valeur du cookie"],"Cookie name":["Nom du cookie"],"Cookie":["Cookie"],"clearing your cache.":["vider votre cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Si vous utilisez un système de cache comme Cloudflare, veuillez lire ceci : "],"URL and HTTP header":["URL et en-tête HTTP"],"URL and custom filter":["URL et filtre personnalisé"],"URL and cookie":["URL et cookie"],"404 deleted":["404 supprimée"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Comment Redirection utilise l’API REST - ne pas changer sauf si nécessaire"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Jetez un œil à {{link}}l’état de l’extension{{/link}}. Ça pourrait identifier et corriger le problème."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Les logiciels de cache{{/link}}, comme Cloudflare en particulier, peuvent mettre en cache les mauvais éléments. Essayez de vider tous vos caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Veuillez temporairement désactiver les autres extensions !{{/link}} Ça pourrait résoudre beaucoup de problèmes."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Veuillez lire la <a href=\"https://redirection.me/support/problems/\">liste de problèmes communs</a>."],"Unable to load Redirection ☹️":["Impossible de charger Redirection ☹️"],"WordPress REST API":["API REST WordPress"],"Useragent Error":["Erreur de l’agent utilisateur"],"Unknown Useragent":["Agent utilisateur inconnu"],"Device":["Appareil"],"Operating System":["Système d’exploitation"],"Browser":["Navigateur"],"Engine":["Moteur"],"Useragent":["Agent utilisateur"],"Agent":["Agent"],"No IP logging":["Aucune IP journalisée"],"Full IP logging":["Connexion avec IP complète"],"Anonymize IP (mask last part)":["Anonymiser l’IP (masquer la dernière partie)"],"Monitor changes to %(type)s":["Surveiller les modifications de(s) %(type)s"],"IP Logging":["Journalisation d’IP"],"Geo Info":["Informations géographiques"],"Agent Info":["Informations sur l’agent"],"Filter by IP":["Filtrer par IP"],"Geo IP Error":["Erreur de l’IP géographique"],"Something went wrong obtaining this information":["Un problème est survenu lors de l’obtention de cette information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Cette IP provient d’un réseau privé. Elle fait partie du réseau d’un domicile ou d’une entreprise. Aucune autre information ne peut être affichée."],"No details are known for this address.":["Aucun détail n’est connu pour cette adresse."],"Geo IP":["IP géographique"],"City":["Ville"],"Area":["Zone"],"Timezone":["Fuseau horaire"],"Geo Location":["Emplacement géographique"],"Powered by {{link}}redirect.li{{/link}}":["Propulsé par {{link}}redirect.li{{/link}}"],"Trash":["Corbeille"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Veuillez noter que Redirection utilise l’API REST de WordPress. Si vous l’avez désactivée, vous ne serez pas en mesure d’utiliser Redirection."],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Vous pouvez trouver une documentation complète à propos de l’utilisation de Redirection sur le site de support <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["La documentation complète de Redirection est disponible sur {{site}}https://redirection.me{{/site}}. En cas de problème, veuillez d’abord consulter la {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Si vous souhaitez signaler un bogue, veuillez lire le guide {{report}}Reporting Bugs {{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Si vous souhaitez soumettre des informations que vous ne voulez pas divulguer dans un dépôt public, envoyez-les directement via {{email}}e-mail{{/ email}} - en incluant autant d’informations que possible !"],"Never cache":["Jamais de cache"],"An hour":["Une heure"],"Redirect Cache":["Cache de redirection"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Combien de temps garder les URL redirigées en 301 dans le cache (via l’en-tête HTTP « Expires »)"],"Are you sure you want to import from %s?":["Confirmez-vous l’importation depuis %s ?"],"Plugin Importers":["Importeurs d’extensions"],"The following redirect plugins were detected on your site and can be imported from.":["Les extensions de redirection suivantes ont été détectées sur votre site et peuvent être importées."],"total = ":["total = "],"Import from %s":["Importer depuis %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection nécessite WordPress v%1$1s, vous utilisez v%2$2s - veuillez mettre à jour votre installation WordPress."],"Default WordPress \"old slugs\"":["« Anciens slugs » de WordPress par défaut"],"Create associated redirect (added to end of URL)":["Créer une redirection associée (ajoutée à la fin de l’URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> n’est pas défini. Cela signifie généralement qu’une autre extension bloque le chargement de Redirection. Veuillez désactiver toutes les extensions et réessayer."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Si le bouton magique ne fonctionne pas, veuillez lire l’erreur et voir si vous pouvez le réparer manuellement, sinon suivez la section « Besoin d’aide » ci-dessous."],"⚡️ Magic fix ⚡️":["⚡️ Correction magique ⚡️"],"Plugin Status":["Statut de l’extension"],"Custom":["Personnalisé"],"Mobile":["Mobile"],"Feed Readers":["Lecteurs de flux"],"Libraries":["Librairies"],"URL Monitor Changes":["Surveiller la modification des URL"],"Save changes to this group":["Enregistrer les modifications apportées à ce groupe"],"For example \"/amp\"":["Par exemple « /amp »"],"URL Monitor":["URL à surveiller"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Votre serveur a rejeté la requête car elle est trop volumineuse. Veuillez la modifier pour continuer."],"Also check if your browser is able to load <code>redirection.js</code>:":["Vérifiez également si votre navigateur est capable de charger <code>redirection.js</code> :"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Si vous utilisez une extension ou un service de mise en cache de pages (CloudFlare, OVH, etc.), vous pouvez également essayer de vider ce cache."],"Unable to load Redirection":["Impossible de charger Redirection"],"Post monitor group is valid":["Le groupe de surveillance d’articles est valide"],"Post monitor group is invalid":["Le groupe de surveillance d’articles est non valide"],"Post monitor group":["Groupe de surveillance d’article"],"All redirects have a valid group":["Toutes les redirections ont un groupe valide"],"Redirects with invalid groups detected":["Redirections avec des groupes non valides détectées"],"Valid redirect group":["Groupe de redirection valide"],"Valid groups detected":["Groupes valides détectés"],"No valid groups, so you will not be able to create any redirects":["Aucun groupe valide, vous ne pourrez pas créer de redirections."],"Valid groups":["Groupes valides"],"Database tables":["Tables de la base de données"],"The following tables are missing:":["Les tables suivantes sont manquantes :"],"All tables present":["Toutes les tables présentes"],"Cached Redirection detected":["Redirection en cache détectée"],"Please clear your browser cache and reload this page.":["Veuillez vider le cache de votre navigateur et recharger cette page."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress n’a pas renvoyé de réponse. Cela peut signifier qu’une erreur est survenue ou que la requête a été bloquée. Veuillez consulter les error_log de votre serveur."],"If you think Redirection is at fault then create an issue.":["Si vous pensez que Redirection est en faute alors créez un rapport."],"This may be caused by another plugin - look at your browser's error console for more details.":["Cela peut être causé par une autre extension – regardez la console d’erreur de votre navigateur pour plus de détails."],"Loading, please wait...":["Veuillez patienter pendant le chargement…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}Fichier au format CSV{{/strong}} : {{code}}source URL, target URL{{/code}} – facultativement suivi par {{code}}regex, http code{{/code}} {{code}}regex{{/code}} – mettez 0 pour non, 1 pour oui."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["L’extension Redirection ne fonctionne pas. Essayez de nettoyer votre cache navigateur puis rechargez cette page."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Si cela n’aide pas, ouvrez la console de votre navigateur et ouvrez un {{link}}nouveau ticket{{/link}} avec les détails."],"Create Issue":["Créer un rapport"],"Email":["E-mail"],"Need help?":["Besoin d’aide ?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Veuillez noter que tout support est fourni sur la base de mon temps libre et que cela n’est pas garanti. Je ne propose pas de support payant."],"Pos":["Pos"],"410 - Gone":["410 – Gone"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Utilisé pour générer une URL si aucune URL n’est donnée. Utilisez les étiquettes spéciales {{code}}$dec${{/code}} ou {{code}}$hex${{/code}} pour insérer un identifiant unique déjà utilisé."],"I'd like to support some more.":["Je voudrais soutenir un peu plus."],"Support 💰":["Support 💰"],"Import to group":["Importer dans le groupe"],"Import a CSV, .htaccess, or JSON file.":["Importer un fichier CSV, .htaccess ou JSON."],"Click 'Add File' or drag and drop here.":["Cliquer sur « ajouter un fichier » ou glisser-déposer ici."],"Add File":["Ajouter un fichier"],"File selected":["Fichier sélectionné"],"Importing":["Import"],"Finished importing":["Import terminé"],"Total redirects imported:":["Total des redirections importées :"],"Double-check the file is the correct format!":["Vérifiez à deux fois si le fichier et dans le bon format !"],"OK":["OK"],"Close":["Fermer"],"Export":["Exporter"],"Everything":["Tout"],"WordPress redirects":["Redirections WordPress"],"Apache redirects":["Redirections Apache"],"Nginx redirects":["Redirections Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":["Règles de réécriture Nginx"],"View":["Visualiser"],"Import/Export":["Import/export"],"Logs":["Journaux"],"404 errors":["Erreurs 404"],"Redirection saved":["Redirection sauvegardée"],"Log deleted":["Journal supprimé"],"Settings saved":["Réglages sauvegardés"],"Group saved":["Groupe sauvegardé"],"Are you sure you want to delete this item?":["Confirmez-vous la suppression de cet élément ?","Confirmez-vous la suppression de ces éléments ?"],"pass":["Passer"],"All groups":["Tous les groupes"],"301 - Moved Permanently":["301 - déplacé de façon permanente"],"302 - Found":["302 – trouvé"],"307 - Temporary Redirect":["307 – Redirigé temporairement"],"308 - Permanent Redirect":["308 – Redirigé de façon permanente"],"401 - Unauthorized":["401 – Non-autorisé"],"404 - Not Found":["404 – Introuvable"],"Title":["Titre"],"When matched":["Quand cela correspond"],"with HTTP code":["avec code HTTP"],"Show advanced options":["Afficher les options avancées"],"Matched Target":["Cible correspondant"],"Unmatched Target":["Cible ne correspondant pas"],"Saving...":["Sauvegarde…"],"View notice":["Voir la notification"],"Something went wrong 🙁":["Quelque chose s’est mal passé 🙁"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Bulk Actions":["Actions groupées"],"Apply":["Appliquer"],"First page":["Première page"],"Prev page":["Page précédente"],"Current Page":["Page courante"],"of %(page)s":["de %(page)s"],"Next page":["Page suivante"],"Last page":["Dernière page"],"%s item":["%s élément","%s éléments"],"Select All":["Tout sélectionner"],"Sorry, something went wrong loading the data - please try again":["Désolé, quelque chose a échoué au chargement des données. Veuillez réessayer."],"No results":["Aucun résultat"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Merci pour votre abonnement ! {{a}}Cliquez ici{{/a}} si vous souhaitez revenir à votre abonnement."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vous souhaitez être au courant des modifications apportées à Redirection ?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Inscrivez-vous à la minuscule newsletter de Redirection - une newsletter ponctuelle vous informe des nouvelles fonctionnalités et des modifications apportées à l’extension. La solution idéale si vous voulez tester les versions beta."],"Your email address:":["Votre adresse de messagerie :"],"You've supported this plugin - thank you!":["Vous avez apporté votre soutien à l’extension. Merci !"],"You get useful software and I get to carry on making it better.":["Vous avez une extension utile, et je peux continuer à l’améliorer."],"Forever":["Indéfiniment"],"Delete the plugin - are you sure?":["Confirmez-vous la suppression de cette extension ?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Supprimer cette extension retirera toutes vos redirections, journaux et réglages. Faites-le si vous souhaitez vraiment supprimer l’extension, ou si vous souhaitez la réinitialiser."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Une fois supprimées, vos redirections ne fonctionneront plus. Si elles continuent de fonctionner, veuillez vider votre cache navigateur."],"Yes! Delete the plugin":["Oui ! Supprimer l’extension"],"No! Don't delete the plugin":["Non ! Ne supprimez pas l’extension"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gérez toutes vos redirections 301 et surveillez les erreurs 404."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection est utilisable gratuitement. La vie est belle ! Cependant, cette extension a nécessité beaucoup de travail et d’effort pour être développée. Donc si vous la trouvez utile, vous pouvez contribuer à son développement en {{strong}}faisant un petit don{{/strong}}."],"Redirection Support":["Support de Redirection"],"Support":["Support"],"404s":["404"],"Log":["Journaux"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Sélectionner cette option supprimera toutes les redirections, les journaux et toutes les options associées à l’extension Redirection. Soyez sûr que c’est ce que vous voulez !"],"Delete Redirection":["Supprimer Redirection"],"Upload":["Mettre en ligne"],"Import":["Importer"],"Update":["Mettre à jour"],"Auto-generate URL":["URL auto-générée "],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un jeton unique permettant aux lecteurs de flux d’accéder au flux RSS des journaux de Redirection (laisser vide pour générer automatiquement)."],"RSS Token":["Jeton RSS "],"404 Logs":["Journaux des 404 "],"(time to keep logs for)":["(durée de conservation des journaux)"],"Redirect Logs":["Journaux des redirections "],"I'm a nice person and I have helped support the author of this plugin":["Je suis un type bien et j’ai aidé l’auteur de cette extension."],"Plugin Support":["Support de l’extension "],"Options":["Options"],"Two months":["Deux mois"],"A month":["Un mois"],"A week":["Une semaine"],"A day":["Un jour"],"No logs":["Aucun journal"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilisez les groupes pour organiser vos redirections. Les groupes sont assignés à un module qui affecte la manière dont les redirections dans ce groupe fonctionnent. Si vous n’êtes pas sûr/e, tenez-vous en au module de WordPress."],"Add Group":["Ajouter un groupe"],"Search":["Rechercher"],"Groups":["Groupes"],"Save":["Enregistrer"],"Group":["Groupe"],"Regular Expression":["Expression régulière"],"Match":["Correspondant"],"Add new redirection":["Ajouter une nouvelle redirection"],"Cancel":["Annuler"],"Download":["Télécharger"],"Redirection":["Redirection"],"Settings":["Réglages"],"WordPress":["WordPress"],"Error (404)":["Erreur (404)"],"Pass-through":["Outrepasser"],"Redirect to random post":["Rediriger vers un article aléatoire"],"Redirect to URL":["Redirection vers une URL"],"IP":["IP"],"Source URL":["URL source"],"Date":["Date"],"Add Redirect":["Ajouter une redirection"],"View Redirects":["Voir les redirections"],"Module":["Module"],"Redirects":["Redirections"],"Name":["Nom"],"Filters":["Filtre"],"Reset hits":["Réinitialiser les vues"],"Enable":["Activer"],"Disable":["Désactiver"],"Delete":["Supprimer"],"Edit":["Modifier"],"Last Access":["Dernier accès"],"Hits":["Vues"],"URL":["URL"],"Modified Posts":["Articles modifiés"],"Redirections":["Redirections"],"User Agent":["Agent utilisateur"],"URL and user agent":["URL et agent utilisateur"],"Target URL":["URL cible"],"URL only":["URL uniquement"],"HTTP code":["Code HTTP"],"Regex":["Regex"],"Referrer":["Référant"],"URL and referrer":["URL et référent"],"Logged Out":["Déconnecté"],"Logged In":["Connecté"],"URL and login status":["URL et état de connexion"],"plural-forms":"nplurals=2; plural=n > 1;"}
locale/json/redirection-hr.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Premjesti na domeu"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Želite preusmjeriti cijeli site? Unesite domenu na koju želite preusmjeriti sve osim WordPressovog logina i admina. Odabir ove opcije će isključiti sve site aliase i kanonske postavke."],"Relocate Site":["Premjesti site"],"Add CORS Presets":["Dodaj CORS postavke"],"Add Security Presets":["Dodaj sigurnosne postavke"],"Add Header":["Dodaj zaglavlje"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Pobrinite se da URL vašeg sitea odgovara kanonskim postavkama: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Preferirana domena"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Upozorenje{{/strong}}: uvjerite se da HTTPS radi prije nametanja redirekcije."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Nametni redirekciju sa HTTP u HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Kanonske postavke"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Dodaj www domeni - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Ukloni www iz domene - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Nemoj postaviti preferiranu domenu - {{code}}%(site)s{{/code}}"],"Add Alias":["Dodaj alias"],"No aliases":["Nema aliasa"],"Alias":["Alias"],"Aliased Domain":["Domena s aliasom"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Trebate podesiti vaš sustav (DNS i poslužitelj) da prosljeđuje zahtjeve za takvim domenama na ovu instalaciju WordPressa."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Alias sitea je druga domena koju želite preusmjeriti na ovaj site. Na primjer, stara domena ili poddomena. To preusmjerava sve URL-ove, uključujući login i admin WordPressa."],"Site Aliases":["Aliasi sitea"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Prateći dodatak Search Regex omogućava pretragu i zamjene na cijelom siteu. Podržava dodatak Redirection i praktičan je želite li masovne izmjene velikog broja redirekcija."],"Need to search and replace?":["Trebate pretragu i zamjenu?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Nepravilna upotreba opcija na ovoj stranici može prouzročiti probleme. Možete ih {{link}}privremeno onemogućiti{{/link}}."],"Please wait, importing.":["Strpite se molim, importiram."],"Continue":["Nastavi"],"The following plugins have been detected.":["Detektirani su ovi dodaci."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress automatski stvara redirekcije nakon izmjene URL-a objave. Importiranje u Redirection vam omogućava nadzor i upravljanje njima."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importiranje postojećih redirekcija iz WordPressa ili drugih dodataka predstavlja dobar početak korištenja dodatka Redirection. Označite skupove redirekcija koje želite importirati."],"Import Existing Redirects":["Učitaj postojeće redirekcije"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["To je sve - uključili ste preusmjeravanje! Ne zaboravite da je ovo samo primjer."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Ako želite preusmjeriti sve, koristite premještanje ili aliase sitea na stranici Site. "],"Value":["Vrijednost"],"Values":["Vrijednosti"],"All":["Sve"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ne zaboravite da neka HTTP zaglavlja dodaje vaš poslužitelj i da ona ne mogu biti promijenjena."],"No headers":["Nema zaglavlja"],"Header":["Zaglavlje"],"Location":["Lokacija"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Zaglavlja sitea se dodaju cijelom siteu, uključujući i redirekcije. Zaglavlja redirekcija se dodaju samo redirekcijama."],"HTTP Headers":["HTTP zaglavlja"],"Custom Header":["Proizvoljno zaglavlje"],"General":["Općenito"],"Redirect":["Preusmjeravanje"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Neki poslužitelji mogu biti podešeni da poslužuju datoteke direktno, što onemogućava redirekciju."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Onemogućeno slanje zahtjeva zbog sigurnosnih postavki vašeg preglednika. Do ovoga najčešće dolazi zbog neusklađenih postavki WordPressa i URL-a sitea, ili zbog blokade uzrokovane CORS postavkama."],"Ignore & Pass Query":["Ignoriraj i proslijedi upit"],"Ignore Query":["Ignoriraj upit"],"Exact Query":["Egzaktni upit"],"Search title":["Naslov pretrage"],"Not accessed in last year":["Ne godinu unatrag"],"Not accessed in last month":["Ne mjesec unatrag"],"Never accessed":["Nikada"],"Last Accessed":["Zadnji pristup"],"HTTP Status Code":["HTTP statusni kôd"],"Plain":["Obična"],"URL match":["Usporedba URL-a"],"Source":["Izvor"],"Code":["Kôd"],"Action Type":["Vrsta akcije"],"Match Type":["Vrsta usporedbe"],"Search target URL":["Potraži odredišni URL"],"Search IP":["Potraži IP adresu"],"Search user agent":["Potraži user agent"],"Search referrer":["Potraži referrera"],"Search URL":["Potraži URL"],"Filter on: %(type)s":["Filtriraj prema: %(type)s"],"Disabled":["Isključeno"],"Enabled":["Uključeno"],"Compact Display":["Kompaktni prikaz"],"Standard Display":["Standardni prikaz"],"Status":["Status"],"Pre-defined":["Preddefinirano"],"Custom Display":["Prilagođeni prikaz"],"Display All":["Prikaži sve"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Izgleda da vaš URL sadrži domenu unutar putanje: {{code}}%(relative)s{{/code}}. Da li ste umjesto toga htjeli koristiti {{code}}%(absolute)s{{/code}}?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Zarezom odvojen popis jezika za provjeru (n.pr. hr, en-GB)"],"Language":["Jezik"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL i jezik"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Odjavite se, očistite keš preglednika, pa se ponovo prijavite - vaš preglednik ima keširanu staru sesiju."],"Reload the page - your current session is old.":["Ponovo učitajte stranicu - vaša trenutna sesija je stara."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Otkrivena je petlja, pa je postupak dogradnje zaustavljen. To obično {{support}}ukazuje na keširanje{{/support}} zbog čega se promjene ne spremaju u bazu."],"Unable to save .htaccess file":["Ne uspijevam spremiti izmjene .htaccess datoteke"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Redirekcije dodane u grupu Apache mogu biti spremljene u datoteku {{code}}.htaccess{{/code}} ako ovdje navedete potpunu putanju. Za referencu, WordPress je instaliran u {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":["Automatska instalacija"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":["Ako ne dovršite ručnu instalaciju biti će te vraćeni ovdje."],"Click \"Finished! 🎉\" when finished.":["Kliknite \"Završeno! 🎉\" kada završi."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":["Ručna instalacija"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":["IP Zaglavlje"],"Do not change unless advised to do so!":[""],"Database version":["Verzija baze"],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":["Automatska Nadogradnja"],"Manual Upgrade":["Ručna Nadogradnja"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":["Dovrši Nadogradnju"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Potrebna mi je podrška!"],"You will need at least one working REST API to continue.":[""],"Check Again":["Provjerite Ponovno."],"Testing - %s$":["Testiranje -%s$"],"Show Problems":["Prikaži Probleme"],"Summary":["Sažetak"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":["Nedostupno"],"Working but some issues":["Radi ali ima nekih problema"],"Current API":["Trenutni API"],"Switch to this API":["Prebaci na ovaj API"],"Hide":["Sakriti"],"Show Full":["Prikaži Sve"],"Working!":["Radi!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":["Šta da radim slijedeće?"],"Possible cause":["Mogući uzrok"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":["Izvezi 404"],"Export redirect":["Izvezi preusmjeravanje"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":["Zadane URL postavke"],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":["URL postavke"],"Query Parameters":[""],"Ignore & pass parameters to the target":[""],"Ignore all parameters":["Ignoriraj sve parametre"],"Exact match all parameters in any order":["Točno podudaranje svih parametara bilo kojim redoslijedom"],"Ignore Case":["Ignoriraj Slučaj"],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":["(Primjer) Ciljani URL je novi URL"],"(Example) The source URL is your old or original URL":["(Primjer) Izvorni URL je vaš ili originalni URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Isključeno! Otkriven PHP %1$s, potreban PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["U tijeku je nadogradnja baze podataka. Molim vas nastavite kako bi završili."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":[""],"Redirection database needs upgrading":[""],"Upgrade Required":[""],"Finish Setup":[""],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":["Idi natrag"],"Continue Setup":["Nastavi Postavljanje"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":["Osnovne Postavke"],"Start Setup":["Pokreni Postavljanje"],"When ready please press the button to continue.":["Kad ste spremni stisnite dugme za nastavak."],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":[""],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":["Kako da koristim ovaj dodatak?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":["Dobrodošli u Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} u {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Završeno! 🎉"],"Progress: %(complete)d$":["Napredak: %(complede)d%"],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Zaustavi nadogradnju"],"Skip this stage":["Preskoći ovaj korak"],"Try again":["Pokušajte ponovno"],"Database problem":["Problem sa bazom podataka"],"Please enable JavaScript":["Molim vas da omogućite JavaScript"],"Please upgrade your database":["Molim vas da nadogradite bazu podataka."],"Upgrade Database":["Nadogradi bazu podataka"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":["Vaša baza podataka ne treba nadogradnju na %s."],"Table \"%s\" is missing":["Nedostaje tablica \"%s\" "],"Create basic data":["Kreiraj osnovne podatke"],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":["Vrsta stranice"],"Enter IP addresses (one per line)":["Unesi IP adresu (jednu po liniji)"],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":["418 - Ja sam čajnik"],"403 - Forbidden":["403 - Nedozvoljeno"],"400 - Bad Request":["400 - Loš Zahtjev"],"304 - Not Modified":["304 - Nije Modificirano"],"303 - See Other":["303 - Vidi Ostalo"],"Do nothing (ignore)":["Ne radi ništa (ignoriraj)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Prikaži Sve"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":["Izbriši Unose Zapisnika"],"Group by IP":["Grupiraj po IP"],"Group by URL":["Grupiraj po URL"],"No grouping":["Nemoj grupirati"],"Ignore URL":["Ignoriraj URL"],"Block IP":["Blokiraj IP"],"Redirect All":["Preusmjeri Sve"],"Count":["Zbroj"],"URL and WordPress page type":["URL i WordPress vrsta stranice"],"URL and IP":["URL i IP"],"Problem":["Problem"],"Good":["Dobro"],"Check":["Provjeri"],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Nađeno"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} u {{code}}%(url)s{{/code}}"],"Expected":[""],"Error":["Greška"],"Enter full URL, including http:// or https://":["Unesi cijeli URL, uključuje http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":["Cilj"],"URL is not being redirected with Redirection":["URL nije preusmjeren sa Redirection"],"URL is being redirected with Redirection":["URL je preusmjeren sa Redirection"],"Unable to load details":["Nije moguće učitati detalje"],"Enter server URL to match against":[""],"Server":["Server"],"Enter role or capability value":[""],"Role":["Uloga"],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"Add New":["Dodaj Novi"],"URL and role/capability":[""],"URL and server":["URL i server"],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Prihvati Jezik"],"Header value":["Vrijednost Zaglavlja"],"Header name":["Naziv Zaglavlja"],"HTTP Header":["HTTP Zaglavlje"],"WordPress filter name":[""],"Filter Name":["Naziv Filtra"],"Cookie value":["Vrijednost Kolačića"],"Cookie name":["Naziv Kolačića"],"Cookie":["Kolačić"],"clearing your cache.":["čistim vašu predmemoriju"],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":["URL i HTTP zaglavlje"],"URL and custom filter":[""],"URL and cookie":["URL i kolačić"],"404 deleted":["404 izbrisan"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Korisnička Greška"],"Unknown Useragent":[""],"Device":["Uređaj"],"Operating System":["Operacijski Sustav"],"Browser":["Preglednik"],"Engine":["Modul"],"Useragent":[""],"Agent":["Zastupnik"],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":[""],"IP Logging":["IP zapisivanje"],"Geo Info":["Geo Info"],"Agent Info":["Informacije o agentu"],"Filter by IP":["Filtriraj po IP"],"Geo IP Error":["Geo IP Greška"],"Something went wrong obtaining this information":["Nešto je pošlo po zlu prilikom dobivanja ovih podataka"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":["Geo IP"],"City":["Grad"],"Area":["Područje"],"Timezone":["Vremenska zona"],"Geo Location":["Geo lokacija"],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":["Smeće"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":[" https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":["Sat"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":["total ="],"Import from %s":["Uvezi iz %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection zahtjeva WordPress v%1$1s, Vi koristite v%2$2s - molim vas nadogradite svoj WordPress"],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":["⚡️ Čarobni popravak ⚡️"],"Plugin Status":["Status Dodatka"],"Custom":["Prilagođeno"],"Mobile":["Mobilno"],"Feed Readers":[""],"Libraries":["Knjižnice"],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Tablice Baze podataka"],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":["Otkrivena je keširana redirekcija"],"Please clear your browser cache and reload this page.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress nije odgovorio. Moguće je da je došlo do pogreške ili je zahtjev blokiran. Provjerite error_log vašeg poslužitelja."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":["Uzrok ovome bi mogao biti drugi dodatak - detalje potražite u konzoli za pogreške (error cosole) vašeg peglednika."],"Loading, please wait...":["Učitavanje, stripte se molim..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}Format CSV datoteke{{/strong}}: {{code}}izvorni URL, odredišni URL{{/code}} - i može biti popraćeno sa {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 za ne, 1 za da)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection ne radi. Pokušajte očistiti privremenu memoriju (cache) preglednika i ponovo učitati ovu stranicu."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Ako to ne pomogne, otvorite konzolu za pogreške (error console) vašeg preglednika i prijavite {{link}}novi problem{{/link}} s detaljnim opisom."],"Create Issue":[""],"Email":["Email"],"Need help?":["Trebate li pomoć?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Napominjem da podršku pružam koliko mi to dopušta raspoloživo vrijeme. Ne osiguravam plaćenu podršku."],"Pos":[""],"410 - Gone":["410 - Gone"],"Position":["Pozicija"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":["Želim dodatno podržati."],"Support 💰":["Podrška 💰"],"Import to group":["Importirajte u grupu"],"Import a CSV, .htaccess, or JSON file.":["Importirajte a CSV, .htaccess, ili JSON datoteku."],"Click 'Add File' or drag and drop here.":["Kliknite 'Dodaj datoteku' ili je dovucite i ispustite ovdje."],"Add File":["Dodaj datoteku"],"File selected":["Odabrana datoteka"],"Importing":["Importiranje"],"Finished importing":["Importiranje dovršeno"],"Total redirects imported:":["Ukupan broj importiranih redirekcija:"],"Double-check the file is the correct format!":["Provjerite još jednom da li je format datoteke ispravan!"],"OK":["OK"],"Close":["Zatvori"],"Export":["Eksport"],"Everything":["Sve"],"WordPress redirects":["WordPressova preusmjeravanja"],"Apache redirects":["Apache preusmjeravanja"],"Nginx redirects":["Nginx preusmjeravaja"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["Pogled"],"Import/Export":["Import/Eksport"],"Logs":["Logovi"],"404 errors":["404 pogreške"],"Redirection saved":["Redirekcija spremljena"],"Log deleted":["Log obrisan"],"Settings saved":["Postavke spremljene"],"Group saved":["Grupa spremljena"],"Are you sure you want to delete this item?":["Jeste li sigurni da želite obrisati ovu stavku?","Jeste li sigurni da želite obrisati ove stavke?","Jeste li sigurni da želite obrisati ove stavke?"],"pass":["pass"],"All groups":["Sve grupe"],"301 - Moved Permanently":["301 - Trajno premješteno"],"302 - Found":["302 - Pronađeno"],"307 - Temporary Redirect":["307 - Privremena redirekcija"],"308 - Permanent Redirect":["308 - Trajna redirekcija"],"401 - Unauthorized":["401 - Neovlašteno"],"404 - Not Found":["404 - Nije pronađeno"],"Title":["Naslov"],"When matched":[""],"with HTTP code":["sa HTTP kodom"],"Show advanced options":["Prikaži napredne opcije"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Spremam..."],"View notice":["Pogledaj obavijest"],"Something went wrong 🙁":["Nešto je pošlo po zlu 🙁"],"Log entries (%d max)":["Log zapisi (maksimalno %d)"],"Bulk Actions":["Grupne radnje"],"Apply":["Primijeni"],"First page":["Prva stranica"],"Prev page":["Prethodna stranica"],"Current Page":["Tekuća stranica"],"of %(page)s":[""],"Next page":["Sljedeća stranica"],"Last page":["Zadnja stranica"],"%s item":["%s stavka","%s stavke","%s stavki"],"Select All":["Odaberi sve"],"Sorry, something went wrong loading the data - please try again":["Oprostite, nešto je pošlo po zlu tokom učitavaja podataka - pokušajte ponovo"],"No results":["Bez rezultata"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":[""],"Your email address:":["Vaša adresa e-pošte:"],"You've supported this plugin - thank you!":[""],"You get useful software and I get to carry on making it better.":[""],"Forever":["Zauvijek"],"Delete the plugin - are you sure?":["Obriši dodatak - jeste li sigurni?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":[""],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":[""],"Yes! Delete the plugin":["Da! Obriši dodatak"],"No! Don't delete the plugin":["Ne! Nemoj obrisati dodatak"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":[""],"Redirection Support":[""],"Support":["Podrška"],"404s":[""],"Log":["Zapisnik"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":[""],"Upload":["Prijenos"],"Import":["Uvezi"],"Update":["Ažuriraj"],"Auto-generate URL":["Automatski generiraj URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":[""],"RSS Token":["RSS Token"],"404 Logs":["404 Zapisnik"],"(time to keep logs for)":[""],"Redirect Logs":["Redirect Zapisnik"],"I'm a nice person and I have helped support the author of this plugin":[""],"Plugin Support":[""],"Options":["Opcije"],"Two months":["Dva mjeseca"],"A month":["Mjesec"],"A week":["Tjedan"],"A day":["Dan"],"No logs":["Nema zapisa"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":[""],"Add Group":["Dodaj grupu"],"Search":["Traži"],"Groups":["Grupe"],"Save":["Spremi"],"Group":["Grupiraj"],"Regular Expression":["Pravilni Izraz"],"Match":[""],"Add new redirection":[""],"Cancel":["Prekini"],"Download":["Preuzimanje"],"Redirection":[""],"Settings":["Postavke izbornika"],"WordPress":["WordPress"],"Error (404)":["Greška (404)"],"Pass-through":["Precrtano"],"Redirect to random post":["Preusmjeri na nasumičnu objavu"],"Redirect to URL":["Preusmjeri na URL"],"IP":["IP"],"Source URL":["Izvorni URL"],"Date":["Datum"],"Add Redirect":[""],"View Redirects":[""],"Module":["Modul"],"Redirects":[""],"Name":["Naziv"],"Filters":["Filtri"],"Reset hits":[""],"Enable":["Uključi"],"Disable":["Onemogući"],"Delete":["Izbriši"],"Edit":["Uredi"],"Last Access":["Zadnji pristup"],"Hits":[""],"URL":["URL"],"Modified Posts":["Promijenjene Objave"],"Redirections":[""],"User Agent":["Korisnički agent"],"URL and user agent":[""],"Target URL":["Ciljani URL"],"URL only":["Samo URL"],"HTTP code":["HTTP kod"],"Regex":[""],"Referrer":[""],"URL and referrer":[""],"Logged Out":["Odjavljen"],"Logged In":["Prijavljen"],"URL and login status":["URL i status prijave"],"plural-forms":"nplurals=3; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : ((n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) ? 1 : 2);"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Premjesti na domeu"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Želite preusmjeriti cijeli site? Unesite domenu na koju želite preusmjeriti sve osim WordPressovog logina i admina. Odabir ove opcije će isključiti sve site aliase i kanonske postavke."],"Relocate Site":["Premjesti site"],"Add CORS Presets":["Dodaj CORS postavke"],"Add Security Presets":["Dodaj sigurnosne postavke"],"Add Header":["Dodaj zaglavlje"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Pobrinite se da URL vašeg sitea odgovara kanonskim postavkama: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Preferirana domena"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Upozorenje{{/strong}}: uvjerite se da HTTPS radi prije nametanja redirekcije."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Nametni redirekciju sa HTTP u HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Kanonske postavke"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Dodaj www domeni - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Ukloni www iz domene - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Nemoj postaviti preferiranu domenu - {{code}}%(site)s{{/code}}"],"Add Alias":["Dodaj alias"],"No aliases":["Nema aliasa"],"Alias":["Alias"],"Aliased Domain":["Domena s aliasom"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Trebate podesiti vaš sustav (DNS i poslužitelj) da prosljeđuje zahtjeve za takvim domenama na ovu instalaciju WordPressa."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Alias sitea je druga domena koju želite preusmjeriti na ovaj site. Na primjer, stara domena ili poddomena. To preusmjerava sve URL-ove, uključujući login i admin WordPressa."],"Site Aliases":["Aliasi sitea"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Prateći dodatak Search Regex omogućava pretragu i zamjene na cijelom siteu. Podržava dodatak Redirection i praktičan je želite li masovne izmjene velikog broja redirekcija."],"Need to search and replace?":["Trebate pretragu i zamjenu?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Nepravilna upotreba opcija na ovoj stranici može prouzročiti probleme. Možete ih {{link}}privremeno onemogućiti{{/link}}."],"Please wait, importing.":["Strpite se molim, importiram."],"Continue":["Nastavi"],"The following plugins have been detected.":["Detektirani su ovi dodaci."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress automatski stvara redirekcije nakon izmjene URL-a objave. Importiranje u Redirection vam omogućava nadzor i upravljanje njima."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importiranje postojećih redirekcija iz WordPressa ili drugih dodataka predstavlja dobar početak korištenja dodatka Redirection. Označite skupove redirekcija koje želite importirati."],"Import Existing Redirects":["Učitaj postojeće redirekcije"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["To je sve - uključili ste preusmjeravanje! Ne zaboravite da je ovo samo primjer."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Ako želite preusmjeriti sve, koristite premještanje ili aliase sitea na stranici Site. "],"Value":["Vrijednost"],"Values":["Vrijednosti"],"All":["Sve"],"Note that some HTTP headers are set by your server and cannot be changed.":["Ne zaboravite da neka HTTP zaglavlja dodaje vaš poslužitelj i da ona ne mogu biti promijenjena."],"No headers":["Nema zaglavlja"],"Header":["Zaglavlje"],"Location":["Lokacija"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Zaglavlja sitea se dodaju cijelom siteu, uključujući i redirekcije. Zaglavlja redirekcija se dodaju samo redirekcijama."],"HTTP Headers":["HTTP zaglavlja"],"Custom Header":["Proizvoljno zaglavlje"],"General":["Općenito"],"Redirect":["Preusmjeravanje"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Neki poslužitelji mogu biti podešeni da poslužuju datoteke direktno, što onemogućava redirekciju."],"Site":["Site"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Onemogućeno slanje zahtjeva zbog sigurnosnih postavki vašeg preglednika. Do ovoga najčešće dolazi zbog neusklađenih postavki WordPressa i URL-a sitea, ili zbog blokade uzrokovane CORS postavkama."],"Ignore & Pass Query":["Ignoriraj i proslijedi upit"],"Ignore Query":["Ignoriraj upit"],"Exact Query":["Egzaktni upit"],"Search title":["Naslov pretrage"],"Not accessed in last year":["Ne godinu unatrag"],"Not accessed in last month":["Ne mjesec unatrag"],"Never accessed":["Nikada"],"Last Accessed":["Zadnji pristup"],"HTTP Status Code":["HTTP statusni kôd"],"Plain":["Obična"],"URL match":["Usporedba URL-a"],"Source":["Izvor"],"Code":["Kôd"],"Action Type":["Vrsta akcije"],"Match Type":["Vrsta usporedbe"],"Search target URL":["Potraži odredišni URL"],"Search IP":["Potraži IP adresu"],"Search user agent":["Potraži user agent"],"Search referrer":["Potraži referrera"],"Search URL":["Potraži URL"],"Filter on: %(type)s":["Filtriraj prema: %(type)s"],"Disabled":["Isključeno"],"Enabled":["Uključeno"],"Compact Display":["Kompaktni prikaz"],"Standard Display":["Standardni prikaz"],"Status":["Status"],"Pre-defined":["Preddefinirano"],"Custom Display":["Prilagođeni prikaz"],"Display All":["Prikaži sve"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Izgleda da vaš URL sadrži domenu unutar putanje: {{code}}%(relative)s{{/code}}. Da li ste umjesto toga htjeli koristiti {{code}}%(absolute)s{{/code}}?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Zarezom odvojen popis jezika za provjeru (n.pr. hr, en-GB)"],"Language":["Jezik"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL i jezik"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Odjavite se, očistite keš preglednika, pa se ponovo prijavite - vaš preglednik ima keširanu staru sesiju."],"Reload the page - your current session is old.":["Ponovo učitajte stranicu - vaša trenutna sesija je stara."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Otkrivena je petlja, pa je postupak dogradnje zaustavljen. To obično {{support}}ukazuje na keširanje{{/support}} zbog čega se promjene ne spremaju u bazu."],"Unable to save .htaccess file":["Ne uspijevam spremiti izmjene .htaccess datoteke"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Redirekcije dodane u grupu Apache mogu biti spremljene u datoteku {{code}}.htaccess{{/code}} ako ovdje navedete potpunu putanju. Za referencu, WordPress je instaliran u {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":["Automatska instalacija"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":[""],"If you do not complete the manual install you will be returned here.":["Ako ne dovršite ručnu instalaciju biti će te vraćeni ovdje."],"Click \"Finished! 🎉\" when finished.":["Kliknite \"Završeno! 🎉\" kada završi."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":["Ručna instalacija"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":[""],"Plugin Debug":[""],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":[""],"IP Headers":["IP Zaglavlje"],"Do not change unless advised to do so!":[""],"Database version":["Verzija baze"],"Complete data (JSON)":[""],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":[""],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":[""],"All imports will be appended to the current database - nothing is merged.":[""],"Automatic Upgrade":["Automatska Nadogradnja"],"Manual Upgrade":["Ručna Nadogradnja"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":[""],"Click the \"Upgrade Database\" button to automatically upgrade the database.":[""],"Complete Upgrade":["Dovrši Nadogradnju"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":[""],"Note that you will need to set the Apache module path in your Redirection options.":[""],"I need support!":["Potrebna mi je podrška!"],"You will need at least one working REST API to continue.":[""],"Check Again":["Provjerite Ponovno."],"Testing - %s$":["Testiranje -%s$"],"Show Problems":["Prikaži Probleme"],"Summary":["Sažetak"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":[""],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":[""],"Unavailable":["Nedostupno"],"Working but some issues":["Radi ali ima nekih problema"],"Current API":["Trenutni API"],"Switch to this API":["Prebaci na ovaj API"],"Hide":["Sakriti"],"Show Full":["Prikaži Sve"],"Working!":["Radi!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":[""],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":[""],"The target URL you want to redirect, or auto-complete on post name or permalink.":[""],"Include these details in your report along with a description of what you were doing and a screenshot.":[""],"Create An Issue":[""],"What do I do next?":["Šta da radim slijedeće?"],"Possible cause":["Mogući uzrok"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":[""],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":[""],"Read this REST API guide for more information.":[""],"URL options / Regex":[""],"Export 404":["Izvezi 404"],"Export redirect":["Izvezi preusmjeravanje"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":[""],"Pass - as ignore, but also copies the query parameters to the target":[""],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":[""],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Applies to all redirections unless you configure them otherwise.":[""],"Default URL settings":["Zadane URL postavke"],"Ignore and pass all query parameters":[""],"Ignore all query parameters":[""],"Exact match":[""],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":[""],"URL options":["URL postavke"],"Query Parameters":[""],"Ignore & pass parameters to the target":[""],"Ignore all parameters":["Ignoriraj sve parametre"],"Exact match all parameters in any order":["Točno podudaranje svih parametara bilo kojim redoslijedom"],"Ignore Case":["Ignoriraj Slučaj"],"Ignore Slash":[""],"Relative REST API":[""],"Raw REST API":[""],"Default REST API":[""],"(Example) The target URL is the new URL":["(Primjer) Ciljani URL je novi URL"],"(Example) The source URL is your old or original URL":["(Primjer) Izvorni URL je vaš ili originalni URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Isključeno! Otkriven PHP %1$s, potreban PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["U tijeku je nadogradnja baze podataka. Molim vas nastavite kako bi završili."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":[""],"Redirection database needs upgrading":[""],"Upgrade Required":[""],"Finish Setup":[""],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":[""],"Some other plugin that blocks the REST API":[""],"A server firewall or other server configuration (e.g OVH)":[""],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":[""],"Go back":["Idi natrag"],"Continue Setup":["Nastavi Postavljanje"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":[""],"Store IP information for redirects and 404 errors.":[""],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":[""],"{{link}}Read more about this.{{/link}}":[""],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":[""],"Monitor permalink changes in WordPress posts and pages":[""],"These are some options you may want to enable now. They can be changed at any time.":[""],"Basic Setup":["Osnovne Postavke"],"Start Setup":["Pokreni Postavljanje"],"When ready please press the button to continue.":["Kad ste spremni stisnite dugme za nastavak."],"First you will be asked a few questions, and then Redirection will set up your database.":[""],"What's next?":[""],"Check a URL is being redirected":[""],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":[""],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":[""],"Some features you may find useful are":[""],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":[""],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":[""],"How do I use this plugin?":["Kako da koristim ovaj dodatak?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":[""],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":[""],"Welcome to Redirection 🚀🎉":["Dobrodošli u Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":[""],"The source URL should probably start with a {{code}}/{{/code}}":[""],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":[""],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} u {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Završeno! 🎉"],"Progress: %(complete)d$":["Napredak: %(complede)d%"],"Leaving before the process has completed may cause problems.":[""],"Setting up Redirection":[""],"Upgrading Redirection":[""],"Please remain on this page until complete.":[""],"If you want to {{support}}ask for support{{/support}} please include these details:":[""],"Stop upgrade":["Zaustavi nadogradnju"],"Skip this stage":["Preskoći ovaj korak"],"Try again":["Pokušajte ponovno"],"Database problem":["Problem sa bazom podataka"],"Please enable JavaScript":["Molim vas da omogućite JavaScript"],"Please upgrade your database":["Molim vas da nadogradite bazu podataka."],"Upgrade Database":["Nadogradi bazu podataka"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":[""],"Your database does not need updating to %s.":["Vaša baza podataka ne treba nadogradnju na %s."],"Table \"%s\" is missing":["Nedostaje tablica \"%s\" "],"Create basic data":["Kreiraj osnovne podatke"],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":["Vrsta stranice"],"Enter IP addresses (one per line)":["Unesi IP adresu (jednu po liniji)"],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":["418 - Ja sam čajnik"],"403 - Forbidden":["403 - Nedozvoljeno"],"400 - Bad Request":["400 - Loš Zahtjev"],"304 - Not Modified":["304 - Nije Modificirano"],"303 - See Other":["303 - Vidi Ostalo"],"Do nothing (ignore)":["Ne radi ništa (ignoriraj)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Prikaži Sve"],"Delete logs for these entries":[""],"Delete logs for this entry":["Izbriši sve zapisnike za ovaj unos"],"Delete Log Entries":["Izbriši Unose Zapisnika"],"Group by IP":["Grupiraj po IP"],"Group by URL":["Grupiraj po URL"],"No grouping":["Nemoj grupirati"],"Ignore URL":["Ignoriraj URL"],"Block IP":["Blokiraj IP"],"Redirect All":["Preusmjeri Sve"],"Count":["Zbroj"],"URL and WordPress page type":["URL i WordPress vrsta stranice"],"URL and IP":["URL i IP"],"Problem":["Problem"],"Good":["Dobro"],"Check":["Provjeri"],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Nađeno"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} u {{code}}%(url)s{{/code}}"],"Expected":[""],"Error":["Greška"],"Enter full URL, including http:// or https://":["Unesi cijeli URL, uključuje http:// or https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":["Cilj"],"URL is not being redirected with Redirection":["URL nije preusmjeren sa Redirection"],"URL is being redirected with Redirection":["URL je preusmjeren sa Redirection"],"Unable to load details":["Nije moguće učitati detalje"],"Enter server URL to match against":[""],"Server":["Server"],"Enter role or capability value":[""],"Role":["Uloga"],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"Add New":["Dodaj Novi"],"URL and role/capability":[""],"URL and server":["URL i server"],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Prihvati Jezik"],"Header value":["Vrijednost Zaglavlja"],"Header name":["Naziv Zaglavlja"],"HTTP Header":["HTTP Zaglavlje"],"WordPress filter name":[""],"Filter Name":["Naziv Filtra"],"Cookie value":["Vrijednost Kolačića"],"Cookie name":["Naziv Kolačića"],"Cookie":["Kolačić"],"clearing your cache.":["čistim vašu predmemoriju"],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":["URL i HTTP zaglavlje"],"URL and custom filter":[""],"URL and cookie":["URL i kolačić"],"404 deleted":["404 izbrisan"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Korisnička Greška"],"Unknown Useragent":[""],"Device":["Uređaj"],"Operating System":["Operacijski Sustav"],"Browser":["Preglednik"],"Engine":["Modul"],"Useragent":[""],"Agent":["Zastupnik"],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":[""],"Monitor changes to %(type)s":[""],"IP Logging":["IP zapisivanje"],"Geo Info":["Geo Info"],"Agent Info":["Informacije o agentu"],"Filter by IP":["Filtriraj po IP"],"Geo IP Error":["Geo IP Greška"],"Something went wrong obtaining this information":["Nešto je pošlo po zlu prilikom dobivanja ovih podataka"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":["Geo IP"],"City":["Grad"],"Area":["Područje"],"Timezone":["Vremenska zona"],"Geo Location":["Geo lokacija"],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":["Smeće"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":[" https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":["Sat"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":["total ="],"Import from %s":["Uvezi iz %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection zahtjeva WordPress v%1$1s, Vi koristite v%2$2s - molim vas nadogradite svoj WordPress"],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":["⚡️ Čarobni popravak ⚡️"],"Plugin Status":["Status Dodatka"],"Custom":["Prilagođeno"],"Mobile":["Mobilno"],"Feed Readers":[""],"Libraries":["Knjižnice"],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":["URL Monitor"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Tablice Baze podataka"],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":["Otkrivena je keširana redirekcija"],"Please clear your browser cache and reload this page.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress nije odgovorio. Moguće je da je došlo do pogreške ili je zahtjev blokiran. Provjerite error_log vašeg poslužitelja."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":["Uzrok ovome bi mogao biti drugi dodatak - detalje potražite u konzoli za pogreške (error cosole) vašeg peglednika."],"Loading, please wait...":["Učitavanje, stripte se molim..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}Format CSV datoteke{{/strong}}: {{code}}izvorni URL, odredišni URL{{/code}} - i može biti popraćeno sa {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 za ne, 1 za da)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection ne radi. Pokušajte očistiti privremenu memoriju (cache) preglednika i ponovo učitati ovu stranicu."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Ako to ne pomogne, otvorite konzolu za pogreške (error console) vašeg preglednika i prijavite {{link}}novi problem{{/link}} s detaljnim opisom."],"Create Issue":[""],"Email":["Email"],"Need help?":["Trebate li pomoć?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Napominjem da podršku pružam koliko mi to dopušta raspoloživo vrijeme. Ne osiguravam plaćenu podršku."],"Pos":[""],"410 - Gone":["410 - Gone"],"Position":["Pozicija"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":["Želim dodatno podržati."],"Support 💰":["Podrška 💰"],"Import to group":["Importirajte u grupu"],"Import a CSV, .htaccess, or JSON file.":["Importirajte a CSV, .htaccess, ili JSON datoteku."],"Click 'Add File' or drag and drop here.":["Kliknite 'Dodaj datoteku' ili je dovucite i ispustite ovdje."],"Add File":["Dodaj datoteku"],"File selected":["Odabrana datoteka"],"Importing":["Importiranje"],"Finished importing":["Importiranje dovršeno"],"Total redirects imported:":["Ukupan broj importiranih redirekcija:"],"Double-check the file is the correct format!":["Provjerite još jednom da li je format datoteke ispravan!"],"OK":["OK"],"Close":["Zatvori"],"Export":["Eksport"],"Everything":["Sve"],"WordPress redirects":["WordPressova preusmjeravanja"],"Apache redirects":["Apache preusmjeravanja"],"Nginx redirects":["Nginx preusmjeravaja"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx rewrite rules"],"View":["Pogled"],"Import/Export":["Import/Eksport"],"Logs":["Logovi"],"404 errors":["404 pogreške"],"Redirection saved":["Redirekcija spremljena"],"Log deleted":["Log obrisan"],"Settings saved":["Postavke spremljene"],"Group saved":["Grupa spremljena"],"Are you sure you want to delete this item?":["Jeste li sigurni da želite obrisati ovu stavku?","Jeste li sigurni da želite obrisati ove stavke?","Jeste li sigurni da želite obrisati ove stavke?"],"pass":["pass"],"All groups":["Sve grupe"],"301 - Moved Permanently":["301 - Trajno premješteno"],"302 - Found":["302 - Pronađeno"],"307 - Temporary Redirect":["307 - Privremena redirekcija"],"308 - Permanent Redirect":["308 - Trajna redirekcija"],"401 - Unauthorized":["401 - Neovlašteno"],"404 - Not Found":["404 - Nije pronađeno"],"Title":["Naslov"],"When matched":[""],"with HTTP code":["sa HTTP kodom"],"Show advanced options":["Prikaži napredne opcije"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Spremam..."],"View notice":["Pogledaj obavijest"],"Something went wrong 🙁":["Nešto je pošlo po zlu 🙁"],"Log entries (%d max)":["Log zapisi (maksimalno %d)"],"Bulk Actions":["Grupne radnje"],"Apply":["Primijeni"],"First page":["Prva stranica"],"Prev page":["Prethodna stranica"],"Current Page":["Tekuća stranica"],"of %(page)s":[""],"Next page":["Sljedeća stranica"],"Last page":["Zadnja stranica"],"%s item":["%s stavka","%s stavke","%s stavki"],"Select All":["Odaberi sve"],"Sorry, something went wrong loading the data - please try again":["Oprostite, nešto je pošlo po zlu tokom učitavaja podataka - pokušajte ponovo"],"No results":["Bez rezultata"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":[""],"Your email address:":["Vaša adresa e-pošte:"],"You've supported this plugin - thank you!":[""],"You get useful software and I get to carry on making it better.":[""],"Forever":["Zauvijek"],"Delete the plugin - are you sure?":["Obriši dodatak - jeste li sigurni?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":[""],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":[""],"Yes! Delete the plugin":["Da! Obriši dodatak"],"No! Don't delete the plugin":["Ne! Nemoj obrisati dodatak"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":[""],"Redirection Support":[""],"Support":["Podrška"],"404s":[""],"Log":["Zapisnik"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":[""],"Upload":["Prijenos"],"Import":["Uvezi"],"Update":["Ažuriraj"],"Auto-generate URL":["Automatski generiraj URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":[""],"RSS Token":["RSS Token"],"404 Logs":["404 Zapisnik"],"(time to keep logs for)":[""],"Redirect Logs":["Redirect Zapisnik"],"I'm a nice person and I have helped support the author of this plugin":[""],"Plugin Support":[""],"Options":["Opcije"],"Two months":["Dva mjeseca"],"A month":["Mjesec"],"A week":["Tjedan"],"A day":["Dan"],"No logs":["Nema zapisa"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":[""],"Add Group":["Dodaj grupu"],"Search":["Traži"],"Groups":["Grupe"],"Save":["Spremi"],"Group":["Grupiraj"],"Regular Expression":["Pravilni Izraz"],"Match":[""],"Add new redirection":[""],"Cancel":["Prekini"],"Download":["Preuzimanje"],"Redirection":[""],"Settings":["Postavke izbornika"],"WordPress":["WordPress"],"Error (404)":["Greška (404)"],"Pass-through":["Precrtano"],"Redirect to random post":["Preusmjeri na nasumičnu objavu"],"Redirect to URL":["Preusmjeri na URL"],"IP":["IP"],"Source URL":["Izvorni URL"],"Date":["Datum"],"Add Redirect":[""],"View Redirects":[""],"Module":["Modul"],"Redirects":[""],"Name":["Naziv"],"Filters":["Filtri"],"Reset hits":[""],"Enable":["Uključi"],"Disable":["Onemogući"],"Delete":["Izbriši"],"Edit":["Uredi"],"Last Access":["Zadnji pristup"],"Hits":[""],"URL":["URL"],"Modified Posts":["Promijenjene Objave"],"Redirections":[""],"User Agent":["Korisnički agent"],"URL and user agent":[""],"Target URL":["Ciljani URL"],"URL only":["Samo URL"],"HTTP code":["HTTP kod"],"Regex":[""],"Referrer":[""],"URL and referrer":[""],"Logged Out":["Odjavljen"],"Logged In":["Prijavljen"],"URL and login status":["URL i status prijave"],"plural-forms":"nplurals=3; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : ((n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) ? 1 : 2);"}
locale/json/redirection-it_IT.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":[""],"You are using an old or cached session":[""],"Please review your data and try again.":[""],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":[""],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":[""],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":[""],"Show debug":[""],"View Data":[""],"Other":[""],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":[""],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":[""],"RSS":[""],"Group by user agent":[""],"Search domain":[""],"Redirect By":[""],"Domain":[""],"Method":[""],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":[""],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":[""],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Trasferire al dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Vuoi reindirizzare l'intero sito? Inserisci un dominio per reindirizzare tutto, eccetto l'accesso a WordPress e l'amministrazione. Abilitare questa impostazione disattiverà ogni alias del sito e tutte le impostazioni \"canonical\". "],"Relocate Site":["Trasferire sito"],"Add CORS Presets":["Aggiungi impostazioni predefinite CORS"],"Add Security Presets":["Aggiungi le impostazioni di sicurezza predefinite"],"Add Header":["Aggiungi un Header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Dovresti aggiornare l'URL del sito per farlo corrispondere alle impostazioni canoniche: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferito"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Attenzione{{/strong}}: assicurati che HTTPS sia attivo prima di forzare un reindirizzamento."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forza un reindirizzamento da HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Impostazione Canonical"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Aggiungi www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Rimuovi \"www\" dal dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Non impostare un dominio predefinito - {{code}}%(site)s{{/code}}"],"Add Alias":["Aggiungi un Alias"],"No aliases":["Nessun alias"],"Alias":["Alias"],"Aliased Domain":["Dominio usato come alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Dovrai configurare il sistema (DNS e server) per passare le richieste per questi domini a questa installazione di WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["L'alias di un sito è un altro dominio che reindirizzerà al sito stesso. Per esempio, un vecchio dominio o un sottodominio. Questo reindirizzerà tutti gli URL, inclusi la pagina di login e di amministrazione di WordPress."],"Site Aliases":["Alias del sito"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Il plugin aggiuntivo Search Regex permette di cercare e sostituire dati sul sito. Supporta anche Redirection, ed è comodo per aggiornare molti reindirizzamenti in massa."],"Need to search and replace?":["Cerca e sostituisci"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Le opzioni di questa pagina possono causare problemi, se non utilizzate correttamente. Puoi {{link}}disabilitarle temporaneamente{{/link}} per fare delle modifiche."],"Please wait, importing.":["Attendi, importazione in corso."],"Continue":["Continua"],"The following plugins have been detected.":["Sono stati rilevati i seguenti plugin."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automaticamente il reindirizzamento, quando gli URL degli articoli vengono cambiati. Importare questi URL in Redirection ne permette il controllo e la gestione."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importare reindirizzamenti esistenti da WordPress o da altri plugin è un buon modo per iniziare a usare Redirection. Controlla ogni gruppo di reindirizzamenti che desideri importare."],"Import Existing Redirects":["Importa i reindirizzamenti esistenti"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["È tutto - stai facendo un reindirizzamento! Nota che questo sopra è solo un esempio."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Se vuoi reindirizzare tutto, fai un trasferimento o utilizza un alias dalla pagina Sito."],"Value":["Valore"],"Values":["Valori"],"All":["Tutto"],"Note that some HTTP headers are set by your server and cannot be changed.":["Nota che alcuni Header HTTP sono impostati dal server e non possono essere modificati."],"No headers":["Nessun header"],"Header":["Header"],"Location":["Posizione"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Gli header del sito sono aggiunti estensivamente al sito. Gli header di reindirizzamento sono aggiunti solo ai reindirizzamenti."],"HTTP Headers":["HTTP Header"],"Custom Header":["Header personalizzato"],"General":["Generale"],"Redirect":["Reindirizzamento"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"Site":["Sito"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":[""],"Ignore Query":["Ignora query"],"Exact Query":["Query esatta"],"Search title":[""],"Not accessed in last year":["Nessun accesso nell'ultimo anno"],"Not accessed in last month":["Nessun accesso nell'ultimo mese"],"Never accessed":["Nessun accesso"],"Last Accessed":["Ultimo accesso"],"HTTP Status Code":["Codice di stato HTTP"],"Plain":[""],"URL match":[""],"Source":["Sorgente"],"Code":["Codice"],"Action Type":[""],"Match Type":[""],"Search target URL":["Cerca URL target"],"Search IP":["Cerca IP"],"Search user agent":["Cerca user agent"],"Search referrer":[""],"Search URL":["Cerca URL"],"Filter on: %(type)s":["Filtra per: %(type)s"],"Disabled":["Disabilitato"],"Enabled":["Abilitato"],"Compact Display":["Vista compatta"],"Standard Display":["Vista standard"],"Status":["Stato"],"Pre-defined":["Predefinito"],"Custom Display":[""],"Display All":["Visualizza tutto"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":[""],"Comma separated list of languages to match against (i.e. da, en-GB)":["Separa da una virgola l'elenco delle lingue (es. da, en-GB)"],"Language":["Lingua"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL e lingua"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Disconnettiti, svuota la chache del tuo browser e connettiti nuovamente - il tuo browser ha una vecchia sessione nella cache."],"Reload the page - your current session is old.":["Ricarica la pagina - la tua sessione è vecchia."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":[""],"Unable to save .htaccess file":["Impossibile salvare il file .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["I reindirizzamenti aggiunti a un gruppo Apache possono essere salvati su un file {{code}}.htaccess{{/code}} aggiungendo il percorso completo qui. Come riferimento, WordPress è installato in {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":[""],"Automatic Install":["Installazione automatica"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":[""],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Se stai usando WordPress 5.2 o successivi, dai un'occhiata a {{link}}Site Health{{/link}} e risolvi i problemi."],"If you do not complete the manual install you will be returned here.":["Se non completi l'installazione manuale verrai rimandato qui."],"Click \"Finished! 🎉\" when finished.":["Fai clic su \"Finito! 🎉\" quando hai terminato."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"Manual Install":["Installazione manuale"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":[""],"This information is provided for debugging purposes. Be careful making any changes.":["Questa informazione è fornita a scopo di debug. Fai attenzione prima di effettuare qualsiasi modifica."],"Plugin Debug":["Debug del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection comunica con WordPress tramite la REST API. Essa è una parte standard di WordPress, se non la utilizzi incontrerai problemi."],"IP Headers":["IP Header"],"Do not change unless advised to do so!":["Non modificare a meno che tu non sappia cosa stai facendo!"],"Database version":["Versione del database"],"Complete data (JSON)":["Tutti i dati (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Esporta in CSV, .htaccess di Apache, Nginx o JSON. Il formato JSON contiene tutti i dati, mentre gli altri formati contengono informazioni parziali adatte al formato stesso."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV non contiene tutti i dati; le informazioni sono importate/esportate come corrispondenze \"solo URL\". Utilizza il formato JSON per avere la serie completa dei dati."],"All imports will be appended to the current database - nothing is merged.":["Tutte le importazioni verranno allegate al database corrente - niente viene accorpato."],"Automatic Upgrade":["Aggiornamenti automatici"],"Manual Upgrade":["Aggiornamento manuale"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Fai un backup dei dati di Redirection: {{download}}scarica un backup{{/download}}. Se incontrerai dei problemi, potrai reimportarli di nuovo in Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Fai clic sul pulsante \"Aggiorna il Database\" per aggiornarlo automaticamente."],"Complete Upgrade":["Completa l'aggiornamento"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection salva i dati nel tuo database che, a volte, deve essere aggiornato. Il tuo database è attualmente alla versione {{strong}}%(current)s{{/strong}} e l'ultima è la {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Tieni presente che dovrai inserire il percorso del modulo Apache nelle opzioni di Redirection."],"I need support!":["Ho bisogno di aiuto!"],"You will need at least one working REST API to continue.":["Serve almeno una REST API funzionante per continuare."],"Check Again":["Controlla di nuovo"],"Testing - %s$":["Verifica - %s$"],"Show Problems":["Mostra problemi"],"Summary":["Riepilogo"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["La tua REST API non funziona e il plugin non potrà continuare finché il problema non verrà risolto."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Ci sono problemi con la connessione alla tua REST API. Non è necessario intervenire per risolvere il problema e il plugin sta continuando a funzionare."],"Unavailable":["Non disponibile"],"Working but some issues":["Funzionante con problemi"],"Current API":["API corrente"],"Switch to this API":["Passa a questa API"],"Hide":["Nascondi"],"Show Full":["Mostra tutto"],"Working!":["Funziona!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["L'URL di arrivo dovrebbe essere un URL assoluto come {{code}}https://domain.com/%(url)s{{/code}} o iniziare con una barra {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["L'indirizzo di partenza è uguale al quello di arrivo e si creerà un loop. Lascia l'indirizzo di arrivo in bianco se non vuoi procedere."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["Scrivi l'URL di arrivo sul quale vuoi redirezionare, o seleziona l'autocompletamento del nome del post o il permalink."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Includi questi dettagli nel tuo report, insieme ad una descrizione di ciò che stavi facendo e ad uno screenshot."],"Create An Issue":["Riporta un problema"],"What do I do next?":["Cosa fare adesso?"],"Possible cause":["Possibile causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Potrebbe essere un plugin di sicurezza o il server che non ha abbastanza memoria o dà un errore esterno. Controlla il log degli errori del server."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["La REST API è probabilmente bloccata da un plugin di sicurezza. Disabilitalo, oppure configuralo per permettere le richieste della REST API."],"Read this REST API guide for more information.":["Leggi questa guida alle REST API per maggiori informazioni."],"URL options / Regex":["Opzioni URL / Regex"],"Export 404":["Esporta 404"],"Export redirect":["Esporta redirect"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["La struttura dei permalink di WordPress non funziona nei normali URL. Usa un'espressione regolare."],"Pass - as ignore, but also copies the query parameters to the target":["Passa - come Ignora, ma copia anche i parametri della query sull'indirizzo di arrivo."],"Ignore - as exact, but ignores any query parameters not in your source":[""],"Exact - matches the query parameters exactly defined in your source, in any order":[""],"Default query matching":["Corrispondenza della query predefinita"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":[""],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora maiuscole/minuscole nella corrispondenza (esempio: {{code}}/Exciting-Post{{/code}} sarà lo stesso di {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Applica a tutti i reindirizzamenti a meno che non configurati diversamente."],"Default URL settings":["Impostazioni URL predefinite"],"Ignore and pass all query parameters":["Ignora e passa tutti i parametri di query"],"Ignore all query parameters":["Ignora tutti i parametri di query"],"Exact match":["Corrispondenza esatta"],"Caching software (e.g Cloudflare)":["Software di cache (es. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin di sicurezza (es. Wordfence)"],"URL options":["Opzioni URL"],"Query Parameters":["Parametri della query"],"Ignore & pass parameters to the target":["Ignora e passa i parametri alla destinazione"],"Ignore all parameters":["Ignora tutti i parametri"],"Exact match all parameters in any order":["Corrispondenza esatta di tutti i parametri in qualsiasi ordine"],"Ignore Case":["Ignora MAIUSC/minusc"],"Ignore Slash":["Ignora la barra (\"/\")"],"Relative REST API":["REST API relativa"],"Raw REST API":["REST API raw"],"Default REST API":["REST API predefinita"],"(Example) The target URL is the new URL":["(Esempio) L'URL di arrivo è il nuovo URL"],"(Example) The source URL is your old or original URL":["(Esempio) L'URL di partenza è il tuo URL vecchio o di origine"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Disabilitato! Rilevato PHP %1$s, necessario PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Un aggiornamento del database è in corso. Continua per terminare."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Il database di Redirection deve essere aggiornato - <a href=\"%1$1s\">fai clic per aggiornare</a>."],"Redirection database needs upgrading":["Il database di Redirection ha bisogno di essere aggiornato"],"Upgrade Required":["Aggiornamento richiesto"],"Finish Setup":["Completa la configurazione"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":[""],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Se incontri un problema, consulta la documentazione del plugin o prova a contattare il supporto del tuo host. {{link}}Questo non è generalmente un problema dato da Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Qualche altro plugin che blocca la REST API"],"A server firewall or other server configuration (e.g OVH)":["Il firewall del server o una diversa configurazione del server (es. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection usa la {{link}}REST API di WordPress{{/link}} per comunicare con WordPress. Essa è abilitata e funzionante in maniera predefinita. A volte, la REST API è bloccata da:"],"Go back":["Torna indietro"],"Continue Setup":["Continua con la configurazione"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Salvare l'indirizzo IP permette di effettuare ulteriori azioni sul log. Nota che devi rispettare le normative locali sulla raccolta dei dati (es. GDPR)."],"Store IP information for redirects and 404 errors.":["Salva le informazioni per i redirezionamenti e gli errori 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":["Tieni un log di tutti i redirezionamenti ed errori 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leggi di più su questo argomento.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Se modifichi il permalink di un articolo o di una pagina, Redirection può creare automaticamente il reindirizzamento."],"Monitor permalink changes in WordPress posts and pages":["Tieni sotto controllo le modifiche ai permalink negli articoli e nelle pagine di WordPress."],"These are some options you may want to enable now. They can be changed at any time.":["Ci sono alcune opzioni che potresti voler abilitare. Puoi modificarle in ogni momento."],"Basic Setup":["Configurazione di base"],"Start Setup":["Avvia la configurazione"],"When ready please press the button to continue.":["Quando sei pronto, premi il pulsante per continuare."],"First you will be asked a few questions, and then Redirection will set up your database.":["Prima ti verranno poste alcune domande, poi Redirection configurerà il database."],"What's next?":["E adesso?"],"Check a URL is being redirected":["Controlla che l'URL venga reindirizzato"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importa{{/link}} da .htaccess, CSV e molti altri plugin"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Controlla gli errori 404{{/link}}, ottieni informazioni dettagliate sul visitatore e correggi i problemi"],"Some features you may find useful are":["Alcune caratteristiche che potresti trovare utili sono"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Puoi trovare la documentazione completa sul {{link}}sito di Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Un semplice redirezionamento implica un {{strong}}URL di partenza{{/strong}} (il vecchio URL) e un {{strong}}URL di arrivo{{/strong}} (il nuovo URL). Ecco un esempio:"],"How do I use this plugin?":["Come utilizzo questo plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection è fatto per essere usato sia su siti con pochi reindirizzamenti che su siti con migliaia di reindirizzamenti."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Grazie per aver installato e usato Redirection v%(version)s. Questo plugin ti aiuta a organizzare i reindirizzamenti 301, a tenere traccia degli errori 404, e a migliorare il sito senza nessuna conoscenza di Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Benvenuto in Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":["Ricordati di abilitare l'opzione \"regex\" se questa è un'espressione regolare."],"The source URL should probably start with a {{code}}/{{/code}}":["L'URL di partenza probabilmente dovrebbe iniziare con una {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Questo sarà convertito in un reindirizzamento server per il dominio {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Finito! 🎉"],"Progress: %(complete)d$":["Avanzamento: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Uscire senza aver completato il processo può causare problemi."],"Setting up Redirection":["Configurare Redirection"],"Upgrading Redirection":["Aggiornare Redirection"],"Please remain on this page until complete.":["Resta sulla pagina fino al completamento."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Se vuoi {{support}}richiedere supporto{{/support}} includi questi dettagli:"],"Stop upgrade":["Ferma l'aggiornamento"],"Skip this stage":["Salta questo passaggio"],"Try again":["Prova di nuovo"],"Database problem":["Problema del database"],"Please enable JavaScript":["Abilita JavaScript"],"Please upgrade your database":["Aggiorna il database"],"Upgrade Database":[""],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Completa la <a href=\"%s\">configurazione di Redirection</a> per attivare il plugin."],"Your database does not need updating to %s.":["Il database non necessita di aggiornamento a %s."],"Table \"%s\" is missing":["La tabella \"%s\" è mancante"],"Create basic data":["Crea dati di base"],"Install Redirection tables":[""],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["L'URL del sito e quello della home non coincidono. Correggi dalla pagina Impostazioni > Generali: %1$1s non è %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Non provare a reindirizzare tutti i 404 - non è una buona cosa da fare."],"Only the 404 page type is currently supported.":["Solo il tipo di pagina 404 è supportato attualmente"],"Page Type":["Tipo di pagina"],"Enter IP addresses (one per line)":["Inserisci gli indirizzi IP (uno per riga)"],"Describe the purpose of this redirect (optional)":["Descrivi lo scopo di questo reindirizzamento (opzionale)"],"418 - I'm a teapot":["418 - Sono una teiera"],"403 - Forbidden":["403 - Vietato"],"400 - Bad Request":["400 - Richiesta errata"],"304 - Not Modified":["304 - Non modificato"],"303 - See Other":["303 - Vedi altro"],"Do nothing (ignore)":["Non fare niente (ignora)"],"Target URL when not matched (empty to ignore)":["URL di arrivo quando non corrispondente (vuoto per ignorare)"],"Target URL when matched (empty to ignore)":["URL di arrivo quando corrispondente (vuoto per ignorare)"],"Show All":["Mostra tutto"],"Delete logs for these entries":[""],"Delete logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":["Raggruppa per IP"],"Group by URL":["Raggruppa per URL"],"No grouping":["Non raggruppare"],"Ignore URL":["Ignora URL"],"Block IP":["Blocca IP"],"Redirect All":["Reindirizza tutto"],"Count":["Conteggio"],"URL and WordPress page type":["Tipo di URL e pagina WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Buono"],"Check":["Verifica"],"Check Redirect":["Verifica reindirizzamento"],"Check redirect for: {{code}}%s{{/code}}":["Verifica reindirizzamento per: {{code}}%s{{/code}}"],"Not using Redirection":["Senza usare Redirection"],"Using Redirection":["Usando Redirection"],"Found":["Trovato"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Previsto"],"Error":["Errore"],"Enter full URL, including http:// or https://":["Immetti l'URL completo, incluso http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":["Target"],"URL is not being redirected with Redirection":["L'URL non sarà più reindirizzato con Redirection"],"URL is being redirected with Redirection":["L'URL è reindirizzato con Redirection"],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":["Server"],"Enter role or capability value":[""],"Role":["Ruolo"],"Match against this browser referrer text":[""],"Match against this browser user agent":["Confronta con questo browser user agent"],"The relative URL you want to redirect from":["L'URL relativo dal quale vuoi creare una redirezione"],"Add New":["Aggiungi Nuovo"],"URL and role/capability":["URL e ruolo/permesso"],"URL and server":["URL e server"],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Valore dell'header"],"Header name":[""],"HTTP Header":["Header HTTP"],"WordPress filter name":[""],"Filter Name":[""],"Cookie value":["Valore cookie"],"Cookie name":["Nome cookie"],"Cookie":["Cookie"],"clearing your cache.":["cancellazione della tua cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL e cookie"],"404 deleted":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":[""],"Useragent Error":[""],"Unknown Useragent":["Useragent sconosciuto"],"Device":["Periferica"],"Operating System":["Sistema operativo"],"Browser":["Browser"],"Engine":[""],"Useragent":["Useragent"],"Agent":[""],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":["Anonimizza IP (maschera l'ultima parte)"],"Monitor changes to %(type)s":[""],"IP Logging":[""],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":["Città"],"Area":["Area"],"Timezone":["Fuso orario"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puoi trovare la documentazione completa sull'uso di Redirection sul sito di supporto <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":["Pulisci la cache del tuo browser e ricarica questa pagina"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Caricamento in corso, attendi..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"Create Issue":[""],"Email":["Email"],"Need help?":["Hai bisogno di aiuto?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":[""],"Position":["Posizione"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":[""],"Support 💰":["Supporta 💰"],"Import to group":["Importa nel gruppo"],"Import a CSV, .htaccess, or JSON file.":["Importa un file CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Fai clic su 'Aggiungi file' o trascina e rilascia qui."],"Add File":["Aggiungi file"],"File selected":["File selezionato"],"Importing":["Importazione"],"Finished importing":["Importazione finita"],"Total redirects imported:":["Totale redirect importati"],"Double-check the file is the correct format!":["Controlla che il file sia nel formato corretto!"],"OK":["OK"],"Close":["Chiudi"],"Export":["Esporta"],"Everything":["Tutto"],"WordPress redirects":["Redirezioni di WordPress"],"Apache redirects":["Redirezioni Apache"],"Nginx redirects":["Redirezioni nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":[""],"View":["Visualizza"],"Import/Export":["Importa/Esporta"],"Logs":[""],"404 errors":["Errori 404"],"Redirection saved":["Redirezione salvata"],"Log deleted":["Log eliminato"],"Settings saved":["Impostazioni salvate"],"Group saved":["Gruppo salvato"],"Are you sure you want to delete this item?":["Sei sicuro di voler eliminare questo oggetto?","Sei sicuro di voler eliminare questi oggetti?"],"pass":[""],"All groups":["Tutti i gruppi"],"301 - Moved Permanently":["301 - Spostato in maniera permanente"],"302 - Found":["302 - Trovato"],"307 - Temporary Redirect":["307 - Redirezione temporanea"],"308 - Permanent Redirect":["308 - Redirezione permanente"],"401 - Unauthorized":["401 - Non autorizzato"],"404 - Not Found":["404 - Non trovato"],"Title":["Titolo"],"When matched":["Quando corrisponde"],"with HTTP code":["Con codice HTTP"],"Show advanced options":["Mostra opzioni avanzate"],"Matched Target":["Indirizzo di arrivo corrispondente"],"Unmatched Target":["Indirizzo di arrivo non corrispondente"],"Saving...":["Salvataggio..."],"View notice":["Vedi la notifica"],"Something went wrong 🙁":["Qualcosa è andato storto 🙁"],"Log entries (%d max)":[""],"Bulk Actions":["Azioni di massa"],"Apply":["Applica"],"First page":["Prima pagina"],"Prev page":["Pagina precedente"],"Current Page":["Pagina corrente"],"of %(page)s":["di %(page)s"],"Next page":["Pagina successiva"],"Last page":["Ultima pagina"],"%s item":["%s oggetto","%s oggetti"],"Select All":["Seleziona tutto"],"Sorry, something went wrong loading the data - please try again":["Qualcosa è andato storto leggendo i dati - riprova"],"No results":["Nessun risultato"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vuoi essere informato sulle modifiche a Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e le modifiche al plugin. Ideale se vuoi provare le modifiche in beta prima del rilascio."],"Your email address:":["Il tuo indirizzo email:"],"You've supported this plugin - thank you!":["Hai già supportato questo plugin - grazie!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Per sempre"],"Delete the plugin - are you sure?":["Cancella il plugin - sei sicuro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Cancellando questo plugin verranno rimossi tutti i reindirizzamenti, i log e le impostazioni. Fallo se vuoi rimuovere il plugin o se vuoi reimpostare il plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Dopo averle elimininati, i tuoi reindirizzamenti smetteranno di funzionare. Se sembra che continuino a funzionare cancella la cache del tuo browser."],"Yes! Delete the plugin":["Sì! Cancella il plugin"],"No! Don't delete the plugin":["No! Non cancellare il plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestisci tutti i redirect 301 and controlla tutti gli errori 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."],"Redirection Support":["Forum di supporto Redirection"],"Support":["Supporto"],"404s":["404"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selezionando questa opzione tutti i reindirizzamenti, i log e qualunque altra opzione associata con Redirection verranno cancellati. Assicurarsi che questo è proprio ciò che si vuole fare."],"Delete Redirection":["Rimuovi Redirection"],"Upload":["Carica"],"Import":["Importa"],"Update":["Aggiorna"],"Auto-generate URL":["Genera URL automaticamente"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registro 404"],"(time to keep logs for)":["(per quanto tempo conservare i log)"],"Redirect Logs":["Registro redirezioni"],"I'm a nice person and I have helped support the author of this plugin":["Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"],"Plugin Support":["Supporto del plugin"],"Options":["Opzioni"],"Two months":["Due mesi"],"A month":["Un mese"],"A week":["Una settimana"],"A day":["Un giorno"],"No logs":["Nessun log"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilizza i gruppi per organizzare i tuoi redirect. I gruppi vengono assegnati a un modulo, il che influenza come funzionano i redirect in ciascun gruppo. Se non sei sicuro, scegli il modulo WordPress."],"Add Group":["Aggiungi gruppo"],"Search":["Cerca"],"Groups":["Gruppi"],"Save":["Salva"],"Group":["Gruppo"],"Regular Expression":["Espressione regolare"],"Match":[""],"Add new redirection":["Aggiungi un nuovo reindirizzamento"],"Cancel":["Annulla"],"Download":["Scarica"],"Redirection":["Redirection"],"Settings":["Impostazioni"],"WordPress":["WordPress"],"Error (404)":["Errore (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Reindirizza a un post a caso"],"Redirect to URL":["Reindirizza a URL"],"IP":["IP"],"Source URL":["URL di partenza"],"Date":["Data"],"Add Redirect":["Aggiungi una redirezione"],"View Redirects":["Mostra i redirect"],"Module":["Modulo"],"Redirects":["Reindirizzamenti"],"Name":["Nome"],"Filters":["Filtri"],"Reset hits":["Reimposta hit"],"Enable":["Attiva"],"Disable":["Disattiva"],"Delete":["Elimina"],"Edit":["Modifica"],"Last Access":["Ultimo accesso"],"Hits":["Visite"],"URL":["URL"],"Modified Posts":["Articoli modificati"],"Redirections":["Reindirizzamenti"],"User Agent":["User agent"],"URL and user agent":["URL e user agent"],"Target URL":["URL di arrivo"],"URL only":["solo URL"],"HTTP code":["Codice HTTP"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL e referrer"],"Logged Out":["Disconnesso"],"Logged In":["Connesso"],"URL and login status":["status URL e login"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Le tue pagine di amministrazione sono in cache. Svuota la cache e riprova. Potrebbero essere attive più cache."],"This is usually fixed by doing one of the following:":["Ciò, di solito, si corregge facendo una di queste cose:"],"You are using an old or cached session":["Stai usando una sessione vecchia o in cache"],"Please review your data and try again.":["Controlla i dati e prova di nuovo."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":["Si è verificato un problema nel fare una richiesta al sito. Forse hai fornito dei dati non corrispondenti a quelli richiesti, oppure il plugin ha inviato una richiesta errata."],"Bad data":["Dati errati"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress ha restituito un messaggio inatteso. Potrebbe essere dovuto a un errore PHP di un plugin, oppure a dati inseriti dal tuo tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["La REST API di WordPress è stata disabilitata. Devi abilitarla per continuare."],"An unknown error occurred.":["Si è verificato un errore sconosciuto."],"Your REST API is being redirected. Please remove the redirection for the API.":["La tua REST API viene reindirizzata. Rimuovi il rendirizzamento per la API."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Un plugin di sicurezza o un firewall sta bloccando l'accesso. Devi aggiungere la REST API in whitelist."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["La configurazione del server sta bloccando l'accesso alla REST API. È necessario correggerla."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Controlla la voce {{link}}Site Health{{/link}} e correggi i problemi."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":["Riesci ad accedere alla {{api}}REST API{{/api}} senza alcun reindirizzamento? Se non ci riesci, devi correggere tutti gli errori."],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":["La REST API restituisce una pagina 404. Molto probabilmente, è un problema generato da un plugin esterno o dalla configurazione del server."],"Debug Information":["Informazioni di debug"],"Show debug":["Mostra il debug"],"View Data":["Visualizza i dati"],"Other":["Altro"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":["Redirection non memorizza alcuna informazione riconoscibile dell'utente oltre quelle configurate sopra. È tua responsabilità assicurarti che il sito soddisfi le {{link}}normative sulla privacy {{/link}} applicabili."],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":["Cattura le informazioni dell'HTTP header information nei log (eccetto i cookie). Può includere informazioni sull'utente e può incrementare la grandezza del log."],"Track redirect hits and date of last access. Contains no user information.":["Traccia le hit di reindirizzamento e la data dell'ultimo accesso. Non contiene informazioni sull'utente."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":["Memorizza reindirizzamenti esterni - non gestiti da Redirection. Questo può incrementare la grandezza del log e non contiene informazioni sull'utente."],"Logging":["Memorizzazione"],"(IP logging level)":["(Memorizzazione livello IP)"],"Are you sure you want to delete the selected items?":["Sei sicuro di voler cancellare gli elementi selezionati?"],"View Redirect":["Visualizza reindirizzamento"],"RSS":["RSS"],"Group by user agent":["Raggruppa per User Agent"],"Search domain":["Ricerca dominio"],"Redirect By":["Reindirizza tramite"],"Domain":["Dominio"],"Method":["Metodo"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Se questo non ti è stato di aiuto, allora {{strong}}apri un ticket{{/strong}} o invialo in una {{strong}}email{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Controlla il {{link}}sito di supporto{{/link}} prima di procedere oltre."],"Something went wrong when upgrading Redirection.":["Qualcosa è andato storto durante l'aggiornamento di Redirection."],"Something went wrong when installing Redirection.":["Qualcosa è andato storto durante l'installazione di Redirection."],"Apply To All":["Applica a tutti"],"Bulk Actions (all)":["Azioni di gruppo (tutti)"],"Actions applied to all selected items":["Azioni applicate a tutti gli elementi selezionati"],"Actions applied to everything that matches current filter":["Azioni applicate a tutto ciò che corrisponde al filtro impostato"],"Redirect Source":["Sorgente del reindirizzamento"],"Request Headers":["Header della richiesta"],"Exclude from logs":["Escludi dai log"],"Cannot connect to the server to determine the redirect status.":["Impossibile connettersi al server per determinare lo stato del reindirizzamento."],"Your URL is cached and the cache may need to be cleared.":["L'URL è in cache, potrebbe essere necessario pulirla."],"Something else other than Redirection is redirecting this URL.":["Questo URL è reindirizzato da qualcosa che non è Redirection."],"Relocate to domain":["Trasferire al dominio"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Vuoi reindirizzare l'intero sito? Inserisci un dominio per reindirizzare tutto, eccetto l'accesso a WordPress e l'amministrazione. Abilitare questa impostazione disattiverà ogni alias del sito e tutte le impostazioni \"canonical\". "],"Relocate Site":["Trasferire sito"],"Add CORS Presets":["Aggiungi impostazioni predefinite CORS"],"Add Security Presets":["Aggiungi le impostazioni di sicurezza predefinite"],"Add Header":["Aggiungi un Header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Dovresti aggiornare l'URL del sito per farlo corrispondere alle impostazioni canoniche: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Dominio preferito"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Attenzione{{/strong}}: assicurati che HTTPS sia attivo prima di forzare un reindirizzamento."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Forza un reindirizzamento da HTTP a HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Impostazione Canonical"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Aggiungi www al dominio - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Rimuovi \"www\" dal dominio - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Non impostare un dominio predefinito - {{code}}%(site)s{{/code}}"],"Add Alias":["Aggiungi un Alias"],"No aliases":["Nessun alias"],"Alias":["Alias"],"Aliased Domain":["Dominio usato come alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Dovrai configurare il sistema (DNS e server) per passare le richieste per questi domini a questa installazione di WordPress."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["L'alias di un sito è un altro dominio che reindirizzerà al sito stesso. Per esempio, un vecchio dominio o un sottodominio. Questo reindirizzerà tutti gli URL, inclusi la pagina di login e di amministrazione di WordPress."],"Site Aliases":["Alias del sito"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Il plugin aggiuntivo Search Regex permette di cercare e sostituire dati sul sito. Supporta anche Redirection, ed è comodo per aggiornare molti reindirizzamenti in massa."],"Need to search and replace?":["Cerca e sostituisci"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Le opzioni di questa pagina possono causare problemi, se non utilizzate correttamente. Puoi {{link}}disabilitarle temporaneamente{{/link}} per fare delle modifiche."],"Please wait, importing.":["Attendi, importazione in corso."],"Continue":["Continua"],"The following plugins have been detected.":["Sono stati rilevati i seguenti plugin."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress crea automaticamente il reindirizzamento, quando gli URL degli articoli vengono cambiati. Importare questi URL in Redirection ne permette il controllo e la gestione."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Importare reindirizzamenti esistenti da WordPress o da altri plugin è un buon modo per iniziare a usare Redirection. Controlla ogni gruppo di reindirizzamenti che desideri importare."],"Import Existing Redirects":["Importa i reindirizzamenti esistenti"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["È tutto - stai facendo un reindirizzamento! Nota che questo sopra è solo un esempio."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Se vuoi reindirizzare tutto, fai un trasferimento o utilizza un alias dalla pagina Sito."],"Value":["Valore"],"Values":["Valori"],"All":["Tutto"],"Note that some HTTP headers are set by your server and cannot be changed.":["Nota che alcuni Header HTTP sono impostati dal server e non possono essere modificati."],"No headers":["Nessun header"],"Header":["Header"],"Location":["Posizione"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Gli header del sito sono aggiunti estensivamente al sito. Gli header di reindirizzamento sono aggiunti solo ai reindirizzamenti."],"HTTP Headers":["HTTP Header"],"Custom Header":["Header personalizzato"],"General":["Generale"],"Redirect":["Reindirizzamento"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Alcuni server possono essere configurati in modo da fornire le risorse direttamente, prevenendo il verificarsi del reindirizzamento."],"Site":["Sito"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":[""],"Ignore & Pass Query":["Ignora e passa la query"],"Ignore Query":["Ignora la query"],"Exact Query":["Query esatta"],"Search title":["Ricerca titolo"],"Not accessed in last year":["Nessun accesso nell'ultimo anno"],"Not accessed in last month":["Nessun accesso nell'ultimo mese"],"Never accessed":["Nessun accesso"],"Last Accessed":["Ultimo accesso"],"HTTP Status Code":["Codice di stato HTTP"],"Plain":["Semplice"],"URL match":["Corrispondenza URL"],"Source":["Sorgente"],"Code":["Codice"],"Action Type":["Tipo di azione"],"Match Type":["Tipo di corrispondenza"],"Search target URL":["Cerca URL target"],"Search IP":["Cerca IP"],"Search user agent":["Cerca user agent"],"Search referrer":["Ricerca referrer"],"Search URL":["Cerca URL"],"Filter on: %(type)s":["Filtra per: %(type)s"],"Disabled":["Disabilitato"],"Enabled":["Abilitato"],"Compact Display":["Vista compatta"],"Standard Display":["Vista standard"],"Status":["Stato"],"Pre-defined":["Predefinito"],"Custom Display":["Visualizzazione personalizzata"],"Display All":["Visualizza tutto"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["L'URL sembra contenere un dominio nel percorso: {{code}}%(relative)s{{/code}}. Volevi usare invece {{code}}%(absolute)s{{/code}}?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista delle lingue separate da una virgola (es. da, en-GB)"],"Language":["Lingua"],"504 - Gateway Timeout":["504 - Gateway Timeout"],"503 - Service Unavailable":["503 - Service Unavailable"],"502 - Bad Gateway":["502 - Bad Gateway"],"501 - Not implemented":["501 - Not implemented"],"500 - Internal Server Error":["500 - Internal Server Error"],"451 - Unavailable For Legal Reasons":["451 - Unavailable For Legal Reasons"],"URL and language":["URL e lingua"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Disconnettiti, svuota la chache del tuo browser e connettiti nuovamente - il tuo browser ha una vecchia sessione nella cache."],"Reload the page - your current session is old.":["Ricarica la pagina - la tua sessione è vecchia."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["È stato rilevato un loop e l'upgrade è stato interrotto. Questo di solito indica che il {{support}}sito è salvato in cache{{/support}} e i cambiamenti al database non sono stati salvati."],"Unable to save .htaccess file":["Impossibile salvare il file .htaccess"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["I reindirizzamenti aggiunti a un gruppo Apache possono essere salvati su un file {{code}}.htaccess{{/code}} aggiungendo il percorso completo qui. Come riferimento, WordPress è installato in {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Clic \"Completa Upgrade\" al termine."],"Automatic Install":["Installazione automatica"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["L'URL di arrivo contiene il carattere non valido {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Se stai usando WordPress 5.2 o successivi, dai un'occhiata a {{link}}Site Health{{/link}} e risolvi i problemi."],"If you do not complete the manual install you will be returned here.":["Se non completi l'installazione manuale verrai rimandato qui."],"Click \"Finished! 🎉\" when finished.":["Fai clic su \"Finito! 🎉\" quando hai terminato."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Se il sito necessita di permessi speciali sul Database, o se preferisci fare da te, puoi lanciare manualmente il seguente SQL."],"Manual Install":["Installazione manuale"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["RIlevati permessi insufficienti sul database. Fornisci i permessi appropriati all'utente del database."],"This information is provided for debugging purposes. Be careful making any changes.":["Questa informazione è fornita a scopo di debug. Fai attenzione prima di effettuare qualsiasi modifica."],"Plugin Debug":["Debug del plugin"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection comunica con WordPress tramite la REST API. Essa è una parte standard di WordPress, se non la utilizzi incontrerai problemi."],"IP Headers":["IP Header"],"Do not change unless advised to do so!":["Non modificare a meno che tu non sappia cosa stai facendo!"],"Database version":["Versione del database"],"Complete data (JSON)":["Tutti i dati (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Esporta in CSV, .htaccess di Apache, Nginx o JSON. Il formato JSON contiene tutti i dati, mentre gli altri formati contengono informazioni parziali adatte al formato stesso."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV non contiene tutti i dati; le informazioni sono importate/esportate come corrispondenze \"solo URL\". Utilizza il formato JSON per avere la serie completa dei dati."],"All imports will be appended to the current database - nothing is merged.":["Tutte le importazioni verranno allegate al database corrente - niente viene accorpato."],"Automatic Upgrade":["Aggiornamenti automatici"],"Manual Upgrade":["Aggiornamento manuale"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Fai un backup dei dati di Redirection: {{download}}scarica un backup{{/download}}. Se incontrerai dei problemi, potrai reimportarli di nuovo in Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Fai clic sul pulsante \"Aggiorna il Database\" per aggiornarlo automaticamente."],"Complete Upgrade":["Completa l'aggiornamento"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection salva i dati nel tuo database che, a volte, deve essere aggiornato. Il tuo database è attualmente alla versione {{strong}}%(current)s{{/strong}} e l'ultima è la {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Tieni presente che dovrai inserire il percorso del modulo Apache nelle opzioni di Redirection."],"I need support!":["Ho bisogno di aiuto!"],"You will need at least one working REST API to continue.":["Serve almeno una REST API funzionante per continuare."],"Check Again":["Controlla di nuovo"],"Testing - %s$":["Verifica - %s$"],"Show Problems":["Mostra problemi"],"Summary":["Riepilogo"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["La tua REST API non funziona e il plugin non potrà continuare finché il problema non verrà risolto."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Ci sono problemi con la connessione alla tua REST API. Non è necessario intervenire per risolvere il problema e il plugin sta continuando a funzionare."],"Unavailable":["Non disponibile"],"Working but some issues":["Funzionante con problemi"],"Current API":["API corrente"],"Switch to this API":["Passa a questa API"],"Hide":["Nascondi"],"Show Full":["Mostra tutto"],"Working!":["Funziona!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["L'URL di arrivo dovrebbe essere un URL assoluto come {{code}}https://domain.com/%(url)s{{/code}} o iniziare con una barra {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["L'indirizzo di partenza è uguale al quello di arrivo e si creerà un loop. Lascia l'indirizzo di arrivo in bianco se non vuoi procedere."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["Scrivi l'URL di arrivo sul quale vuoi redirezionare, o seleziona l'autocompletamento del nome del post o il permalink."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Includi questi dettagli nel tuo report, insieme ad una descrizione di ciò che stavi facendo e ad uno screenshot."],"Create An Issue":["Riporta un problema"],"What do I do next?":["Cosa fare adesso?"],"Possible cause":["Possibile causa"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Potrebbe essere un plugin di sicurezza o il server che non ha abbastanza memoria o dà un errore esterno. Controlla il log degli errori del server."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["La REST API è probabilmente bloccata da un plugin di sicurezza. Disabilitalo, oppure configuralo per permettere le richieste della REST API."],"Read this REST API guide for more information.":["Leggi questa guida alle REST API per maggiori informazioni."],"URL options / Regex":["Opzioni URL / Regex"],"Export 404":["Esporta 404"],"Export redirect":["Esporta redirect"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["La struttura dei permalink di WordPress non funziona nei normali URL. Usa un'espressione regolare."],"Pass - as ignore, but also copies the query parameters to the target":["Passa - come Ignora, ma copia anche i parametri della query sull'indirizzo di arrivo."],"Ignore - as exact, but ignores any query parameters not in your source":["Ignora - tale e quale, ma ignora ogni parametro della query non presente all'origine"],"Exact - matches the query parameters exactly defined in your source, in any order":["Esatta - corrisponde ai parametri della query come definiti all'origine, in qualunque ordine"],"Default query matching":["Corrispondenza della query predefinita"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorare le slash finali (esempio: {{code}}/exciting-post/{{/code}} corrisponderà a {{code}}/exciting-post{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignora maiuscole/minuscole nella corrispondenza (esempio: {{code}}/Exciting-Post{{/code}} sarà lo stesso di {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Applica a tutti i reindirizzamenti a meno che non configurati diversamente."],"Default URL settings":["Impostazioni URL predefinite"],"Ignore and pass all query parameters":["Ignora e passa tutti i parametri di query"],"Ignore all query parameters":["Ignora tutti i parametri di query"],"Exact match":["Corrispondenza esatta"],"Caching software (e.g Cloudflare)":["Software di cache (es. Cloudflare)"],"A security plugin (e.g Wordfence)":["Un plugin di sicurezza (es. Wordfence)"],"URL options":["Opzioni URL"],"Query Parameters":["Parametri della query"],"Ignore & pass parameters to the target":["Ignora e passa i parametri alla destinazione"],"Ignore all parameters":["Ignora tutti i parametri"],"Exact match all parameters in any order":["Corrispondenza esatta di tutti i parametri in qualsiasi ordine"],"Ignore Case":["Ignora MAIUSC/minusc"],"Ignore Slash":["Ignora la barra (\"/\")"],"Relative REST API":["REST API relativa"],"Raw REST API":["REST API raw"],"Default REST API":["REST API predefinita"],"(Example) The target URL is the new URL":["(Esempio) L'URL di arrivo è il nuovo URL"],"(Example) The source URL is your old or original URL":["(Esempio) L'URL di partenza è il tuo URL vecchio o di origine"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Disabilitato! Rilevato PHP %1$s, necessario PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Un aggiornamento del database è in corso. Continua per terminare."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Il database di Redirection deve essere aggiornato - <a href=\"%1$1s\">fai clic per aggiornare</a>."],"Redirection database needs upgrading":["Il database di Redirection ha bisogno di essere aggiornato"],"Upgrade Required":["Aggiornamento richiesto"],"Finish Setup":["Completa la configurazione"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Ci sono URL differenti in WordPress > Impostazioni > Generali, il che indica solitamente un errore di configurazione e può causare problemi con la REST API. \nControlla le impostazioni."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Se incontri un problema, consulta la documentazione del plugin o prova a contattare il supporto del tuo host. {{link}}Questo non è generalmente un problema dato da Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Qualche altro plugin che blocca la REST API"],"A server firewall or other server configuration (e.g OVH)":["Il firewall del server o una diversa configurazione del server (es. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection usa la {{link}}REST API di WordPress{{/link}} per comunicare con WordPress. Essa è abilitata e funzionante in maniera predefinita. A volte, la REST API è bloccata da:"],"Go back":["Torna indietro"],"Continue Setup":["Continua con la configurazione"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Salvare l'indirizzo IP permette di effettuare ulteriori azioni sul log. Nota che devi rispettare le normative locali sulla raccolta dei dati (es. GDPR)."],"Store IP information for redirects and 404 errors.":["Salva le informazioni per i redirezionamenti e gli errori 404."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":[""],"Keep a log of all redirects and 404 errors.":["Tieni un log di tutti i redirezionamenti ed errori 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leggi di più su questo argomento.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Se modifichi il permalink di un articolo o di una pagina, Redirection può creare automaticamente il reindirizzamento."],"Monitor permalink changes in WordPress posts and pages":["Tieni sotto controllo le modifiche ai permalink negli articoli e nelle pagine di WordPress."],"These are some options you may want to enable now. They can be changed at any time.":["Ci sono alcune opzioni che potresti voler abilitare. Puoi modificarle in ogni momento."],"Basic Setup":["Configurazione di base"],"Start Setup":["Avvia la configurazione"],"When ready please press the button to continue.":["Quando sei pronto, premi il pulsante per continuare."],"First you will be asked a few questions, and then Redirection will set up your database.":["Prima ti verranno poste alcune domande, poi Redirection configurerà il database."],"What's next?":["E adesso?"],"Check a URL is being redirected":["Controlla che l'URL venga reindirizzato"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":[""],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importa{{/link}} da .htaccess, CSV e molti altri plugin"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Controlla gli errori 404{{/link}}, ottieni informazioni dettagliate sul visitatore e correggi i problemi"],"Some features you may find useful are":["Alcune caratteristiche che potresti trovare utili sono"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Puoi trovare la documentazione completa sul {{link}}sito di Redirection.{{/link}}"],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["Un semplice redirezionamento implica un {{strong}}URL di partenza{{/strong}} (il vecchio URL) e un {{strong}}URL di arrivo{{/strong}} (il nuovo URL). Ecco un esempio:"],"How do I use this plugin?":["Come utilizzo questo plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection è fatto per essere usato sia su siti con pochi reindirizzamenti che su siti con migliaia di reindirizzamenti."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Grazie per aver installato e usato Redirection v%(version)s. Questo plugin ti aiuta a organizzare i reindirizzamenti 301, a tenere traccia degli errori 404, e a migliorare il sito senza nessuna conoscenza di Apache o Nginx."],"Welcome to Redirection 🚀🎉":["Benvenuto in Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":[""],"Remember to enable the \"regex\" option if this is a regular expression.":["Ricordati di abilitare l'opzione \"regex\" se questa è un'espressione regolare."],"The source URL should probably start with a {{code}}/{{/code}}":["L'URL di partenza probabilmente dovrebbe iniziare con una {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Questo sarà convertito in un reindirizzamento server per il dominio {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":[""],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Finito! 🎉"],"Progress: %(complete)d$":["Avanzamento: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Uscire senza aver completato il processo può causare problemi."],"Setting up Redirection":["Configurare Redirection"],"Upgrading Redirection":["Aggiornare Redirection"],"Please remain on this page until complete.":["Resta sulla pagina fino al completamento."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Se vuoi {{support}}richiedere supporto{{/support}} includi questi dettagli:"],"Stop upgrade":["Ferma l'aggiornamento"],"Skip this stage":["Salta questo passaggio"],"Try again":["Prova di nuovo"],"Database problem":["Problema del database"],"Please enable JavaScript":["Abilita JavaScript"],"Please upgrade your database":["Aggiorna il database"],"Upgrade Database":["Aggiorna il database"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Completa la <a href=\"%s\">configurazione di Redirection</a> per attivare il plugin."],"Your database does not need updating to %s.":["Il database non necessita di aggiornamento a %s."],"Table \"%s\" is missing":["La tabella \"%s\" è mancante"],"Create basic data":["Crea dati di base"],"Install Redirection tables":["Installa le tabelle di Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["L'URL del sito e quello della home non coincidono. Correggi dalla pagina Impostazioni > Generali: %1$1s non è %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Non provare a reindirizzare tutti i 404 - non è una buona cosa da fare."],"Only the 404 page type is currently supported.":["Solo il tipo di pagina 404 è supportato attualmente"],"Page Type":["Tipo di pagina"],"Enter IP addresses (one per line)":["Inserisci gli indirizzi IP (uno per riga)"],"Describe the purpose of this redirect (optional)":["Descrivi lo scopo di questo reindirizzamento (opzionale)"],"418 - I'm a teapot":["418 - Sono una teiera"],"403 - Forbidden":["403 - Vietato"],"400 - Bad Request":["400 - Richiesta errata"],"304 - Not Modified":["304 - Non modificato"],"303 - See Other":["303 - Vedi altro"],"Do nothing (ignore)":["Non fare niente (ignora)"],"Target URL when not matched (empty to ignore)":["URL di arrivo quando non corrispondente (vuoto per ignorare)"],"Target URL when matched (empty to ignore)":["URL di arrivo quando corrispondente (vuoto per ignorare)"],"Show All":["Mostra tutto"],"Delete logs for these entries":["Elimina i log per queste voci"],"Delete logs for this entry":["Elimita i log per questa voce"],"Delete Log Entries":["Elimina le voci dei log"],"Group by IP":["Raggruppa per IP"],"Group by URL":["Raggruppa per URL"],"No grouping":["Non raggruppare"],"Ignore URL":["Ignora URL"],"Block IP":["Blocca IP"],"Redirect All":["Reindirizza tutto"],"Count":["Conteggio"],"URL and WordPress page type":["Tipo di URL e pagina WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Buono"],"Check":["Verifica"],"Check Redirect":["Verifica reindirizzamento"],"Check redirect for: {{code}}%s{{/code}}":["Verifica reindirizzamento per: {{code}}%s{{/code}}"],"Not using Redirection":["Senza usare Redirection"],"Using Redirection":["Usando Redirection"],"Found":["Trovato"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} a {{code}}%(url)s{{/code}}"],"Expected":["Previsto"],"Error":["Errore"],"Enter full URL, including http:// or https://":["Immetti l'URL completo, incluso http:// o https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["A volte, un browser può memorizzare un URL e rendere difficile capire se funziona come previsto. Usa questo per controllare come l'URL redireziona effettivamente."],"Redirect Tester":["Tester di reindirizzamento"],"Target":["Target"],"URL is not being redirected with Redirection":["L'URL non sarà più reindirizzato con Redirection"],"URL is being redirected with Redirection":["L'URL è reindirizzato con Redirection"],"Unable to load details":["Impossibile caricare i dettagli"],"Enter server URL to match against":["Inserire l'URL del server da confrontare"],"Server":["Server"],"Enter role or capability value":["Inserire il ruolo o la capacità"],"Role":["Ruolo"],"Match against this browser referrer text":["Confronta con il testo di referrer del browser"],"Match against this browser user agent":["Confronta con questo browser user agent"],"The relative URL you want to redirect from":["L'URL relativo dal quale vuoi creare una redirezione"],"Add New":["Aggiungi Nuovo"],"URL and role/capability":["URL e ruolo/permesso"],"URL and server":["URL e server"],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Valore dell'header"],"Header name":[""],"HTTP Header":["Header HTTP"],"WordPress filter name":[""],"Filter Name":[""],"Cookie value":["Valore cookie"],"Cookie name":["Nome cookie"],"Cookie":["Cookie"],"clearing your cache.":["cancellazione della tua cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL e cookie"],"404 deleted":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":[""],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API":[""],"Useragent Error":[""],"Unknown Useragent":["Useragent sconosciuto"],"Device":["Periferica"],"Operating System":["Sistema operativo"],"Browser":["Browser"],"Engine":[""],"Useragent":["Useragent"],"Agent":[""],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":["Anonimizza IP (maschera l'ultima parte)"],"Monitor changes to %(type)s":[""],"IP Logging":[""],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":["Città"],"Area":["Area"],"Timezone":["Fuso orario"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Puoi trovare la documentazione completa sull'uso di Redirection sul sito di supporto <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":["Pulisci la cache del tuo browser e ricarica questa pagina"],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Caricamento in corso, attendi..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"Create Issue":[""],"Email":["Email"],"Need help?":["Hai bisogno di aiuto?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":[""],"Position":["Posizione"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"I'd like to support some more.":[""],"Support 💰":["Supporta 💰"],"Import to group":["Importa nel gruppo"],"Import a CSV, .htaccess, or JSON file.":["Importa un file CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Fai clic su 'Aggiungi file' o trascina e rilascia qui."],"Add File":["Aggiungi file"],"File selected":["File selezionato"],"Importing":["Importazione"],"Finished importing":["Importazione finita"],"Total redirects imported:":["Totale redirect importati"],"Double-check the file is the correct format!":["Controlla che il file sia nel formato corretto!"],"OK":["OK"],"Close":["Chiudi"],"Export":["Esporta"],"Everything":["Tutto"],"WordPress redirects":["Redirezioni di WordPress"],"Apache redirects":["Redirezioni Apache"],"Nginx redirects":["Redirezioni nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":[""],"View":["Visualizza"],"Import/Export":["Importa/Esporta"],"Logs":[""],"404 errors":["Errori 404"],"Redirection saved":["Redirezione salvata"],"Log deleted":["Log eliminato"],"Settings saved":["Impostazioni salvate"],"Group saved":["Gruppo salvato"],"Are you sure you want to delete this item?":["Sei sicuro di voler eliminare questo oggetto?","Sei sicuro di voler eliminare questi oggetti?"],"pass":[""],"All groups":["Tutti i gruppi"],"301 - Moved Permanently":["301 - Spostato in maniera permanente"],"302 - Found":["302 - Trovato"],"307 - Temporary Redirect":["307 - Redirezione temporanea"],"308 - Permanent Redirect":["308 - Redirezione permanente"],"401 - Unauthorized":["401 - Non autorizzato"],"404 - Not Found":["404 - Non trovato"],"Title":["Titolo"],"When matched":["Quando corrisponde"],"with HTTP code":["Con codice HTTP"],"Show advanced options":["Mostra opzioni avanzate"],"Matched Target":["Indirizzo di arrivo corrispondente"],"Unmatched Target":["Indirizzo di arrivo non corrispondente"],"Saving...":["Salvataggio..."],"View notice":["Vedi la notifica"],"Something went wrong 🙁":["Qualcosa è andato storto 🙁"],"Log entries (%d max)":[""],"Bulk Actions":["Azioni di massa"],"Apply":["Applica"],"First page":["Prima pagina"],"Prev page":["Pagina precedente"],"Current Page":["Pagina corrente"],"of %(page)s":["di %(page)s"],"Next page":["Pagina successiva"],"Last page":["Ultima pagina"],"%s item":["%s oggetto","%s oggetti"],"Select All":["Seleziona tutto"],"Sorry, something went wrong loading the data - please try again":["Qualcosa è andato storto leggendo i dati - riprova"],"No results":["Nessun risultato"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vuoi essere informato sulle modifiche a Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e le modifiche al plugin. Ideale se vuoi provare le modifiche in beta prima del rilascio."],"Your email address:":["Il tuo indirizzo email:"],"You've supported this plugin - thank you!":["Hai già supportato questo plugin - grazie!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Per sempre"],"Delete the plugin - are you sure?":["Cancella il plugin - sei sicuro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Cancellando questo plugin verranno rimossi tutti i reindirizzamenti, i log e le impostazioni. Fallo se vuoi rimuovere il plugin o se vuoi reimpostare il plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Dopo averle elimininati, i tuoi reindirizzamenti smetteranno di funzionare. Se sembra che continuino a funzionare cancella la cache del tuo browser."],"Yes! Delete the plugin":["Sì! Cancella il plugin"],"No! Don't delete the plugin":["No! Non cancellare il plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestisci tutti i redirect 301 and controlla tutti gli errori 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."],"Redirection Support":["Forum di supporto Redirection"],"Support":["Supporto"],"404s":["404"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selezionando questa opzione tutti i reindirizzamenti, i log e qualunque altra opzione associata con Redirection verranno cancellati. Assicurarsi che questo è proprio ciò che si vuole fare."],"Delete Redirection":["Rimuovi Redirection"],"Upload":["Carica"],"Import":["Importa"],"Update":["Aggiorna"],"Auto-generate URL":["Genera URL automaticamente"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registro 404"],"(time to keep logs for)":["(per quanto tempo conservare i log)"],"Redirect Logs":["Registro redirezioni"],"I'm a nice person and I have helped support the author of this plugin":["Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"],"Plugin Support":["Supporto del plugin"],"Options":["Opzioni"],"Two months":["Due mesi"],"A month":["Un mese"],"A week":["Una settimana"],"A day":["Un giorno"],"No logs":["Nessun log"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilizza i gruppi per organizzare i tuoi redirect. I gruppi vengono assegnati a un modulo, il che influenza come funzionano i redirect in ciascun gruppo. Se non sei sicuro, scegli il modulo WordPress."],"Add Group":["Aggiungi gruppo"],"Search":["Cerca"],"Groups":["Gruppi"],"Save":["Salva"],"Group":["Gruppo"],"Regular Expression":["Espressione regolare"],"Match":[""],"Add new redirection":["Aggiungi un nuovo reindirizzamento"],"Cancel":["Annulla"],"Download":["Scarica"],"Redirection":["Redirection"],"Settings":["Impostazioni"],"WordPress":["WordPress"],"Error (404)":["Errore (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Reindirizza a un post a caso"],"Redirect to URL":["Reindirizza a URL"],"IP":["IP"],"Source URL":["URL di partenza"],"Date":["Data"],"Add Redirect":["Aggiungi una redirezione"],"View Redirects":["Mostra i redirect"],"Module":["Modulo"],"Redirects":["Reindirizzamenti"],"Name":["Nome"],"Filters":["Filtri"],"Reset hits":["Reimposta hit"],"Enable":["Attiva"],"Disable":["Disattiva"],"Delete":["Elimina"],"Edit":["Modifica"],"Last Access":["Ultimo accesso"],"Hits":["Visite"],"URL":["URL"],"Modified Posts":["Articoli modificati"],"Redirections":["Reindirizzamenti"],"User Agent":["User agent"],"URL and user agent":["URL e user agent"],"Target URL":["URL di arrivo"],"URL only":["solo URL"],"HTTP code":["Codice HTTP"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL e referrer"],"Logged Out":["Disconnesso"],"Logged In":["Connesso"],"URL and login status":["status URL e login"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/json/redirection-sv_SE.json CHANGED
@@ -1 +1 @@
1
- {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":[""],"This is usually fixed by doing one of the following:":["Detta åtgärdas vanligtvis genom att göra något av detta:"],"You are using an old or cached session":[""],"Please review your data and try again.":["Granska dina data och försök igen."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":["Dålig data"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":[""],"Your WordPress REST API has been disabled. You will need to enable it to continue.":[""],"An unknown error occurred.":["Ett okänt fel uppstod."],"Your REST API is being redirected. Please remove the redirection for the API.":[""],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":[""],"Your server configuration is blocking access to the REST API. You will need to fix this.":[""],"Check your {{link}}Site Health{{/link}} and fix any issues.":[""],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":["Felsökningsinformation"],"Show debug":["Visa felsökning"],"View Data":["Visa data"],"Other":["Annat"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":[""],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Loggning"],"(IP logging level)":[""],"Are you sure you want to delete the selected items?":[""],"View Redirect":["Visa omdirigering"],"RSS":["RSS"],"Group by user agent":[""],"Search domain":[""],"Redirect By":["Omdirigera efter"],"Domain":["Domän"],"Method":["Metod"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"Please check the {{link}}support site{{/link}} before proceeding further.":[""],"Something went wrong when upgrading Redirection.":[""],"Something went wrong when installing Redirection.":[""],"Apply To All":[""],"Bulk Actions (all)":["Massåtgärder (alla)"],"Actions applied to all selected items":[""],"Actions applied to everything that matches current filter":[""],"Redirect Source":[""],"Request Headers":[""],"Exclude from logs":["Exkludera från loggar"],"Cannot connect to the server to determine the redirect status.":[""],"Your URL is cached and the cache may need to be cleared.":[""],"Something else other than Redirection is redirecting this URL.":[""],"Relocate to domain":["Flytta till domänen"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Vill du omdirigera hela webbplatsen? Skriv in ett domännamn för att omdirigera allt utom inloggningssidan och adminpanelen för WordPress. Om detta alternativ aktiveras kommer alla eventuella alias och kanoniska inställningar för webbplatsen att inaktiveras."],"Relocate Site":["Flytta webbplatsen"],"Add CORS Presets":["Lägg till standardvärden för CORS"],"Add Security Presets":["Lägg till standardvärden för säkerhet"],"Add Header":["Lägg till header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Du behöver uppdatera din webbplats URL så att den stämmer överens med dina kanoniska inställningar: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Föredragen domän"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Varning{{/strong}}: kontrollera att HTTPS fungerar innan du tvingar omdirigering dit."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Tvinga en omdirigering från HTTP till HTTPS – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Kanoniska inställningar"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Lägg till www till domän – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Ta bort www från domän – {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Ange inte en föredragen domän – {{code}}%(site)s{{/code}}"],"Add Alias":["Lägg till alias"],"No aliases":["Inga alias"],"Alias":["Alias"],"Aliased Domain":["Domännamn tillagt som alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Du behöver konfigurera ditt system (DNS och webbservern) så att de skickar förfrågningar för dessa domännamn till denna WordPress-installation."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Ett webbplats-alias är ett annat domännamn som du vill ska omdirigeras till denna webbplats. Exempelvis ett gammalt domännamn eller en subdomän. Detta kommer att omdirigera alla URL:er, inklusive inloggningssidan och adminpanelen för WordPress."],"Site Aliases":["Alias-namn för webbplatsen"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Systertillägget ”Search Regex” låter dig söka och ersätta data på din webbplats. Det stöder också omdirigering och är praktiskt om du vill massuppdatera många omdirigeringar."],"Need to search and replace?":["Behöver du söka och ersätta?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Inställningarna på denna sida kan orsaka problem om de används på fel sätt. Du kan {{link}}inaktivera dem tillfälligt{{/link}} för att göra ändringar."],"Please wait, importing.":["Vänta, importerar."],"Continue":["Fortsätt"],"The following plugins have been detected.":["Följande tillägg har upptäckts."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress skapar automatiskt omdirigeringar när du ändrar ett inläggs URL. Genom att importera dessa till Redirection kan du hantera och övervaka dem."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Ett bra sätt att komma igång med Redirection är att importera befintliga omdirigeringar från WordPress eller andra tillägg. Kontrollera varje uppsättning omdirigeringar du vill importera."],"Import Existing Redirects":["Importera befintliga omdirigeringar"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["Det är allt du behöver – du omdirigerar nu! Observera att det endast är ett exempel här ovan."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Om du vill omdirigera allt ska du använda omdirigering av webbplats eller av alias på sidan för webbplatsen."],"Value":["Värde"],"Values":["Värden"],"All":["Alla"],"Note that some HTTP headers are set by your server and cannot be changed.":["Observera att vissa HTTP-fält definieras av din server och inte går att ändra."],"No headers":["Inga sidhuvuden"],"Header":["Sidhuvud"],"Location":["Plats"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["HTTP-headers läggs för hela webbplatsen, inklusive omdirigering. Headers för omdirigering läggs till endast vid omdirigering."],"HTTP Headers":["HTTP-sidhuvuden"],"Custom Header":["Anpassat sidhuvud"],"General":["Allmänt"],"Redirect":["Omdirigera"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Vissa servrar kan konfigureras för att leverera filresurser direkt, för att förhindra omdirigering."],"Site":["Webbplats"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Det gick inte att utföra begäran på grund av webbläsarens säkerhetsfunktioner. Detta beror vanligtvis på att inställningarna URL till WordPress och webbplatsen inte stämmer överens eller är blockerade på grund av webbplatsens CORS-policy."],"Ignore & Pass Query":["Ignorera och skicka frågan"],"Ignore Query":["Ignorera fråga"],"Exact Query":["Exakt fråga"],"Search title":["Sök rubrik"],"Not accessed in last year":["Inte besökt senaste året"],"Not accessed in last month":["Inte besökt senaste månaden"],"Never accessed":["Aldrig besökt"],"Last Accessed":["Senast besökt"],"HTTP Status Code":["HTTP-statuskod"],"Plain":["Enkel"],"URL match":["URL-matchning"],"Source":["Källa"],"Code":["Kod"],"Action Type":["Åtgärdstyp"],"Match Type":["Matchningstyp"],"Search target URL":["Sök mål-URL"],"Search IP":["Sök IP"],"Search user agent":["Användaragent för sökning"],"Search referrer":["Sök hänvisningsadress"],"Search URL":["Sök-URL"],"Filter on: %(type)s":["Filtrera på: % (typ)er"],"Disabled":["Inaktiverad"],"Enabled":["Aktiverad"],"Compact Display":["Kompakt vy"],"Standard Display":["Standardvy"],"Status":["Status"],"Pre-defined":["Fördefinierad"],"Custom Display":["Anpassad vy"],"Display All":["Visa alla"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Det verkar som om din URL innehåller ett domännamn i adressen: {{code}}%(relative)s{{/code}}. Avsåg du att använda {{code}}%(absolute)s{{/code}} i stället?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Kommaseparerad lista över språk att matcha mot (dvs. da, en-GB)"],"Language":["Språk"],"504 - Gateway Timeout":["504 – Timeout för gateway"],"503 - Service Unavailable":["503 – Tjänsten är otillgänglig"],"502 - Bad Gateway":["502 – Felaktig gateway"],"501 - Not implemented":["501 – Ej implementerad"],"500 - Internal Server Error":["500 – Internt serverfel"],"451 - Unavailable For Legal Reasons":["451 – Otillgänglig av juridiska skäl"],"URL and language":["URL och språk"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Logga ut, rensa webbläsarens cacheminne och logga in igen – din webbläsare har lagrat en gammal session i sitt cache-minne."],"Reload the page - your current session is old.":["Ladda om sidan – din nuvarande session är gammal."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Uppgraderingen har avbrutits eftersom en loop detekterades. Detta innebär oftast att {{support}}webbplatsen cachelagras{{/support}} så att ändringar inte sparas till databasen."],"Unable to save .htaccess file":["Kan inte spara .htaccess-filen"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Omdirigeringar som läggs till i en Apache-grupp kan sparas i filen {{code}}.htaccess{{/code}} om man lägger in hela URL:en här. För referens är WordPress installerat i {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Klicka på ”Slutför uppgradering” när du är klar."],"Automatic Install":["Automatisk installation"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Din mål-URL innehåller det ogiltiga tecknet {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Om du använder WordPress 5.2 eller nyare, titta på din {{link}}Hälsokontroll för webbplatser{{/ link}} och lös eventuella problem."],"If you do not complete the manual install you will be returned here.":["Om du inte slutför den manuella installationen kommer du att komma tillbaka hit."],"Click \"Finished! 🎉\" when finished.":["Klicka på ”Klart! 🎉” när du är klar."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Om din webbplats behöver speciella databasbehörigheter, eller om du hellre vill göra det själv, kan du köra följande SQL manuellt."],"Manual Install":["Manuell installation"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Otillräckliga databasbehörigheter upptäcktes. Ge din databasanvändare lämpliga behörigheter."],"This information is provided for debugging purposes. Be careful making any changes.":["Denna information tillhandahålls för felsökningsändamål. Var försiktig med att göra några ändringar."],"Plugin Debug":["Felsökning av tillägg"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection kommunicerar med WordPress via WordPress REST API. Detta är en standarddel av WordPress, och du kommer att få problem om du inte kan använda det."],"IP Headers":["IP-headers"],"Do not change unless advised to do so!":["Ändra inte om du inte uppmanas att göra det!"],"Database version":["Databasversion"],"Complete data (JSON)":["Fullständiga data (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exportera till CSV, Apache .htaccess, Nginx eller Redirection-JSON. JSON-formatet innehåller fullständig information medan de andra formaten endast täcker viss information, beroende på valt format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV-filen innehåller inte all information. Allt importeras och exporteras enbart som matchning av ”URL”. För att använda den kompletta datauppsättningen ska du använda JSON-formatet."],"All imports will be appended to the current database - nothing is merged.":["Allt som importera kommer att läggas till den aktuella databasen – ingenting kombineras med det befintliga."],"Automatic Upgrade":["Automatisk uppgradering"],"Manual Upgrade":["Manuell uppgradering"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Säkerhetskopiera dina omdirigeringsdata: {{download}}Ladda ned säkerhetskopia{{/download}}. Om några problem uppstår kan du senare importera säkerhetskopian till tillägget Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Klicka på knappen ”Uppgradera databas” för att automatiskt uppgradera databasen."],"Complete Upgrade":["Slutför uppgradering"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection lagrar data i din databas och ibland måste detta uppgraderas. Din databas är i version {{strong}}%(current)s{{/strong}} och den senaste är {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Observera att du måste ställa in Apache-modulens sökväg i dina alternativ för Redirection."],"I need support!":["Jag behöver hjälp!"],"You will need at least one working REST API to continue.":["Du behöver åtminstone ett fungerande REST-API för att kunna fortsätta."],"Check Again":["Kontrollera igen"],"Testing - %s$":["Testar – %s$"],"Show Problems":["Visa problem"],"Summary":["Sammanfattning"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Ditt REST-API fungerar inte och tillägget kan inte fortsätta förrän detta är åtgärdat."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Det finns några problem med att ansluta till ditt REST-API. Det är inte nödvändigt att åtgärda dessa problem och tillägget kan fungera."],"Unavailable":["Inte tillgänglig"],"Working but some issues":["Fungerar men vissa problem"],"Current API":["Nuvarande API"],"Switch to this API":["Byt till detta API"],"Hide":["Dölj"],"Show Full":["Visa fullständig"],"Working!":["Fungerar!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Måladressen ska vara en absolut URL, såsom {{code}}https://mindomaen.com/%(url)s{{/code}} eller inledas med ett snedstreck {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Din källa är densamma som ett mål och det skapar en loop. Lämna ett mål tomt om du inte vill vidta åtgärder."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["Måladressen dit du vill omdirigera eller automatisk komplettering mot inläggsrubrik eller permalänk."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inkludera dessa detaljer i din rapport tillsammans med en beskrivning av vad du gjorde och en skärmdump."],"Create An Issue":["Skapa ett problem"],"What do I do next?":["Vad gör jag härnäst?"],"Possible cause":["Möjlig orsak"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Detta kan vara ett säkerhetstillägg, eller servern har slut på minne eller har ett externt fel. Kontrollera din serverfellogg"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Ditt REST-API blockeras antagligen av ett säkerhetstillägg. Inaktivera detta eller konfigurera det för att tillåta REST API-förfrågningar."],"Read this REST API guide for more information.":["Läs denna REST API-guide för mer information."],"URL options / Regex":["URL-alternativ/Regex"],"Export 404":["Exportera 404"],"Export redirect":["Exportera omdirigering"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["WordPress-permalänkstrukturer fungerar inte i vanliga URL:er. Använd ett reguljärt uttryck (regex)."],"Pass - as ignore, but also copies the query parameters to the target":["Skicka vidare – samma som Ignorera, men kopierar dessutom över parametrarna i förfrågan till måladressen"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorera – samma som exakt matchning, men ignorerar eventuella parametrar i förfrågan som saknas i din källadress"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exakt – matchar parametrarna i förfrågan exakt som de angivits i källadressen, i valfri ordning"],"Default query matching":["Standardmatchning av förfrågan"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorera snedstreck på slutet (t.ex. kommer {{code}}/exciting-post/{{/code}} att matcha {{code}}/exciting-post{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Matchning utan kontroll av skiftläge (t.ex. kommer {{code}}/Exciting-Post{{/code}} att matcha {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Tillämpas till alla omdirigeringar om du inte konfigurerar dem på annat sätt."],"Default URL settings":["Standard URL-inställningar"],"Ignore and pass all query parameters":["Ignorera och skicka alla parametrar i förfrågan vidare"],"Ignore all query parameters":["Ignorera alla parametrar i förfrågan"],"Exact match":["Exakt matchning"],"Caching software (e.g Cloudflare)":["Programvara för cachehantering (t.ex. Cloudflare)"],"A security plugin (e.g Wordfence)":["Ett säkerhetstillägg (t.ex. Wordfence)"],"URL options":["URL-alternativ"],"Query Parameters":["Parametrar i förfrågan"],"Ignore & pass parameters to the target":["Ignorera och skicka parametrarna vidare till måladressen"],"Ignore all parameters":["Ignorera alla parametrar"],"Exact match all parameters in any order":["Exakt matchning av alla parametrar i valfri ordning"],"Ignore Case":["Ignorera skillnad mellan stor och liten bokstav"],"Ignore Slash":["Ignorera snedstreck"],"Relative REST API":["Relativ REST API"],"Raw REST API":["Obearbetat REST-API"],"Default REST API":["Standard REST API"],"(Example) The target URL is the new URL":["(Exempel) Mål-URL:en är den nya URL:en"],"(Example) The source URL is your old or original URL":["(Exempel) Käll-URL:en är din gamla eller ursprungliga URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Inaktiverad! Upptäckte PHP %1$s, behöver PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["En databasuppgradering pågår. Fortsätt att slutföra."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Redirections databas måste uppdateras – <a href=\"%1$1s\">klicka för att uppdatera</a>."],"Redirection database needs upgrading":["Redirections databas behöver uppgraderas"],"Upgrade Required":["Uppgradering krävs"],"Finish Setup":["Slutför inställning"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Du har olika webbadresser konfigurerade på sidan WordPress-inställningar > Allmänt, något som vanligtvis pekar på en felkonfiguration, och även kan orsaka problem med REST-API:et. Kontrollera dina inställningar."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Om problem inträffar bör du läsa dokumentation för dina tillägg eller kontakta supporten för ditt webbhotell. Detta är vanligtvis {{link}}inte något problem som orsakas av tillägget Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Några andra tillägg som blockerar REST API"],"A server firewall or other server configuration (e.g OVH)":["En serverbrandvägg eller annan serverkonfiguration (t.ex. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection använder {{link}}WordPress REST-API{{/link}} för kommunikationen med WordPress. Som standard är det aktivt och igång. Ibland blockeras REST-API av:"],"Go back":["Gå tillbaka"],"Continue Setup":["Fortsätt konfigurationen"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Genom att lagra IP-adresser kan du använda loggen till fler åtgärder. Observera att du måste följa lokala lagar om insamling av data (till exempel GDPR)."],"Store IP information for redirects and 404 errors.":["Spara IP-information för omdirigeringar och 404-fel."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Genom att lagra loggar över omdirigeringar och fel av typen 404 kan du se vad som händer på webbplatsen. Detta kräver större lagringsutrymme i databasen."],"Keep a log of all redirects and 404 errors.":["Behåll en logg över alla omdirigeringar och 404-fel."],"{{link}}Read more about this.{{/link}}":["{{link}}Läs mer om detta.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Om du ändrar permalänken i ett inlägg eller sida kan Redirection automatiskt skapa en omdirigering åt dig."],"Monitor permalink changes in WordPress posts and pages":["Övervaka ändringar i permalänkar i WordPress-inlägg och sidor"],"These are some options you may want to enable now. They can be changed at any time.":["Det här är några alternativ du kanske vill aktivera nu. De kan ändras när som helst."],"Basic Setup":["Grundläggande konfiguration"],"Start Setup":["Starta konfiguration"],"When ready please press the button to continue.":["När du är klar, tryck på knappen för att fortsätta."],"First you will be asked a few questions, and then Redirection will set up your database.":["Först får du några frågor och sedan kommer Redirection att ställa in din databas."],"What's next?":["Vad kommer härnäst?"],"Check a URL is being redirected":["Kontrollera att en URL omdirigeras"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Mer kraftfull URL-matchning, inklusive {{regular}}reguljära uttryck{{/regular}}, och {{other}}andra villkor{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importera{{/link}} från .htaccess, CSV, och en mängd andra tillägg"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Övervaka 404-fel{{/link}}, få detaljerad information om besökaren och åtgärda eventuella problem"],"Some features you may find useful are":["Vissa funktioner som kan vara användbara är"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Fullständig dokumentation finns på {{link}}webbplatsen för Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["En enkel omdirigering innebär att du anger en {{strong}}käll-URL{{/strong}} (den gamla webbadressen) och en {{strong}}mål-URL{{/strong}} (den nya webbadressen). Här är ett exempel:"],"How do I use this plugin?":["Hur använder jag detta tillägg?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection är utformat för att användas på webbplatser med allt från några få omdirigeringar till webbplatser med tusentals omdirigeringar."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Tack för att du installerar och använder Redirection v%(version)s. Detta tillägg låter dig hantera omdirigering av typen 301, hålla reda på 404-fel och förbättra din webbplats, utan att ha någon kunskap om Apache eller Nginx."],"Welcome to Redirection 🚀🎉":["Välkommen till Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["För att förhindra ett alltför aggressivt reguljärt uttryck kan du använda {{code}}^{{/code}} för att låsa det till början av URL:en. Till exempel: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Kom ihåg att aktivera alternativet ”Reguljärt uttryck” om detta är ett reguljärt uttryck."],"The source URL should probably start with a {{code}}/{{/code}}":["Käll-URL:en bör antagligen börja med en {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Detta konverteras till en serveromdirigering för domänen {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Ankarvärden skickas inte till servern och kan inte omdirigeras."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} till {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Klart! 🎉"],"Progress: %(complete)d$":["Status: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Att lämna innan processen är klar kan orsaka problem."],"Setting up Redirection":["Ställer in Redirection"],"Upgrading Redirection":["Uppgraderar Redirection"],"Please remain on this page until complete.":["Stanna kvar på denna sida tills det är slutfört."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Om du vill {{support}}be om support{{/support}} inkludera dessa detaljer:"],"Stop upgrade":["Stoppa uppgradering"],"Skip this stage":["Hoppa över detta steg"],"Try again":["Försök igen"],"Database problem":["Databasproblem"],"Please enable JavaScript":["Aktivera JavaScript"],"Please upgrade your database":["Uppgradera din databas"],"Upgrade Database":["Uppgradera databas"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Slutför din <a href=\"%s\">Redirection-inställning</a> för att aktivera tillägget."],"Your database does not need updating to %s.":["Din databas behöver inte uppdateras till %s."],"Table \"%s\" is missing":["Tabell ”%s” saknas"],"Create basic data":["Skapa grundläggande data"],"Install Redirection tables":["Installera Redirection-tabeller"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["Webbplats och hem-URL är inkonsekventa. Korrigera från dina Inställningar > Allmän sida: %1$1s är inte %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Försök inte att omdirigera alla status 404 som inträffar – det är ingen lyckad idé."],"Only the 404 page type is currently supported.":["För närvarande stöds endast sidtypen 404."],"Page Type":["Sidtyp"],"Enter IP addresses (one per line)":["Ange IP-adresser (en per rad)"],"Describe the purpose of this redirect (optional)":["Beskriv syftet med denna omdirigering (valfritt)"],"418 - I'm a teapot":["418 – Jag är en tekanna"],"403 - Forbidden":["403 – Förbjuden"],"400 - Bad Request":["400 – Felaktig begäran"],"304 - Not Modified":["304 – Inte modifierad"],"303 - See Other":["303 – Se annat"],"Do nothing (ignore)":["Gör ingenting (ignorera)"],"Target URL when not matched (empty to ignore)":["Mål-URL när den inte matchas (tom för att ignorera)"],"Target URL when matched (empty to ignore)":["Mål-URL vid matchning (tom för att ignorera)"],"Show All":["Visa alla"],"Delete logs for these entries":["Ta bort loggar för dessa inlägg"],"Delete logs for this entry":["Ta bort loggar för detta inlägg"],"Delete Log Entries":["Ta bort loggposter"],"Group by IP":["Gruppera efter IP"],"Group by URL":["Gruppera efter URL"],"No grouping":["Ingen gruppering"],"Ignore URL":["Ignorera URL"],"Block IP":["Blockera IP"],"Redirect All":["Omdirigera alla"],"Count":["Antal"],"URL and WordPress page type":["URL och WordPress sidtyp"],"URL and IP":["URL och IP"],"Problem":["Problem"],"Good":["Bra"],"Check":["Kontrollera"],"Check Redirect":["Kontrollera omdirigering"],"Check redirect for: {{code}}%s{{/code}}":["Kontrollera omdirigering för: {{code}}%s{{/code}}"],"Not using Redirection":["Använder inte omdirigering"],"Using Redirection":["Använder omdirigering"],"Found":["Hittad"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} till {{code}}%(url)s{{/code}}"],"Expected":["Förväntad"],"Error":["Fel"],"Enter full URL, including http:// or https://":["Ange fullständig URL, inklusive http:// eller https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Ibland kan din webbläsare sparade en URL i cache-minnet, vilket kan göra det svårt att se om allt fungerar som tänkt. Använd detta för att kontrollera hur en URL faktiskt omdirigeras."],"Redirect Tester":["Omdirigeringstestare"],"Target":["Mål"],"URL is not being redirected with Redirection":["URL omdirigeras inte med Redirection"],"URL is being redirected with Redirection":["URL omdirigeras med Redirection"],"Unable to load details":["Kan inte att ladda detaljer"],"Enter server URL to match against":["Ange server-URL för att matcha mot"],"Server":["Server"],"Enter role or capability value":["Ange roll eller behörighetsvärde"],"Role":["Roll"],"Match against this browser referrer text":["Matcha mot denna hänvisnings-sträng från webbläsaren"],"Match against this browser user agent":["Matcha mot denna user-agent-sträng från webbläsaren"],"The relative URL you want to redirect from":["Den relativa URL du vill omdirigera från"],"Add New":["Lägg till ny"],"URL and role/capability":["URL och roll/behörighet"],"URL and server":["URL och server"],"Site and home protocol":["Webbplats och hemprotokoll"],"Site and home are consistent":["Webbplats och hem är konsekventa"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Observera att du ansvarar för att skicka HTTP-headers vidare till PHP. Kontakta ditt webbhotell om du behöver hjälp med detta."],"Accept Language":["Acceptera språk"],"Header value":["Värde för sidhuvud"],"Header name":["Namn på sidhuvud"],"HTTP Header":["HTTP-sidhuvud"],"WordPress filter name":["WordPress-filternamn"],"Filter Name":["Filternamn"],"Cookie value":["Cookie-värde"],"Cookie name":["Cookie-namn"],"Cookie":["Cookie"],"clearing your cache.":["rensar cacheminnet."],"If you are using a caching system such as Cloudflare then please read this: ":["Om du använder ett caching-system som Cloudflare, läs det här: "],"URL and HTTP header":["URL- och HTTP-sidhuvuden"],"URL and custom filter":["URL och anpassat filter"],"URL and cookie":["URL och cookie"],"404 deleted":["404 borttagen"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Hur Redirection använder REST API — ändra inte om det inte är nödvändigt"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Ta en titt på {{link}tilläggsstatusen{{/ link}}. Det kan vara möjligt att identifiera och ”magiskt åtgärda” problemet."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Cachelagrings-program{{/link}}, i synnerhet Cloudflare, kan cachelagra fel sak. Försök att rensa all cache."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Inaktivera andra tillägg tillfälligt!{{/link}} Detta fixar så många problem."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Läs <a href=\"https://redirection.me/support/problems/\">listan med kända problem</a>."],"Unable to load Redirection ☹️":["Kan inte ladda Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Användaragentfel"],"Unknown Useragent":["Okänd användaragent"],"Device":["Enhet"],"Operating System":["Operativsystem"],"Browser":["Webbläsare"],"Engine":["Motor"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["Ingen IP-loggning"],"Full IP logging":["Fullständig IP-loggning"],"Anonymize IP (mask last part)":["Anonymisera IP (maska sista delen)"],"Monitor changes to %(type)s":["Övervaka ändringar till %(type)s"],"IP Logging":["IP-loggning"],"Geo Info":["Geo-info"],"Agent Info":["Agentinfo"],"Filter by IP":["Filtrera efter IP"],"Geo IP Error":["Geo-IP-fel"],"Something went wrong obtaining this information":["Något gick fel när denna information skulle hämtas"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Detta är en IP från ett privat nätverk. Det betyder att det ligger i ett hem- eller företagsnätverk och ingen mer information kan visas."],"No details are known for this address.":["Det finns inga kända detaljer för denna adress."],"Geo IP":["Geo IP"],"City":["Ort"],"Area":["Region"],"Timezone":["Tidszon"],"Geo Location":["Geo-plats"],"Powered by {{link}}redirect.li{{/link}}":["Drivs med {{link}}redirect.li{{/link}}"],"Trash":["Släng"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Observera att Redirection kräver att WordPress REST API ska vara aktiverat. Om du har inaktiverat det kommer du inte kunna använda Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Fullständig dokumentation för Redirection finns på support-sidan <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Fullständig dokumentation för Redirection kan hittas på {{site}}https://redirection.me{{/site}}. Om du har problem, kolla {{faq}}vanliga frågor{{/faq}} först."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Om du vill rapportera ett fel, läs guiden {{report}}rapportera fel{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Om du vill skicka information som du inte vill ska synas publikt, så kan du skicka det direkt via {{email}}e-post{{/email}} — inkludera så mycket information som du kan!"],"Never cache":["Använd aldrig cache"],"An hour":["En timma"],"Redirect Cache":["Omdirigera cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Hur länge omdirigerade 301-URL:er ska cachas (via HTTP-sidhuvudet ”Expires”)"],"Are you sure you want to import from %s?":["Är du säker på att du vill importera från %s?"],"Plugin Importers":["Tilläggsimporterare"],"The following redirect plugins were detected on your site and can be imported from.":["Följande omdirigeringstillägg hittades på din webbplats och kan importeras från."],"total = ":["totalt = "],"Import from %s":["Importera från %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection kräver WordPress v%1$1s, du använder v%2$2s – uppdatera WordPress"],"Default WordPress \"old slugs\"":["WordPress standard ”gamla permalänkar”"],"Create associated redirect (added to end of URL)":["Skapa associerad omdirigering (läggs till i slutet på URL:en)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> är inte definierat. Detta betyder vanligtvis att ett annat tillägg blockerar Redirection från att laddas. Inaktivera alla tillägg och försök igen."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Om knappen inte fungerar bör du läsa felmeddelande och se om du kan fixa felet manuellt, annars kan du kolla i avsnittet ”Behöver du hjälp?” längre ner."],"⚡️ Magic fix ⚡️":["⚡️ Magisk fix ⚡️"],"Plugin Status":["Tilläggsstatus"],"Custom":["Anpassad"],"Mobile":["Mobil"],"Feed Readers":["Feedläsare"],"Libraries":["Bibliotek"],"URL Monitor Changes":["Övervaka URL-ändringar"],"Save changes to this group":["Spara ändringar till den här gruppen"],"For example \"/amp\"":["Till exempel ”/amp”"],"URL Monitor":["URL-övervakning"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Din server har avisat begäran för att den var för stor. Du måste konfigurera den igen för att fortsätta."],"Also check if your browser is able to load <code>redirection.js</code>:":["Kontrollera också att din webbläsare kan ladda <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Om du använder ett tillägg eller en tjänst för att cachelagra sidor (CloudFlare, OVH m.m.) så kan du också prova att rensa den cachen."],"Unable to load Redirection":["Kan inte att ladda Redirection"],"Post monitor group is valid":["Övervakningsgrupp för inlägg är giltig"],"Post monitor group is invalid":["Övervakningsgrupp för inlägg är ogiltig"],"Post monitor group":["Övervakningsgrupp för inlägg"],"All redirects have a valid group":["Alla omdirigeringar har en giltig grupp"],"Redirects with invalid groups detected":["Omdirigeringar med ogiltiga grupper upptäcktes"],"Valid redirect group":["Giltig omdirigeringsgrupp"],"Valid groups detected":["Giltiga grupper upptäcktes"],"No valid groups, so you will not be able to create any redirects":["Inga giltiga grupper, du kan inte skapa nya omdirigeringar"],"Valid groups":["Giltiga grupper"],"Database tables":["Databastabeller"],"The following tables are missing:":["Följande tabeller saknas:"],"All tables present":["Alla tabeller närvarande"],"Cached Redirection detected":["En cachad version av Redirection upptäcktes"],"Please clear your browser cache and reload this page.":["Rensa din webbläsares cache och ladda om denna sida."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress returnerade inte ett svar. Det kan innebära att ett fel inträffade eller att begäran blockerades. Kontrollera din servers error_log."],"If you think Redirection is at fault then create an issue.":["Om du tror att Redirection orsakar felet, skapa en felrapport."],"This may be caused by another plugin - look at your browser's error console for more details.":["Detta kan ha orsakats av ett annat tillägg – kolla i din webbläsares fel-konsol för mer information."],"Loading, please wait...":["Laddar, vänta …"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV filformat{{/strong}}: {{code}}Käll-URL, Mål-URL{{/code}} – som valfritt kan följas av {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} – 0 för nej, 1 för ja)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection fungerar inte. Prova att rensa din webbläsares cache och ladda om den här sidan."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Om det inte hjälper, öppna din webbläsares fel-konsol och skapa en {{link}}ny felrapport{{/link}} med informationen."],"Create Issue":["Skapa felrapport"],"Email":["E-post"],"Need help?":["Behöver du hjälp?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Observera att eventuell support tillhandahålls vart efter tid finns och hjälp kan inte garanteras. Jag ger inte betald support."],"Pos":["Pos"],"410 - Gone":["410 – Borttagen"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Används för att automatiskt generera en URL om ingen URL anges. Använd specialkoderna {{code}}$dec${{/code}} eller {{code}}$hex${{/code}} för att infoga ett unikt ID istället"],"I'd like to support some more.":["Jag skulle vilja stödja lite till."],"Support 💰":["Support 💰"],"Import to group":["Importera till grupp"],"Import a CSV, .htaccess, or JSON file.":["Importera en CSV-fil, .htaccess-fil eller JSON-fil."],"Click 'Add File' or drag and drop here.":["Klicka på ”Lägg till fil” eller dra och släpp en fil här."],"Add File":["Lägg till fil"],"File selected":["Fil vald"],"Importing":["Importerar"],"Finished importing":["Importering klar"],"Total redirects imported:":["Antal omdirigeringar importerade:"],"Double-check the file is the correct format!":["Dubbelkolla att filen är i rätt format!"],"OK":["OK"],"Close":["Stäng"],"Export":["Exportera"],"Everything":["Allt"],"WordPress redirects":["WordPress omdirigeringar"],"Apache redirects":["Apache omdirigeringar"],"Nginx redirects":["Nginx omdirigeringar"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx omskrivningsregler"],"View":["Visa"],"Import/Export":["Importera/Exportera"],"Logs":["Loggar"],"404 errors":["404-fel"],"Redirection saved":["Omdirigering sparad"],"Log deleted":["Logg borttagen"],"Settings saved":["Inställning sparad"],"Group saved":["Grupp sparad"],"Are you sure you want to delete this item?":["Är du säker på att du vill ta bort detta objekt?","Är du säker på att du vill ta bort dessa objekt?"],"pass":["lösen"],"All groups":["Alla grupper"],"301 - Moved Permanently":["301 – Flyttad permanent"],"302 - Found":["302 – Hittad"],"307 - Temporary Redirect":["307 – Tillfällig omdirigering"],"308 - Permanent Redirect":["308 – Permanent omdirigering"],"401 - Unauthorized":["401 – Obehörig"],"404 - Not Found":["404 – Hittades inte"],"Title":["Rubrik"],"When matched":["När matchning sker"],"with HTTP code":["med HTTP-kod"],"Show advanced options":["Visa avancerande alternativ"],"Matched Target":["Matchande mål"],"Unmatched Target":["Ej matchande mål"],"Saving...":["Sparar..."],"View notice":["Visa meddelande"],"Something went wrong 🙁":["Något gick snett 🙁"],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Bulk Actions":["Massåtgärder"],"Apply":["Tillämpa"],"First page":["Första sidan"],"Prev page":["Föregående sida"],"Current Page":["Nuvarande sida"],"of %(page)s":["av %(sidor)"],"Next page":["Nästa sida"],"Last page":["Sista sidan"],"%s item":["%s objekt","%s objekt"],"Select All":["Välj allt"],"Sorry, something went wrong loading the data - please try again":["Något gick fel när data laddades – försök igen"],"No results":["Inga resultat"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Tack för att du prenumererar! {{a}}Klicka här{{/a}} om du behöver gå tillbaka till din prenumeration."],"Newsletter":["Nyhetsbrev"],"Want to keep up to date with changes to Redirection?":["Vill du bli uppdaterad om ändringar i Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Prenumerera på vårt lilla nyhetsbrev om Redirection – ett lågfrekvent nyhetsbrev om nya funktioner och förändringar i tillägget. Utmärkt om du vill testa beta-versioner innan release."],"Your email address:":["Din e-postadress:"],"You've supported this plugin - thank you!":["Du har stöttat detta tillägg – tack!"],"You get useful software and I get to carry on making it better.":["Du får en användbar mjukvara och jag kan fortsätta göra den bättre."],"Forever":["För evigt"],"Delete the plugin - are you sure?":["Är du säker på att du vill ta bort tillägget?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Tar du bort tillägget tar du även bort alla omdirigeringar, loggar och inställningar. Gör detta om du vill ta bort tillägget helt och hållet, eller om du vill återställa tillägget."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["När du har tagit bort tillägget kommer dina omdirigeringar att sluta fungera. Om de verkar fortsätta att fungera, rensa din webbläsares cache."],"Yes! Delete the plugin":["Ja! Ta bort tillägget"],"No! Don't delete the plugin":["Nej! Ta inte bort detta tillägg"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Hantera alla dina 301-omdirigeringar och övervaka 404-fel"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection är gratis att använda – livet är underbart och ljuvligt! Det har krävts mycket tid och ansträngningar för att utveckla tillägget och du kan hjälpa till med att stödja denna utveckling genom att {{strong}}göra en liten donation{{/ strong}}."],"Redirection Support":["Support för Redirection"],"Support":["Support"],"404s":["404:or"],"Log":["Logg"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Väljer du detta alternativ tas alla omdirigeringar, loggar och inställningar som associeras till tillägget Redirection bort. Försäkra dig om att det är det du vill göra."],"Delete Redirection":["Ta bort Redirection"],"Upload":["Ladda upp"],"Import":["Importera"],"Update":["Uppdatera"],"Auto-generate URL":["Generera URL automatiskt"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["En unik nyckel som ger feed-läsare åtkomst till Redirection logg via RSS (lämna tomt för att autogenerera)"],"RSS Token":["RSS-token"],"404 Logs":["404-loggar"],"(time to keep logs for)":["(hur länge loggar ska sparas)"],"Redirect Logs":["Redirection-loggar"],"I'm a nice person and I have helped support the author of this plugin":["Jag är en trevlig person och jag har hjälpt till att stödja skaparen av detta tillägg"],"Plugin Support":["Support för tillägg"],"Options":["Alternativ"],"Two months":["Två månader"],"A month":["En månad"],"A week":["En vecka"],"A day":["En dag"],"No logs":["Inga loggar"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Använd grupper för att organisera dina omdirigeringar. Grupper tillämpas på en modul, vilken påverkar hur omdirigeringar i den gruppen funkar. Behåll bara WordPress-modulen om du känner dig osäker."],"Add Group":["Lägg till grupp"],"Search":["Sök"],"Groups":["Grupper"],"Save":["Spara"],"Group":["Grupp"],"Regular Expression":["Reguljärt uttryck (Regex)"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Ladda ner"],"Redirection":["Redirection"],"Settings":["Inställningar"],"WordPress":["WordPress"],"Error (404)":["Fel (404)"],"Pass-through":["Passera"],"Redirect to random post":["Omdirigering till slumpmässigt inlägg"],"Redirect to URL":["Omdirigera till URL"],"IP":["IP"],"Source URL":["URL-källa"],"Date":["Datum"],"Add Redirect":["Lägg till omdirigering"],"View Redirects":["Visa omdirigeringar"],"Module":["Modul"],"Redirects":["Omdirigering"],"Name":["Namn"],"Filters":["Filter"],"Reset hits":["Återställ träffar"],"Enable":["Aktivera"],"Disable":["Inaktivera"],"Delete":["Ta bort"],"Edit":["Redigera"],"Last Access":["Senaste besök"],"Hits":["Träffar"],"URL":["URL"],"Modified Posts":["Modifierade inlägg"],"Redirections":["Omdirigeringar"],"User Agent":["Användaragent"],"URL and user agent":["URL och användaragent"],"Target URL":["Mål-URL"],"URL only":["Endast URL"],"HTTP code":["HTTP-kod"],"Regex":["Reguljärt uttryck"],"Referrer":["Hänvisningsadress"],"URL and referrer":["URL och hänvisande webbplats"],"Logged Out":["Utloggad"],"Logged In":["Inloggad"],"URL and login status":["URL och inloggnings-status"],"plural-forms":"nplurals=2; plural=n != 1;"}
1
+ {"Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved.":["Dina administrationssidor cachelagras. Rensa denna cache och försök igen. Det kan finnas flera cachar inblandade."],"This is usually fixed by doing one of the following:":["Detta åtgärdas vanligtvis genom att göra något av detta:"],"You are using an old or cached session":["Du använder en gammal eller cachelagrad session"],"Please review your data and try again.":["Granska dina data och försök igen."],"There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request.":[""],"Bad data":["Dålig data"],"WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme.":["WordPress returnerade ett oväntat meddelande. Detta kan vara ett PHP-fel från ett annat tillägg eller data som infogats av ditt tema."],"Your WordPress REST API has been disabled. You will need to enable it to continue.":["Ditt WordPress REST API har inaktiverats. Du måste aktivera det för att fortsätta."],"An unknown error occurred.":["Ett okänt fel uppstod."],"Your REST API is being redirected. Please remove the redirection for the API.":["Ditt REST API omdirigeras. Ta bort omdirigeringen för API:et."],"A security plugin or firewall is blocking access. You will need to whitelist the REST API.":["Ett säkerhetstillägg eller brandvägg blockerar åtkomst. Du måste vitlista REST API:t."],"Your server configuration is blocking access to the REST API. You will need to fix this.":["Din serverkonfiguration blockerar åtkomst till REST API. Du måste åtgärda detta."],"Check your {{link}}Site Health{{/link}} and fix any issues.":["Kontrollera din {{link}}Hälsostatus för webbplats{{/ link}} och åtgärda eventuella problem."],"Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues.":[""],"Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue.":[""],"Debug Information":["Felsökningsinformation"],"Show debug":["Visa felsökning"],"View Data":["Visa data"],"Other":["Annat"],"Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}.":[""],"Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size.":[""],"Track redirect hits and date of last access. Contains no user information.":["Spåra omdirigeringsträffar och datum för senaste åtkomst. Innehåller ingen användarinformation."],"Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information.":[""],"Logging":["Loggning"],"(IP logging level)":["(IP-loggningsnivå)"],"Are you sure you want to delete the selected items?":["Är du säker på att du vill ta bort de valda objekten?"],"View Redirect":["Visa omdirigering"],"RSS":["RSS"],"Group by user agent":["Gruppera efter användaragent"],"Search domain":["Sök domän"],"Redirect By":["Omdirigera efter"],"Domain":["Domän"],"Method":["Metod"],"If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Om inte det hjälpte {{strong}}upprätta ett supportärende{{/strong}} eller skicka det via {{strong}}e-post{{/strong}}."],"Please check the {{link}}support site{{/link}} before proceeding further.":["Kontrollera {{link}}supportwebbplatsen{{/link}} innan du går vidare."],"Something went wrong when upgrading Redirection.":["Något gick fel när Redirection skulle uppgraderas."],"Something went wrong when installing Redirection.":["Något gick fel när Redirection skulle installeras."],"Apply To All":["Tillämpa på alla"],"Bulk Actions (all)":["Massåtgärder (alla)"],"Actions applied to all selected items":["Åtgärder tillämpade på alla valda objekt"],"Actions applied to everything that matches current filter":["Åtgärder tillämpade på allt som matchar nuvarande filter"],"Redirect Source":["Omdirigeringskälla"],"Request Headers":["Headers i förfrågan"],"Exclude from logs":["Exkludera från loggar"],"Cannot connect to the server to determine the redirect status.":["Det går inte att ansluta till servern för att fastställa omdirigeringsstatus."],"Your URL is cached and the cache may need to be cleared.":["Din URL är cachelagrad och cachen kan behöva rensas."],"Something else other than Redirection is redirecting this URL.":["Något annat än Redirection omdirigerar denna URL."],"Relocate to domain":["Flytta till domänen"],"Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings.":["Vill du omdirigera hela webbplatsen? Skriv in ett domännamn för att omdirigera allt utom inloggningssidan och adminpanelen för WordPress. Om detta alternativ aktiveras kommer alla eventuella alias och kanoniska inställningar för webbplatsen att inaktiveras."],"Relocate Site":["Flytta webbplatsen"],"Add CORS Presets":["Lägg till standardvärden för CORS"],"Add Security Presets":["Lägg till standardvärden för säkerhet"],"Add Header":["Lägg till header"],"You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Du behöver uppdatera din webbplats URL så att den stämmer överens med dina kanoniska inställningar: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Preferred domain":["Föredragen domän"],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.":["{{strong}}Varning{{/strong}}: kontrollera att HTTPS fungerar innan du tvingar omdirigering dit."],"Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}":["Tvinga en omdirigering från HTTP till HTTPS – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"],"Canonical Settings":["Kanoniska inställningar"],"Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}":["Lägg till www till domän – {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"],"Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}":["Ta bort www från domän – {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"],"Don't set a preferred domain - {{code}}%(site)s{{/code}}":["Ange inte en föredragen domän – {{code}}%(site)s{{/code}}"],"Add Alias":["Lägg till alias"],"No aliases":["Inga alias"],"Alias":["Alias"],"Aliased Domain":["Domännamn tillagt som alias"],"You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.":["Du behöver konfigurera ditt system (DNS och webbservern) så att de skickar förfrågningar för dessa domännamn till denna WordPress-installation."],"A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin.":["Ett webbplats-alias är ett annat domännamn som du vill ska omdirigeras till denna webbplats. Exempelvis ett gammalt domännamn eller en subdomän. Detta kommer att omdirigera alla URL:er, inklusive inloggningssidan och adminpanelen för WordPress."],"Site Aliases":["Alias-namn för webbplatsen"],"The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects.":["Systertillägget ”Search Regex” låter dig söka och ersätta data på din webbplats. Det stöder också omdirigering och är praktiskt om du vill massuppdatera många omdirigeringar."],"Need to search and replace?":["Behöver du söka och ersätta?"],"Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.":["Inställningarna på denna sida kan orsaka problem om de används på fel sätt. Du kan {{link}}inaktivera dem tillfälligt{{/link}} för att göra ändringar."],"Please wait, importing.":["Vänta, importerar."],"Continue":["Fortsätt"],"The following plugins have been detected.":["Följande tillägg har upptäckts."],"WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.":["WordPress skapar automatiskt omdirigeringar när du ändrar ett inläggs URL. Genom att importera dessa till Redirection kan du hantera och övervaka dem."],"Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import.":["Ett bra sätt att komma igång med Redirection är att importera befintliga omdirigeringar från WordPress eller andra tillägg. Kontrollera varje uppsättning omdirigeringar du vill importera."],"Import Existing Redirects":["Importera befintliga omdirigeringar"],"That's all there is to it - you are now redirecting! Note that the above is just an example.":["Det är allt du behöver – du omdirigerar nu! Observera att det endast är ett exempel här ovan."],"If you want to redirect everything please use a site relocation or alias from the Site page.":["Om du vill omdirigera allt ska du använda omdirigering av webbplats eller av alias på sidan för webbplatsen."],"Value":["Värde"],"Values":["Värden"],"All":["Alla"],"Note that some HTTP headers are set by your server and cannot be changed.":["Observera att vissa HTTP-fält definieras av din server och inte går att ändra."],"No headers":["Inga headers"],"Header":["Header"],"Location":["Plats"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["HTTP-headers läggs för hela webbplatsen, inklusive omdirigering. Headers för omdirigering läggs till endast vid omdirigering."],"HTTP Headers":["HTTP-headers"],"Custom Header":["Anpassad header"],"General":["Allmänt"],"Redirect":["Omdirigera"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Vissa servrar kan konfigureras för att leverera filresurser direkt, för att förhindra omdirigering."],"Site":["Webbplats"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Det gick inte att utföra begäran på grund av webbläsarens säkerhetsfunktioner. Detta beror vanligtvis på att inställningarna URL till WordPress och webbplatsen inte stämmer överens eller är blockerade på grund av webbplatsens CORS-policy."],"Ignore & Pass Query":["Ignorera och skicka frågan"],"Ignore Query":["Ignorera fråga"],"Exact Query":["Exakt fråga"],"Search title":["Sök rubrik"],"Not accessed in last year":["Inte besökt senaste året"],"Not accessed in last month":["Inte besökt senaste månaden"],"Never accessed":["Aldrig besökt"],"Last Accessed":["Senast besökt"],"HTTP Status Code":["HTTP-statuskod"],"Plain":["Enkel"],"URL match":["URL-matchning"],"Source":["Källa"],"Code":["Kod"],"Action Type":["Åtgärdstyp"],"Match Type":["Matchningstyp"],"Search target URL":["Sök mål-URL"],"Search IP":["Sök IP"],"Search user agent":["Användaragent för sökning"],"Search referrer":["Sök hänvisningsadress"],"Search URL":["Sök-URL"],"Filter on: %(type)s":["Filtrera på: % (typ)er"],"Disabled":["Inaktiverad"],"Enabled":["Aktiverad"],"Compact Display":["Kompakt vy"],"Standard Display":["Standardvy"],"Status":["Status"],"Pre-defined":["Fördefinierad"],"Custom Display":["Anpassad vy"],"Display All":["Visa alla"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Det verkar som om din URL innehåller ett domännamn i adressen: {{code}}%(relative)s{{/code}}. Avsåg du att använda {{code}}%(absolute)s{{/code}} i stället?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Kommaseparerad lista över språk att matcha mot (dvs. da, en-GB)"],"Language":["Språk"],"504 - Gateway Timeout":["504 – Timeout för gateway"],"503 - Service Unavailable":["503 – Tjänsten är otillgänglig"],"502 - Bad Gateway":["502 – Felaktig gateway"],"501 - Not implemented":["501 – Ej implementerad"],"500 - Internal Server Error":["500 – Internt serverfel"],"451 - Unavailable For Legal Reasons":["451 – Otillgänglig av juridiska skäl"],"URL and language":["URL och språk"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Logga ut, rensa webbläsarens cacheminne och logga in igen – din webbläsare har lagrat en gammal session i sitt cache-minne."],"Reload the page - your current session is old.":["Ladda om sidan – din nuvarande session är gammal."],"A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved.":["Uppgraderingen har avbrutits eftersom en loop detekterades. Detta innebär oftast att {{support}}webbplatsen cachelagras{{/support}} så att ändringar inte sparas till databasen."],"Unable to save .htaccess file":["Kan inte spara .htaccess-filen"],"Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}.":["Omdirigeringar som läggs till i en Apache-grupp kan sparas i filen {{code}}.htaccess{{/code}} om man lägger in hela URL:en här. För referens är WordPress installerat i {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Klicka på ”Slutför uppgradering” när du är klar."],"Automatic Install":["Automatisk installation"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["Din mål-URL innehåller det ogiltiga tecknet {{code}}%(invalid)s{{/code}}"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Om du använder WordPress 5.2 eller nyare, titta på din {{link}}Hälsokontroll för webbplatser{{/ link}} och lös eventuella problem."],"If you do not complete the manual install you will be returned here.":["Om du inte slutför den manuella installationen kommer du att komma tillbaka hit."],"Click \"Finished! 🎉\" when finished.":["Klicka på ”Klart! 🎉” när du är klar."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Om din webbplats behöver speciella databasbehörigheter, eller om du hellre vill göra det själv, kan du köra följande SQL manuellt."],"Manual Install":["Manuell installation"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["Otillräckliga databasbehörigheter upptäcktes. Ge din databasanvändare lämpliga behörigheter."],"This information is provided for debugging purposes. Be careful making any changes.":["Denna information tillhandahålls för felsökningsändamål. Var försiktig med att göra några ändringar."],"Plugin Debug":["Felsökning av tillägg"],"Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it.":["Redirection kommunicerar med WordPress via WordPress REST API. Detta är en standarddel av WordPress, och du kommer att få problem om du inte kan använda det."],"IP Headers":["IP-headers"],"Do not change unless advised to do so!":["Ändra inte om du inte uppmanas att göra det!"],"Database version":["Databasversion"],"Complete data (JSON)":["Fullständiga data (JSON)"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format.":["Exportera till CSV, Apache .htaccess, Nginx eller Redirection-JSON. JSON-formatet innehåller fullständig information medan de andra formaten endast täcker viss information, beroende på valt format."],"CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data.":["CSV-filen innehåller inte all information. Allt importeras och exporteras enbart som matchning av ”URL”. För att använda den kompletta datauppsättningen ska du använda JSON-formatet."],"All imports will be appended to the current database - nothing is merged.":["Allt som importera kommer att läggas till den aktuella databasen – ingenting kombineras med det befintliga."],"Automatic Upgrade":["Automatisk uppgradering"],"Manual Upgrade":["Manuell uppgradering"],"Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection.":["Säkerhetskopiera dina omdirigeringsdata: {{download}}Ladda ned säkerhetskopia{{/download}}. Om några problem uppstår kan du senare importera säkerhetskopian till tillägget Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Klicka på knappen ”Uppgradera databas” för att automatiskt uppgradera databasen."],"Complete Upgrade":["Slutför uppgradering"],"Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}.":["Redirection lagrar data i din databas och ibland måste detta uppgraderas. Din databas är i version {{strong}}%(current)s{{/strong}} och den senaste är {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Observera att du måste ställa in Apache-modulens sökväg i dina alternativ för Redirection."],"I need support!":["Jag behöver hjälp!"],"You will need at least one working REST API to continue.":["Du behöver åtminstone ett fungerande REST-API för att kunna fortsätta."],"Check Again":["Kontrollera igen"],"Testing - %s$":["Testar – %s$"],"Show Problems":["Visa problem"],"Summary":["Sammanfattning"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Ditt REST-API fungerar inte och tillägget kan inte fortsätta förrän detta är åtgärdat."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Det finns några problem med att ansluta till ditt REST-API. Det är inte nödvändigt att åtgärda dessa problem och tillägget kan fungera."],"Unavailable":["Inte tillgänglig"],"Working but some issues":["Fungerar men vissa problem"],"Current API":["Nuvarande API"],"Switch to this API":["Byt till detta API"],"Hide":["Dölj"],"Show Full":["Visa fullständig"],"Working!":["Fungerar!"],"Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}.":["Måladressen ska vara en absolut URL, såsom {{code}}https://mindomaen.com/%(url)s{{/code}} eller inledas med ett snedstreck {{code}}/%(url)s{{/code}}."],"Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action.":["Din källa är densamma som ett mål och det skapar en loop. Lämna ett mål tomt om du inte vill vidta åtgärder."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["Måladressen dit du vill omdirigera eller automatisk komplettering mot inläggsrubrik eller permalänk."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inkludera dessa detaljer i din rapport tillsammans med en beskrivning av vad du gjorde och en skärmdump."],"Create An Issue":["Skapa ett problem"],"What do I do next?":["Vad gör jag härnäst?"],"Possible cause":["Möjlig orsak"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Detta kan vara ett säkerhetstillägg, eller servern har slut på minne eller har ett externt fel. Kontrollera din serverfellogg"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Ditt REST-API blockeras antagligen av ett säkerhetstillägg. Inaktivera detta eller konfigurera det för att tillåta REST API-förfrågningar."],"Read this REST API guide for more information.":["Läs denna REST API-guide för mer information."],"URL options / Regex":["URL-alternativ/Regex"],"Export 404":["Exportera 404"],"Export redirect":["Exportera omdirigering"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["WordPress-permalänkstrukturer fungerar inte i vanliga URL:er. Använd ett reguljärt uttryck (regex)."],"Pass - as ignore, but also copies the query parameters to the target":["Skicka vidare – samma som Ignorera, men kopierar dessutom över parametrarna i förfrågan till måladressen"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorera – samma som exakt matchning, men ignorerar eventuella parametrar i förfrågan som saknas i din källadress"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exakt – matchar parametrarna i förfrågan exakt som de angivits i källadressen, i valfri ordning"],"Default query matching":["Standardmatchning av förfrågan"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorera snedstreck på slutet (t.ex. kommer {{code}}/exciting-post/{{/code}} att matcha {{code}}/exciting-post{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Matchning utan kontroll av skiftläge (t.ex. kommer {{code}}/Exciting-Post{{/code}} att matcha {{code}}/exciting-post{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Tillämpas till alla omdirigeringar om du inte konfigurerar dem på annat sätt."],"Default URL settings":["Standard URL-inställningar"],"Ignore and pass all query parameters":["Ignorera och skicka alla parametrar i förfrågan vidare"],"Ignore all query parameters":["Ignorera alla parametrar i förfrågan"],"Exact match":["Exakt matchning"],"Caching software (e.g Cloudflare)":["Programvara för cachehantering (t.ex. Cloudflare)"],"A security plugin (e.g Wordfence)":["Ett säkerhetstillägg (t.ex. Wordfence)"],"URL options":["URL-alternativ"],"Query Parameters":["Parametrar i förfrågan"],"Ignore & pass parameters to the target":["Ignorera och skicka parametrarna vidare till måladressen"],"Ignore all parameters":["Ignorera alla parametrar"],"Exact match all parameters in any order":["Exakt matchning av alla parametrar i valfri ordning"],"Ignore Case":["Ignorera skillnad mellan stor och liten bokstav"],"Ignore Slash":["Ignorera snedstreck"],"Relative REST API":["Relativ REST API"],"Raw REST API":["Obearbetat REST-API"],"Default REST API":["Standard REST API"],"(Example) The target URL is the new URL":["(Exempel) Mål-URL:en är den nya URL:en"],"(Example) The source URL is your old or original URL":["(Exempel) Käll-URL:en är din gamla eller ursprungliga URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Inaktiverad! Upptäckte PHP %1$s, behöver PHP %2$s+"],"A database upgrade is in progress. Please continue to finish.":["En databasuppgradering pågår. Fortsätt för att slutföra."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["Redirections databas måste uppdateras – <a href=\"%1$1s\">klicka för att uppdatera</a>."],"Redirection database needs upgrading":["Redirections databas behöver uppgraderas"],"Upgrade Required":["Uppgradering krävs"],"Finish Setup":["Slutför konfigurationen"],"You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings.":["Du har olika webbadresser konfigurerade på sidan WordPress-inställningar > Allmänt, något som vanligtvis pekar på en felkonfiguration, och även kan orsaka problem med REST-API:et. Kontrollera dina inställningar."],"If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}.":["Om problem inträffar bör du läsa dokumentation för dina tillägg eller kontakta supporten för ditt webbhotell. Detta är vanligtvis {{link}}inte något problem som orsakas av tillägget Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Några andra tillägg som blockerar REST API"],"A server firewall or other server configuration (e.g OVH)":["En serverbrandvägg eller annan serverkonfiguration (t.ex. OVH)"],"Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:":["Redirection använder {{link}}WordPress REST-API{{/link}} för kommunikationen med WordPress. Som standard är det aktivt och igång. Ibland blockeras REST-API av:"],"Go back":["Gå tillbaka"],"Continue Setup":["Fortsätt konfigurationen"],"Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR).":["Genom att lagra IP-adresser kan du använda loggen till fler åtgärder. Observera att du måste följa lokala lagar om insamling av data (till exempel GDPR)."],"Store IP information for redirects and 404 errors.":["Spara IP-information för omdirigeringar och 404-fel."],"Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.":["Genom att lagra loggar över omdirigeringar och fel av typen 404 kan du se vad som händer på webbplatsen. Detta kräver större lagringsutrymme i databasen."],"Keep a log of all redirects and 404 errors.":["Behåll en logg över alla omdirigeringar och 404-fel."],"{{link}}Read more about this.{{/link}}":["{{link}}Läs mer om detta.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Om du ändrar permalänken i ett inlägg eller sida kan Redirection automatiskt skapa en omdirigering åt dig."],"Monitor permalink changes in WordPress posts and pages":["Övervaka ändringar i permalänkar i WordPress-inlägg och sidor"],"These are some options you may want to enable now. They can be changed at any time.":["Det här är några alternativ du kanske vill aktivera nu. De kan ändras när som helst."],"Basic Setup":["Grundläggande konfiguration"],"Start Setup":["Starta konfiguration"],"When ready please press the button to continue.":["När du är klar, tryck på knappen för att fortsätta."],"First you will be asked a few questions, and then Redirection will set up your database.":["Först får du några frågor och sedan kommer Redirection att ställa in din databas."],"What's next?":["Vad kommer härnäst?"],"Check a URL is being redirected":["Kontrollera att en URL omdirigeras"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Mer kraftfull URL-matchning, inklusive {{regular}}reguljära uttryck{{/regular}}, och {{other}}andra villkor{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importera{{/link}} från .htaccess, CSV, och en mängd andra tillägg"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Övervaka 404-fel{{/link}}, få detaljerad information om besökaren och åtgärda eventuella problem"],"Some features you may find useful are":["Vissa funktioner som kan vara användbara är"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Fullständig dokumentation finns på {{link}}webbplatsen för Redirection{{/link}}."],"A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:":["En enkel omdirigering innebär att du anger en {{strong}}käll-URL{{/strong}} (den gamla webbadressen) och en {{strong}}mål-URL{{/strong}} (den nya webbadressen). Här är ett exempel:"],"How do I use this plugin?":["Hur använder jag detta tillägg?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["Redirection är utformat för att användas på webbplatser med allt från några få omdirigeringar till webbplatser med tusentals omdirigeringar."],"Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.":["Tack för att du installerar och använder Redirection v%(version)s. Detta tillägg låter dig hantera omdirigering av typen 301, hålla reda på 404-fel och förbättra din webbplats, utan att ha någon kunskap om Apache eller Nginx."],"Welcome to Redirection 🚀🎉":["Välkommen till Redirection 🚀🎉"],"To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}":["För att förhindra ett alltför aggressivt reguljärt uttryck kan du använda {{code}}^{{/code}} för att låsa det till början av URL:en. Till exempel: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Kom ihåg att aktivera alternativet ”Reguljärt uttryck” om detta är ett reguljärt uttryck."],"The source URL should probably start with a {{code}}/{{/code}}":["Käll-URL:en bör antagligen börja med en {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Detta konverteras till en serveromdirigering för domänen {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Ankarvärden skickas inte till servern och kan inte omdirigeras."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} till {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Klart! 🎉"],"Progress: %(complete)d$":["Status: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Att lämna innan processen är klar kan orsaka problem."],"Setting up Redirection":["Ställer in Redirection"],"Upgrading Redirection":["Uppgraderar Redirection"],"Please remain on this page until complete.":["Stanna kvar på denna sida tills det är slutfört."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Om du vill {{support}}be om support{{/support}} inkludera dessa detaljer:"],"Stop upgrade":["Stoppa uppgradering"],"Skip this stage":["Hoppa över detta steg"],"Try again":["Försök igen"],"Database problem":["Databasproblem"],"Please enable JavaScript":["Aktivera JavaScript"],"Please upgrade your database":["Uppgradera din databas"],"Upgrade Database":["Uppgradera databas"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Slutför din <a href=\"%s\">Redirection-inställning</a> för att aktivera tillägget."],"Your database does not need updating to %s.":["Din databas behöver inte uppdateras till %s."],"Table \"%s\" is missing":["Tabell ”%s” saknas"],"Create basic data":["Skapa grundläggande data"],"Install Redirection tables":["Installera Redirection-tabeller"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["Webbplats och hem-URL är inkonsekventa. Korrigera från dina Inställningar > Allmän sida: %1$1s är inte %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Försök inte att omdirigera alla status 404 som inträffar – det är ingen lyckad idé."],"Only the 404 page type is currently supported.":["För närvarande stöds endast sidtypen 404."],"Page Type":["Sidtyp"],"Enter IP addresses (one per line)":["Ange IP-adresser (en per rad)"],"Describe the purpose of this redirect (optional)":["Beskriv syftet med denna omdirigering (valfritt)"],"418 - I'm a teapot":["418 – Jag är en tekanna"],"403 - Forbidden":["403 – Förbjuden"],"400 - Bad Request":["400 – Felaktig begäran"],"304 - Not Modified":["304 – Inte modifierad"],"303 - See Other":["303 – Se annat"],"Do nothing (ignore)":["Gör ingenting (ignorera)"],"Target URL when not matched (empty to ignore)":["Mål-URL när den inte matchas (tom för att ignorera)"],"Target URL when matched (empty to ignore)":["Mål-URL vid matchning (tom för att ignorera)"],"Show All":["Visa alla"],"Delete logs for these entries":["Ta bort loggar för dessa inlägg"],"Delete logs for this entry":["Ta bort loggar för detta inlägg"],"Delete Log Entries":["Ta bort loggposter"],"Group by IP":["Gruppera efter IP"],"Group by URL":["Gruppera efter URL"],"No grouping":["Ingen gruppering"],"Ignore URL":["Ignorera URL"],"Block IP":["Blockera IP"],"Redirect All":["Omdirigera alla"],"Count":["Antal"],"URL and WordPress page type":["URL och WordPress sidtyp"],"URL and IP":["URL och IP"],"Problem":["Problem"],"Good":["Bra"],"Check":["Kontrollera"],"Check Redirect":["Kontrollera omdirigering"],"Check redirect for: {{code}}%s{{/code}}":["Kontrollera omdirigering för: {{code}}%s{{/code}}"],"Not using Redirection":["Använder inte omdirigering"],"Using Redirection":["Använder omdirigering"],"Found":["Hittad"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} till {{code}}%(url)s{{/code}}"],"Expected":["Förväntad"],"Error":["Fel"],"Enter full URL, including http:// or https://":["Ange fullständig URL, inklusive http:// eller https://"],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":["Ibland kan din webbläsare sparade en URL i cache-minnet, vilket kan göra det svårt att se om allt fungerar som tänkt. Använd detta för att kontrollera hur en URL faktiskt omdirigeras."],"Redirect Tester":["Omdirigeringstestare"],"Target":["Mål"],"URL is not being redirected with Redirection":["URL omdirigeras inte med Redirection"],"URL is being redirected with Redirection":["URL omdirigeras med Redirection"],"Unable to load details":["Kan inte att ladda detaljer"],"Enter server URL to match against":["Ange server-URL för att matcha mot"],"Server":["Server"],"Enter role or capability value":["Ange roll eller behörighetsvärde"],"Role":["Roll"],"Match against this browser referrer text":["Matcha mot denna hänvisnings-sträng från webbläsaren"],"Match against this browser user agent":["Matcha mot denna user-agent-sträng från webbläsaren"],"The relative URL you want to redirect from":["Den relativa URL du vill omdirigera från"],"Add New":["Lägg till ny"],"URL and role/capability":["URL och roll/behörighet"],"URL and server":["URL och server"],"Site and home protocol":["Webbplats och hemprotokoll"],"Site and home are consistent":["Webbplats och hem är konsekventa"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Observera att du ansvarar för att skicka HTTP-headers vidare till PHP. Kontakta ditt webbhotell om du behöver hjälp med detta."],"Accept Language":["Acceptera språk"],"Header value":["Värde för header"],"Header name":["Namn på header"],"HTTP Header":["HTTP-header"],"WordPress filter name":["WordPress-filternamn"],"Filter Name":["Filternamn"],"Cookie value":["Cookie-värde"],"Cookie name":["Cookie-namn"],"Cookie":["Cookie"],"clearing your cache.":["rensar cacheminnet."],"If you are using a caching system such as Cloudflare then please read this: ":["Om du använder ett caching-system som Cloudflare, läs det här: "],"URL and HTTP header":["URL- och HTTP-header"],"URL and custom filter":["URL och anpassat filter"],"URL and cookie":["URL och cookie"],"404 deleted":["404 borttagen"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Hur Redirection använder REST API — ändra inte om det inte är nödvändigt"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Ta en titt på {{link}tilläggsstatusen{{/ link}}. Det kan vara möjligt att identifiera och ”magiskt åtgärda” problemet."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Cachelagrings-program{{/link}}, i synnerhet Cloudflare, kan cachelagra fel sak. Försök att rensa all cache."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Inaktivera andra tillägg tillfälligt!{{/link}} Detta fixar så många problem."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Läs <a href=\"https://redirection.me/support/problems/\">listan med kända problem</a>."],"Unable to load Redirection ☹️":["Kan inte ladda Redirection ☹️"],"WordPress REST API":["WordPress REST API"],"Useragent Error":["Användaragentfel"],"Unknown Useragent":["Okänd användaragent"],"Device":["Enhet"],"Operating System":["Operativsystem"],"Browser":["Webbläsare"],"Engine":["Motor"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["Ingen IP-loggning"],"Full IP logging":["Fullständig IP-loggning"],"Anonymize IP (mask last part)":["Anonymisera IP (maska sista delen)"],"Monitor changes to %(type)s":["Övervaka ändringar till %(type)s"],"IP Logging":["IP-loggning"],"Geo Info":["Geo-info"],"Agent Info":["Agentinfo"],"Filter by IP":["Filtrera efter IP"],"Geo IP Error":["Geo-IP-fel"],"Something went wrong obtaining this information":["Något gick fel när denna information skulle hämtas"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["Detta är en IP från ett privat nätverk. Det betyder att det ligger i ett hem- eller företagsnätverk och ingen mer information kan visas."],"No details are known for this address.":["Det finns inga kända detaljer för denna adress."],"Geo IP":["Geo IP"],"City":["Ort"],"Area":["Region"],"Timezone":["Tidszon"],"Geo Location":["Geo-plats"],"Powered by {{link}}redirect.li{{/link}}":["Drivs med {{link}}redirect.li{{/link}}"],"Trash":["Släng"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Observera att Redirection kräver att WordPress REST API ska vara aktiverat. Om du har inaktiverat det kommer du inte kunna använda Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Fullständig dokumentation för Redirection finns på support-sidan <a href=\"%s\" target=\"_blank\">redirection.me</a>."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Fullständig dokumentation för Redirection kan hittas på {{site}}https://redirection.me{{/site}}. Om du har problem, kolla {{faq}}vanliga frågor{{/faq}} först."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Om du vill rapportera ett fel, läs guiden {{report}}rapportera fel{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Om du vill skicka information som du inte vill ska synas publikt, så kan du skicka det direkt via {{email}}e-post{{/email}} — inkludera så mycket information som du kan!"],"Never cache":["Använd aldrig cache"],"An hour":["En timma"],"Redirect Cache":["Omdirigera cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Hur länge omdirigerade 301-URL:er ska cachas (via HTTP-header ”Expires”)"],"Are you sure you want to import from %s?":["Är du säker på att du vill importera från %s?"],"Plugin Importers":["Tilläggsimporterare"],"The following redirect plugins were detected on your site and can be imported from.":["Följande omdirigeringstillägg hittades på din webbplats och kan importeras från."],"total = ":["totalt = "],"Import from %s":["Importera från %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection kräver WordPress v%1$1s, du använder v%2$2s – uppdatera WordPress"],"Default WordPress \"old slugs\"":["WordPress standard ”gamla permalänkar”"],"Create associated redirect (added to end of URL)":["Skapa associerad omdirigering (läggs till i slutet på URL:en)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> är inte definierat. Detta betyder vanligtvis att ett annat tillägg blockerar Redirection från att laddas. Inaktivera alla tillägg och försök igen."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Om knappen inte fungerar bör du läsa felmeddelande och se om du kan fixa felet manuellt, annars kan du kolla i avsnittet ”Behöver du hjälp?” längre ner."],"⚡️ Magic fix ⚡️":["⚡️ Magisk fix ⚡️"],"Plugin Status":["Tilläggsstatus"],"Custom":["Anpassad"],"Mobile":["Mobil"],"Feed Readers":["Feedläsare"],"Libraries":["Bibliotek"],"URL Monitor Changes":["Övervaka URL-ändringar"],"Save changes to this group":["Spara ändringar till den här gruppen"],"For example \"/amp\"":["Till exempel ”/amp”"],"URL Monitor":["URL-övervakning"],"Your server has rejected the request for being too big. You will need to reconfigure it to continue.":["Din server har avisat begäran för att den var för stor. Du måste konfigurera den igen för att fortsätta."],"Also check if your browser is able to load <code>redirection.js</code>:":["Kontrollera också att din webbläsare kan ladda <code>redirection.js</code>:"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Om du använder ett tillägg eller en tjänst för att cachelagra sidor (CloudFlare, OVH m.m.) så kan du också prova att rensa den cachen."],"Unable to load Redirection":["Kan inte att ladda Redirection"],"Post monitor group is valid":["Övervakningsgrupp för inlägg är giltig"],"Post monitor group is invalid":["Övervakningsgrupp för inlägg är ogiltig"],"Post monitor group":["Övervakningsgrupp för inlägg"],"All redirects have a valid group":["Alla omdirigeringar har en giltig grupp"],"Redirects with invalid groups detected":["Omdirigeringar med ogiltiga grupper upptäcktes"],"Valid redirect group":["Giltig omdirigeringsgrupp"],"Valid groups detected":["Giltiga grupper upptäcktes"],"No valid groups, so you will not be able to create any redirects":["Inga giltiga grupper, du kan inte skapa nya omdirigeringar"],"Valid groups":["Giltiga grupper"],"Database tables":["Databastabeller"],"The following tables are missing:":["Följande tabeller saknas:"],"All tables present":["Alla tabeller närvarande"],"Cached Redirection detected":["En cachad version av Redirection upptäcktes"],"Please clear your browser cache and reload this page.":["Rensa din webbläsares cache och ladda om denna sida."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress returnerade inte ett svar. Det kan innebära att ett fel inträffade eller att begäran blockerades. Kontrollera din servers error_log."],"If you think Redirection is at fault then create an issue.":["Om du tror att Redirection orsakar felet, skapa en felrapport."],"This may be caused by another plugin - look at your browser's error console for more details.":["Detta kan ha orsakats av ett annat tillägg – kolla i din webbläsares fel-konsol för mer information."],"Loading, please wait...":["Laddar, vänta …"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV filformat{{/strong}}: {{code}}Käll-URL, Mål-URL{{/code}} – som valfritt kan följas av {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} – 0 för nej, 1 för ja)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection fungerar inte. Prova att rensa din webbläsares cache och ladda om den här sidan."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Om det inte hjälper, öppna din webbläsares fel-konsol och skapa en {{link}}ny felrapport{{/link}} med informationen."],"Create Issue":["Skapa felrapport"],"Email":["E-post"],"Need help?":["Behöver du hjälp?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Observera att eventuell support tillhandahålls vart efter tid finns och hjälp kan inte garanteras. Jag ger inte betald support."],"Pos":["Pos"],"410 - Gone":["410 – Borttagen"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":["Används för att automatiskt generera en URL om ingen URL anges. Använd specialkoderna {{code}}$dec${{/code}} eller {{code}}$hex${{/code}} för att infoga ett unikt ID istället"],"I'd like to support some more.":["Jag skulle vilja stödja lite till."],"Support 💰":["Stötta 💰"],"Import to group":["Importera till grupp"],"Import a CSV, .htaccess, or JSON file.":["Importera en CSV-fil, .htaccess-fil eller JSON-fil."],"Click 'Add File' or drag and drop here.":["Klicka på ”Lägg till fil” eller dra och släpp en fil här."],"Add File":["Lägg till fil"],"File selected":["Fil vald"],"Importing":["Importerar"],"Finished importing":["Importering klar"],"Total redirects imported:":["Antal omdirigeringar importerade:"],"Double-check the file is the correct format!":["Dubbelkolla att filen är i rätt format!"],"OK":["OK"],"Close":["Stäng"],"Export":["Exportera"],"Everything":["Allt"],"WordPress redirects":["WordPress omdirigeringar"],"Apache redirects":["Apache omdirigeringar"],"Nginx redirects":["Nginx omdirigeringar"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx omskrivningsregler"],"View":["Visa"],"Import/Export":["Importera/Exportera"],"Logs":["Loggar"],"404 errors":["404-fel"],"Redirection saved":["Omdirigering sparad"],"Log deleted":["Logg borttagen"],"Settings saved":["Inställning sparad"],"Group saved":["Grupp sparad"],"Are you sure you want to delete this item?":["Är du säker på att du vill ta bort detta objekt?","Är du säker på att du vill ta bort dessa objekt?"],"pass":["lösen"],"All groups":["Alla grupper"],"301 - Moved Permanently":["301 – Flyttad permanent"],"302 - Found":["302 – Hittad"],"307 - Temporary Redirect":["307 – Tillfällig omdirigering"],"308 - Permanent Redirect":["308 – Permanent omdirigering"],"401 - Unauthorized":["401 – Obehörig"],"404 - Not Found":["404 – Hittades inte"],"Title":["Rubrik"],"When matched":["När matchning sker"],"with HTTP code":["med HTTP-kod"],"Show advanced options":["Visa avancerande alternativ"],"Matched Target":["Matchande mål"],"Unmatched Target":["Ej matchande mål"],"Saving...":["Sparar..."],"View notice":["Visa meddelande"],"Something went wrong 🙁":["Något gick snett 🙁"],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Bulk Actions":["Massåtgärder"],"Apply":["Tillämpa"],"First page":["Första sidan"],"Prev page":["Föregående sida"],"Current Page":["Nuvarande sida"],"of %(page)s":["av %(sidor)"],"Next page":["Nästa sida"],"Last page":["Sista sidan"],"%s item":["%s objekt","%s objekt"],"Select All":["Välj allt"],"Sorry, something went wrong loading the data - please try again":["Något gick fel när data laddades – försök igen"],"No results":["Inga resultat"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Tack för att du prenumererar! {{a}}Klicka här{{/a}} om du behöver gå tillbaka till din prenumeration."],"Newsletter":["Nyhetsbrev"],"Want to keep up to date with changes to Redirection?":["Vill du bli uppdaterad om ändringar i Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if you want to test beta changes before release.":["Prenumerera på vårt lilla nyhetsbrev om Redirection – ett lågfrekvent nyhetsbrev om nya funktioner och förändringar i tillägget. Utmärkt om du vill testa beta-versioner innan release."],"Your email address:":["Din e-postadress:"],"You've supported this plugin - thank you!":["Du har stöttat detta tillägg – tack!"],"You get useful software and I get to carry on making it better.":["Du får en användbar mjukvara och jag kan fortsätta göra den bättre."],"Forever":["För evigt"],"Delete the plugin - are you sure?":["Är du säker på att du vill ta bort tillägget?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Tar du bort tillägget tar du även bort alla omdirigeringar, loggar och inställningar. Gör detta om du vill ta bort tillägget helt och hållet, eller om du vill återställa tillägget."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["När du har tagit bort tillägget kommer dina omdirigeringar att sluta fungera. Om de verkar fortsätta att fungera, rensa din webbläsares cache."],"Yes! Delete the plugin":["Ja! Ta bort tillägget"],"No! Don't delete the plugin":["Nej! Ta inte bort detta tillägg"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Hantera alla dina 301-omdirigeringar och övervaka 404-fel"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection är gratis att använda – livet är underbart och ljuvligt! Det har krävts mycket tid och ansträngningar för att utveckla tillägget och du kan hjälpa till med att stödja denna utveckling genom att {{strong}}göra en liten donation{{/ strong}}."],"Redirection Support":["Support för Redirection"],"Support":["Support"],"404s":["404:or"],"Log":["Logg"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Väljer du detta alternativ tas alla omdirigeringar, loggar och inställningar som associeras till tillägget Redirection bort. Försäkra dig om att det är det du vill göra."],"Delete Redirection":["Ta bort Redirection"],"Upload":["Ladda upp"],"Import":["Importera"],"Update":["Uppdatera"],"Auto-generate URL":["Generera URL automatiskt"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["En unik nyckel som ger feed-läsare åtkomst till Redirection logg via RSS (lämna tomt för att autogenerera)"],"RSS Token":["RSS-token"],"404 Logs":["404-loggar"],"(time to keep logs for)":["(hur länge loggar ska sparas)"],"Redirect Logs":["Redirection-loggar"],"I'm a nice person and I have helped support the author of this plugin":["Jag är en trevlig person och jag har hjälpt till att stödja skaparen av detta tillägg"],"Plugin Support":["Stöd tillägget"],"Options":["Alternativ"],"Two months":["Två månader"],"A month":["En månad"],"A week":["En vecka"],"A day":["En dag"],"No logs":["Inga loggar"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Använd grupper för att organisera dina omdirigeringar. Grupper tillämpas på en modul, vilken påverkar hur omdirigeringar i den gruppen funkar. Behåll bara WordPress-modulen om du känner dig osäker."],"Add Group":["Lägg till grupp"],"Search":["Sök"],"Groups":["Grupper"],"Save":["Spara"],"Group":["Grupp"],"Regular Expression":["Reguljärt uttryck (Regex)"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Ladda ner"],"Redirection":["Redirection"],"Settings":["Inställningar"],"WordPress":["WordPress"],"Error (404)":["Fel (404)"],"Pass-through":["Passera"],"Redirect to random post":["Omdirigering till slumpmässigt inlägg"],"Redirect to URL":["Omdirigera till URL"],"IP":["IP"],"Source URL":["Käll-URL"],"Date":["Datum"],"Add Redirect":["Lägg till omdirigering"],"View Redirects":["Visa omdirigeringar"],"Module":["Modul"],"Redirects":["Omdirigering"],"Name":["Namn"],"Filters":["Filter"],"Reset hits":["Återställ träffar"],"Enable":["Aktivera"],"Disable":["Inaktivera"],"Delete":["Ta bort"],"Edit":["Redigera"],"Last Access":["Senaste besök"],"Hits":["Träffar"],"URL":["URL"],"Modified Posts":["Modifierade inlägg"],"Redirections":["Omdirigeringar"],"User Agent":["Användaragent"],"URL and user agent":["URL och användaragent"],"Target URL":["Mål-URL"],"URL only":["Endast URL"],"HTTP code":["HTTP-kod"],"Regex":["Reguljärt uttryck"],"Referrer":["Hänvisningsadress"],"URL and referrer":["URL och hänvisande webbplats"],"Logged Out":["Utloggad"],"Logged In":["Inloggad"],"URL and login status":["URL och inloggnings-status"],"plural-forms":"nplurals=2; plural=n != 1;"}
locale/redirection-de_DE.mo CHANGED
Binary file
locale/redirection-de_DE.po CHANGED
@@ -2,7 +2,7 @@
2
  # This file is distributed under the same license as the Plugins - Redirection - Stable (latest release) package.
3
  msgid ""
4
  msgstr ""
5
- "PO-Revision-Date: 2020-10-26 08:53:32+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -45,7 +45,7 @@ msgstr ""
45
 
46
  #: redirection-strings.php:726
47
  msgid "An unknown error occurred."
48
- msgstr ""
49
 
50
  #: redirection-strings.php:724
51
  msgid "Your REST API is being redirected. Please remove the redirection for the API."
@@ -105,7 +105,7 @@ msgstr ""
105
 
106
  #: redirection-strings.php:491
107
  msgid "Logging"
108
- msgstr ""
109
 
110
  #: redirection-strings.php:490
111
  msgid "(IP logging level)"
@@ -113,7 +113,7 @@ msgstr ""
113
 
114
  #: redirection-strings.php:428
115
  msgid "Are you sure you want to delete the selected items?"
116
- msgstr ""
117
 
118
  #: redirection-strings.php:378
119
  msgid "View Redirect"
@@ -121,7 +121,7 @@ msgstr ""
121
 
122
  #: redirection-strings.php:376
123
  msgid "RSS"
124
- msgstr ""
125
 
126
  #: redirection-strings.php:370 redirection-strings.php:400
127
  msgid "Group by user agent"
@@ -139,13 +139,13 @@ msgstr ""
139
  #: redirection-strings.php:333 redirection-strings.php:354
140
  #: redirection-strings.php:387 redirection-strings.php:414
141
  msgid "Domain"
142
- msgstr ""
143
 
144
  #: redirection-strings.php:332 redirection-strings.php:353
145
  #: redirection-strings.php:372 redirection-strings.php:386
146
  #: redirection-strings.php:413 redirection-strings.php:420
147
  msgid "Method"
148
- msgstr ""
149
 
150
  #: redirection-strings.php:263
151
  msgid "If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
@@ -157,11 +157,11 @@ msgstr ""
157
 
158
  #: redirection-strings.php:256
159
  msgid "Something went wrong when upgrading Redirection."
160
- msgstr ""
161
 
162
  #: redirection-strings.php:208
163
  msgid "Something went wrong when installing Redirection."
164
- msgstr ""
165
 
166
  #: redirection-strings.php:145
167
  msgid "Apply To All"
@@ -233,7 +233,7 @@ msgstr ""
233
 
234
  #: redirection-strings.php:695
235
  msgid "Preferred domain"
236
- msgstr ""
237
 
238
  #: redirection-strings.php:694
239
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."
@@ -261,15 +261,15 @@ msgstr ""
261
 
262
  #: redirection-strings.php:688
263
  msgid "Add Alias"
264
- msgstr ""
265
 
266
  #: redirection-strings.php:687
267
  msgid "No aliases"
268
- msgstr ""
269
 
270
  #: redirection-strings.php:686
271
  msgid "Alias"
272
- msgstr ""
273
 
274
  #: redirection-strings.php:685
275
  msgid "Aliased Domain"
@@ -285,7 +285,7 @@ msgstr ""
285
 
286
  #: redirection-strings.php:682
287
  msgid "Site Aliases"
288
- msgstr ""
289
 
290
  #: redirection-strings.php:585
291
  msgid "The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."
@@ -301,7 +301,7 @@ msgstr ""
301
 
302
  #: redirection-strings.php:207
303
  msgid "Please wait, importing."
304
- msgstr ""
305
 
306
  #: redirection-strings.php:205
307
  msgid "Continue"
@@ -309,7 +309,7 @@ msgstr "Fortsetzen"
309
 
310
  #: redirection-strings.php:204
311
  msgid "The following plugins have been detected."
312
- msgstr ""
313
 
314
  #: redirection-strings.php:203
315
  msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
@@ -321,11 +321,11 @@ msgstr ""
321
 
322
  #: redirection-strings.php:201 redirection-strings.php:206
323
  msgid "Import Existing Redirects"
324
- msgstr ""
325
 
326
  #: redirection-strings.php:166
327
  msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
328
- msgstr ""
329
 
330
  #: redirection-strings.php:119
331
  msgid "If you want to redirect everything please use a site relocation or alias from the Site page."
@@ -481,11 +481,11 @@ msgstr ""
481
 
482
  #: redirection-strings.php:223 redirection-strings.php:551
483
  msgid "Disabled"
484
- msgstr ""
485
 
486
  #: redirection-strings.php:222 redirection-strings.php:550
487
  msgid "Enabled"
488
- msgstr ""
489
 
490
  #: redirection-strings.php:219 redirection-strings.php:344
491
  #: redirection-strings.php:404 redirection-strings.php:547
@@ -501,7 +501,7 @@ msgstr ""
501
  #: redirection-strings.php:225 redirection-strings.php:520
502
  #: redirection-strings.php:543 redirection-strings.php:549
503
  msgid "Status"
504
- msgstr ""
505
 
506
  #: redirection-strings.php:24
507
  msgid "Pre-defined"
@@ -552,7 +552,7 @@ msgstr ""
552
  msgid "451 - Unavailable For Legal Reasons"
553
  msgstr ""
554
 
555
- #: matches/language.php:9 redirection-strings.php:66
556
  msgid "URL and language"
557
  msgstr "URL und Sprache"
558
 
@@ -626,11 +626,11 @@ msgstr ""
626
 
627
  #: redirection-strings.php:578
628
  msgid "IP Headers"
629
- msgstr ""
630
 
631
  #: redirection-strings.php:576
632
  msgid "Do not change unless advised to do so!"
633
- msgstr ""
634
 
635
  #: redirection-strings.php:575
636
  msgid "Database version"
@@ -702,7 +702,7 @@ msgstr ""
702
 
703
  #: redirection-strings.php:137
704
  msgid "Summary"
705
- msgstr ""
706
 
707
  #: redirection-strings.php:136
708
  msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
@@ -718,15 +718,15 @@ msgstr "Nicht verfügbar"
718
 
719
  #: redirection-strings.php:133
720
  msgid "Working but some issues"
721
- msgstr ""
722
 
723
  #: redirection-strings.php:131
724
  msgid "Current API"
725
- msgstr ""
726
 
727
  #: redirection-strings.php:130
728
  msgid "Switch to this API"
729
- msgstr ""
730
 
731
  #: redirection-strings.php:129
732
  msgid "Hide"
@@ -738,7 +738,7 @@ msgstr ""
738
 
739
  #: redirection-strings.php:127
740
  msgid "Working!"
741
- msgstr ""
742
 
743
  #: redirection-strings.php:121
744
  msgid "Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."
@@ -762,7 +762,7 @@ msgstr ""
762
 
763
  #: redirection-strings.php:267
764
  msgid "What do I do next?"
765
- msgstr ""
766
 
767
  #: redirection-strings.php:731
768
  msgid "Possible cause"
@@ -847,15 +847,15 @@ msgstr ""
847
 
848
  #: redirection-strings.php:192
849
  msgid "A security plugin (e.g Wordfence)"
850
- msgstr ""
851
 
852
  #: redirection-strings.php:534
853
  msgid "URL options"
854
- msgstr ""
855
 
856
  #: redirection-strings.php:105 redirection-strings.php:535
857
  msgid "Query Parameters"
858
- msgstr ""
859
 
860
  #: redirection-strings.php:95
861
  msgid "Ignore & pass parameters to the target"
@@ -1126,7 +1126,7 @@ msgstr ""
1126
 
1127
  #: redirection-admin.php:147 redirection-strings.php:255
1128
  msgid "Upgrade Database"
1129
- msgstr ""
1130
 
1131
  #. translators: 1: URL to plugin page
1132
  #: redirection-admin.php:82
@@ -1160,11 +1160,11 @@ msgstr ""
1160
 
1161
  #: redirection-strings.php:654
1162
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
1163
- msgstr ""
1164
 
1165
  #: redirection-strings.php:653
1166
  msgid "Only the 404 page type is currently supported."
1167
- msgstr ""
1168
 
1169
  #: redirection-strings.php:652
1170
  msgid "Page Type"
@@ -1192,15 +1192,15 @@ msgstr "400 - Fehlerhafte Anfrage"
1192
 
1193
  #: redirection-strings.php:75
1194
  msgid "304 - Not Modified"
1195
- msgstr ""
1196
 
1197
  #: redirection-strings.php:74
1198
  msgid "303 - See Other"
1199
- msgstr ""
1200
 
1201
  #: redirection-strings.php:71
1202
  msgid "Do nothing (ignore)"
1203
- msgstr ""
1204
 
1205
  #: redirection-strings.php:622 redirection-strings.php:626
1206
  msgid "Target URL when not matched (empty to ignore)"
@@ -1259,17 +1259,17 @@ msgstr "Leite alle weiter"
1259
  msgid "Count"
1260
  msgstr ""
1261
 
1262
- #: matches/page.php:9 redirection-strings.php:65
1263
  msgid "URL and WordPress page type"
1264
  msgstr ""
1265
 
1266
- #: matches/ip.php:9 redirection-strings.php:61
1267
  msgid "URL and IP"
1268
  msgstr "URL und IP"
1269
 
1270
  #: redirection-strings.php:599
1271
  msgid "Problem"
1272
- msgstr ""
1273
 
1274
  #: redirection-strings.php:132 redirection-strings.php:598
1275
  msgid "Good"
@@ -1372,11 +1372,11 @@ msgstr ""
1372
  msgid "Add New"
1373
  msgstr "Neue hinzufügen"
1374
 
1375
- #: matches/user-role.php:9 redirection-strings.php:57
1376
  msgid "URL and role/capability"
1377
  msgstr "URL und Rolle / Berechtigung"
1378
 
1379
- #: matches/server.php:9 redirection-strings.php:62
1380
  msgid "URL and server"
1381
  msgstr "URL und Server"
1382
 
@@ -1436,15 +1436,15 @@ msgstr ""
1436
  msgid "If you are using a caching system such as Cloudflare then please read this: "
1437
  msgstr "Wenn du ein Caching-System, wie etwa Cloudflare, verwendest, lies bitte das Folgende:"
1438
 
1439
- #: matches/http-header.php:11 redirection-strings.php:63
1440
  msgid "URL and HTTP header"
1441
  msgstr "URL und HTTP-Header"
1442
 
1443
- #: matches/custom-filter.php:9 redirection-strings.php:64
1444
  msgid "URL and custom filter"
1445
  msgstr "URL und benutzerdefinierter Filter"
1446
 
1447
- #: matches/cookie.php:7 redirection-strings.php:60
1448
  msgid "URL and cookie"
1449
  msgstr "URL und Cookie"
1450
 
@@ -1687,7 +1687,7 @@ msgstr "Plugin-Status"
1687
  #: redirection-strings.php:25 redirection-strings.php:630
1688
  #: redirection-strings.php:644
1689
  msgid "Custom"
1690
- msgstr ""
1691
 
1692
  #: redirection-strings.php:631
1693
  msgid "Mobile"
@@ -1711,7 +1711,7 @@ msgstr "Speichere Änderungen in dieser Gruppe"
1711
 
1712
  #: redirection-strings.php:480
1713
  msgid "For example \"/amp\""
1714
- msgstr ""
1715
 
1716
  #: redirection-strings.php:497
1717
  msgid "URL Monitor"
@@ -2435,7 +2435,7 @@ msgstr "Redirections"
2435
  msgid "User Agent"
2436
  msgstr "User Agent"
2437
 
2438
- #: matches/user-agent.php:10 redirection-strings.php:59
2439
  msgid "URL and user agent"
2440
  msgstr "URL und User-Agent"
2441
 
@@ -2444,7 +2444,7 @@ msgstr "URL und User-Agent"
2444
  msgid "Target URL"
2445
  msgstr "Ziel-URL"
2446
 
2447
- #: matches/url.php:7 redirection-strings.php:55
2448
  msgid "URL only"
2449
  msgstr "Nur URL"
2450
 
@@ -2466,7 +2466,7 @@ msgstr "Regex"
2466
  msgid "Referrer"
2467
  msgstr "Vermittler"
2468
 
2469
- #: matches/referrer.php:10 redirection-strings.php:58
2470
  msgid "URL and referrer"
2471
  msgstr "URL und Vermittler"
2472
 
@@ -2478,6 +2478,6 @@ msgstr "Ausgeloggt"
2478
  msgid "Logged In"
2479
  msgstr "Eingeloggt"
2480
 
2481
- #: matches/login.php:8 redirection-strings.php:56
2482
  msgid "URL and login status"
2483
  msgstr "URL- und Loginstatus"
2
  # This file is distributed under the same license as the Plugins - Redirection - Stable (latest release) package.
3
  msgid ""
4
  msgstr ""
5
+ "PO-Revision-Date: 2020-11-04 09:05:49+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
45
 
46
  #: redirection-strings.php:726
47
  msgid "An unknown error occurred."
48
+ msgstr "Ein unbekannter Fehler ist aufgetreten."
49
 
50
  #: redirection-strings.php:724
51
  msgid "Your REST API is being redirected. Please remove the redirection for the API."
105
 
106
  #: redirection-strings.php:491
107
  msgid "Logging"
108
+ msgstr "Protokollierung"
109
 
110
  #: redirection-strings.php:490
111
  msgid "(IP logging level)"
113
 
114
  #: redirection-strings.php:428
115
  msgid "Are you sure you want to delete the selected items?"
116
+ msgstr "Bist du sicher, dass du die ausgewählten Elemente löschen willst?"
117
 
118
  #: redirection-strings.php:378
119
  msgid "View Redirect"
121
 
122
  #: redirection-strings.php:376
123
  msgid "RSS"
124
+ msgstr "RSS"
125
 
126
  #: redirection-strings.php:370 redirection-strings.php:400
127
  msgid "Group by user agent"
139
  #: redirection-strings.php:333 redirection-strings.php:354
140
  #: redirection-strings.php:387 redirection-strings.php:414
141
  msgid "Domain"
142
+ msgstr "Domain"
143
 
144
  #: redirection-strings.php:332 redirection-strings.php:353
145
  #: redirection-strings.php:372 redirection-strings.php:386
146
  #: redirection-strings.php:413 redirection-strings.php:420
147
  msgid "Method"
148
+ msgstr "Methode"
149
 
150
  #: redirection-strings.php:263
151
  msgid "If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
157
 
158
  #: redirection-strings.php:256
159
  msgid "Something went wrong when upgrading Redirection."
160
+ msgstr "Etwas ging schief beim Upgrade von Redirection."
161
 
162
  #: redirection-strings.php:208
163
  msgid "Something went wrong when installing Redirection."
164
+ msgstr "Etwas ging schief bei der Installation von Redirection."
165
 
166
  #: redirection-strings.php:145
167
  msgid "Apply To All"
233
 
234
  #: redirection-strings.php:695
235
  msgid "Preferred domain"
236
+ msgstr "Bevorzugte Domain"
237
 
238
  #: redirection-strings.php:694
239
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."
261
 
262
  #: redirection-strings.php:688
263
  msgid "Add Alias"
264
+ msgstr "Alias hinzufügen"
265
 
266
  #: redirection-strings.php:687
267
  msgid "No aliases"
268
+ msgstr "Keine Aliase"
269
 
270
  #: redirection-strings.php:686
271
  msgid "Alias"
272
+ msgstr "Alias"
273
 
274
  #: redirection-strings.php:685
275
  msgid "Aliased Domain"
285
 
286
  #: redirection-strings.php:682
287
  msgid "Site Aliases"
288
+ msgstr "Website-Aliase"
289
 
290
  #: redirection-strings.php:585
291
  msgid "The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."
301
 
302
  #: redirection-strings.php:207
303
  msgid "Please wait, importing."
304
+ msgstr "Bitte warten, beim Importieren."
305
 
306
  #: redirection-strings.php:205
307
  msgid "Continue"
309
 
310
  #: redirection-strings.php:204
311
  msgid "The following plugins have been detected."
312
+ msgstr "Folgende Plugin wurden festgestellt."
313
 
314
  #: redirection-strings.php:203
315
  msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
321
 
322
  #: redirection-strings.php:201 redirection-strings.php:206
323
  msgid "Import Existing Redirects"
324
+ msgstr "Bestehende Umleitungen importieren"
325
 
326
  #: redirection-strings.php:166
327
  msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
328
+ msgstr "Das ist soweit alles - du leitest nun um! Bedenke, dass hier oben nur ein Beispiel genannt wird."
329
 
330
  #: redirection-strings.php:119
331
  msgid "If you want to redirect everything please use a site relocation or alias from the Site page."
481
 
482
  #: redirection-strings.php:223 redirection-strings.php:551
483
  msgid "Disabled"
484
+ msgstr "Deaktiviert"
485
 
486
  #: redirection-strings.php:222 redirection-strings.php:550
487
  msgid "Enabled"
488
+ msgstr "Aktiviert"
489
 
490
  #: redirection-strings.php:219 redirection-strings.php:344
491
  #: redirection-strings.php:404 redirection-strings.php:547
501
  #: redirection-strings.php:225 redirection-strings.php:520
502
  #: redirection-strings.php:543 redirection-strings.php:549
503
  msgid "Status"
504
+ msgstr "Status"
505
 
506
  #: redirection-strings.php:24
507
  msgid "Pre-defined"
552
  msgid "451 - Unavailable For Legal Reasons"
553
  msgstr ""
554
 
555
+ #: redirection-strings.php:66 matches/language.php:9
556
  msgid "URL and language"
557
  msgstr "URL und Sprache"
558
 
626
 
627
  #: redirection-strings.php:578
628
  msgid "IP Headers"
629
+ msgstr "IP-Header"
630
 
631
  #: redirection-strings.php:576
632
  msgid "Do not change unless advised to do so!"
633
+ msgstr "Nicht ändern, außer auf Anweisung!"
634
 
635
  #: redirection-strings.php:575
636
  msgid "Database version"
702
 
703
  #: redirection-strings.php:137
704
  msgid "Summary"
705
+ msgstr "Zusammenfassung"
706
 
707
  #: redirection-strings.php:136
708
  msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
718
 
719
  #: redirection-strings.php:133
720
  msgid "Working but some issues"
721
+ msgstr "Läuft, aber mit Problemen"
722
 
723
  #: redirection-strings.php:131
724
  msgid "Current API"
725
+ msgstr "Aktuelle API"
726
 
727
  #: redirection-strings.php:130
728
  msgid "Switch to this API"
729
+ msgstr "Zu dieser API wechseln"
730
 
731
  #: redirection-strings.php:129
732
  msgid "Hide"
738
 
739
  #: redirection-strings.php:127
740
  msgid "Working!"
741
+ msgstr "Läuft!"
742
 
743
  #: redirection-strings.php:121
744
  msgid "Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."
762
 
763
  #: redirection-strings.php:267
764
  msgid "What do I do next?"
765
+ msgstr "Was tue ich als nächstes?"
766
 
767
  #: redirection-strings.php:731
768
  msgid "Possible cause"
847
 
848
  #: redirection-strings.php:192
849
  msgid "A security plugin (e.g Wordfence)"
850
+ msgstr "Ein Sicherheitsplugin (z.&nbsp;B. Wordfence)"
851
 
852
  #: redirection-strings.php:534
853
  msgid "URL options"
854
+ msgstr "URL-Optionen"
855
 
856
  #: redirection-strings.php:105 redirection-strings.php:535
857
  msgid "Query Parameters"
858
+ msgstr "Abfrage-Parameter"
859
 
860
  #: redirection-strings.php:95
861
  msgid "Ignore & pass parameters to the target"
1126
 
1127
  #: redirection-admin.php:147 redirection-strings.php:255
1128
  msgid "Upgrade Database"
1129
+ msgstr "Datenbank-Upgrade durchführen"
1130
 
1131
  #. translators: 1: URL to plugin page
1132
  #: redirection-admin.php:82
1160
 
1161
  #: redirection-strings.php:654
1162
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
1163
+ msgstr "Bitte versuche nicht, all deine 404er umzuleiten - dies ist keine gute Idee."
1164
 
1165
  #: redirection-strings.php:653
1166
  msgid "Only the 404 page type is currently supported."
1167
+ msgstr "Nur der 404-Seitentyp wird momentan unterstützt."
1168
 
1169
  #: redirection-strings.php:652
1170
  msgid "Page Type"
1192
 
1193
  #: redirection-strings.php:75
1194
  msgid "304 - Not Modified"
1195
+ msgstr "304 - Not Modified"
1196
 
1197
  #: redirection-strings.php:74
1198
  msgid "303 - See Other"
1199
+ msgstr "303 - See Other"
1200
 
1201
  #: redirection-strings.php:71
1202
  msgid "Do nothing (ignore)"
1203
+ msgstr "Nichts tun (ignorieren)"
1204
 
1205
  #: redirection-strings.php:622 redirection-strings.php:626
1206
  msgid "Target URL when not matched (empty to ignore)"
1259
  msgid "Count"
1260
  msgstr ""
1261
 
1262
+ #: redirection-strings.php:65 matches/page.php:9
1263
  msgid "URL and WordPress page type"
1264
  msgstr ""
1265
 
1266
+ #: redirection-strings.php:61 matches/ip.php:9
1267
  msgid "URL and IP"
1268
  msgstr "URL und IP"
1269
 
1270
  #: redirection-strings.php:599
1271
  msgid "Problem"
1272
+ msgstr "Problem"
1273
 
1274
  #: redirection-strings.php:132 redirection-strings.php:598
1275
  msgid "Good"
1372
  msgid "Add New"
1373
  msgstr "Neue hinzufügen"
1374
 
1375
+ #: redirection-strings.php:57 matches/user-role.php:9
1376
  msgid "URL and role/capability"
1377
  msgstr "URL und Rolle / Berechtigung"
1378
 
1379
+ #: redirection-strings.php:62 matches/server.php:9
1380
  msgid "URL and server"
1381
  msgstr "URL und Server"
1382
 
1436
  msgid "If you are using a caching system such as Cloudflare then please read this: "
1437
  msgstr "Wenn du ein Caching-System, wie etwa Cloudflare, verwendest, lies bitte das Folgende:"
1438
 
1439
+ #: redirection-strings.php:63 matches/http-header.php:11
1440
  msgid "URL and HTTP header"
1441
  msgstr "URL und HTTP-Header"
1442
 
1443
+ #: redirection-strings.php:64 matches/custom-filter.php:9
1444
  msgid "URL and custom filter"
1445
  msgstr "URL und benutzerdefinierter Filter"
1446
 
1447
+ #: redirection-strings.php:60 matches/cookie.php:7
1448
  msgid "URL and cookie"
1449
  msgstr "URL und Cookie"
1450
 
1687
  #: redirection-strings.php:25 redirection-strings.php:630
1688
  #: redirection-strings.php:644
1689
  msgid "Custom"
1690
+ msgstr "Individuell"
1691
 
1692
  #: redirection-strings.php:631
1693
  msgid "Mobile"
1711
 
1712
  #: redirection-strings.php:480
1713
  msgid "For example \"/amp\""
1714
+ msgstr "Zum Beispiel „/amp“"
1715
 
1716
  #: redirection-strings.php:497
1717
  msgid "URL Monitor"
2435
  msgid "User Agent"
2436
  msgstr "User Agent"
2437
 
2438
+ #: redirection-strings.php:59 matches/user-agent.php:10
2439
  msgid "URL and user agent"
2440
  msgstr "URL und User-Agent"
2441
 
2444
  msgid "Target URL"
2445
  msgstr "Ziel-URL"
2446
 
2447
+ #: redirection-strings.php:55 matches/url.php:7
2448
  msgid "URL only"
2449
  msgstr "Nur URL"
2450
 
2466
  msgid "Referrer"
2467
  msgstr "Vermittler"
2468
 
2469
+ #: redirection-strings.php:58 matches/referrer.php:10
2470
  msgid "URL and referrer"
2471
  msgstr "URL und Vermittler"
2472
 
2478
  msgid "Logged In"
2479
  msgstr "Eingeloggt"
2480
 
2481
+ #: redirection-strings.php:56 matches/login.php:8
2482
  msgid "URL and login status"
2483
  msgstr "URL- und Loginstatus"
locale/redirection-el.mo CHANGED
Binary file
locale/redirection-el.po CHANGED
@@ -2,7 +2,7 @@
2
  # This file is distributed under the same license as the Plugins - Redirection - Stable (latest release) package.
3
  msgid ""
4
  msgstr ""
5
- "PO-Revision-Date: 2020-04-11 12:37:49+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -11,423 +11,600 @@ msgstr ""
11
  "Language: el_GR\n"
12
  "Project-Id-Version: Plugins - Redirection - Stable (latest release)\n"
13
 
14
- #: redirection-strings.php:680
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
15
  msgid "Relocate to domain"
16
  msgstr ""
17
 
18
- #: redirection-strings.php:679
19
  msgid "Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings."
20
  msgstr ""
21
 
22
- #: redirection-strings.php:678
23
  msgid "Relocate Site"
24
  msgstr ""
25
 
26
- #: redirection-strings.php:671
27
  msgid "Add CORS Presets"
28
  msgstr ""
29
 
30
- #: redirection-strings.php:670
31
  msgid "Add Security Presets"
32
  msgstr ""
33
 
34
- #: redirection-strings.php:669
35
  msgid "Add Header"
36
  msgstr ""
37
 
38
- #: redirection-strings.php:664
39
  msgid "You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"
40
  msgstr ""
41
 
42
- #: redirection-strings.php:663
43
  msgid "Preferred domain"
44
  msgstr ""
45
 
46
- #: redirection-strings.php:662
47
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."
48
  msgstr ""
49
 
50
- #: redirection-strings.php:661
51
  msgid "Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"
52
  msgstr ""
53
 
54
- #: redirection-strings.php:660
55
  msgid "Canonical Settings"
56
  msgstr ""
57
 
58
- #: redirection-strings.php:659
59
  msgid "Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"
60
  msgstr ""
61
 
62
- #: redirection-strings.php:658
63
  msgid "Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"
64
  msgstr ""
65
 
66
- #: redirection-strings.php:657
67
  msgid "Don't set a preferred domain - {{code}}%(site)s{{/code}}"
68
  msgstr ""
69
 
70
- #: redirection-strings.php:656
71
  msgid "Add Alias"
72
  msgstr ""
73
 
74
- #: redirection-strings.php:655
75
  msgid "No aliases"
76
  msgstr ""
77
 
78
- #: redirection-strings.php:654
79
  msgid "Alias"
80
  msgstr ""
81
 
82
- #: redirection-strings.php:653
83
  msgid "Aliased Domain"
84
  msgstr ""
85
 
86
- #: redirection-strings.php:652
87
  msgid "You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install."
88
  msgstr ""
89
 
90
- #: redirection-strings.php:651
91
  msgid "A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin."
92
  msgstr ""
93
 
94
- #: redirection-strings.php:650
95
  msgid "Site Aliases"
96
  msgstr ""
97
 
98
- #: redirection-strings.php:584
99
  msgid "The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."
100
  msgstr ""
101
 
102
- #: redirection-strings.php:583
103
  msgid "Need to search and replace?"
104
  msgstr ""
105
 
106
- #: redirection-strings.php:572
107
  msgid "Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes."
108
  msgstr ""
109
 
110
- #: redirection-strings.php:248
111
  msgid "Please wait, importing."
112
  msgstr ""
113
 
114
- #: redirection-strings.php:246
115
  msgid "Continue"
116
  msgstr ""
117
 
118
- #: redirection-strings.php:245
119
  msgid "The following plugins have been detected."
120
  msgstr ""
121
 
122
- #: redirection-strings.php:244
123
  msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
124
  msgstr ""
125
 
126
- #: redirection-strings.php:243
127
  msgid "Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import."
128
  msgstr ""
129
 
130
- #: redirection-strings.php:242 redirection-strings.php:247
131
  msgid "Import Existing Redirects"
132
  msgstr ""
133
 
134
- #: redirection-strings.php:207
135
  msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
136
  msgstr ""
137
 
138
- #: redirection-strings.php:152
139
  msgid "If you want to redirect everything please use a site relocation or alias from the Site page."
140
  msgstr ""
141
 
142
- #: redirection-strings.php:683
143
  msgid "Value"
144
  msgstr ""
145
 
146
- #: redirection-strings.php:682
147
  msgid "Values"
148
  msgstr ""
149
 
150
- #: redirection-strings.php:681
151
  msgid "All"
152
  msgstr ""
153
 
154
- #: redirection-strings.php:677
155
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
156
  msgstr ""
157
 
158
- #: redirection-strings.php:676
159
  msgid "No headers"
160
  msgstr ""
161
 
162
- #: redirection-strings.php:675
163
  msgid "Header"
164
  msgstr ""
165
 
166
- #: redirection-strings.php:674
167
  msgid "Location"
168
  msgstr ""
169
 
170
- #: redirection-strings.php:673
171
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
172
  msgstr ""
173
 
174
- #: redirection-strings.php:672
175
  msgid "HTTP Headers"
176
  msgstr ""
177
 
178
- #: redirection-strings.php:668
179
  msgid "Custom Header"
180
  msgstr ""
181
 
182
- #: redirection-strings.php:667
183
  msgid "General"
184
  msgstr ""
185
 
186
- #: redirection-strings.php:666
187
  msgid "Redirect"
188
  msgstr ""
189
 
190
- #: redirection-strings.php:157
191
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
192
  msgstr ""
193
 
194
- #: redirection-strings.php:78 redirection-strings.php:306
195
- #: redirection-strings.php:665
196
  msgid "Site"
197
  msgstr ""
198
 
199
- #: redirection-strings.php:34
200
  msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
201
  msgstr ""
202
 
203
- #: redirection-strings.php:571
204
  msgid "Ignore & Pass Query"
205
  msgstr ""
206
 
207
- #: redirection-strings.php:570
208
  msgid "Ignore Query"
209
  msgstr ""
210
 
211
- #: redirection-strings.php:569
212
  msgid "Exact Query"
213
  msgstr ""
214
 
215
- #: redirection-strings.php:558
216
  msgid "Search title"
217
  msgstr ""
218
 
219
- #: redirection-strings.php:555
220
  msgid "Not accessed in last year"
221
  msgstr ""
222
 
223
- #: redirection-strings.php:554
224
  msgid "Not accessed in last month"
225
  msgstr ""
226
 
227
- #: redirection-strings.php:553
228
  msgid "Never accessed"
229
  msgstr ""
230
 
231
- #: redirection-strings.php:552
232
  msgid "Last Accessed"
233
  msgstr ""
234
 
235
- #: redirection-strings.php:551
236
  msgid "HTTP Status Code"
237
  msgstr ""
238
 
239
- #: redirection-strings.php:548
240
  msgid "Plain"
241
  msgstr ""
242
 
243
- #: redirection-strings.php:546
244
  msgid "URL match"
245
  msgstr ""
246
 
247
- #: redirection-strings.php:528
248
  msgid "Source"
249
  msgstr ""
250
 
251
- #: redirection-strings.php:519
252
  msgid "Code"
253
  msgstr ""
254
 
255
- #: redirection-strings.php:518 redirection-strings.php:539
256
- #: redirection-strings.php:550
257
  msgid "Action Type"
258
  msgstr ""
259
 
260
- #: redirection-strings.php:517 redirection-strings.php:534
261
- #: redirection-strings.php:549
262
  msgid "Match Type"
263
  msgstr ""
264
 
265
- #: redirection-strings.php:378 redirection-strings.php:557
266
  msgid "Search target URL"
267
  msgstr ""
268
 
269
- #: redirection-strings.php:377 redirection-strings.php:418
270
  msgid "Search IP"
271
  msgstr ""
272
 
273
- #: redirection-strings.php:376 redirection-strings.php:417
274
  msgid "Search user agent"
275
  msgstr ""
276
 
277
- #: redirection-strings.php:375 redirection-strings.php:416
278
  msgid "Search referrer"
279
  msgstr ""
280
 
281
- #: redirection-strings.php:374 redirection-strings.php:415
282
- #: redirection-strings.php:556
283
  msgid "Search URL"
284
  msgstr ""
285
 
286
- #: redirection-strings.php:292
287
  msgid "Filter on: %(type)s"
288
  msgstr ""
289
 
290
- #: redirection-strings.php:267 redirection-strings.php:545
291
  msgid "Disabled"
292
  msgstr ""
293
 
294
- #: redirection-strings.php:266 redirection-strings.php:544
295
  msgid "Enabled"
296
  msgstr ""
297
 
298
- #: redirection-strings.php:264 redirection-strings.php:367
299
- #: redirection-strings.php:409 redirection-strings.php:542
300
  msgid "Compact Display"
301
  msgstr ""
302
 
303
- #: redirection-strings.php:263 redirection-strings.php:366
304
- #: redirection-strings.php:408 redirection-strings.php:541
305
  msgid "Standard Display"
306
  msgstr ""
307
 
308
- #: redirection-strings.php:261 redirection-strings.php:265
309
- #: redirection-strings.php:269 redirection-strings.php:515
310
- #: redirection-strings.php:538 redirection-strings.php:543
311
  msgid "Status"
312
  msgstr ""
313
 
314
- #: redirection-strings.php:187
315
  msgid "Pre-defined"
316
  msgstr ""
317
 
318
- #: redirection-strings.php:186
319
  msgid "Custom Display"
320
  msgstr ""
321
 
322
- #: redirection-strings.php:185
 
323
  msgid "Display All"
324
  msgstr ""
325
 
326
- #: redirection-strings.php:156
327
  msgid "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"
328
  msgstr ""
329
 
330
- #: redirection-strings.php:636
331
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
332
  msgstr ""
333
 
334
- #: redirection-strings.php:635
335
  msgid "Language"
336
  msgstr ""
337
 
338
- #: redirection-strings.php:123
339
  msgid "504 - Gateway Timeout"
340
  msgstr ""
341
 
342
- #: redirection-strings.php:122
343
  msgid "503 - Service Unavailable"
344
  msgstr ""
345
 
346
- #: redirection-strings.php:121
347
  msgid "502 - Bad Gateway"
348
  msgstr ""
349
 
350
- #: redirection-strings.php:120
351
  msgid "501 - Not implemented"
352
  msgstr ""
353
 
354
- #: redirection-strings.php:119
355
  msgid "500 - Internal Server Error"
356
  msgstr ""
357
 
358
- #: redirection-strings.php:118
359
  msgid "451 - Unavailable For Legal Reasons"
360
  msgstr ""
361
 
362
- #: redirection-strings.php:100 matches/language.php:9
363
  msgid "URL and language"
364
  msgstr ""
365
 
366
- #: redirection-strings.php:45
367
- msgid "The problem is almost certainly caused by one of the above."
368
- msgstr ""
369
-
370
- #: redirection-strings.php:44
371
- msgid "Your admin pages are being cached. Clear this cache and try again."
372
- msgstr ""
373
-
374
- #: redirection-strings.php:43
375
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
376
  msgstr ""
377
 
378
- #: redirection-strings.php:42
379
  msgid "Reload the page - your current session is old."
380
  msgstr ""
381
 
382
- #: redirection-strings.php:41
383
- msgid "This is usually fixed by doing one of these:"
384
- msgstr ""
385
-
386
- #: redirection-strings.php:40
387
- msgid "You are not authorised to access this page."
388
- msgstr ""
389
-
390
  #: redirection-strings.php:4
391
  msgid "A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved."
392
  msgstr "Ένας βρόχος εντοπίστηκε και η αναβάθμιση έχει διακοπεί. Αυτό συνήθως υποδεικνύει ότι {{support}}ο ιστότοπός σας είναι cached{{/support}} και οι αλλαγές στη βάση δεδομένων δεν αποθηκεύονται."
393
 
394
- #: redirection-strings.php:509
395
  msgid "Unable to save .htaccess file"
396
  msgstr "Αδύνατη η αποθήκευση του .htaccess αρχείου"
397
 
398
- #: redirection-strings.php:508
399
  msgid "Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}."
400
  msgstr "Οι ανακατευθύνσεις που προστέθηκαν σε μία ομάδα του Apache μπορούν να αποθηκευτούν σε ένα {{code}}.htaccess{{/code}} αρχείο, προσθέτοντας την πλήρη διαδρομή εδώ. Ως σημείο αναφοράς, το WordPress σας είναι εγκατεστημένο στο {{code}}%(installed)s{{/code}}. "
401
 
402
- #: redirection-strings.php:296
403
  msgid "Click \"Complete Upgrade\" when finished."
404
  msgstr "Κάντε κλικ στο \"Ολοκλήρωση Αναβάθμισης\" όταν ολοκληρωθεί."
405
 
406
- #: redirection-strings.php:252
407
  msgid "Automatic Install"
408
  msgstr "Αυτόματη Εγκατάσταση"
409
 
410
- #: redirection-strings.php:155
411
  msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
412
  msgstr "Η στοχευμένη σας διεύθυνση URL περιέχει έναν μη έγκυρο χαρακτήρα {{code}}%(invalid)s{{/code}}"
413
 
414
- #: redirection-strings.php:52
415
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
416
  msgstr "Αν χρησιμοποιείτε το WordPress 5.2 ή νεότερο, κοιτάξτε την {{link}}Υγεία Ιστοτόπου{{/link}} και επιλύστε οποιαδήποτε θέματα."
417
 
418
- #: redirection-strings.php:17
419
  msgid "If you do not complete the manual install you will be returned here."
420
  msgstr "Αν δεν ολοκληρώσετε την χειροκίνητη εγκατάσταση θα επιστρέψετε εδώ."
421
 
422
- #: redirection-strings.php:15
423
  msgid "Click \"Finished! 🎉\" when finished."
424
  msgstr "Κάντε κλικ στο \"Ολοκληρώθηκε! 🎉\" όταν ολοκληρωθεί."
425
 
426
- #: redirection-strings.php:14 redirection-strings.php:295
427
  msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
428
  msgstr "Αν ο ιστότοπός σας χρειάζεται ειδικά δικαιώματα για τη βάση δεδομένων, ή αν προτιμάτε να το κάνετε ο ίδιος, μπορείτε να τρέξετε χειροκίνητα την ακόλουθη SQL."
429
 
430
- #: redirection-strings.php:13 redirection-strings.php:251
431
  msgid "Manual Install"
432
  msgstr "Χειροκίνητη Εγκατάσταση"
433
 
@@ -435,317 +612,288 @@ msgstr "Χειροκίνητη Εγκατάσταση"
435
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
436
  msgstr "Εντοπίστηκαν ανεπαρκή δικαιώματα για τη βάση δεδομένων. Παρακαλούμε δώστε τα κατάλληλα δικαιώματα στον χρήστη της βάσης δεδομένων σας."
437
 
438
- #: redirection-strings.php:603
439
  msgid "This information is provided for debugging purposes. Be careful making any changes."
440
  msgstr "Αυτές οι πληροφορίες παρέχονται για σκοπούς αποσφαλμάτωσης. Να είστε προσεκτικοί κάνοντας οποιεσδήποτε αλλαγές."
441
 
442
- #: redirection-strings.php:602
443
  msgid "Plugin Debug"
444
  msgstr "Αποσφαλμάτωση Προσθέτου"
445
 
446
- #: redirection-strings.php:600
447
  msgid "Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it."
448
  msgstr "Το Redirection επικοινωνεί με το WordPress μέσω του WordPress REST API. Αυτό είναι ένα κανονικό κομμάτι του WordPress, και θα αντιμετωπίσετε προβλήματα αν δεν μπορείτε να το χρησιμοποιήσετε."
449
 
450
- #: redirection-strings.php:577
451
  msgid "IP Headers"
452
  msgstr "Κεφαλίδες IP"
453
 
454
- #: redirection-strings.php:575
455
  msgid "Do not change unless advised to do so!"
456
  msgstr ""
457
 
458
- #: redirection-strings.php:574
459
  msgid "Database version"
460
  msgstr "Έκδοση βάσης δεδομένων"
461
 
462
- #: redirection-strings.php:351
463
  msgid "Complete data (JSON)"
464
  msgstr "Ολόκληρα δεδομένα (JSON)"
465
 
466
- #: redirection-strings.php:346
467
  msgid "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format."
468
  msgstr "Εξαγωγή σε CSV, Apache .htaccess, Nginx, ή Redirection JSON. Η μορφή JSON περιέχει πλήρεις πληροφορίες, και οι άλλες μορφές περιέχουν μερικές πληροφορίες αναλόγως με τη μορφή."
469
 
470
- #: redirection-strings.php:344
471
  msgid "CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data."
472
  msgstr "Το CSV δεν περιέχει όλες τις πληροφορίες, και όλα εισάγονται/εξάγονται ως \"μόνο URL\" αντιστοιχίες. Χρησιμοποιήστε τη μορφή JSON για μία πλήρη συλλογή δεδομένων."
473
 
474
- #: redirection-strings.php:342
475
  msgid "All imports will be appended to the current database - nothing is merged."
476
  msgstr ""
477
 
478
- #: redirection-strings.php:304
479
  msgid "Automatic Upgrade"
480
  msgstr "Αυτόματη Αναβάθμιση"
481
 
482
- #: redirection-strings.php:303
483
  msgid "Manual Upgrade"
484
  msgstr "Χειροκίνητη Αναβάθμιση"
485
 
486
- #: redirection-strings.php:302
487
  msgid "Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection."
488
  msgstr ""
489
 
490
- #: redirection-strings.php:298
491
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
492
  msgstr "Κάντε κλικ στο κουμπί \"Αναβάθμιση Βάσης Δεδομένων\" για να αναβαθμίσετε αυτόματα τη βάση δεδομένων."
493
 
494
- #: redirection-strings.php:297
495
  msgid "Complete Upgrade"
496
  msgstr "Ολοκληρωμένη Αναβάθμιση"
497
 
498
- #: redirection-strings.php:294
499
  msgid "Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}."
500
  msgstr ""
501
 
502
- #: redirection-strings.php:281 redirection-strings.php:291
503
  msgid "Note that you will need to set the Apache module path in your Redirection options."
504
  msgstr ""
505
 
506
- #: redirection-strings.php:250
507
  msgid "I need support!"
508
  msgstr "Χρειάζομαι υποστήριξη!"
509
 
510
- #: redirection-strings.php:239
511
  msgid "You will need at least one working REST API to continue."
512
  msgstr "Θα χρειαστείτε τουλάχιστον ένα λειτουργικό REST API για να συνεχίσετε."
513
 
514
- #: redirection-strings.php:173
515
  msgid "Check Again"
516
  msgstr "Ελέγξτε Πάλι"
517
 
518
- #: redirection-strings.php:172
519
  msgid "Testing - %s$"
520
  msgstr "Γίνεται δοκιμή - %s$"
521
 
522
- #: redirection-strings.php:171
523
  msgid "Show Problems"
524
  msgstr "Εμφάνιση Προβλημάτων"
525
 
526
- #: redirection-strings.php:170
527
  msgid "Summary"
528
  msgstr "Σύνοψη"
529
 
530
- #: redirection-strings.php:169
531
- msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
532
- msgstr "Χρησιμοποιείτε μία χαλασμένη διαδρομή του REST API. Η αλλαγή σε ένα λειτουργικό API θα πρέπει να διορθώσει το πρόβλημα."
533
-
534
- #: redirection-strings.php:168
535
  msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
536
  msgstr "Το REST API σας δεν λειτουργεί και το πρόσθετο δεν θα μπορεί να συνεχίσει μέχρι αυτό να διορθωθεί."
537
 
538
- #: redirection-strings.php:167
539
  msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
540
  msgstr "Υπάρχουν κάποια προβλήματα με την επικοινωνία με το REST API σας. Δεν είναι απαραίτητο να διορθώσετε αυτά τα προβλήματα και το πρόσθετο μπορεί να λειτουργήσει."
541
 
542
- #: redirection-strings.php:166
543
  msgid "Unavailable"
544
  msgstr "Μη Διαθέσιμο"
545
 
546
- #: redirection-strings.php:165
547
- msgid "Not working but fixable"
548
- msgstr "Δεν λειτουργεί αλλά επιλύσιμο"
549
-
550
- #: redirection-strings.php:164
551
  msgid "Working but some issues"
552
  msgstr "Λειτουργεί αλλά υπάρχουν κάποια θέματα"
553
 
554
- #: redirection-strings.php:162
555
  msgid "Current API"
556
  msgstr "Τρέχον API"
557
 
558
- #: redirection-strings.php:161
559
  msgid "Switch to this API"
560
  msgstr "Αλλαγή σε αυτό το API"
561
 
562
- #: redirection-strings.php:160
563
  msgid "Hide"
564
  msgstr "Απόκρυψη"
565
 
566
- #: redirection-strings.php:159
567
  msgid "Show Full"
568
  msgstr "Εμφάνιση Πλήρους"
569
 
570
- #: redirection-strings.php:158
571
  msgid "Working!"
572
  msgstr "Λειτουργεί!"
573
 
574
- #: redirection-strings.php:154
575
  msgid "Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."
576
  msgstr ""
577
 
578
- #: redirection-strings.php:153
579
  msgid "Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action."
580
  msgstr ""
581
 
582
- #: redirection-strings.php:143
583
  msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
584
  msgstr ""
585
 
586
- #: redirection-strings.php:39
587
  msgid "Include these details in your report along with a description of what you were doing and a screenshot."
588
  msgstr ""
589
 
590
- #: redirection-strings.php:37
591
  msgid "Create An Issue"
592
  msgstr ""
593
 
594
- #: redirection-strings.php:36
595
- msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
596
- msgstr ""
597
-
598
- #: redirection-strings.php:46 redirection-strings.php:53
599
- msgid "That didn't help"
600
- msgstr "Αυτό δεν βοήθησε"
601
-
602
- #: redirection-strings.php:48
603
  msgid "What do I do next?"
604
  msgstr "Τι κάνω στη συνέχεια;"
605
 
606
- #: redirection-strings.php:33
607
  msgid "Possible cause"
608
  msgstr "Πιθανή αιτία"
609
 
610
- #: redirection-strings.php:32
611
- msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
612
- msgstr "Το WordPress επέστρεψε ένα απροσδόκητο μήνυμα. Αυτό είναι πιθανώς ένα σφάλμα της PHP ή κάποιου άλλου πρόσθετου."
613
-
614
- #: redirection-strings.php:29
615
  msgid "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"
616
  msgstr ""
617
 
618
- #: redirection-strings.php:26
619
- msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
620
- msgstr ""
621
-
622
- #: redirection-strings.php:24
623
  msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
624
  msgstr ""
625
 
626
- #: redirection-strings.php:23 redirection-strings.php:25
627
- #: redirection-strings.php:27 redirection-strings.php:30
628
- #: redirection-strings.php:35
629
  msgid "Read this REST API guide for more information."
630
  msgstr "Διάβαστε αυτόν τον οδηγό του REST API για περισσότερες πληροφορίες."
631
 
632
- #: redirection-strings.php:22
633
- msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
634
- msgstr "Το REST API σας αποθηκεύεται στη μνήμη cache. Παρακαλούμε αδειάστε οποιοδήποτε πρόσθετο μνήμης cache και τη μνήμη cache του διακομιστή, αποσυνδεθείτε, αδειάστε τη μνήμη cache του περιηγητή σας, και προσπαθήστε πάλι."
635
-
636
- #: redirection-strings.php:142
637
  msgid "URL options / Regex"
638
  msgstr "Επιλογές URL / Regex"
639
 
640
- #: redirection-strings.php:358
641
  msgid "Export 404"
642
  msgstr "Εξαγωγή 404"
643
 
644
- #: redirection-strings.php:357
645
  msgid "Export redirect"
646
  msgstr "Εξαγωγή ανακατεύθυνσης"
647
 
648
- #: redirection-strings.php:150
649
  msgid "WordPress permalink structures do not work in normal URLs. Please use a regular expression."
650
  msgstr "Η δομή των μόνιμων συνδέσμων του WordPress δεν λειτουργεί στα κανονικά URLs. Παρακαλούμε χρησιμοποιήστε ένα regular expression."
651
 
652
- #: redirection-strings.php:504
653
  msgid "Pass - as ignore, but also copies the query parameters to the target"
654
  msgstr "Πέρασμα - όπως η αγνόηση, αλλά επίσης αντιγράφει τις παραμέτρους του ερωτήματος στον στόχο"
655
 
656
- #: redirection-strings.php:503
657
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
658
  msgstr "Αγνόηση - όπως η ακριβής, αλλά αγνοεί οποιεσδήποτε παραμέτρους του ερωτήματος δεν υπάρχουν στην προέλευσή σας"
659
 
660
- #: redirection-strings.php:502
661
  msgid "Exact - matches the query parameters exactly defined in your source, in any order"
662
  msgstr "Ακριβής - αντιστοιχεί στις παραμέτρους του ερωτήματος ακριβώς όπως ορίστηκαν στην προέλευσή σας, σε οποιαδήποτε σειρά"
663
 
664
- #: redirection-strings.php:500
665
  msgid "Default query matching"
666
  msgstr "Προεπιλεγμένη αντιστοίχιση ερωτήματος"
667
 
668
- #: redirection-strings.php:499
669
  msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
670
  msgstr "Αγνόηση των καθέτων στο τέλος (π.χ. το {{code}}/συναρπαστικό-άρθρο/{{/code}} θα αντιστοιχίσει στο {{code}}/συναρπαστικό-άρθρο{{/code}})"
671
 
672
- #: redirection-strings.php:498
673
  msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
674
  msgstr ""
675
 
676
- #: redirection-strings.php:497 redirection-strings.php:501
677
  msgid "Applies to all redirections unless you configure them otherwise."
678
  msgstr ""
679
 
680
- #: redirection-strings.php:496
681
  msgid "Default URL settings"
682
  msgstr ""
683
 
684
- #: redirection-strings.php:479
685
  msgid "Ignore and pass all query parameters"
686
  msgstr ""
687
 
688
- #: redirection-strings.php:478
689
  msgid "Ignore all query parameters"
690
  msgstr ""
691
 
692
- #: redirection-strings.php:477
693
  msgid "Exact match"
694
  msgstr ""
695
 
696
- #: redirection-strings.php:235
697
  msgid "Caching software (e.g Cloudflare)"
698
  msgstr ""
699
 
700
- #: redirection-strings.php:233
701
  msgid "A security plugin (e.g Wordfence)"
702
  msgstr ""
703
 
704
- #: redirection-strings.php:529
705
  msgid "URL options"
706
  msgstr "Επιλογές URL"
707
 
708
- #: redirection-strings.php:138 redirection-strings.php:530
709
  msgid "Query Parameters"
710
  msgstr "Παράμετροι Ερωτήματος"
711
 
712
- #: redirection-strings.php:129
713
  msgid "Ignore & pass parameters to the target"
714
  msgstr ""
715
 
716
- #: redirection-strings.php:128
717
  msgid "Ignore all parameters"
718
  msgstr ""
719
 
720
- #: redirection-strings.php:127
721
  msgid "Exact match all parameters in any order"
722
  msgstr ""
723
 
724
- #: redirection-strings.php:126
725
  msgid "Ignore Case"
726
  msgstr ""
727
 
728
- #: redirection-strings.php:125
729
  msgid "Ignore Slash"
730
  msgstr ""
731
 
732
- #: redirection-strings.php:476
733
  msgid "Relative REST API"
734
  msgstr ""
735
 
736
- #: redirection-strings.php:475
737
  msgid "Raw REST API"
738
  msgstr "Ακατέργαστο REST API"
739
 
740
- #: redirection-strings.php:474
741
  msgid "Default REST API"
742
  msgstr "Προεπιλεγμένο REST API"
743
 
744
- #: redirection-strings.php:206
745
  msgid "(Example) The target URL is the new URL"
746
  msgstr "(Παράδειγμα) Το στοχευμένο URL είναι το νέο URL"
747
 
748
- #: redirection-strings.php:204
749
  msgid "(Example) The source URL is your old or original URL"
750
  msgstr "(Παράδειγμα) Το URL προέλευσης είναι το παλιό σας ή το αρχικό URL"
751
 
@@ -754,234 +902,234 @@ msgstr "(Παράδειγμα) Το URL προέλευσης είναι το π
754
  msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
755
  msgstr "Απενεργοποιημένο! Εντοπίστηκε PHP έκδοση %1$s, χρειάζεται PHP %2$s+"
756
 
757
- #: redirection-strings.php:293
758
  msgid "A database upgrade is in progress. Please continue to finish."
759
  msgstr "Πραγματοποιείται μία αναβάθμιση της βάσης δεδομένων. Παρακαλούμε συνεχίστε για να ολοκληρωθεί."
760
 
761
  #. translators: 1: URL to plugin page, 2: current version, 3: target version
762
- #: redirection-admin.php:82
763
  msgid "Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."
764
  msgstr "Η βάση δεδομένων του Redirection χρειάζεται να ενημερωθεί - <a href=\"%1$1s\">κάντε κλικ για ενημέρωση</a>."
765
 
766
- #: redirection-strings.php:301
767
  msgid "Redirection database needs upgrading"
768
  msgstr "Η βάση δεδομένων του Redirection χρειάζεται να αναβαθμιστεί"
769
 
770
- #: redirection-strings.php:300
771
  msgid "Upgrade Required"
772
  msgstr "Απαιτείται ενημέρωση"
773
 
774
- #: redirection-strings.php:240
775
  msgid "Finish Setup"
776
  msgstr "Ολοκλήρωση εγκατάστασης"
777
 
778
- #: redirection-strings.php:238
779
  msgid "You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings."
780
  msgstr "Έχετε διαφορετικά URLs ρυθμισμένα στη σελίδα Ρυθμίσεις WordPress > Γενικά, το οποίο συνήθως είναι ένδειξη λάθος ρυθμίσεων, και μπορεί να προκαλέσει προβλήματα με το REST API. Παρακαλούμε κοιτάξτε πάλι τις ρυθμίσεις σας."
781
 
782
- #: redirection-strings.php:237
783
  msgid "If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}."
784
  msgstr "Αν αντιμετωπίζετε κάποιο πρόβλημα παρακαλούμε συμβουλευτείτε την τεκμηρίωση του προσθέτου, ή επικοινωνήστε με την υποστήριξη της υπηρεσίας φιλοξενίας. Αυτό γενικά {{link}}δεν είναι κάποιο πρόβλημα που προκλήθηκε από το Redirection{{/link}}."
785
 
786
- #: redirection-strings.php:236
787
  msgid "Some other plugin that blocks the REST API"
788
  msgstr "Κάποιο άλλο πρόσθετο μπλοκάρει το REST API"
789
 
790
- #: redirection-strings.php:234
791
  msgid "A server firewall or other server configuration (e.g OVH)"
792
  msgstr "Ένα firewall του διακομιστή ή κάποια άλλη ρύθμιση στον διακομιστή (π.χ. OVH)"
793
 
794
- #: redirection-strings.php:232
795
  msgid "Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:"
796
  msgstr "Το Redirection χρησιμοποιεί το {{link}}WordPress REST API{{/link}} για να επικοινωνήσει με το WordPress. Αυτό είναι ενεργοποιημένο και λειτουργικό από προεπιλογή. Μερικές φορές το REST API μπλοκάρεται από:"
797
 
798
- #: redirection-strings.php:230 redirection-strings.php:241
799
  msgid "Go back"
800
  msgstr "Επιστροφή"
801
 
802
- #: redirection-strings.php:229
803
  msgid "Continue Setup"
804
  msgstr "Συνέχεια Εγκατάστασης"
805
 
806
- #: redirection-strings.php:227
807
  msgid "Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR)."
808
  msgstr ""
809
 
810
- #: redirection-strings.php:226
811
  msgid "Store IP information for redirects and 404 errors."
812
  msgstr ""
813
 
814
- #: redirection-strings.php:224
815
  msgid "Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements."
816
  msgstr ""
817
 
818
- #: redirection-strings.php:223
819
  msgid "Keep a log of all redirects and 404 errors."
820
  msgstr ""
821
 
822
- #: redirection-strings.php:222 redirection-strings.php:225
823
- #: redirection-strings.php:228
824
  msgid "{{link}}Read more about this.{{/link}}"
825
  msgstr ""
826
 
827
- #: redirection-strings.php:221
828
  msgid "If you change the permalink in a post or page then Redirection can automatically create a redirect for you."
829
  msgstr ""
830
 
831
- #: redirection-strings.php:220
832
  msgid "Monitor permalink changes in WordPress posts and pages"
833
  msgstr ""
834
 
835
- #: redirection-strings.php:219
836
  msgid "These are some options you may want to enable now. They can be changed at any time."
837
  msgstr ""
838
 
839
- #: redirection-strings.php:218
840
  msgid "Basic Setup"
841
  msgstr "Βασική εγκατάσταση"
842
 
843
- #: redirection-strings.php:217
844
  msgid "Start Setup"
845
  msgstr "Έναρξη εγκατάστασης"
846
 
847
- #: redirection-strings.php:216
848
  msgid "When ready please press the button to continue."
849
  msgstr ""
850
 
851
- #: redirection-strings.php:215
852
  msgid "First you will be asked a few questions, and then Redirection will set up your database."
853
  msgstr ""
854
 
855
- #: redirection-strings.php:214
856
  msgid "What's next?"
857
  msgstr "Τι ακολουθεί;"
858
 
859
- #: redirection-strings.php:213
860
  msgid "Check a URL is being redirected"
861
  msgstr ""
862
 
863
- #: redirection-strings.php:212
864
  msgid "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"
865
  msgstr ""
866
 
867
- #: redirection-strings.php:211
868
  msgid "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"
869
  msgstr ""
870
 
871
- #: redirection-strings.php:210
872
  msgid "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"
873
  msgstr ""
874
 
875
- #: redirection-strings.php:209
876
  msgid "Some features you may find useful are"
877
  msgstr ""
878
 
879
- #: redirection-strings.php:208
880
  msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
881
  msgstr "Μπορείτε να βρείτε την πλήρη τεκμηρίωση στον {{link}}ιστότοπο του Redirection.{{/link}}"
882
 
883
- #: redirection-strings.php:202
884
  msgid "A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:"
885
  msgstr "Μία απλή ανακατεύθυνση περιλαμβάνει τη ρύθμιση ενός {{strong}}URL προέλευσης{{/strong}} (το παλιό URL) και ενός {{strong}}στοχευμένου URL{{/strong}} (το νέο URL). Ορίστε ένα παράδειγμα:"
886
 
887
- #: redirection-strings.php:201
888
  msgid "How do I use this plugin?"
889
  msgstr "Πώς χρησιμοποιώ αυτό το πρόσθετο;"
890
 
891
- #: redirection-strings.php:200
892
  msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
893
  msgstr "Το Redirection είναι σχεδιασμένο για να χρησιμοποιείται από ιστοτόπους με λίγες ανακατευθύνσεις μέχρι και ιστοτόπους με χιλιάδες ανακατευθύνσεις."
894
 
895
- #: redirection-strings.php:199
896
  msgid "Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed."
897
  msgstr "Ευχαριστούμε που εγκαταστήσατε και χρησιμοποείτε το Redirection v%(version)s. Αυτό το πρόσθετο θα σας επιτρέπει να διαχειρίζεστε τις ανακατευθύνσεις 301, να παρακολουθείτε τα σφάλματα 404, και να βελτιώσετε τον ιστότοπό σας, χωρίς να χρειάζεται γνώση των Apache και Nginx."
898
 
899
- #: redirection-strings.php:198
900
  msgid "Welcome to Redirection 🚀🎉"
901
  msgstr "Καλώς ήρθατε στο Redirection 🚀🎉"
902
 
903
- #: redirection-strings.php:151
904
  msgid "To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}"
905
  msgstr "Προς αποφυγήν κάποιου άπληστου regular expression μπορείτε να χρησιμοποιήσετε το {{code}}^{{/code}} για να το αγκυρώσετε στην αρχή του URL. Για παράδειγμα: {{code}}%(example)s{{/code}}"
906
 
907
- #: redirection-strings.php:149
908
  msgid "Remember to enable the \"regex\" option if this is a regular expression."
909
  msgstr "Θυμηθείτε να ενεργοποιήσετε την επιλογή \"regex\" αν αυτό είναι regular expression."
910
 
911
- #: redirection-strings.php:148
912
  msgid "The source URL should probably start with a {{code}}/{{/code}}"
913
  msgstr "Το URL προέλευσης μάλλον πρέπει να ξεκινάει με {{code}}/{{/code}}"
914
 
915
- #: redirection-strings.php:147
916
  msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
917
  msgstr "Αυτό θα μετατραπεί σε ανακατεύθυνση του διακομιστή για τον τομέα {{code}}%(server)s{{/code}}."
918
 
919
- #: redirection-strings.php:146
920
  msgid "Anchor values are not sent to the server and cannot be redirected."
921
  msgstr "Οι αγκυρωμένες τιμές δεν αποστέλλονται στον διακομιστή και δεν μπορούν να ανακατευθυνθούν."
922
 
923
- #: redirection-strings.php:66
924
  msgid "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"
925
  msgstr "{{code}}%(status)d{{/code}} σε {{code}}%(target)s{{/code}}"
926
 
927
- #: redirection-strings.php:16 redirection-strings.php:20
928
  msgid "Finished! 🎉"
929
  msgstr "Ολοκληρώθηκε! 🎉"
930
 
931
- #: redirection-strings.php:19
932
  msgid "Progress: %(complete)d$"
933
  msgstr "Πρόοδος: %(complete)d$"
934
 
935
- #: redirection-strings.php:18
936
  msgid "Leaving before the process has completed may cause problems."
937
  msgstr ""
938
 
939
- #: redirection-strings.php:12
940
  msgid "Setting up Redirection"
941
  msgstr ""
942
 
943
- #: redirection-strings.php:11
944
  msgid "Upgrading Redirection"
945
  msgstr ""
946
 
947
- #: redirection-strings.php:10
948
  msgid "Please remain on this page until complete."
949
  msgstr ""
950
 
951
- #: redirection-strings.php:9
952
  msgid "If you want to {{support}}ask for support{{/support}} please include these details:"
953
  msgstr ""
954
 
955
- #: redirection-strings.php:8
956
  msgid "Stop upgrade"
957
  msgstr "Διακοπή αναβάθμισης"
958
 
959
- #: redirection-strings.php:7
960
  msgid "Skip this stage"
961
  msgstr "Παράλειψη αυτού του σταδίου"
962
 
963
- #: redirection-strings.php:6
964
  msgid "Try again"
965
  msgstr "Προσπαθήστε ξανά"
966
 
967
- #: redirection-strings.php:5
968
  msgid "Database problem"
969
  msgstr "Πρόβλημα με τη βάση δεδομένων"
970
 
971
- #: redirection-admin.php:459
972
  msgid "Please enable JavaScript"
973
  msgstr ""
974
 
975
- #: redirection-admin.php:152
976
  msgid "Please upgrade your database"
977
  msgstr ""
978
 
979
- #: redirection-admin.php:143 redirection-strings.php:299
980
  msgid "Upgrade Database"
981
  msgstr ""
982
 
983
  #. translators: 1: URL to plugin page
984
- #: redirection-admin.php:79
985
  msgid "Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin."
986
  msgstr ""
987
 
@@ -1006,452 +1154,439 @@ msgid "Install Redirection tables"
1006
  msgstr ""
1007
 
1008
  #. translators: 1: Site URL, 2: Home URL
1009
- #: models/fixer.php:97
1010
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
1011
  msgstr ""
1012
 
1013
- #: redirection-strings.php:639
1014
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
1015
  msgstr "Παρακαλούμε μην προσπαθήσετε να ακατευθύνετε όλα τα 404 σας - αυτό δεν είναι καλό."
1016
 
1017
- #: redirection-strings.php:638
1018
  msgid "Only the 404 page type is currently supported."
1019
  msgstr "Μόνο ο τύπος σελίδων 404 υποστηρίζεται προς το παρόν."
1020
 
1021
- #: redirection-strings.php:637
1022
  msgid "Page Type"
1023
  msgstr "Είδος Σελίδας"
1024
 
1025
- #: redirection-strings.php:634
1026
  msgid "Enter IP addresses (one per line)"
1027
  msgstr "Εισάγετε τις διευθύνσεις IP (μία ανά σειρά)"
1028
 
1029
- #: redirection-strings.php:145
1030
  msgid "Describe the purpose of this redirect (optional)"
1031
  msgstr "Περιγράψτε τον σκοπό της κάθε ανακατεύθυνσης (προαιρετικό)"
1032
 
1033
- #: redirection-strings.php:117
1034
  msgid "418 - I'm a teapot"
1035
  msgstr "418 - I'm a teapot"
1036
 
1037
- #: redirection-strings.php:114
1038
  msgid "403 - Forbidden"
1039
  msgstr "403 - Forbidden"
1040
 
1041
- #: redirection-strings.php:112
1042
  msgid "400 - Bad Request"
1043
  msgstr "400 - Bad Request"
1044
 
1045
- #: redirection-strings.php:109
1046
  msgid "304 - Not Modified"
1047
  msgstr ""
1048
 
1049
- #: redirection-strings.php:108
1050
  msgid "303 - See Other"
1051
  msgstr ""
1052
 
1053
- #: redirection-strings.php:105
1054
  msgid "Do nothing (ignore)"
1055
  msgstr "Μην κάνετε τίποτα (αγνοήστε)"
1056
 
1057
- #: redirection-strings.php:607 redirection-strings.php:611
1058
  msgid "Target URL when not matched (empty to ignore)"
1059
  msgstr ""
1060
 
1061
- #: redirection-strings.php:605 redirection-strings.php:609
1062
  msgid "Target URL when matched (empty to ignore)"
1063
  msgstr ""
1064
 
1065
- #: redirection-strings.php:425 redirection-strings.php:430
1066
  msgid "Show All"
1067
  msgstr "Εμφάνιση όλων"
1068
 
1069
- #: redirection-strings.php:422
1070
- msgid "Delete all logs for these entries"
1071
- msgstr "Διαγραφή όλων των αρχείων καταγραφής για αυτές τις καταχωρήσεις"
1072
 
1073
- #: redirection-strings.php:421 redirection-strings.php:434
1074
- msgid "Delete all logs for this entry"
1075
- msgstr "Διαγραφή όλων των αρχείων καταγραφής για αυτήν την καταχώρηση"
1076
 
1077
- #: redirection-strings.php:420
1078
  msgid "Delete Log Entries"
1079
  msgstr ""
1080
 
1081
- #: redirection-strings.php:407
1082
  msgid "Group by IP"
1083
  msgstr ""
1084
 
1085
- #: redirection-strings.php:406
1086
  msgid "Group by URL"
1087
  msgstr ""
1088
 
1089
- #: redirection-strings.php:405
1090
  msgid "No grouping"
1091
  msgstr ""
1092
 
1093
- #: redirection-strings.php:404 redirection-strings.php:431
1094
  msgid "Ignore URL"
1095
  msgstr ""
1096
 
1097
- #: redirection-strings.php:401 redirection-strings.php:427
1098
  msgid "Block IP"
1099
  msgstr "Αποκλεισμός IP"
1100
 
1101
- #: redirection-strings.php:400 redirection-strings.php:403
1102
- #: redirection-strings.php:424 redirection-strings.php:429
1103
  msgid "Redirect All"
1104
  msgstr ""
1105
 
1106
- #: redirection-strings.php:391 redirection-strings.php:393
 
 
 
 
 
1107
  msgid "Count"
1108
  msgstr "Αρίθμηση"
1109
 
1110
- #: redirection-strings.php:99 matches/page.php:9
1111
  msgid "URL and WordPress page type"
1112
  msgstr ""
1113
 
1114
- #: redirection-strings.php:95 matches/ip.php:9
1115
  msgid "URL and IP"
1116
  msgstr "URL και IP"
1117
 
1118
- #: redirection-strings.php:598
1119
  msgid "Problem"
1120
  msgstr "Πρόβλημα"
1121
 
1122
- #: redirection-strings.php:163 redirection-strings.php:597
1123
  msgid "Good"
1124
  msgstr "Καλό"
1125
 
1126
- #: redirection-strings.php:593
1127
  msgid "Check"
1128
  msgstr "Έλεγχος"
1129
 
1130
- #: redirection-strings.php:567
1131
  msgid "Check Redirect"
1132
  msgstr ""
1133
 
1134
- #: redirection-strings.php:75
1135
  msgid "Check redirect for: {{code}}%s{{/code}}"
1136
  msgstr ""
1137
 
1138
- #: redirection-strings.php:72
1139
- msgid "What does this mean?"
1140
- msgstr ""
1141
-
1142
- #: redirection-strings.php:71
1143
  msgid "Not using Redirection"
1144
  msgstr ""
1145
 
1146
- #: redirection-strings.php:70
1147
  msgid "Using Redirection"
1148
  msgstr ""
1149
 
1150
- #: redirection-strings.php:67
1151
  msgid "Found"
1152
  msgstr "Βρέθηκε"
1153
 
1154
- #: redirection-strings.php:68
1155
  msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
1156
  msgstr ""
1157
 
1158
- #: redirection-strings.php:65
1159
  msgid "Expected"
1160
  msgstr ""
1161
 
1162
- #: redirection-strings.php:73
1163
  msgid "Error"
1164
  msgstr "Σφάλμα"
1165
 
1166
- #: redirection-strings.php:592
1167
  msgid "Enter full URL, including http:// or https://"
1168
  msgstr ""
1169
 
1170
- #: redirection-strings.php:590
1171
  msgid "Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."
1172
  msgstr ""
1173
 
1174
- #: redirection-strings.php:589
1175
  msgid "Redirect Tester"
1176
  msgstr ""
1177
 
1178
- #: redirection-strings.php:372 redirection-strings.php:532
1179
- #: redirection-strings.php:588
1180
  msgid "Target"
1181
  msgstr "Στόχος"
1182
 
1183
- #: redirection-strings.php:587
1184
  msgid "URL is not being redirected with Redirection"
1185
  msgstr ""
1186
 
1187
- #: redirection-strings.php:586
1188
  msgid "URL is being redirected with Redirection"
1189
  msgstr ""
1190
 
1191
- #: redirection-strings.php:585 redirection-strings.php:594
2
  # This file is distributed under the same license as the Plugins - Redirection - Stable (latest release) package.
3
  msgid ""
4
  msgstr ""
5
+ "PO-Revision-Date: 2020-12-10 00:36:07+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
11
  "Language: el_GR\n"
12
  "Project-Id-Version: Plugins - Redirection - Stable (latest release)\n"
13
 
14
+ #: redirection-strings.php:744
15
+ msgid "Your admin pages are being cached. Clear this cache and try again. There may be multiple caches involved."
16
+ msgstr ""
17
+
18
+ #: redirection-strings.php:741
19
+ msgid "This is usually fixed by doing one of the following:"
20
+ msgstr ""
21
+
22
+ #: redirection-strings.php:740
23
+ msgid "You are using an old or cached session"
24
+ msgstr ""
25
+
26
+ #: redirection-strings.php:736
27
+ msgid "Please review your data and try again."
28
+ msgstr ""
29
+
30
+ #: redirection-strings.php:735
31
+ msgid "There was a problem making a request to your site. This could indicate you provided data that did not match requirements, or that the plugin sent a bad request."
32
+ msgstr ""
33
+
34
+ #: redirection-strings.php:734
35
+ msgid "Bad data"
36
+ msgstr ""
37
+
38
+ #: redirection-strings.php:730
39
+ msgid "WordPress returned an unexpected message. This could be a PHP error from another plugin, or data inserted by your theme."
40
+ msgstr ""
41
+
42
+ #: redirection-strings.php:729
43
+ msgid "Your WordPress REST API has been disabled. You will need to enable it to continue."
44
+ msgstr ""
45
+
46
+ #: redirection-strings.php:726
47
+ msgid "An unknown error occurred."
48
+ msgstr "Προέκυψε ένα άγνωστο σφάλμα."
49
+
50
+ #: redirection-strings.php:724
51
+ msgid "Your REST API is being redirected. Please remove the redirection for the API."
52
+ msgstr ""
53
+
54
+ #: redirection-strings.php:722
55
+ msgid "A security plugin or firewall is blocking access. You will need to whitelist the REST API."
56
+ msgstr ""
57
+
58
+ #: redirection-strings.php:721
59
+ msgid "Your server configuration is blocking access to the REST API. You will need to fix this."
60
+ msgstr ""
61
+
62
+ #: redirection-strings.php:720
63
+ msgid "Check your {{link}}Site Health{{/link}} and fix any issues."
64
+ msgstr ""
65
+
66
+ #: redirection-strings.php:719
67
+ msgid "Can you access your {{api}}REST API{{/api}} without it redirecting? If not then you will need to fix any issues."
68
+ msgstr ""
69
+
70
+ #: redirection-strings.php:718
71
+ msgid "Your REST API is returning a 404 page. This is almost certainly an external plugin or server configuration issue."
72
+ msgstr ""
73
+
74
+ #: redirection-strings.php:714
75
+ msgid "Debug Information"
76
+ msgstr ""
77
+
78
+ #: redirection-strings.php:713
79
+ msgid "Show debug"
80
+ msgstr "Προβολή αποσφαλμάτωσης"
81
+
82
+ #: redirection-strings.php:614
83
+ msgid "View Data"
84
+ msgstr "Προβολή Δεδομένων"
85
+
86
+ #: redirection-strings.php:511
87
+ msgid "Other"
88
+ msgstr ""
89
+
90
+ #: redirection-strings.php:495
91
+ msgid "Redirection stores no user identifiable information other than what is configured above. It is your responsibility to ensure your site meets any applicable {{link}}privacy requirements{{/link}}."
92
+ msgstr ""
93
+
94
+ #: redirection-strings.php:494
95
+ msgid "Capture HTTP header information with logs (except cookies). It may include user information, and could increase your log size."
96
+ msgstr ""
97
+
98
+ #: redirection-strings.php:493
99
+ msgid "Track redirect hits and date of last access. Contains no user information."
100
+ msgstr ""
101
+
102
+ #: redirection-strings.php:492
103
+ msgid "Log \"external\" redirects - those not from Redirection. This can increase your log size and contains no user information."
104
+ msgstr ""
105
+
106
+ #: redirection-strings.php:491
107
+ msgid "Logging"
108
+ msgstr "Καταγραφή"
109
+
110
+ #: redirection-strings.php:490
111
+ msgid "(IP logging level)"
112
+ msgstr ""
113
+
114
+ #: redirection-strings.php:428
115
+ msgid "Are you sure you want to delete the selected items?"
116
+ msgstr "Είστε σίγουροι ότι θέλετε να διαγράψετε τα επιλεγμένα στοιχεία;"
117
+
118
+ #: redirection-strings.php:378
119
+ msgid "View Redirect"
120
+ msgstr "Προβολή Ανακατεύθυνσης"
121
+
122
+ #: redirection-strings.php:376
123
+ msgid "RSS"
124
+ msgstr "RSS"
125
+
126
+ #: redirection-strings.php:370 redirection-strings.php:400
127
+ msgid "Group by user agent"
128
+ msgstr ""
129
+
130
+ #: redirection-strings.php:367 redirection-strings.php:426
131
+ msgid "Search domain"
132
+ msgstr "Αναζήτηση domain"
133
+
134
+ #: redirection-strings.php:336 redirection-strings.php:356
135
+ #: redirection-strings.php:373
136
+ msgid "Redirect By"
137
+ msgstr ""
138
+
139
+ #: redirection-strings.php:333 redirection-strings.php:354
140
+ #: redirection-strings.php:387 redirection-strings.php:414
141
+ msgid "Domain"
142
+ msgstr ""
143
+
144
+ #: redirection-strings.php:332 redirection-strings.php:353
145
+ #: redirection-strings.php:372 redirection-strings.php:386
146
+ #: redirection-strings.php:413 redirection-strings.php:420
147
+ msgid "Method"
148
+ msgstr ""
149
+
150
+ #: redirection-strings.php:263
151
+ msgid "If that did not help then {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
152
+ msgstr ""
153
+
154
+ #: redirection-strings.php:262
155
+ msgid "Please check the {{link}}support site{{/link}} before proceeding further."
156
+ msgstr ""
157
+
158
+ #: redirection-strings.php:256
159
+ msgid "Something went wrong when upgrading Redirection."
160
+ msgstr ""
161
+
162
+ #: redirection-strings.php:208
163
+ msgid "Something went wrong when installing Redirection."
164
+ msgstr ""
165
+
166
+ #: redirection-strings.php:145
167
+ msgid "Apply To All"
168
+ msgstr ""
169
+
170
+ #: redirection-strings.php:143
171
+ msgid "Bulk Actions (all)"
172
+ msgstr ""
173
+
174
+ #: redirection-strings.php:142
175
+ msgid "Actions applied to all selected items"
176
+ msgstr ""
177
+
178
+ #: redirection-strings.php:141
179
+ msgid "Actions applied to everything that matches current filter"
180
+ msgstr ""
181
+
182
+ #: redirection-strings.php:126
183
+ msgid "Redirect Source"
184
+ msgstr ""
185
+
186
+ #: redirection-strings.php:125
187
+ msgid "Request Headers"
188
+ msgstr ""
189
+
190
+ #: redirection-strings.php:96
191
+ msgid "Exclude from logs"
192
+ msgstr ""
193
+
194
+ #: redirection-strings.php:46
195
+ msgid "Cannot connect to the server to determine the redirect status."
196
+ msgstr ""
197
+
198
+ #: redirection-strings.php:45
199
+ msgid "Your URL is cached and the cache may need to be cleared."
200
+ msgstr ""
201
+
202
+ #: redirection-strings.php:44
203
+ msgid "Something else other than Redirection is redirecting this URL."
204
+ msgstr ""
205
+
206
+ #: redirection-strings.php:712
207
  msgid "Relocate to domain"
208
  msgstr ""
209
 
210
+ #: redirection-strings.php:711
211
  msgid "Want to redirect the entire site? Enter a domain to redirect everything, except WordPress login and admin. Enabling this option will disable any site aliases or canonical settings."
212
  msgstr ""
213
 
214
+ #: redirection-strings.php:710
215
  msgid "Relocate Site"
216
  msgstr ""
217
 
218
+ #: redirection-strings.php:703
219
  msgid "Add CORS Presets"
220
  msgstr ""
221
 
222
+ #: redirection-strings.php:702
223
  msgid "Add Security Presets"
224
  msgstr ""
225
 
226
+ #: redirection-strings.php:701
227
  msgid "Add Header"
228
  msgstr ""
229
 
230
+ #: redirection-strings.php:696
231
  msgid "You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"
232
  msgstr ""
233
 
234
+ #: redirection-strings.php:695
235
  msgid "Preferred domain"
236
  msgstr ""
237
 
238
+ #: redirection-strings.php:694
239
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."
240
  msgstr ""
241
 
242
+ #: redirection-strings.php:693
243
  msgid "Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"
244
  msgstr ""
245
 
246
+ #: redirection-strings.php:692
247
  msgid "Canonical Settings"
248
  msgstr ""
249
 
250
+ #: redirection-strings.php:691
251
  msgid "Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"
252
  msgstr ""
253
 
254
+ #: redirection-strings.php:690
255
  msgid "Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"
256
  msgstr ""
257
 
258
+ #: redirection-strings.php:689
259
  msgid "Don't set a preferred domain - {{code}}%(site)s{{/code}}"
260
  msgstr ""
261
 
262
+ #: redirection-strings.php:688
263
  msgid "Add Alias"
264
  msgstr ""
265
 
266
+ #: redirection-strings.php:687
267
  msgid "No aliases"
268
  msgstr ""
269
 
270
+ #: redirection-strings.php:686
271
  msgid "Alias"
272
  msgstr ""
273
 
274
+ #: redirection-strings.php:685
275
  msgid "Aliased Domain"
276
  msgstr ""
277
 
278
+ #: redirection-strings.php:684
279
  msgid "You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install."
280
  msgstr ""
281
 
282
+ #: redirection-strings.php:683
283
  msgid "A site alias is another domain that you want to be redirected to this site. For example, an old domain, or a subdomain. This will redirect all URLs, including WordPress login and admin."
284
  msgstr ""
285
 
286
+ #: redirection-strings.php:682
287
  msgid "Site Aliases"
288
  msgstr ""
289
 
290
+ #: redirection-strings.php:585
291
  msgid "The companion plugin Search Regex allows you to search and replace data on your site. It also supports Redirection, and is handy if you want to bulk update a lot of redirects."
292
  msgstr ""
293
 
294
+ #: redirection-strings.php:584
295
  msgid "Need to search and replace?"
296
  msgstr ""
297
 
298
+ #: redirection-strings.php:573
299
  msgid "Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes."
300
  msgstr ""
301
 
302
+ #: redirection-strings.php:207
303
  msgid "Please wait, importing."
304
  msgstr ""
305
 
306
+ #: redirection-strings.php:205
307
  msgid "Continue"
308
  msgstr ""
309
 
310
+ #: redirection-strings.php:204
311
  msgid "The following plugins have been detected."
312
  msgstr ""
313
 
314
+ #: redirection-strings.php:203
315
  msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
316
  msgstr ""
317
 
318
+ #: redirection-strings.php:202
319
  msgid "Importing existing redirects from WordPress or other plugins is a good way to get started with Redirection. Check each set of redirects you wish to import."
320
  msgstr ""
321
 
322
+ #: redirection-strings.php:201 redirection-strings.php:206
323
  msgid "Import Existing Redirects"
324
  msgstr ""
325
 
326
+ #: redirection-strings.php:166
327
  msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
328
  msgstr ""
329
 
330
+ #: redirection-strings.php:119
331
  msgid "If you want to redirect everything please use a site relocation or alias from the Site page."
332
  msgstr ""
333
 
334
+ #: redirection-strings.php:747
335
  msgid "Value"
336
  msgstr ""
337
 
338
+ #: redirection-strings.php:746
339
  msgid "Values"
340
  msgstr ""
341
 
342
+ #: redirection-strings.php:745
343
  msgid "All"
344
  msgstr ""
345
 
346
+ #: redirection-strings.php:709
347
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
348
  msgstr ""
349
 
350
+ #: redirection-strings.php:708
351
  msgid "No headers"
352
  msgstr ""
353
 
354
+ #: redirection-strings.php:707
355
  msgid "Header"
356
  msgstr ""
357
 
358
+ #: redirection-strings.php:706
359
  msgid "Location"
360
  msgstr ""
361
 
362
+ #: redirection-strings.php:705
363
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
364
  msgstr ""
365
 
366
+ #: redirection-strings.php:704
367
  msgid "HTTP Headers"
368
  msgstr ""
369
 
370
+ #: redirection-strings.php:700
371
  msgid "Custom Header"
372
  msgstr ""
373
 
374
+ #: redirection-strings.php:699
375
  msgid "General"
376
  msgstr ""
377
 
378
+ #: redirection-strings.php:698
379
  msgid "Redirect"
380
  msgstr ""
381
 
382
+ #: redirection-strings.php:124
383
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
384
  msgstr ""
385
 
386
+ #: redirection-strings.php:273 redirection-strings.php:282
387
+ #: redirection-strings.php:697
388
  msgid "Site"
389
  msgstr ""
390
 
391
+ #: redirection-strings.php:732
392
  msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
393
  msgstr ""
394
 
395
+ #: redirection-strings.php:681
396
  msgid "Ignore & Pass Query"
397
  msgstr ""
398
 
399
+ #: redirection-strings.php:680
400
  msgid "Ignore Query"
401
  msgstr ""
402
 
403
+ #: redirection-strings.php:679
404
  msgid "Exact Query"
405
  msgstr ""
406
 
407
+ #: redirection-strings.php:564
408
  msgid "Search title"
409
  msgstr ""
410
 
411
+ #: redirection-strings.php:561
412
  msgid "Not accessed in last year"
413
  msgstr ""
414
 
415
+ #: redirection-strings.php:560
416
  msgid "Not accessed in last month"
417
  msgstr ""
418
 
419
+ #: redirection-strings.php:559
420
  msgid "Never accessed"
421
  msgstr ""
422
 
423
+ #: redirection-strings.php:558
424
  msgid "Last Accessed"
425
  msgstr ""
426
 
427
+ #: redirection-strings.php:421 redirection-strings.php:557
428
  msgid "HTTP Status Code"
429
  msgstr ""
430
 
431
+ #: redirection-strings.php:554
432
  msgid "Plain"
433
  msgstr ""
434
 
435
+ #: redirection-strings.php:552
436
  msgid "URL match"
437
  msgstr ""
438
 
439
+ #: redirection-strings.php:533
440
  msgid "Source"
441
  msgstr ""
442
 
443
+ #: redirection-strings.php:524
444
  msgid "Code"
445
  msgstr ""
446
 
447
+ #: redirection-strings.php:523 redirection-strings.php:544
448
+ #: redirection-strings.php:556
449
  msgid "Action Type"
450
  msgstr ""
451
 
452
+ #: redirection-strings.php:522 redirection-strings.php:539
453
+ #: redirection-strings.php:555
454
  msgid "Match Type"
455
  msgstr ""
456
 
457
+ #: redirection-strings.php:366 redirection-strings.php:563
458
  msgid "Search target URL"
459
  msgstr ""
460
 
461
+ #: redirection-strings.php:365 redirection-strings.php:425
462
  msgid "Search IP"
463
  msgstr ""
464
 
465
+ #: redirection-strings.php:364 redirection-strings.php:424
466
  msgid "Search user agent"
467
  msgstr ""
468
 
469
+ #: redirection-strings.php:363 redirection-strings.php:423
470
  msgid "Search referrer"
471
  msgstr ""
472
 
473
+ #: redirection-strings.php:362 redirection-strings.php:422
474
+ #: redirection-strings.php:562
475
  msgid "Search URL"
476
  msgstr ""
477
 
478
+ #: redirection-strings.php:677
479
  msgid "Filter on: %(type)s"
480
  msgstr ""
481
 
482
+ #: redirection-strings.php:223 redirection-strings.php:551
483
  msgid "Disabled"
484
  msgstr ""
485
 
486
+ #: redirection-strings.php:222 redirection-strings.php:550
487
  msgid "Enabled"
488
  msgstr ""
489
 
490
+ #: redirection-strings.php:219 redirection-strings.php:344
491
+ #: redirection-strings.php:404 redirection-strings.php:547
492
  msgid "Compact Display"
493
  msgstr ""
494
 
495
+ #: redirection-strings.php:218 redirection-strings.php:343
496
+ #: redirection-strings.php:403 redirection-strings.php:546
497
  msgid "Standard Display"
498
  msgstr ""
499
 
500
+ #: redirection-strings.php:216 redirection-strings.php:221
501
+ #: redirection-strings.php:225 redirection-strings.php:520
502
+ #: redirection-strings.php:543 redirection-strings.php:549
503
  msgid "Status"
504
  msgstr ""
505
 
506
+ #: redirection-strings.php:24
507
  msgid "Pre-defined"
508
  msgstr ""
509
 
510
+ #: redirection-strings.php:23
511
  msgid "Custom Display"
512
  msgstr ""
513
 
514
+ #: redirection-strings.php:220 redirection-strings.php:345
515
+ #: redirection-strings.php:405 redirection-strings.php:548
516
  msgid "Display All"
517
  msgstr ""
518
 
519
+ #: redirection-strings.php:123
520
  msgid "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"
521
  msgstr ""
522
 
523
+ #: redirection-strings.php:651
524
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
525
  msgstr ""
526
 
527
+ #: redirection-strings.php:650
528
  msgid "Language"
529
  msgstr ""
530
 
531
+ #: redirection-strings.php:89
532
  msgid "504 - Gateway Timeout"
533
  msgstr ""
534
 
535
+ #: redirection-strings.php:88
536
  msgid "503 - Service Unavailable"
537
  msgstr ""
538
 
539
+ #: redirection-strings.php:87
540
  msgid "502 - Bad Gateway"
541
  msgstr ""
542
 
543
+ #: redirection-strings.php:86
544
  msgid "501 - Not implemented"
545
  msgstr ""
546
 
547
+ #: redirection-strings.php:85
548
  msgid "500 - Internal Server Error"
549
  msgstr ""
550
 
551
+ #: redirection-strings.php:84
552
  msgid "451 - Unavailable For Legal Reasons"
553
  msgstr ""
554
 
555
+ #: redirection-strings.php:66 matches/language.php:9
556
  msgid "URL and language"
557
  msgstr ""
558
 
559
+ #: redirection-strings.php:743
 
 
 
 
 
 
 
 
560
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
561
  msgstr ""
562
 
563
+ #: redirection-strings.php:742
564
  msgid "Reload the page - your current session is old."
565
  msgstr ""
566
 
 
 
 
 
 
 
 
 
567
  #: redirection-strings.php:4
568
  msgid "A loop was detected and the upgrade has been stopped. This usually indicates {{support}}your site is cached{{/support}} and database changes are not being saved."
569
  msgstr "Ένας βρόχος εντοπίστηκε και η αναβάθμιση έχει διακοπεί. Αυτό συνήθως υποδεικνύει ότι {{support}}ο ιστότοπός σας είναι cached{{/support}} και οι αλλαγές στη βάση δεδομένων δεν αποθηκεύονται."
570
 
571
+ #: redirection-strings.php:516
572
  msgid "Unable to save .htaccess file"
573
  msgstr "Αδύνατη η αποθήκευση του .htaccess αρχείου"
574
 
575
+ #: redirection-strings.php:515
576
  msgid "Redirects added to an Apache group can be saved to an {{code}}.htaccess{{/code}} file by adding the full path here. For reference, your WordPress is installed to {{code}}%(installed)s{{/code}}."
577
  msgstr "Οι ανακατευθύνσεις που προστέθηκαν σε μία ομάδα του Apache μπορούν να αποθηκευτούν σε ένα {{code}}.htaccess{{/code}} αρχείο, προσθέτοντας την πλήρη διαδρομή εδώ. Ως σημείο αναφοράς, το WordPress σας είναι εγκατεστημένο στο {{code}}%(installed)s{{/code}}. "
578
 
579
+ #: redirection-strings.php:252
580
  msgid "Click \"Complete Upgrade\" when finished."
581
  msgstr "Κάντε κλικ στο \"Ολοκλήρωση Αναβάθμισης\" όταν ολοκληρωθεί."
582
 
583
+ #: redirection-strings.php:212
584
  msgid "Automatic Install"
585
  msgstr "Αυτόματη Εγκατάσταση"
586
 
587
+ #: redirection-strings.php:122
588
  msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
589
  msgstr "Η στοχευμένη σας διεύθυνση URL περιέχει έναν μη έγκυρο χαρακτήρα {{code}}%(invalid)s{{/code}}"
590
 
591
+ #: redirection-strings.php:271
592
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
593
  msgstr "Αν χρησιμοποιείτε το WordPress 5.2 ή νεότερο, κοιτάξτε την {{link}}Υγεία Ιστοτόπου{{/link}} και επιλύστε οποιαδήποτε θέματα."
594
 
595
+ #: redirection-strings.php:19
596
  msgid "If you do not complete the manual install you will be returned here."
597
  msgstr "Αν δεν ολοκληρώσετε την χειροκίνητη εγκατάσταση θα επιστρέψετε εδώ."
598
 
599
+ #: redirection-strings.php:17
600
  msgid "Click \"Finished! 🎉\" when finished."
601
  msgstr "Κάντε κλικ στο \"Ολοκληρώθηκε! 🎉\" όταν ολοκληρωθεί."
602
 
603
+ #: redirection-strings.php:16 redirection-strings.php:251
604
  msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
605
  msgstr "Αν ο ιστότοπός σας χρειάζεται ειδικά δικαιώματα για τη βάση δεδομένων, ή αν προτιμάτε να το κάνετε ο ίδιος, μπορείτε να τρέξετε χειροκίνητα την ακόλουθη SQL."
606
 
607
+ #: redirection-strings.php:15 redirection-strings.php:211
608
  msgid "Manual Install"
609
  msgstr "Χειροκίνητη Εγκατάσταση"
610
 
612
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
613
  msgstr "Εντοπίστηκαν ανεπαρκή δικαιώματα για τη βάση δεδομένων. Παρακαλούμε δώστε τα κατάλληλα δικαιώματα στον χρήστη της βάσης δεδομένων σας."
614
 
615
+ #: redirection-strings.php:604
616
  msgid "This information is provided for debugging purposes. Be careful making any changes."
617
  msgstr "Αυτές οι πληροφορίες παρέχονται για σκοπούς αποσφαλμάτωσης. Να είστε προσεκτικοί κάνοντας οποιεσδήποτε αλλαγές."
618
 
619
+ #: redirection-strings.php:603
620
  msgid "Plugin Debug"
621
  msgstr "Αποσφαλμάτωση Προσθέτου"
622
 
623
+ #: redirection-strings.php:601
624
  msgid "Redirection communicates with WordPress through the WordPress REST API. This is a standard part of WordPress, and you will experience problems if you cannot use it."
625
  msgstr "Το Redirection επικοινωνεί με το WordPress μέσω του WordPress REST API. Αυτό είναι ένα κανονικό κομμάτι του WordPress, και θα αντιμετωπίσετε προβλήματα αν δεν μπορείτε να το χρησιμοποιήσετε."
626
 
627
+ #: redirection-strings.php:578
628
  msgid "IP Headers"
629
  msgstr "Κεφαλίδες IP"
630
 
631
+ #: redirection-strings.php:576
632
  msgid "Do not change unless advised to do so!"
633
  msgstr ""
634
 
635
+ #: redirection-strings.php:575
636
  msgid "Database version"
637
  msgstr "Έκδοση βάσης δεδομένων"
638
 
639
+ #: redirection-strings.php:317
640
  msgid "Complete data (JSON)"
641
  msgstr "Ολόκληρα δεδομένα (JSON)"
642
 
643
+ #: redirection-strings.php:312
644
  msgid "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON. The JSON format contains full information, and other formats contain partial information appropriate to the format."
645
  msgstr "Εξαγωγή σε CSV, Apache .htaccess, Nginx, ή Redirection JSON. Η μορφή JSON περιέχει πλήρεις πληροφορίες, και οι άλλες μορφές περιέχουν μερικές πληροφορίες αναλόγως με τη μορφή."
646
 
647
+ #: redirection-strings.php:310
648
  msgid "CSV does not include all information, and everything is imported/exported as \"URL only\" matches. Use the JSON format for a full set of data."
649
  msgstr "Το CSV δεν περιέχει όλες τις πληροφορίες, και όλα εισάγονται/εξάγονται ως \"μόνο URL\" αντιστοιχίες. Χρησιμοποιήστε τη μορφή JSON για μία πλήρη συλλογή δεδομένων."
650
 
651
+ #: redirection-strings.php:308
652
  msgid "All imports will be appended to the current database - nothing is merged."
653
  msgstr ""
654
 
655
+ #: redirection-strings.php:261
656
  msgid "Automatic Upgrade"
657
  msgstr "Αυτόματη Αναβάθμιση"
658
 
659
+ #: redirection-strings.php:260
660
  msgid "Manual Upgrade"
661
  msgstr "Χειροκίνητη Αναβάθμιση"
662
 
663
+ #: redirection-strings.php:259
664
  msgid "Please make a backup of your Redirection data: {{download}}downloading a backup{{/download}}. If you experience any issues you can import this back into Redirection."
665
  msgstr ""
666
 
667
+ #: redirection-strings.php:254
668
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
669
  msgstr "Κάντε κλικ στο κουμπί \"Αναβάθμιση Βάσης Δεδομένων\" για να αναβαθμίσετε αυτόματα τη βάση δεδομένων."
670
 
671
+ #: redirection-strings.php:253
672
  msgid "Complete Upgrade"
673
  msgstr "Ολοκληρωμένη Αναβάθμιση"
674
 
675
+ #: redirection-strings.php:250
676
  msgid "Redirection stores data in your database and sometimes this needs upgrading. Your database is at version {{strong}}%(current)s{{/strong}} and the latest is {{strong}}%(latest)s{{/strong}}."
677
  msgstr ""
678
 
679
+ #: redirection-strings.php:236 redirection-strings.php:676
680
  msgid "Note that you will need to set the Apache module path in your Redirection options."
681
  msgstr ""
682
 
683
+ #: redirection-strings.php:210
684
  msgid "I need support!"
685
  msgstr "Χρειάζομαι υποστήριξη!"
686
 
687
+ #: redirection-strings.php:198
688
  msgid "You will need at least one working REST API to continue."
689
  msgstr "Θα χρειαστείτε τουλάχιστον ένα λειτουργικό REST API για να συνεχίσετε."
690
 
691
+ #: redirection-strings.php:140
692
  msgid "Check Again"
693
  msgstr "Ελέγξτε Πάλι"
694
 
695
+ #: redirection-strings.php:139
696
  msgid "Testing - %s$"
697
  msgstr "Γίνεται δοκιμή - %s$"
698
 
699
+ #: redirection-strings.php:138
700
  msgid "Show Problems"
701
  msgstr "Εμφάνιση Προβλημάτων"
702
 
703
+ #: redirection-strings.php:137
704
  msgid "Summary"
705
  msgstr "Σύνοψη"
706
 
707
+ #: redirection-strings.php:136
 
 
 
 
708
  msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
709
  msgstr "Το REST API σας δεν λειτουργεί και το πρόσθετο δεν θα μπορεί να συνεχίσει μέχρι αυτό να διορθωθεί."
710
 
711
+ #: redirection-strings.php:135
712
  msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
713
  msgstr "Υπάρχουν κάποια προβλήματα με την επικοινωνία με το REST API σας. Δεν είναι απαραίτητο να διορθώσετε αυτά τα προβλήματα και το πρόσθετο μπορεί να λειτουργήσει."
714
 
715
+ #: redirection-strings.php:134
716
  msgid "Unavailable"
717
  msgstr "Μη Διαθέσιμο"
718
 
719
+ #: redirection-strings.php:133
 
 
 
 
720
  msgid "Working but some issues"
721
  msgstr "Λειτουργεί αλλά υπάρχουν κάποια θέματα"
722
 
723
+ #: redirection-strings.php:131
724
  msgid "Current API"
725
  msgstr "Τρέχον API"
726
 
727
+ #: redirection-strings.php:130
728
  msgid "Switch to this API"
729
  msgstr "Αλλαγή σε αυτό το API"
730
 
731
+ #: redirection-strings.php:129
732
  msgid "Hide"
733
  msgstr "Απόκρυψη"
734
 
735
+ #: redirection-strings.php:128
736
  msgid "Show Full"
737
  msgstr "Εμφάνιση Πλήρους"
738
 
739
+ #: redirection-strings.php:127
740
  msgid "Working!"
741
  msgstr "Λειτουργεί!"
742
 
743
+ #: redirection-strings.php:121
744
  msgid "Your target URL should be an absolute URL like {{code}}https://domain.com/%(url)s{{/code}} or start with a slash {{code}}/%(url)s{{/code}}."
745
  msgstr ""
746
 
747
+ #: redirection-strings.php:120
748
  msgid "Your source is the same as a target and this will create a loop. Leave a target blank if you do not want to take action."
749
  msgstr ""
750
 
751
+ #: redirection-strings.php:110
752
  msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
753
  msgstr ""
754
 
755
+ #: redirection-strings.php:266
756
  msgid "Include these details in your report along with a description of what you were doing and a screenshot."
757
  msgstr ""
758
 
759
+ #: redirection-strings.php:264
760
  msgid "Create An Issue"
761
  msgstr ""
762
 
763
+ #: redirection-strings.php:267
 
 
 
 
 
 
 
 
764
  msgid "What do I do next?"
765
  msgstr "Τι κάνω στη συνέχεια;"
766
 
767
+ #: redirection-strings.php:731
768
  msgid "Possible cause"
769
  msgstr "Πιθανή αιτία"
770
 
771
+ #: redirection-strings.php:727
 
 
 
 
772
  msgid "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"
773
  msgstr ""
774
 
775
+ #: redirection-strings.php:716
 
 
 
 
776
  msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
777
  msgstr ""
778
 
779
+ #: redirection-strings.php:717 redirection-strings.php:723
780
+ #: redirection-strings.php:728 redirection-strings.php:733
 
781
  msgid "Read this REST API guide for more information."
782
  msgstr "Διάβαστε αυτόν τον οδηγό του REST API για περισσότερες πληροφορίες."
783
 
784
+ #: redirection-strings.php:109
 
 
 
 
785
  msgid "URL options / Regex"
786
  msgstr "Επιλογές URL / Regex"
787
 
788
+ #: redirection-strings.php:324
789
  msgid "Export 404"
790
  msgstr "Εξαγωγή 404"
791
 
792
+ #: redirection-strings.php:323
793
  msgid "Export redirect"
794
  msgstr "Εξαγωγή ανακατεύθυνσης"
795
 
796
+ #: redirection-strings.php:117
797
  msgid "WordPress permalink structures do not work in normal URLs. Please use a regular expression."
798
  msgstr "Η δομή των μόνιμων συνδέσμων του WordPress δεν λειτουργεί στα κανονικά URLs. Παρακαλούμε χρησιμοποιήστε ένα regular expression."
799
 
800
+ #: redirection-strings.php:506
801
  msgid "Pass - as ignore, but also copies the query parameters to the target"
802
  msgstr "Πέρασμα - όπως η αγνόηση, αλλά επίσης αντιγράφει τις παραμέτρους του ερωτήματος στον στόχο"
803
 
804
+ #: redirection-strings.php:505
805
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
806
  msgstr "Αγνόηση - όπως η ακριβής, αλλά αγνοεί οποιεσδήποτε παραμέτρους του ερωτήματος δεν υπάρχουν στην προέλευσή σας"
807
 
808
+ #: redirection-strings.php:504
809
  msgid "Exact - matches the query parameters exactly defined in your source, in any order"
810
  msgstr "Ακριβής - αντιστοιχεί στις παραμέτρους του ερωτήματος ακριβώς όπως ορίστηκαν στην προέλευσή σας, σε οποιαδήποτε σειρά"
811
 
812
+ #: redirection-strings.php:502
813
  msgid "Default query matching"
814
  msgstr "Προεπιλεγμένη αντιστοίχιση ερωτήματος"
815
 
816
+ #: redirection-strings.php:501
817
  msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
818
  msgstr "Αγνόηση των καθέτων στο τέλος (π.χ. το {{code}}/συναρπαστικό-άρθρο/{{/code}} θα αντιστοιχίσει στο {{code}}/συναρπαστικό-άρθρο{{/code}})"
819
 
820
+ #: redirection-strings.php:500
821
  msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
822
  msgstr ""
823
 
824
+ #: redirection-strings.php:499 redirection-strings.php:503
825
  msgid "Applies to all redirections unless you configure them otherwise."
826
  msgstr ""
827
 
828
+ #: redirection-strings.php:498
829
  msgid "Default URL settings"
830
  msgstr ""
831
 
832
+ #: redirection-strings.php:477
833
  msgid "Ignore and pass all query parameters"
834
  msgstr ""
835
 
836
+ #: redirection-strings.php:476
837
  msgid "Ignore all query parameters"
838
  msgstr ""
839
 
840
+ #: redirection-strings.php:475
841
  msgid "Exact match"
842
  msgstr ""
843
 
844
+ #: redirection-strings.php:194
845
  msgid "Caching software (e.g Cloudflare)"
846
  msgstr ""
847
 
848
+ #: redirection-strings.php:192
849
  msgid "A security plugin (e.g Wordfence)"
850
  msgstr ""
851
 
852
+ #: redirection-strings.php:534
853
  msgid "URL options"
854
  msgstr "Επιλογές URL"
855
 
856
+ #: redirection-strings.php:105 redirection-strings.php:535
857
  msgid "Query Parameters"
858
  msgstr "Παράμετροι Ερωτήματος"
859
 
860
+ #: redirection-strings.php:95
861
  msgid "Ignore & pass parameters to the target"
862
  msgstr ""
863
 
864
+ #: redirection-strings.php:94
865
  msgid "Ignore all parameters"
866
  msgstr ""
867
 
868
+ #: redirection-strings.php:93
869
  msgid "Exact match all parameters in any order"
870
  msgstr ""
871
 
872
+ #: redirection-strings.php:92
873
  msgid "Ignore Case"
874
  msgstr ""
875
 
876
+ #: redirection-strings.php:91
877
  msgid "Ignore Slash"
878
  msgstr ""
879
 
880
+ #: redirection-strings.php:474
881
  msgid "Relative REST API"
882
  msgstr ""
883
 
884
+ #: redirection-strings.php:473
885
  msgid "Raw REST API"
886
  msgstr "Ακατέργαστο REST API"
887
 
888
+ #: redirection-strings.php:472
889
  msgid "Default REST API"
890
  msgstr "Προεπιλεγμένο REST API"
891
 
892
+ #: redirection-strings.php:165
893
  msgid "(Example) The target URL is the new URL"
894
  msgstr "(Παράδειγμα) Το στοχευμένο URL είναι το νέο URL"
895
 
896
+ #: redirection-strings.php:163
897
  msgid "(Example) The source URL is your old or original URL"
898
  msgstr "(Παράδειγμα) Το URL προέλευσης είναι το παλιό σας ή το αρχικό URL"
899
 
902
  msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
903
  msgstr "Απενεργοποιημένο! Εντοπίστηκε PHP έκδοση %1$s, χρειάζεται PHP %2$s+"
904
 
905
+ #: redirection-strings.php:249
906
  msgid "A database upgrade is in progress. Please continue to finish."
907
  msgstr "Πραγματοποιείται μία αναβάθμιση της βάσης δεδομένων. Παρακαλούμε συνεχίστε για να ολοκληρωθεί."
908
 
909
  #. translators: 1: URL to plugin page, 2: current version, 3: target version
910
+ #: redirection-admin.php:85
911
  msgid "Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."
912
  msgstr "Η βάση δεδομένων του Redirection χρειάζεται να ενημερωθεί - <a href=\"%1$1s\">κάντε κλικ για ενημέρωση</a>."
913
 
914
+ #: redirection-strings.php:258
915
  msgid "Redirection database needs upgrading"
916
  msgstr "Η βάση δεδομένων του Redirection χρειάζεται να αναβαθμιστεί"
917
 
918
+ #: redirection-strings.php:257
919
  msgid "Upgrade Required"
920
  msgstr "Απαιτείται ενημέρωση"
921
 
922
+ #: redirection-strings.php:199
923
  msgid "Finish Setup"
924
  msgstr "Ολοκλήρωση εγκατάστασης"
925
 
926
+ #: redirection-strings.php:197
927
  msgid "You have different URLs configured on your WordPress Settings > General page, which is usually an indication of a misconfiguration, and it can cause problems with the REST API. Please review your settings."
928
  msgstr "Έχετε διαφορετικά URLs ρυθμισμένα στη σελίδα Ρυθμίσεις WordPress > Γενικά, το οποίο συνήθως είναι ένδειξη λάθος ρυθμίσεων, και μπορεί να προκαλέσει προβλήματα με το REST API. Παρακαλούμε κοιτάξτε πάλι τις ρυθμίσεις σας."
929
 
930
+ #: redirection-strings.php:196
931
  msgid "If you do experience a problem then please consult your plugin documentation, or try contacting your host support. This is generally {{link}}not a problem caused by Redirection{{/link}}."
932
  msgstr "Αν αντιμετωπίζετε κάποιο πρόβλημα παρακαλούμε συμβουλευτείτε την τεκμηρίωση του προσθέτου, ή επικοινωνήστε με την υποστήριξη της υπηρεσίας φιλοξενίας. Αυτό γενικά {{link}}δεν είναι κάποιο πρόβλημα που προκλήθηκε από το Redirection{{/link}}."
933
 
934
+ #: redirection-strings.php:195
935
  msgid "Some other plugin that blocks the REST API"
936
  msgstr "Κάποιο άλλο πρόσθετο μπλοκάρει το REST API"
937
 
938
+ #: redirection-strings.php:193
939
  msgid "A server firewall or other server configuration (e.g OVH)"
940
  msgstr "Ένα firewall του διακομιστή ή κάποια άλλη ρύθμιση στον διακομιστή (π.χ. OVH)"
941
 
942
+ #: redirection-strings.php:191
943
  msgid "Redirection uses the {{link}}WordPress REST API{{/link}} to communicate with WordPress. This is enabled and working by default. Sometimes the REST API is blocked by:"
944
  msgstr "Το Redirection χρησιμοποιεί το {{link}}WordPress REST API{{/link}} για να επικοινωνήσει με το WordPress. Αυτό είναι ενεργοποιημένο και λειτουργικό από προεπιλογή. Μερικές φορές το REST API μπλοκάρεται από:"
945
 
946
+ #: redirection-strings.php:189 redirection-strings.php:200
947
  msgid "Go back"
948
  msgstr "Επιστροφή"
949
 
950
+ #: redirection-strings.php:188
951
  msgid "Continue Setup"
952
  msgstr "Συνέχεια Εγκατάστασης"
953
 
954
+ #: redirection-strings.php:186
955
  msgid "Storing the IP address allows you to perform additional log actions. Note that you will need to adhere to local laws regarding the collection of data (for example GDPR)."
956
  msgstr ""
957
 
958
+ #: redirection-strings.php:185
959
  msgid "Store IP information for redirects and 404 errors."
960
  msgstr ""
961
 
962
+ #: redirection-strings.php:183
963
  msgid "Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements."
964
  msgstr ""
965
 
966
+ #: redirection-strings.php:182
967
  msgid "Keep a log of all redirects and 404 errors."
968
  msgstr ""
969
 
970
+ #: redirection-strings.php:181 redirection-strings.php:184
971
+ #: redirection-strings.php:187
972
  msgid "{{link}}Read more about this.{{/link}}"
973
  msgstr ""
974
 
975
+ #: redirection-strings.php:180
976
  msgid "If you change the permalink in a post or page then Redirection can automatically create a redirect for you."
977
  msgstr ""
978
 
979
+ #: redirection-strings.php:179
980
  msgid "Monitor permalink changes in WordPress posts and pages"
981
  msgstr ""
982
 
983
+ #: redirection-strings.php:178
984
  msgid "These are some options you may want to enable now. They can be changed at any time."
985
  msgstr ""
986
 
987
+ #: redirection-strings.php:177
988
  msgid "Basic Setup"
989
  msgstr "Βασική εγκατάσταση"
990
 
991
+ #: redirection-strings.php:176
992
  msgid "Start Setup"
993
  msgstr "Έναρξη εγκατάστασης"
994
 
995
+ #: redirection-strings.php:175
996
  msgid "When ready please press the button to continue."
997
  msgstr ""
998
 
999
+ #: redirection-strings.php:174
1000
  msgid "First you will be asked a few questions, and then Redirection will set up your database."
1001
  msgstr ""
1002
 
1003
+ #: redirection-strings.php:173
1004
  msgid "What's next?"
1005
  msgstr "Τι ακολουθεί;"
1006
 
1007
+ #: redirection-strings.php:172
1008
  msgid "Check a URL is being redirected"
1009
  msgstr ""
1010
 
1011
+ #: redirection-strings.php:171
1012
  msgid "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"
1013
  msgstr ""
1014
 
1015
+ #: redirection-strings.php:170
1016
  msgid "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"
1017
  msgstr ""
1018
 
1019
+ #: redirection-strings.php:169
1020
  msgid "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"
1021
  msgstr ""
1022
 
1023
+ #: redirection-strings.php:168
1024
  msgid "Some features you may find useful are"
1025
  msgstr ""
1026
 
1027
+ #: redirection-strings.php:167
1028
  msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
1029
  msgstr "Μπορείτε να βρείτε την πλήρη τεκμηρίωση στον {{link}}ιστότοπο του Redirection.{{/link}}"
1030
 
1031
+ #: redirection-strings.php:161
1032
  msgid "A simple redirect involves setting a {{strong}}source URL{{/strong}} (the old URL) and a {{strong}}target URL{{/strong}} (the new URL). Here's an example:"
1033
  msgstr "Μία απλή ανακατεύθυνση περιλαμβάνει τη ρύθμιση ενός {{strong}}URL προέλευσης{{/strong}} (το παλιό URL) και ενός {{strong}}στοχευμένου URL{{/strong}} (το νέο URL). Ορίστε ένα παράδειγμα:"
1034
 
1035
+ #: redirection-strings.php:160
1036
  msgid "How do I use this plugin?"
1037
  msgstr "Πώς χρησιμοποιώ αυτό το πρόσθετο;"
1038
 
1039
+ #: redirection-strings.php:159
1040
  msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
1041
  msgstr "Το Redirection είναι σχεδιασμένο για να χρησιμοποιείται από ιστοτόπους με λίγες ανακατευθύνσεις μέχρι και ιστοτόπους με χιλιάδες ανακατευθύνσεις."
1042
 
1043
+ #: redirection-strings.php:158
1044
  msgid "Thank you for installing and using Redirection v%(version)s. This plugin will allow you to manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed."
1045
  msgstr "Ευχαριστούμε που εγκαταστήσατε και χρησιμοποείτε το Redirection v%(version)s. Αυτό το πρόσθετο θα σας επιτρέπει να διαχειρίζεστε τις ανακατευθύνσεις 301, να παρακολουθείτε τα σφάλματα 404, και να βελτιώσετε τον ιστότοπό σας, χωρίς να χρειάζεται γνώση των Apache και Nginx."
1046
 
1047
+ #: redirection-strings.php:157
1048
  msgid "Welcome to Redirection 🚀🎉"
1049
  msgstr "Καλώς ήρθατε στο Redirection 🚀🎉"
1050
 
1051
+ #: redirection-strings.php:118
1052
  msgid "To prevent a greedy regular expression you can use {{code}}^{{/code}} to anchor it to the start of the URL. For example: {{code}}%(example)s{{/code}}"
1053
  msgstr "Προς αποφυγήν κάποιου άπληστου regular expression μπορείτε να χρησιμοποιήσετε το {{code}}^{{/code}} για να το αγκυρώσετε στην αρχή του URL. Για παράδειγμα: {{code}}%(example)s{{/code}}"
1054
 
1055
+ #: redirection-strings.php:116
1056
  msgid "Remember to enable the \"regex\" option if this is a regular expression."
1057
  msgstr "Θυμηθείτε να ενεργοποιήσετε την επιλογή \"regex\" αν αυτό είναι regular expression."
1058
 
1059
+ #: redirection-strings.php:115
1060
  msgid "The source URL should probably start with a {{code}}/{{/code}}"
1061
  msgstr "Το URL προέλευσης μάλλον πρέπει να ξεκινάει με {{code}}/{{/code}}"
1062
 
1063
+ #: redirection-strings.php:114
1064
  msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
1065
  msgstr "Αυτό θα μετατραπεί σε ανακατεύθυνση του διακομιστή για τον τομέα {{code}}%(server)s{{/code}}."
1066
 
1067
+ #: redirection-strings.php:113
1068
  msgid "Anchor values are not sent to the server and cannot be redirected."
1069
  msgstr "Οι αγκυρωμένες τιμές δεν αποστέλλονται στον διακομιστή και δεν μπορούν να ανακατευθυνθούν."
1070
 
1071
+ #: redirection-strings.php:38
1072
  msgid "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"
1073
  msgstr "{{code}}%(status)d{{/code}} σε {{code}}%(target)s{{/code}}"
1074
 
1075
+ #: redirection-strings.php:18 redirection-strings.php:22
1076
  msgid "Finished! 🎉"
1077
  msgstr "Ολοκληρώθηκε! 🎉"
1078
 
1079
+ #: redirection-strings.php:21
1080
  msgid "Progress: %(complete)d$"
1081
  msgstr "Πρόοδος: %(complete)d$"
1082
 
1083
+ #: redirection-strings.php:20
1084
  msgid "Leaving before the process has completed may cause problems."
1085
  msgstr ""
1086
 
1087
+ #: redirection-strings.php:14
1088
  msgid "Setting up Redirection"
1089
  msgstr ""
1090
 
1091
+ #: redirection-strings.php:13
1092
  msgid "Upgrading Redirection"
1093
  msgstr ""
1094
 
1095
+ #: redirection-strings.php:12
1096
  msgid "Please remain on this page until complete."
1097
  msgstr ""
1098
 
1099
+ #: redirection-strings.php:11
1100
  msgid "If you want to {{support}}ask for support{{/support}} please include these details:"
1101
  msgstr ""
1102
 
1103
+ #: redirection-strings.php:10
1104
  msgid "Stop upgrade"
1105
  msgstr "Διακοπή αναβάθμισης"
1106
 
1107
+ #: redirection-strings.php:9
1108
  msgid "Skip this stage"
1109
  msgstr "Παράλειψη αυτού του σταδίου"
1110
 
1111
+ #: redirection-strings.php:6 redirection-strings.php:8
1112
  msgid "Try again"
1113
  msgstr "Προσπαθήστε ξανά"
1114
 
1115
+ #: redirection-strings.php:5 redirection-strings.php:7
1116
  msgid "Database problem"
1117
  msgstr "Πρόβλημα με τη βάση δεδομένων"
1118
 
1119
+ #: redirection-admin.php:469
1120
  msgid "Please enable JavaScript"
1121
  msgstr ""
1122
 
1123
+ #: redirection-admin.php:156
1124
  msgid "Please upgrade your database"
1125
  msgstr ""
1126
 
1127
+ #: redirection-admin.php:147 redirection-strings.php:255
1128
  msgid "Upgrade Database"
1129
  msgstr ""
1130
 
1131
  #. translators: 1: URL to plugin page
1132
+ #: redirection-admin.php:82
1133
  msgid "Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin."
1134
  msgstr ""
1135
 
1154
  msgstr ""
1155
 
1156
  #. translators: 1: Site URL, 2: Home URL
1157
+ #: models/fixer.php:98
1158
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
1159
  msgstr ""
1160
 
1161
+ #: redirection-strings.php:654
1162
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
1163
  msgstr "Παρακαλούμε μην προσπαθήσετε να ακατευθύνετε όλα τα 404 σας - αυτό δεν είναι καλό."
1164
 
1165
+ #: redirection-strings.php:653
1166
  msgid "Only the 404 page type is currently supported."
1167
  msgstr "Μόνο ο τύπος σελίδων 404 υποστηρίζεται προς το παρόν."
1168
 
1169
+ #: redirection-strings.php:652
1170
  msgid "Page Type"
1171
  msgstr "Είδος Σελίδας"
1172
 
1173
+ #: redirection-strings.php:649
1174
  msgid "Enter IP addresses (one per line)"
1175
  msgstr "Εισάγετε τις διευθύνσεις IP (μία ανά σειρά)"
1176
 
1177
+ #: redirection-strings.php:112
1178
  msgid "Describe the purpose of this redirect (optional)"
1179
  msgstr "Περιγράψτε τον σκοπό της κάθε ανακατεύθυνσης (προαιρετικό)"
1180
 
1181
+ #: redirection-strings.php:83
1182
  msgid "418 - I'm a teapot"
1183
  msgstr "418 - I'm a teapot"
1184
 
1185
+ #: redirection-strings.php:80
1186
  msgid "403 - Forbidden"
1187
  msgstr "403 - Forbidden"
1188
 
1189
+ #: redirection-strings.php:78
1190
  msgid "400 - Bad Request"
1191
  msgstr "400 - Bad Request"
1192
 
1193
+ #: redirection-strings.php:75
1194
  msgid "304 - Not Modified"
1195
  msgstr ""
1196
 
1197
+ #: redirection-strings.php:74
1198
  msgid "303 - See Other"
1199
  msgstr ""
1200
 
1201
+ #: redirection-strings.php:71
1202
  msgid "Do nothing (ignore)"
1203
  msgstr "Μην κάνετε τίποτα (αγνοήστε)"
1204
 
1205
+ #: redirection-strings.php:622 redirection-strings.php:626
1206
  msgid "Target URL when not matched (empty to ignore)"
1207
  msgstr ""
1208
 
1209
+ #: redirection-strings.php:620 redirection-strings.php:624
1210
  msgid "Target URL when matched (empty to ignore)"
1211
  msgstr ""
1212
 
1213
+ #: redirection-strings.php:435
1214
  msgid "Show All"
1215
  msgstr "Εμφάνιση όλων"
1216
 
1217
+ #: redirection-strings.php:432
1218
+ msgid "Delete logs for these entries"
1219
+ msgstr ""
1220
 
1221
+ #: redirection-strings.php:431
1222
+ msgid "Delete logs for this entry"
1223
+ msgstr ""
1224
 
1225
+ #: redirection-strings.php:430
1226
  msgid "Delete Log Entries"
1227
  msgstr ""
1228
 
1229
+ #: redirection-strings.php:371 redirection-strings.php:401
1230
  msgid "Group by IP"
1231
  msgstr ""
1232
 
1233
+ #: redirection-strings.php:369 redirection-strings.php:399
1234
  msgid "Group by URL"
1235
  msgstr ""
1236
 
1237
+ #: redirection-strings.php:368 redirection-strings.php:398
1238
  msgid "No grouping"
1239
  msgstr ""
1240
 
1241
+ #: redirection-strings.php:397 redirection-strings.php:437
1242
  msgid "Ignore URL"
1243
  msgstr ""
1244
 
1245
+ #: redirection-strings.php:395 redirection-strings.php:436
1246
  msgid "Block IP"
1247
  msgstr "Αποκλεισμός IP"
1248
 
1249
+ #: redirection-strings.php:394 redirection-strings.php:396
 
1250
  msgid "Redirect All"
1251
  msgstr ""
1252
 
1253
+ #: redirection-strings.php:326 redirection-strings.php:328
1254
+ #: redirection-strings.php:330 redirection-strings.php:347
1255
+ #: redirection-strings.php:349 redirection-strings.php:351
1256
+ #: redirection-strings.php:380 redirection-strings.php:382
1257
+ #: redirection-strings.php:384 redirection-strings.php:407
1258
+ #: redirection-strings.php:409 redirection-strings.php:411
1259
  msgid "Count"
1260
  msgstr "Αρίθμηση"
1261
 
1262
+ #: redirection-strings.php:65 matches/page.php:9
1263
  msgid "URL and WordPress page type"
1264
  msgstr ""
1265
 
1266
+ #: redirection-strings.php:61 matches/ip.php:9
1267
  msgid "URL and IP"
1268
  msgstr "URL και IP"
1269
 
1270
+ #: redirection-strings.php:599
1271
  msgid "Problem"
1272
  msgstr "Πρόβλημα"
1273
 
1274
+ #: redirection-strings.php:132 redirection-strings.php:598
1275
  msgid "Good"
1276
  msgstr "Καλό"
1277
 
1278
+ #: redirection-strings.php:594
1279
  msgid "Check"
1280
  msgstr "Έλεγχος"
1281
 
1282
+ #: redirection-strings.php:572
1283
  msgid "Check Redirect"
1284
  msgstr ""
1285
 
1286
+ #: redirection-strings.php:49
1287
  msgid "Check redirect for: {{code}}%s{{/code}}"
1288
  msgstr ""
1289
 
1290
+ #: redirection-strings.php:43
 
 
 
 
1291
  msgid "Not using Redirection"
1292
  msgstr ""
1293
 
1294
+ #: redirection-strings.php:42
1295
  msgid "Using Redirection"
1296
  msgstr ""
1297
 
1298
+ #: redirection-strings.php:39
1299
  msgid "Found"
1300
  msgstr "Βρέθηκε"
1301
 
1302
+ #: redirection-strings.php:40
1303
  msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
1304
  msgstr ""
1305
 
1306
+ #: redirection-strings.php:37
1307
  msgid "Expected"
1308
  msgstr ""
1309
 
1310
+ #: redirection-strings.php:47
1311
  msgid "Error"
1312
  msgstr "Σφάλμα"
1313
 
1314
+ #: redirection-strings.php:593
1315
  msgid "Enter full URL, including http:// or https://"
1316
  msgstr ""
1317
 
1318
+ #: redirection-strings.php:591
1319
  msgid "Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting."
1320
  msgstr ""
1321
 
1322
+ #: redirection-strings.php:590
1323
  msgid "Redirect Tester"
1324
  msgstr ""
1325
 
1326
+ #: redirection-strings.php:360 redirection-strings.php:537
1327
+ #: redirection-strings.php:589
1328
  msgid "Target"
1329
  msgstr "Στόχος"
1330
 
1331
+ #: redirection-strings.php:588
1332
  msgid "URL is not being redirected with Redirection"
1333
  msgstr ""
1334
 
1335
+ #: redirection-strings.php:587
1336
  msgid "URL is being redirected with Redirection"
1337
  msgstr ""
1338
 
1339
+ #: redirection-strings.php:586 redirection-strings