Redirection - Version 4.7.1

Version Description

  • 14th March 2020 =
  • Fix HTTP header over-sanitizing the value
  • Fix inability to remove .htaccess location
  • Fix 404 group by 'delete all'
  • Fix import of empty 'old slugs'
Download this release

Release Info

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

Code changes from version 4.6.2 to 4.7.1

api/api-404.php CHANGED
@@ -46,13 +46,6 @@
46
  * @apiUse 401Error
47
  * @apiUse 404Error
48
  * @apiUse 400MissingError
49
- * @apiError (Error 400) redirect_404_invalid_items Invalid array of items
50
- * @apiErrorExample {json} 404 Error Response:
51
- * HTTP/1.1 400 Bad Request
52
- * {
53
- * "code": "redirect_404_invalid_items",
54
- * "message": "Invalid array of items"
55
- * }
56
  */
57
 
58
  /**
@@ -110,7 +103,21 @@ class Redirection_Api_404 extends Redirection_Api_Filter_Route {
110
  $this->get_route( WP_REST_Server::EDITABLE, 'route_delete_all', [ $this, 'permission_callback_delete' ] ),
111
  ) );
112
 
113
- $this->register_bulk( $namespace, '/bulk/404/(?P<bulk>delete)', $orders, 'route_bulk', [ $this, 'permission_callback_delete' ] );
 
 
 
 
 
 
 
 
 
 
 
 
 
 
114
  }
115
 
116
  public function permission_callback_manage( WP_REST_Request $request ) {
@@ -127,21 +134,17 @@ class Redirection_Api_404 extends Redirection_Api_Filter_Route {
127
 
128
  public function route_bulk( WP_REST_Request $request ) {
129
  $params = $request->get_params();
130
- $items = explode( ',', $request['items'] );
131
-
132
- if ( is_array( $items ) ) {
133
- foreach ( $items as $item ) {
134
- if ( is_numeric( $item ) ) {
135
- RE_404::delete( intval( $item, 10 ) );
136
- } else {
137
- RE_404::delete_all( $this->get_delete_group( $params ), $item );
138
- }
139
- }
140
 
141
- return $this->route_404( $request );
 
 
 
 
 
142
  }
143
 
144
- return $this->add_error_details( new WP_Error( 'redirect_404_invalid_items', 'Invalid array of items' ), __LINE__ );
145
  }
146
 
147
  private function get_delete_group( array $params ) {
46
  * @apiUse 401Error
47
  * @apiUse 404Error
48
  * @apiUse 400MissingError
 
 
 
 
 
 
 
49
  */
50
 
51
  /**
103
  $this->get_route( WP_REST_Server::EDITABLE, 'route_delete_all', [ $this, 'permission_callback_delete' ] ),
104
  ) );
105
 
106
+ register_rest_route( $namespace, '/bulk/404/(?P<bulk>delete)', array(
107
+ $this->get_route( WP_REST_Server::EDITABLE, 'route_bulk', [ $this, 'permission_callback_delete' ] ),
108
+ 'args' => array_merge( $this->get_filter_args( $orders ), [
109
+ 'items' => [
110
+ 'description' => 'Comma separated list of item IDs to perform action on',
111
+ 'type' => 'string',
112
+ 'required' => true,
113
+ 'sanitize_callback' => [ $this, 'sanitize_bulk' ],
114
+ ],
115
+ ] ),
116
+ ) );
117
+ }
118
+
119
+ public function sanitize_bulk( $param ) {
120
+ return explode( ',', $param );
121
  }
122
 
123
  public function permission_callback_manage( WP_REST_Request $request ) {
134
 
135
  public function route_bulk( WP_REST_Request $request ) {
136
  $params = $request->get_params();
137
+ $items = $request['items'];
 
 
 
 
 
 
 
 
 
138
 
139
+ foreach ( $items as $item ) {
140
+ if ( is_numeric( $item ) ) {
141
+ RE_404::delete( intval( $item, 10 ) );
142
+ } else {
143
+ RE_404::delete_all( $this->get_delete_group( $params ), $item );
144
+ }
145
  }
146
 
147
+ return $this->route_404( $request );
148
  }
149
 
150
  private function get_delete_group( array $params ) {
api/api-group.php CHANGED
@@ -77,13 +77,6 @@
77
  * @apiUse 401Error
78
  * @apiUse 404Error
79
  * @apiUse 400MissingError
80
- * @apiError (Error 400) redirect_group_invalid_items Invalid array of items
81
- * @apiErrorExample {json} 404 Error Response:
82
- * HTTP/1.1 400 Bad Request
83
- * {
84
- * "code": "redirect_group_invalid_items",
85
- * "message": "Invalid array of items"
86
- * }
87
  */
88
 
89
  /**
@@ -221,26 +214,22 @@ class Redirection_Api_Group extends Redirection_Api_Filter_Route {
221
 
222
  public function route_bulk( WP_REST_Request $request ) {
223
  $action = $request['bulk'];
224
- $items = explode( ',', $request['items'] );
225
-
226
- if ( is_array( $items ) ) {
227
- foreach ( $items as $item ) {
228
- $group = Red_Group::get( intval( $item, 10 ) );
229
-
230
- if ( $group ) {
231
- if ( $action === 'delete' ) {
232
- $group->delete();
233
- } elseif ( $action === 'disable' ) {
234
- $group->disable();
235
- } elseif ( $action === 'enable' ) {
236
- $group->enable();
237
- }
238
  }
239
  }
240
-
241
- return $this->route_list( $request );
242
  }
243
 
244
- return $this->add_error_details( new WP_Error( 'redirect_group_invalid_items', 'Invalid array of items' ), __LINE__ );
245
  }
246
  }
77
  * @apiUse 401Error
78
  * @apiUse 404Error
79
  * @apiUse 400MissingError
 
 
 
 
 
 
 
80
  */
81
 
82
  /**
214
 
215
  public function route_bulk( WP_REST_Request $request ) {
216
  $action = $request['bulk'];
217
+ $items = $request['items'];
218
+
219
+ foreach ( $items as $item ) {
220
+ $group = Red_Group::get( intval( $item, 10 ) );
221
+
222
+ if ( $group ) {
223
+ if ( $action === 'delete' ) {
224
+ $group->delete();
225
+ } elseif ( $action === 'disable' ) {
226
+ $group->disable();
227
+ } elseif ( $action === 'enable' ) {
228
+ $group->enable();
 
 
229
  }
230
  }
 
 
231
  }
232
 
233
+ return $this->route_list( $request );
234
  }
235
  }
api/api-log.php CHANGED
@@ -47,13 +47,6 @@
47
  * @apiUse 401Error
48
  * @apiUse 404Error
49
  * @apiUse 400MissingError
50
- * @apiError (Error 400) redirect_log_invalid_items Invalid array of items
51
- * @apiErrorExample {json} 404 Error Response:
52
- * HTTP/1.1 400 Bad Request
53
- * {
54
- * "code": "redirect_log_invalid_items",
55
- * "message": "Invalid array of items"
56
- * }
57
  */
58
 
59
  /**
@@ -127,15 +120,11 @@ class Redirection_Api_Log extends Redirection_Api_Filter_Route {
127
  }
128
 
129
  public function route_bulk( WP_REST_Request $request ) {
130
- $items = explode( ',', $request['items'] );
131
 
132
- if ( is_array( $items ) ) {
133
- $items = array_map( 'intval', $items );
134
- array_map( array( 'RE_Log', 'delete' ), $items );
135
- return $this->route_log( $request );
136
- }
137
-
138
- return $this->add_error_details( new WP_Error( 'redirect_log_invalid_items', 'Invalid array of items' ), __LINE__ );
139
  }
140
 
141
  public function route_delete_all( WP_REST_Request $request ) {
47
  * @apiUse 401Error
48
  * @apiUse 404Error
49
  * @apiUse 400MissingError
 
 
 
 
 
 
 
50
  */
51
 
52
  /**
120
  }
121
 
122
  public function route_bulk( WP_REST_Request $request ) {
123
+ $items = $request['items'];
124
 
125
+ $items = array_map( 'intval', $items );
126
+ array_map( array( 'RE_Log', 'delete' ), $items );
127
+ return $this->route_log( $request );
 
 
 
 
128
  }
129
 
130
  public function route_delete_all( WP_REST_Request $request ) {
api/api-plugin.php CHANGED
@@ -33,14 +33,16 @@ class Redirection_Api_Plugin extends Redirection_Api_Route {
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' => array(
37
- 'description' => 'Upgrade parameter',
38
- 'type' => 'enum',
39
- 'enum' => array(
40
- 'stop',
41
- 'skip',
42
- ),
43
- ),
 
 
44
  ) );
45
  }
46
 
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' => [
38
+ 'description' => 'Upgrade parameter',
39
+ 'type' => 'string',
40
+ 'enum' => array(
41
+ 'stop',
42
+ 'skip',
43
+ ),
44
+ ],
45
+ ],
46
  ) );
47
  }
48
 
api/api-redirect.php CHANGED
@@ -72,13 +72,6 @@
72
  * @apiUse 401Error
73
  * @apiUse 404Error
74
  * @apiUse 400MissingError
75
- * @apiError (Error 400) redirect_invalid_items Invalid array of items
76
- * @apiErrorExample {json} 404 Error Response:
77
- * HTTP/1.1 400 Bad Request
78
- * {
79
- * "code": "redirect_invalid_items",
80
- * "message": "Invalid array of items"
81
- * }
82
  */
83
 
84
  /**
@@ -191,6 +184,7 @@ class Redirection_Api_Redirect extends Redirection_Api_Filter_Route {
191
  'text' => [
192
  'description' => 'Text to match',
193
  'type' => 'string',
 
194
  ],
195
  ],
196
  ) );
@@ -253,7 +247,7 @@ class Redirection_Api_Redirect extends Redirection_Api_Filter_Route {
253
  return $this->add_error_details( $result, __LINE__ );
254
  }
255
 
256
- return array( 'item' => $redirect->to_json() );
257
  }
258
 
259
  return $this->add_error_details( new WP_Error( 'redirect_update_failed', 'Invalid redirect details' ), __LINE__ );
@@ -261,54 +255,48 @@ class Redirection_Api_Redirect extends Redirection_Api_Filter_Route {
261
 
262
  public function route_bulk( WP_REST_Request $request ) {
263
  $action = $request['bulk'];
264
- $items = explode( ',', $request['items'] );
265
-
266
- if ( is_array( $items ) ) {
267
- foreach ( $items as $item ) {
268
- $redirect = Red_Item::get_by_id( intval( $item, 10 ) );
269
-
270
- if ( $redirect ) {
271
- if ( $action === 'delete' ) {
272
- $redirect->delete();
273
- } elseif ( $action === 'disable' ) {
274
- $redirect->disable();
275
- } elseif ( $action === 'enable' ) {
276
- $redirect->enable();
277
- } elseif ( $action === 'reset' ) {
278
- $redirect->reset();
279
- }
280
  }
281
  }
282
-
283
- return $this->route_list( $request );
284
  }
285
 
286
- return $this->add_error_details( new WP_Error( 'redirect_invalid_items', 'Invalid array of items' ), __LINE__ );
287
  }
288
 
289
  public function route_match_post( WP_REST_Request $request ) {
 
 
290
  $params = $request->get_params();
291
- $search = isset( $params['text'] ) ? $params['text'] : false;
292
  $results = [];
293
 
294
- if ( $search ) {
295
- global $wpdb;
296
-
297
- $posts = $wpdb->get_results(
298
- $wpdb->prepare(
299
- "SELECT ID,post_title,post_name FROM $wpdb->posts WHERE post_status='publish' AND (post_title LIKE %s OR post_name LIKE %s) " .
300
- "AND post_type NOT IN ('nav_menu_item','wp_block','oembed_cache')",
301
- '%' . $wpdb->esc_like( $search ) . '%', '%' . $wpdb->esc_like( $search ) . '%'
302
- )
303
- );
304
-
305
- foreach ( (array) $posts as $post ) {
306
- $results[] = [
307
- 'title' => $post->post_title,
308
- 'slug' => $post->post_name,
309
- 'url' => get_permalink( $post->ID ),
310
- ];
311
- }
312
  }
313
 
314
  return $results;
72
  * @apiUse 401Error
73
  * @apiUse 404Error
74
  * @apiUse 400MissingError
 
 
 
 
 
 
 
75
  */
76
 
77
  /**
184
  'text' => [
185
  'description' => 'Text to match',
186
  'type' => 'string',
187
+ 'required' => true,
188
  ],
189
  ],
190
  ) );
247
  return $this->add_error_details( $result, __LINE__ );
248
  }
249
 
250
+ return [ 'item' => $redirect->to_json() ];
251
  }
252
 
253
  return $this->add_error_details( new WP_Error( 'redirect_update_failed', 'Invalid redirect details' ), __LINE__ );
255
 
256
  public function route_bulk( WP_REST_Request $request ) {
257
  $action = $request['bulk'];
258
+ $items = $request['items'];
259
+
260
+ foreach ( $items as $item ) {
261
+ $redirect = Red_Item::get_by_id( intval( $item, 10 ) );
262
+
263
+ if ( $redirect ) {
264
+ if ( $action === 'delete' ) {
265
+ $redirect->delete();
266
+ } elseif ( $action === 'disable' ) {
267
+ $redirect->disable();
268
+ } elseif ( $action === 'enable' ) {
269
+ $redirect->enable();
270
+ } elseif ( $action === 'reset' ) {
271
+ $redirect->reset();
 
 
272
  }
273
  }
 
 
274
  }
275
 
276
+ return $this->route_list( $request );
277
  }
278
 
279
  public function route_match_post( WP_REST_Request $request ) {
280
+ global $wpdb;
281
+
282
  $params = $request->get_params();
283
+ $search = $params['text'];
284
  $results = [];
285
 
286
+ $posts = $wpdb->get_results(
287
+ $wpdb->prepare(
288
+ "SELECT ID,post_title,post_name FROM $wpdb->posts WHERE post_status='publish' AND (post_title LIKE %s OR post_name LIKE %s) " .
289
+ "AND post_type NOT IN ('nav_menu_item','wp_block','oembed_cache')",
290
+ '%' . $wpdb->esc_like( $search ) . '%', '%' . $wpdb->esc_like( $search ) . '%'
291
+ )
292
+ );
293
+
294
+ foreach ( (array) $posts as $post ) {
295
+ $results[] = [
296
+ 'title' => $post->post_title,
297
+ 'slug' => $post->post_name,
298
+ 'url' => get_permalink( $post->ID ),
299
+ ];
 
 
 
 
300
  }
301
 
302
  return $results;
api/api-settings.php CHANGED
@@ -1,5 +1,4 @@
1
  <?php
2
-
3
  /**
4
  * @api {get} /redirection/v1/setting Get settings
5
  * @apiName GetSettings
@@ -51,6 +50,9 @@
51
  * @apiSuccess {String} settings.https
52
  * @apiSuccess {String} settings.headers
53
  * @apiSuccess {String} settings.database
 
 
 
54
  * @apiSuccess {Object[]} groups An array of groups
55
  * @apiSuccess {String} groups.label Name of the group
56
  * @apiSuccess {Integer} groups.value Group ID
1
  <?php
 
2
  /**
3
  * @api {get} /redirection/v1/setting Get settings
4
  * @apiName GetSettings
50
  * @apiSuccess {String} settings.https
51
  * @apiSuccess {String} settings.headers
52
  * @apiSuccess {String} settings.database
53
+ * @apiSuccess {String} settings.relcoate Relocate this site to the specified domain (and path)
54
+ * @apiSuccess {String="www","nowww",""} settings.preferred_domain Preferred canonical domain
55
+ * @apiSuccess {String[]} settings.aliases Array of domains that will be redirected to the current WordPress site
56
  * @apiSuccess {Object[]} groups An array of groups
57
  * @apiSuccess {String} groups.label Name of the group
58
  * @apiSuccess {Integer} groups.value Group ID
api/api.php CHANGED
@@ -107,51 +107,56 @@ class Redirection_Api_Filter_Route extends Redirection_Api_Route {
107
  }
108
 
109
  protected function get_filter_args( $order_fields, $filters = [] ) {
110
- return array(
111
- 'filterBy' => array(
112
  'description' => 'Field to filter by',
113
  'validate_callback' => [ $this, 'validate_filter' ],
114
  'filter_fields' => $filters,
115
- ),
116
- 'orderby' => array(
117
  'description' => 'Field to order results by',
118
- 'type' => 'enum',
119
  'enum' => $order_fields,
120
- ),
121
- 'direction' => array(
122
  'description' => 'Direction of ordered results',
123
- 'type' => 'enum',
124
  'default' => 'desc',
125
- 'enum' => array( 'asc', 'desc' ),
126
- ),
127
- 'per_page' => array(
128
  'description' => 'Number of results per page',
129
  'type' => 'integer',
130
  'default' => 25,
131
  'minimum' => 5,
132
  'maximum' => RED_MAX_PER_PAGE,
133
- ),
134
- 'page' => array(
135
  'description' => 'Page offset',
136
  'type' => 'integer',
137
  'minimum' => 0,
138
  'default' => 0,
139
- ),
140
- );
141
  }
142
 
143
  public function register_bulk( $namespace, $route, $orders, $callback, $permissions = false ) {
144
  register_rest_route( $namespace, $route, array(
145
  $this->get_route( WP_REST_Server::EDITABLE, $callback, $permissions ),
146
- 'args' => array_merge( $this->get_filter_args( $orders ), array(
147
- 'items' => array(
148
  'description' => 'Comma separated list of item IDs to perform action on',
149
- 'type' => 'string|integer',
150
  'required' => true,
151
- ),
152
- ) ),
 
153
  ) );
154
  }
 
 
 
 
155
  }
156
 
157
  class Redirection_Api {
107
  }
108
 
109
  protected function get_filter_args( $order_fields, $filters = [] ) {
110
+ return [
111
+ 'filterBy' => [
112
  'description' => 'Field to filter by',
113
  'validate_callback' => [ $this, 'validate_filter' ],
114
  'filter_fields' => $filters,
115
+ ],
116
+ 'orderby' => [
117
  'description' => 'Field to order results by',
118
+ 'type' => 'string',
119
  'enum' => $order_fields,
120
+ ],
121
+ 'direction' => [
122
  'description' => 'Direction of ordered results',
123
+ 'type' => 'string',
124
  'default' => 'desc',
125
+ 'enum' => [ 'asc', 'desc' ],
126
+ ],
127
+ 'per_page' => [
128
  'description' => 'Number of results per page',
129
  'type' => 'integer',
130
  'default' => 25,
131
  'minimum' => 5,
132
  'maximum' => RED_MAX_PER_PAGE,
133
+ ],
134
+ 'page' => [
135
  'description' => 'Page offset',
136
  'type' => 'integer',
137
  'minimum' => 0,
138
  'default' => 0,
139
+ ],
140
+ ];
141
  }
142
 
143
  public function register_bulk( $namespace, $route, $orders, $callback, $permissions = false ) {
144
  register_rest_route( $namespace, $route, array(
145
  $this->get_route( WP_REST_Server::EDITABLE, $callback, $permissions ),
146
+ 'args' => array_merge( $this->get_filter_args( $orders ), [
147
+ 'items' => [
148
  'description' => 'Comma separated list of item IDs to perform action on',
149
+ 'type' => 'string',
150
  'required' => true,
151
+ 'sanitize_callback' => [ $this, 'sanitize_csv' ],
152
+ ],
153
+ ] ),
154
  ) );
155
  }
156
+
157
+ public function sanitize_csv( $param ) {
158
+ return array_values( array_filter( array_map( 'intval', explode( ',', $param ) ) ) );
159
+ }
160
  }
161
 
162
  class Redirection_Api {
fileio/apache.php CHANGED
@@ -120,13 +120,15 @@ class Red_Apache_File extends Red_FileIO {
120
  private function is_str_regex( $url ) {
121
  $regex = '()[]$^?+.';
122
  $escape = false;
 
123
 
124
- for ( $x = 0; $x < strlen( $url ); $x++ ) {
125
  $escape = false;
 
126
 
127
- if ( $url{$x} === '\\' ) {
128
  $escape = true;
129
- } elseif ( strpos( $regex, $url{$x} ) !== false && ! $escape ) {
130
  return true;
131
  }
132
  }
120
  private function is_str_regex( $url ) {
121
  $regex = '()[]$^?+.';
122
  $escape = false;
123
+ $len = strlen( $url );
124
 
125
+ for ( $x = 0; $x < $len; $x++ ) {
126
  $escape = false;
127
+ $char = substr( $url, $x, 1 );
128
 
129
+ if ( $char === '\\' ) {
130
  $escape = true;
131
+ } elseif ( strpos( $regex, $char ) !== false && ! $escape ) {
132
  return true;
133
  }
134
  }
locale/json/redirection-en_AU.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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":[""],"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":["Predefined"],"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.":[""],"URL match":[""],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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":[""],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(select IP logging level)"],"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":["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%1$s, you are using v%2$s - 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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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":[""],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."],"Ensure that you update your site URL settings.":["Ensure that you update your site URL settings."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."],"Force a redirect from HTTP to HTTPS":["Force a redirect from HTTP to HTTPS"],"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"],"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":["Predefined"],"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"],"The problem is almost certainly caused by one of the above.":["The problem is almost certainly caused by one of the above."],"Your admin pages are being cached. Clear this cache and try again.":["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.":["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."],"This is usually fixed by doing one of these:":["This is usually fixed by doing one of these:"],"You are not authorised to access this page.":["You are not authorised to access this site"],"URL match":["URL match"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(select IP logging level)"],"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":["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%1$s, you are using v%2$s - 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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
locale/json/redirection-en_CA.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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":[""],"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":["Predefined"],"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.":[""],"URL match":[""],"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.":["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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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)":["Anonymize IP (mask last part)"],"Monitor changes to %(type)s":["Monitor changes to %(type)s"],"IP Logging":["IP Logging"],"(select IP logging level)":["(select IP logging level)"],"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":["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%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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."],"Ensure that you update your site URL settings.":["Ensure that you update your site URL settings."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."],"Force a redirect from HTTP to HTTPS":["Force a redirect from HTTP to HTTPS"],"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"],"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":["Predefined"],"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"],"The problem is almost certainly caused by one of the above.":["The problem is almost certainly caused by one of the above."],"Your admin pages are being cached. Clear this cache and try again.":["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.":["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."],"This is usually fixed by doing one of these:":["This is usually fixed by doing one of these:"],"You are not authorised to access this page.":["You are not authorised to access this site"],"URL match":["URL match"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(select IP logging level)"],"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":["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%1$s, you are using v%2$s - 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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
locale/json/redirection-en_NZ.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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":[""],"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":["Predefined"],"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.":[""],"URL match":[""],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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":[""],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(select IP logging level)"],"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":["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%1$s, you are using v%2$s - 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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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":[""],"Match":["Match"],"Add new redirection":["Add new redirection"],"Cancel":["Cancel"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Settings"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."],"Ensure that you update your site URL settings.":["Ensure that you update your site URL settings."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."],"Force a redirect from HTTP to HTTPS":["Force a redirect from HTTP to HTTPS"],"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"],"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":["Predefined"],"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"],"The problem is almost certainly caused by one of the above.":["The problem is almost certainly caused by one of the above."],"Your admin pages are being cached. Clear this cache and try again.":["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.":["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."],"This is usually fixed by doing one of these:":["This is usually fixed by doing one of these:"],"You are not authorised to access this page.":["You are not authorised to access this site"],"URL match":["URL match"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["You are using a broken REST API route. Changing to a working API should fix the problem."],"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"],"Not working but fixable":["Not working but fixable"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."],"That didn't help":["That didn't help"],"What do I do next?":["What do I do next?"],"Possible cause":["Possible cause"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returned an unexpected message. This is probably a PHP error from another plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["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.":["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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."],"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."],"Unable to update redirect":["Unable to update redirect"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["This will redirect everything, including the login pages. Please be sure you want to do this."],"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."],"Failed to perform query \"%s\"":["Failed to perform query \"%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 all logs for these entries":["Delete all logs for these entries"],"Delete all logs for this entry":["Delete all 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}}"],"What does this mean?":["What does this mean?"],"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"],"GDPR / Privacy information":["GDPR / Privacy information"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(select IP logging level)"],"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":["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%1$s, you are using v%2$s - 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"],"Delete 404s":["Delete 404s"],"Delete all from IP %s":["Delete all from IP %s"],"Delete all matching \"%s\"":["Delete all matching \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["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>:":["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"],"Unable to create group":["Unable to create group"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"],"I'd like to support some more.":["I'd like to support some more."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["Invalid source URL"],"Invalid redirect action":["Invalid redirect action"],"Invalid redirect matcher":["Invalid redirect matcher"],"Unable to add new redirect":["Unable to add new redirect"],"Something went wrong 🙁":["Something went wrong 🙁"],"Log entries (%d max)":["Log entries (%d max)"],"Select bulk action":["Select bulk action"],"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"],"Delete the logs - are you sure?":["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.":["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":["Yes! Delete the logs"],"No! Don't delete the logs":["No! Don't delete the logs"],"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"],"Delete All":["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.":["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"],"Error (404)":["Error (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Redirect to random post"],"Redirect to URL":["Redirect to URL"],"Invalid group when creating redirect":["Invalid group when creating redirect"],"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"]}
locale/json/redirection-es_ES.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Si tu sitio deja de funcionar, tendrás que {{link}}desactivar el plugin{{/link}} y hacer cambios."],"Ensure that you update your site URL settings.":["Asegúrate de actualizar los ajustes de la URL de tu sitio."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS esté funcionando, de lo contrario, puedes romper tu sitio."],"Force a redirect from HTTP to HTTPS":["Forzar una redirección desde HTTP a HTTPS"],"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"],"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"],"The problem is almost certainly caused by one of the above.":["Casi seguro que el problema ha sido causado por uno de los anteriores."],"Your admin pages are being cached. Clear this cache and try again.":["Tus páginas de administración están siendo guardadas en la caché. Vacía esta caché e inténtalo de nuevo."],"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."],"This is usually fixed by doing one of these:":["Normalmente, esto es corregido haciendo algo de lo siguiente:"],"You are not authorised to access this page.":["No estás autorizado para acceder a esta página."],"URL match":["Coincidencia de URL"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Estás usando una ruta de REST API rota. Cambiar a una API que funcione debería solucionar el problema."],"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"],"Not working but fixable":["No funciona pero se puede arreglar"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Por favor, {{strong}}crea una incidencia{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"That didn't help":["Eso no ayudó"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress devolvió un mensaje inesperado. Probablemente sea un error de PHP de otro plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Tu REST API está devolviendo una página 404. Esto puede ser causado por un plugin de seguridad o por una mala configuración 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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Tu REST API está siendo cacheada. Por favor, vacía la caché en cualquier plugin o servidor de caché, vacía la caché de tu navegador e inténtalo de nuevo."],"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."],"Unable to update redirect":["No ha sido posible actualizar la redirección"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["¡Eso es todo - ya estás redireccionando! Observa que lo de arriba es solo un ejemplo - ahora ya introducir una redirección."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Esto redireccionará todo, incluyendo las páginas de inicio de sesión. Por favor, asegúrate de que quieres hacer esto."],"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."],"Failed to perform query \"%s\"":["Fallo al realizar la consulta \"%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 all logs for these entries":["Borrar todos los registros de estas entradas"],"Delete all logs for this entry":["Borrar todos 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}}"],"What does this mean?":["¿Qué significa esto?"],"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"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["La REST API de tu WordPress está desactivada. Necesitarás activarla para que Redirection continúe funcionando"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(seleccionar el nivel de 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":["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"],"Delete 404s":["Borrar 404s"],"Delete all from IP %s":["Borra todo de la IP %s"],"Delete all matching \"%s\"":["Borra todo lo que tenga \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de 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"],"Unable to create group":["No fue posible crear el grupo"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Por favor, menciona {{code}}%s{{/code}}, y explica lo que estabas haciendo en ese momento"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"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"],"Invalid source URL":["URL de origen no válida"],"Invalid redirect action":["Acción de redirección no válida"],"Invalid redirect matcher":["Coincidencia de redirección no válida"],"Unable to add new redirect":["No ha sido posible añadir la nueva redirección"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Select bulk action":["Elegir acción en lote"],"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"],"Delete the logs - are you sure?":["Borrar los registros - ¿estás seguro?"],"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.":["Una vez se borren tus registros actuales ya no estarán disponibles. Puedes configurar una programación de borrado desde las opciones de Redirection si quieres hacer esto automáticamente."],"Yes! Delete the logs":["¡Sí! Borra los registros"],"No! Don't delete the logs":["¡No! No borres los registros"],"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"],"Delete All":["Borrar todo"],"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"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"Invalid group when creating redirect":["Grupo no válido a la hora de crear la redirección"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Si tu sitio deja de funcionar, tendrás que {{link}}desactivar el plugin{{/link}} y hacer cambios."],"Ensure that you update your site URL settings.":["Asegúrate de actualizar los ajustes de la URL de tu sitio."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS esté funcionando, de lo contrario, puedes romper tu sitio."],"Force a redirect from HTTP to HTTPS":["Forzar una redirección desde HTTP a HTTPS"],"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"],"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"],"The problem is almost certainly caused by one of the above.":["Casi seguro que el problema ha sido causado por uno de los anteriores."],"Your admin pages are being cached. Clear this cache and try again.":["Tus páginas de administración están siendo guardadas en la caché. Vacía esta caché e inténtalo de nuevo."],"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."],"This is usually fixed by doing one of these:":["Normalmente, esto es corregido haciendo algo de lo siguiente:"],"You are not authorised to access this page.":["No estás autorizado para acceder a esta página."],"URL match":["Coincidencia de URL"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Estás usando una ruta de REST API rota. Cambiar a una API que funcione debería solucionar el problema."],"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"],"Not working but fixable":["No funciona pero se puede arreglar"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Por favor, {{strong}}crea una incidencia{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"That didn't help":["Eso no ayudó"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress devolvió un mensaje inesperado. Probablemente sea un error de PHP de otro plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Tu REST API está devolviendo una página 404. Esto puede ser causado por un plugin de seguridad o por una mala configuración 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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Tu REST API está siendo cacheada. Por favor, vacía la caché en cualquier plugin o servidor de caché, vacía la caché de tu navegador e inténtalo de nuevo."],"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."],"Unable to update redirect":["No ha sido posible actualizar la redirección"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["¡Eso es todo - ya estás redireccionando! Observa que lo de arriba es solo un ejemplo - ahora ya introducir una redirección."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Esto redireccionará todo, incluyendo las páginas de inicio de sesión. Por favor, asegúrate de que quieres hacer esto."],"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."],"Failed to perform query \"%s\"":["Fallo al realizar la consulta \"%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 all logs for these entries":["Borrar todos los registros de estas entradas"],"Delete all logs for this entry":["Borrar todos 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}}"],"What does this mean?":["¿Qué significa esto?"],"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"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["La REST API de tu WordPress está desactivada. Necesitarás activarla para que Redirection continúe funcionando"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(seleccionar el nivel de 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"],"Delete 404s":["Borrar 404s"],"Delete all from IP %s":["Borra todo de la IP %s"],"Delete all matching \"%s\"":["Borra todo lo que tenga \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de 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"],"Unable to create group":["No fue posible crear el grupo"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Por favor, menciona {{code}}%s{{/code}}, y explica lo que estabas haciendo en ese momento"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"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"],"Invalid source URL":["URL de origen no válida"],"Invalid redirect action":["Acción de redirección no válida"],"Invalid redirect matcher":["Coincidencia de redirección no válida"],"Unable to add new redirect":["No ha sido posible añadir la nueva redirección"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Select bulk action":["Elegir acción en lote"],"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"],"Delete the logs - are you sure?":["Borrar los registros - ¿estás seguro?"],"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.":["Una vez se borren tus registros actuales ya no estarán disponibles. Puedes configurar una programación de borrado desde las opciones de Redirection si quieres hacer esto automáticamente."],"Yes! Delete the logs":["¡Sí! Borra los registros"],"No! Don't delete the logs":["¡No! No borres los registros"],"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"],"Delete All":["Borrar todo"],"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"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"Invalid group when creating redirect":["Grupo no válido a la hora de crear la redirección"],"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"]}
locale/json/redirection-es_VE.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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, incluidos los redireccionamientos. Las cabeceras de redireccionamiento solo se añaden a los redireccionamientos."],"HTTP Headers":["Cabeceras HTTP"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Si tu sitio deja de funcionar, necesitarás {{link}}desactivar el plugin{{/link}} y hacer cambios."],"Ensure that you update your site URL settings.":["Asegúrate de actualizar los ajustes URL de tu sitio."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS esté funcionando, de lo contrario, puedes romper tu sitio."],"Force a redirect from HTTP to HTTPS":["Forzar una redirección desde HTTP a HTTPS"],"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"],"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"],"The problem is almost certainly caused by one of the above.":["Casi seguro que el problema ha sido causado por uno de los anteriores."],"Your admin pages are being cached. Clear this cache and try again.":["Tus páginas de administración están siendo guardadas en la caché. Vacía esta caché e inténtalo de nuevo."],"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."],"This is usually fixed by doing one of these:":["Normalmente, esto es corregido haciendo algo de lo siguiente:"],"You are not authorised to access this page.":["No estás autorizado para acceder a esta página."],"URL match":["Coincidencia de URL"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Estás usando una ruta de REST API rota. Cambiar a una API que funcione debería solucionar el problema."],"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"],"Not working but fixable":["No funciona pero se puede arreglar"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Por favor, {{strong}}crea una incidencia{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"That didn't help":["Eso no ayudó"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress devolvió un mensaje inesperado. Probablemente sea un error de PHP de otro plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Tu REST API está devolviendo una página 404. Esto puede ser causado por un plugin de seguridad o por una mala configuración 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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Tu REST API está siendo cacheada. Por favor, vacía la caché en cualquier plugin o servidor de caché, vacía la caché de tu navegador e inténtalo de nuevo."],"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."],"Unable to update redirect":["No ha sido posible actualizar la redirección"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["¡Eso es todo - ya estás redireccionando! Observa que lo de arriba es solo un ejemplo - ahora ya introducir una redirección."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Esto redireccionará todo, incluyendo las páginas de inicio de sesión. Por favor, asegúrate de que quieres hacer esto."],"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."],"Failed to perform query \"%s\"":["Fallo al realizar la consulta \"%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 all logs for these entries":["Borrar todos los registros de estas entradas"],"Delete all logs for this entry":["Borrar todos 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}}"],"What does this mean?":["¿Qué significa esto?"],"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"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["La REST API de tu WordPress está desactivada. Necesitarás activarla para que Redirection continúe funcionando"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(seleccionar el nivel de 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"],"Delete 404s":["Borrar 404s"],"Delete all from IP %s":["Borra todo de la IP %s"],"Delete all matching \"%s\"":["Borra todo lo que tenga \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de 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"],"Unable to create group":["No fue posible crear el grupo"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Por favor, menciona {{code}}%s{{/code}}, y explica lo que estabas haciendo en ese momento"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"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"],"Invalid source URL":["URL de origen no válida"],"Invalid redirect action":["Acción de redirección no válida"],"Invalid redirect matcher":["Coincidencia de redirección no válida"],"Unable to add new redirect":["No ha sido posible añadir la nueva redirección"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Select bulk action":["Elegir acción en lote"],"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"],"Delete the logs - are you sure?":["Borrar los registros - ¿estás seguro?"],"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.":["Una vez se borren tus registros actuales ya no estarán disponibles. Puedes configurar una programación de borrado desde las opciones de Redirection si quieres hacer esto automáticamente."],"Yes! Delete the logs":["¡Sí! Borra los registros"],"No! Don't delete the logs":["¡No! No borres los registros"],"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"],"Delete All":["Borrar todo"],"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"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"Invalid group when creating redirect":["Grupo no válido a la hora de crear la redirección"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Si tu sitio deja de funcionar, necesitarás {{link}}desactivar el plugin{{/link}} y hacer cambios."],"Ensure that you update your site URL settings.":["Asegúrate de actualizar los ajustes URL de tu sitio."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Advertencia{{/strong}}: asegúrate de que tu HTTPS esté funcionando, de lo contrario, puedes romper tu sitio."],"Force a redirect from HTTP to HTTPS":["Forzar una redirección desde HTTP a HTTPS"],"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"],"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"],"The problem is almost certainly caused by one of the above.":["Casi seguro que el problema ha sido causado por uno de los anteriores."],"Your admin pages are being cached. Clear this cache and try again.":["Tus páginas de administración están siendo guardadas en la caché. Vacía esta caché e inténtalo de nuevo."],"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."],"This is usually fixed by doing one of these:":["Normalmente, esto es corregido haciendo algo de lo siguiente:"],"You are not authorised to access this page.":["No estás autorizado para acceder a esta página."],"URL match":["Coincidencia de URL"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Estás usando una ruta de REST API rota. Cambiar a una API que funcione debería solucionar el problema."],"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"],"Not working but fixable":["No funciona pero se puede arreglar"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Por favor, {{strong}}crea una incidencia{{/strong}} o envíalo en un {{strong}}correo electrónico{{/strong}}."],"That didn't help":["Eso no ayudó"],"What do I do next?":["¿Qué hago a continuación?"],"Possible cause":["Posible causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress devolvió un mensaje inesperado. Probablemente sea un error de PHP de otro plugin."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Tu REST API está devolviendo una página 404. Esto puede ser causado por un plugin de seguridad o por una mala configuración 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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Tu REST API está siendo cacheada. Por favor, vacía la caché en cualquier plugin o servidor de caché, vacía la caché de tu navegador e inténtalo de nuevo."],"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."],"Unable to update redirect":["No ha sido posible actualizar la redirección"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["¡Eso es todo - ya estás redireccionando! Observa que lo de arriba es solo un ejemplo - ahora ya introducir una redirección."],"(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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Esto redireccionará todo, incluyendo las páginas de inicio de sesión. Por favor, asegúrate de que quieres hacer esto."],"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."],"Failed to perform query \"%s\"":["Fallo al realizar la consulta \"%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 all logs for these entries":["Borrar todos los registros de estas entradas"],"Delete all logs for this entry":["Borrar todos 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}}"],"What does this mean?":["¿Qué significa esto?"],"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"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["La REST API de tu WordPress está desactivada. Necesitarás activarla para que Redirection continúe funcionando"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(seleccionar el nivel de 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"],"Delete 404s":["Borrar 404s"],"Delete all from IP %s":["Borra todo de la IP %s"],"Delete all matching \"%s\"":["Borra todo lo que tenga \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de 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"],"Unable to create group":["No fue posible crear el grupo"],"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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Por favor, menciona {{code}}%s{{/code}}, y explica lo que estabas haciendo en ese momento"],"I'd like to support some more.":["Me gustaría dar algo más de apoyo."],"Support 💰":["Apoyar 💰"],"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"],"Invalid source URL":["URL de origen no válida"],"Invalid redirect action":["Acción de redirección no válida"],"Invalid redirect matcher":["Coincidencia de redirección no válida"],"Unable to add new redirect":["No ha sido posible añadir la nueva redirección"],"Something went wrong 🙁":["Algo fue mal 🙁"],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Select bulk action":["Elegir acción en lote"],"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"],"Delete the logs - are you sure?":["Borrar los registros - ¿estás seguro?"],"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.":["Una vez se borren tus registros actuales ya no estarán disponibles. Puedes configurar una programación de borrado desde las opciones de Redirection si quieres hacer esto automáticamente."],"Yes! Delete the logs":["¡Sí! Borra los registros"],"No! Don't delete the logs":["¡No! No borres los registros"],"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"],"Delete All":["Borrar todo"],"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"],"Error (404)":["Error (404)"],"Pass-through":["Pasar directo"],"Redirect to random post":["Redirigir a entrada aleatoria"],"Redirect to URL":["Redirigir a URL"],"Invalid group when creating redirect":["Grupo no válido a la hora de crear la redirección"],"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"]}
locale/json/redirection-fr_FR.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":["Désactivé"],"Enabled":["Activé"],"Compact Display":[""],"Standard Display":[""],"Status":["État"],"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":["Langue"],"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.":["Vous n’êtes pas autorisé à accéder à cette page."],"URL match":[""],"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.":[""],"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.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"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.":["La 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é"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Vous utilisez une route API REST cassée. Permuter vers une API fonctionnelle devrait corriger le problème."],"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"],"Not working but fixable":["Ça ne marche pas mais c’est réparable"],"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.":[""],"Create An Issue":["Reporter un problème"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Veuillez {{strong}}déclarer un bogue{{/strong}} ou l’envoyer dans un {{strong}}e-mail{{/strong}}."],"That didn't help":["Cela n’a pas aidé"],"What do I do next?":["Que faire ensuite ?"],"Possible cause":["Cause possible"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress a renvoyé un message inattendu. Cela est probablement dû à une erreur PHP d’une autre extension."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Votre API REST renvoie une page d’erreur 404. Cela est peut-être causé par une extension de sécurité, ou votre serveur qui peut être mal configuré"],"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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Votre API REST est mise en cache. Veuillez vider les caches d’extension et serveur, déconnectez-vous, effacez le cache de votre navigateur, et réessayez."],"URL options / Regex":["Options d’URL / Regex"],"Export 404":["Exporter la 404"],"Export redirect":["Exporter la redirection"],"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."],"Unable to update redirect":["Impossible de mettre à jour la redirection"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Vous avez fini, maintenant vous pouvez rediriger ! Notez que ce qui précède n’est qu’un exemple. Vous pouvez maintenant saisir une redirection."],"(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+":[""],"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 plein 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 infirmations détaillées sur les visiteurs et corriger 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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Cela va tout rediriger, y compris les pages de connexion. Assurez-vous de bien vouloir effectuer cette action."],"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":["Mise à niveau de 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."],"Failed to perform query \"%s\"":["Échec de la requête « %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 all logs for these entries":["Supprimer les journaux pour ces entrées"],"Delete all 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}}"],"What does this mean?":["Qu’est-ce que cela veut dire ?"],"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"],"GDPR / Privacy information":["RGPD/information de confidentialité"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Votre API REST WordPress a été désactivée. Vous devez l’activer pour que Redirection continue de fonctionner."],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(sélectionnez le niveau de journalisation des 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"],"Delete 404s":["Supprimer les pages 404"],"Delete all from IP %s":["Tout supprimer depuis l’IP %s"],"Delete all matching \"%s\"":["Supprimer toutes les correspondances « %s »"],"Your server has rejected the request for being too big. You will need to change it to continue.":["Votre serveur a rejeté la requête car elle est 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"],"Unable to create group":["Impossible de créer un groupe"],"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é."],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Veuillez mentionner {{code}}%s{{/code}}, et expliquer ce que vous faisiez à ce moment-là."],"I'd like to support some more.":["Je voudrais soutenir un peu plus."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["URL source non-valide"],"Invalid redirect action":["Action de redirection non-valide"],"Invalid redirect matcher":["Correspondance de redirection non-valide"],"Unable to add new redirect":["Incapable de créer une nouvelle redirection"],"Something went wrong 🙁":["Quelque chose s’est mal passé 🙁"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Select bulk action":["Sélectionner l’action groupée"],"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"],"Delete the logs - are you sure?":["Confirmez-vous la suppression des journaux ?"],"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.":["Une fois supprimés, vos journaux actuels ne seront plus disponibles. Vous pouvez définir une règle de suppression dans les options de l’extension Redirection si vous désirez procéder automatiquement."],"Yes! Delete the logs":["Oui ! Supprimer les journaux"],"No! Don't delete the logs":["Non ! Ne pas supprimer les journaux"],"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 pas supprimer 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"],"Delete All":["Tout supprimer"],"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":[""],"Match":["Correspondant"],"Add new redirection":["Ajouter une nouvelle redirection"],"Cancel":["Annuler"],"Download":["Télécharger"],"Redirection":["Redirection"],"Settings":["Réglages"],"Error (404)":["Erreur (404)"],"Pass-through":["Outrepasser"],"Redirect to random post":["Rediriger vers un article aléatoire"],"Redirect to URL":["Redirection vers une URL"],"Invalid group when creating redirect":["Groupe non valide à la création d’une redirection"],"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":[""],"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":[""],"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"]}
1
+ {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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":[""],"Source":[""],"Code":[""],"Action Type":[""],"Match Type":[""],"Search target URL":[""],"Search IP":[""],"Search user agent":[""],"Search referrer":[""],"Search URL":[""],"Filter on: %(type)s":[""],"Disabled":["Désactivé"],"Enabled":["Activé"],"Compact Display":[""],"Standard Display":[""],"Status":["État"],"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":["Langue"],"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.":["Vous n’êtes pas autorisé à accéder à cette page."],"URL match":[""],"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.":[""],"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.":[""],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":[""],"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.":["La 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é"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Vous utilisez une route API REST cassée. Permuter vers une API fonctionnelle devrait corriger le problème."],"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"],"Not working but fixable":["Ça ne marche pas mais c’est réparable"],"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.":[""],"Create An Issue":["Reporter un problème"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Veuillez {{strong}}déclarer un bogue{{/strong}} ou l’envoyer dans un {{strong}}e-mail{{/strong}}."],"That didn't help":["Cela n’a pas aidé"],"What do I do next?":["Que faire ensuite ?"],"Possible cause":["Cause possible"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress a renvoyé un message inattendu. Cela est probablement dû à une erreur PHP d’une autre extension."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Votre API REST renvoie une page d’erreur 404. Cela est peut-être causé par une extension de sécurité, ou votre serveur qui peut être mal configuré"],"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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Votre API REST est mise en cache. Veuillez vider les caches d’extension et serveur, déconnectez-vous, effacez le cache de votre navigateur, et réessayez."],"URL options / Regex":["Options d’URL / Regex"],"Export 404":["Exporter la 404"],"Export redirect":["Exporter la redirection"],"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."],"Unable to update redirect":["Impossible de mettre à jour la redirection"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Vous avez fini, maintenant vous pouvez rediriger ! Notez que ce qui précède n’est qu’un exemple. Vous pouvez maintenant saisir une redirection."],"(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+":[""],"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 plein 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 infirmations détaillées sur les visiteurs et corriger 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 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Cela va tout rediriger, y compris les pages de connexion. Assurez-vous de bien vouloir effectuer cette action."],"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."],"Failed to perform query \"%s\"":["Échec de la requête « %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 all logs for these entries":["Supprimer les journaux pour ces entrées"],"Delete all 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}}"],"What does this mean?":["Qu’est-ce que cela veut dire ?"],"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"],"GDPR / Privacy information":["RGPD/information de confidentialité"],"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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Votre API REST WordPress a été désactivée. Vous devez l’activer pour que Redirection continue de fonctionner."],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(sélectionnez le niveau de journalisation des 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"],"Delete 404s":["Supprimer les pages 404"],"Delete all from IP %s":["Tout supprimer depuis l’IP %s"],"Delete all matching \"%s\"":["Supprimer toutes les correspondances « %s »"],"Your server has rejected the request for being too big. You will need to change it to continue.":["Votre serveur a rejeté la requête car elle est 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"],"Unable to create group":["Impossible de créer un groupe"],"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é."],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Veuillez mentionner {{code}}%s{{/code}}, et expliquer ce que vous faisiez à ce moment-là."],"I'd like to support some more.":["Je voudrais soutenir un peu plus."],"Support 💰":["Support 💰"],"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"],"Invalid source URL":["URL source non-valide"],"Invalid redirect action":["Action de redirection non-valide"],"Invalid redirect matcher":["Correspondance de redirection non-valide"],"Unable to add new redirect":["Incapable de créer une nouvelle redirection"],"Something went wrong 🙁":["Quelque chose s’est mal passé 🙁"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Select bulk action":["Sélectionner l’action groupée"],"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"],"Delete the logs - are you sure?":["Confirmez-vous la suppression des journaux ?"],"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.":["Une fois supprimés, vos journaux actuels ne seront plus disponibles. Vous pouvez définir une règle de suppression dans les options de l’extension Redirection si vous désirez procéder automatiquement."],"Yes! Delete the logs":["Oui ! Supprimer les journaux"],"No! Don't delete the logs":["Non ! Ne pas supprimer les journaux"],"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 pas supprimer 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"],"Delete All":["Tout supprimer"],"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":[""],"Match":["Correspondant"],"Add new redirection":["Ajouter une nouvelle redirection"],"Cancel":["Annuler"],"Download":["Télécharger"],"Redirection":["Redirection"],"Settings":["Réglages"],"Error (404)":["Erreur (404)"],"Pass-through":["Outrepasser"],"Redirect to random post":["Rediriger vers un article aléatoire"],"Redirect to URL":["Redirection vers une URL"],"Invalid group when creating redirect":["Groupe non valide à la création d’une redirection"],"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":[""],"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":[""],"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"]}
locale/json/redirection-pt_BR.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":[""],"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 & Repasse Consulta"],"Ignore Query":["Ignore a Consulta"],"Exact Query":["Consulta Exata"],"Search title":["Pesquisa título"],"Not accessed in last year":["Não acessado em 12 meses"],"Not accessed in last month":["Não acessado em 30 dias"],"Never accessed":["Nunca acessado"],"Last Accessed":["Último Acesso"],"HTTP Status Code":["Código de status HTTP"],"Plain":["Simples"],"Source":["Origem"],"Code":["Código"],"Action Type":["Tipo de Ação"],"Match Type":["Tipo de Correspondência"],"Search target URL":["Pesquisar URL de destino"],"Search IP":["Pesquisar IP"],"Search user agent":["Pesquisar agente de usuário"],"Search referrer":["Pesquisar referenciador"],"Search URL":["Pesquisar URL"],"Filter on: %(type)s":["Filtrar por: %(type)s"],"Disabled":["Desativado"],"Enabled":["Ativado"],"Compact Display":["Exibição Compacta"],"Standard Display":["Exibição Padrão"],"Status":["Status"],"Pre-defined":["Predefinido"],"Custom Display":["Exibição Personalizada"],"Display All":["Exibir Tudo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Seu URL parece conter um domínio dentro do caminho: {{code}}%(relative)s{{/code}}. Você quis usar {{code}}%(absolute)s{{/code}}?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista separada por vírgula dos idiomas para correspondência (i.e. pt, pt-BR)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tempo limite do gateway"],"503 - Service Unavailable":["503 - Serviço indisponível"],"502 - Bad Gateway":["502 - Gateway incorreto"],"501 - Not implemented":["501 - Não implementado"],"500 - Internal Server Error":["500 - Erro interno do servidor"],"451 - Unavailable For Legal Reasons":["451 - Indisponível por motivos jurídicos"],"URL and language":["URL e idioma"],"The problem is almost certainly caused by one of the above.":["O problema é quase certamente causado por uma das alternativas acima."],"Your admin pages are being cached. Clear this cache and try again.":["Suas páginas administrativas estão sendo cacheadas. Limpe esse cache e tente novamente."],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Saia, limpe o cache do navegador, e acesse de novo - o seu navegador fez cache de uma sessão anterior."],"Reload the page - your current session is old.":["Recarregue a página - sua sessão atual é antiga."],"This is usually fixed by doing one of these:":["Isso geralmente é corrigido fazendo uma dessas alternativas:"],"You are not authorised to access this page.":["Você não está autorizado a acessar esta página."],"URL match":["Correspondência de URL"],"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.":["Um loop foi detectado e a atualização foi encerrada. Isso geralmente indica que {{support}}seu site está em cache{{/support}} e alterações no banco de dados não estão sendo salvas."],"Unable to save .htaccess file":["Não foi possível salvar o arquivo .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}}.":["Os redirecionamentos adicionados a um grupo Apache podem ser salvos num arquivo {{code}}.htaccess{{/code}}, basta acrescentar o caminho completo aqui. Para sua referência, o WordPress está instalado em {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Clique \"Concluir Atualização\" quando acabar."],"Automatic Install":["Instalação automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["O URL de destino contém o caractere invá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.":["Se estiver usando o WordPress 5.2 ou mais recente, confira o {{link}}Diagnóstico{{/link}} e resolva os problemas identificados."],"If you do not complete the manual install you will be returned here.":["Se você não concluir a instalação manual, será trazido de volta aqui."],"Click \"Finished! 🎉\" when finished.":["Clique \"Acabou! 🎉\" quando terminar."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Se o seu site requer permissões especiais para o banco de dado, ou se preferir fazer por conta própria, você pode manualmente rodar o seguinte SQL."],"Manual Install":["Instalação manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["As permissões para o banco de dados são insuficientes. Conceda ao usuário do banco de dados as permissões adequadas."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta informação é fornecida somente para depuração. Cuidado ao fazer qualquer mudança."],"Plugin Debug":["Depuração do 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.":["O Redirection se comunica com o WordPress por meio da API REST do WordPress. Ela é uma parte integrante do WordPress, e você terá problemas se não conseguir usá-la."],"IP Headers":["Cabeçalhos IP"],"Do not change unless advised to do so!":["Não altere, a menos que seja aconselhado a fazê-lo!"],"Database version":["Versão do banco de dados"],"Complete data (JSON)":["Dados 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.":["Exporte para CSV, .htaccess do Apache, Nginx, ou JSON do Redirection. O formato JSON contém todas as informações; os outros formatos contêm informações parciais apropriadas a cada 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.":["O CSV não inclui todas as informações e tudo é importado/exportado como correspondências \"URL somente\". Use o formato JSON se quiser o conjunto completo dos dados."],"All imports will be appended to the current database - nothing is merged.":["Todas as importações são adicionadas ao banco de dados - nada é fundido."],"Automatic Upgrade":["Upgrade Automático"],"Manual Upgrade":["Upgrade 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.":["Faça um backup dos seus dados no Redirection: {{download}}baixar um backup{{/download}}. Se houver qualquer problema, você pode importar esses dados de novo para o Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Clique no botão \"Upgrade do Banco de Dados\" para fazer automaticamente um upgrade do banco de dados."],"Complete Upgrade":["Completar 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}}.":["O Redirection armazena dados em seu banco de dados e às vezes ele precisa ser atualizado. O seu banco de dados está na versão {{strong}}%(current)s{{/strong}} e a mais recente é a {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Observe que você precisa indicar o caminho do módulo Apache em suas opções do Redirection."],"I need support!":["Preciso de ajuda!"],"You will need at least one working REST API to continue.":["É preciso pelo menos uma API REST funcionando para continuar."],"Check Again":["Conferir Novamente"],"Testing - %s$":["Testando - %s$"],"Show Problems":["Mostrar Problemas"],"Summary":["Sumário"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Você está usando uma rota inválida para a API REST. Mudar para uma API em funcionamento deve resolver o problema."],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["A API REST não está funcionando e o plugin não conseguirá continuar até que isso seja corrigido."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Há alguns problemas para conectar à sua API REST. Não é preciso corrigir esses problemas e o plugin está conseguindo funcionar."],"Unavailable":["Indisponível"],"Not working but fixable":["Não está funcionando, mas dá para arrumar"],"Working but some issues":["Funcionando, mas com alguns problemas"],"Current API":["API atual"],"Switch to this API":["Troque para esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar Tudo"],"Working!":["Funcionando!"],"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}}.":["O URL de destino deve ser um URL absoluto, como {{code}}https://domain.com/%(url)s{{/code}} ou iniciar com uma 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.":["Seu destino é o mesmo que uma origem e isso vai criar um loop. Deixe o destino em branco se você não quiser nenhuma ação."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["O URL de destino que você quer redirecionar, ou auto-completar com o nome do post ou link permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inclua esses detalhes em seu relato, junto com uma descrição do que você estava fazendo e uma captura de tela."],"Create An Issue":["Criar um Relato"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["{{strong}}Crie um relato{{/strong}} ou o envie num {{strong}}e-mail{{/strong}}."],"That didn't help":["Isso não ajudou"],"What do I do next?":["O que eu faço agora?"],"Possible cause":["Possível causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["O WordPress retornou uma mensagem inesperada. Isso provavelmente é um erro de PHP de um outro plugin."],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Este pode ser um plugin de segurança, ou o seu servidor está com pouca memória, ou tem um erro externo. Confira os registros do seu servidor."],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Sua API REST está retornando uma página 404. Isso pode ser causado por um plugin de segurança, ou o seu servidor pode estar mal configurado."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Sua API REST provavelmente está sendo bloqueada por um plugin de segurança. Por favor desative ele, ou o configure para permitir solicitações à API REST."],"Read this REST API guide for more information.":["Leia este guia da API REST para mais informações."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Sua API REST API está sendo enviada para o cache. Por favor libere todos os caches, de plugin ou do servidor, saia do WordPress, libere o cache do seu navegador, e tente novamente."],"URL options / Regex":["Opções de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecionamento"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Estruturas de link permanente do WordPress não funcionam com URLs normais. Use uma expressão regular."],"Unable to update redirect":["Não foi possível atualizar o redirecionamento"],"Pass - as ignore, but also copies the query parameters to the target":["Passar - como ignorar, mas também copia os parâmetros de consulta para o destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como Exato, mas ignora qualquer parâmetro de consulta que não esteja na sua origem"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exato - corresponde os parâmetros de consulta exatamente definidos na origem, em qualquer ordem"],"Default query matching":["Correspondência de consulta padrão"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorar barra final (ou seja {{code}}/post-legal/{{/code}} vai corresponder com {{code}}/post-legal{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Correspondências insensível à caixa (ou seja {{code}}/Post-Legal{{/code}} vai corresponder com {{code}}/post-legal{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Aplica-se a todos os redirecionamentos, a menos que você configure eles de outro modo."],"Default URL settings":["Configurações padrão de URL"],"Ignore and pass all query parameters":["Ignorar e passar todos os parâmetros de consulta"],"Ignore all query parameters":["Ignorar todos os parâmetros de consulta"],"Exact match":["Correspondência exata"],"Caching software (e.g Cloudflare)":["Programa de caching (por exemplo, Cloudflare)"],"A security plugin (e.g Wordfence)":["Um plugin de segurança (por exemplo, Wordfence)"],"URL options":["Opções de URL"],"Query Parameters":["Parâmetros de Consulta"],"Ignore & pass parameters to the target":["Ignorar & passar parâmetros ao destino"],"Ignore all parameters":["Ignorar todos os parâmetros"],"Exact match all parameters in any order":["Correspondência exata de todos os parâmetros em qualquer ordem"],"Ignore Case":["Ignorar Caixa"],"Ignore Slash":["Ignorar Barra"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST raw"],"Default REST API":["API REST padrão"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Pronto, é só isso, agora você já está redirecionando! O que vai acima é só um exemplo - agora você pode inserir um redirecionamento."],"(Example) The target URL is the new URL":["(Exemplo) O URL de destino é o novo URL"],"(Example) The source URL is your old or original URL":["(Exemplo) O URL de origem é o URL antigo ou oiginal"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Desativado! Detectado PHP %1$s, é necessário %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Uma atualização do banco de dados está em andamento. Continue para concluir."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["O banco de dados do Redirection precisa ser atualizado - <a href=\"%1$1s\">clique para atualizar</a>."],"Redirection database needs upgrading":["O banco de dados do Redirection precisa ser atualizado"],"Upgrade Required":["Atualização Obrigatória"],"Finish Setup":["Concluir Configuração"],"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.":["Você tem diferentes URLs configurados na página Configurações > Geral do WordPress, o que geralmente indica um erro de configuração, e isso pode causar problemas com a API REST. Confira suas configurações."],"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 você tiver um problema, consulte a documentação do seu plugin, ou tente falar com o suporte do provedor de hospedagem. Isso geralmente {{link}}não é um problema causado pelo Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algum outro plugin que bloqueia a API REST"],"A server firewall or other server configuration (e.g OVH)":["Um firewall do servidor, ou outra configuração do servidor (p.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:":["O Redirection usa a {{link}}API REST do WordPress{{/link}} para se comunicar com o WordPress. Isso está ativo e funcionando por padrão. Às vezes a API REST é bloqueada por:"],"Go back":["Voltar"],"Continue Setup":["Continuar a configuração"],"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).":["Armazenar o endereço IP permite que você executa outras ações de registro. Observe que você terá que aderir às leis locais com relação à coleta de dados (por exemplo, GDPR)."],"Store IP information for redirects and 404 errors.":["Armazenar informações sobre o IP para redirecionamentos e erros 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.":["Armazenar registros de redirecionamentos e erros 404 permite que você veja o que está acontecendo no seu site. Isso aumenta o espaço ocupado pelo banco de dados."],"Keep a log of all redirects and 404 errors.":["Manter um registro de todos os redirecionamentos e erros 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leia mais sobre isto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Se você muda o link permanente de um post ou página, o Redirection pode criar automaticamente um redirecionamento para você."],"Monitor permalink changes in WordPress posts and pages":["Monitorar alterações nos links permanentes de posts e páginas do WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas são algumas opções que você pode ativar agora. Elas podem ser alteradas a qualquer hora."],"Basic Setup":["Configuração Básica"],"Start Setup":["Iniciar Configuração"],"When ready please press the button to continue.":["Quando estiver pronto, aperte o botão para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primeiro você responderá algumas perguntas,e então o Redirection vai configurar seu banco de dados."],"What's next?":["O que vem a seguir?"],"Check a URL is being redirected":["Confira se um URL está sendo redirecionado"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Correspondências de URL mais poderosas, inclusive {{regular}}expressões regulares{{/regular}} e {{other}}outras condições{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importe{{/link}} de um arquivo .htaccess ou CSV e de outros vários plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Monitore erros 404{{/link}}, obtenha informações detalhadas sobre o visitante, e corrija qualquer problema"],"Some features you may find useful are":["Alguns recursos que você pode achar úteis são"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["A documentação completa pode ser encontrada no {{link}}site do Redirection (em inglês).{{/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:":["Um redirecionamento simples envolve configurar um {{strong}}URL de origem{{/strong}} (o URL antigo) e um {{strong}}URL de destino{{/strong}} (o URL novo). Por exemplo:"],"How do I use this plugin?":["Como eu uso este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["O Redirection é projetado para ser usado em sites com poucos redirecionamentos a sites com milhares de redirecionamentos."],"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.":["Obrigado por instalar e usar o Redirection v%(version)s. Este plugin vai permitir que você administre seus redirecionamentos 301, monitore os erros 404, e melhores seu site, sem precisar conhecimentos de Apache ou Nginx."],"Welcome to Redirection 🚀🎉":["Bem-vindo ao Redirection 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Isso vai redirecionar tudo, inclusive as páginas de login. Certifique-se de que realmente quer fazer isso."],"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 prevenir uma expressão regular gananciosa, você pode usar {{code}}^{{/code}} para ancorá-la ao início do URL. Por exemplo: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Lembre-se de ativar a opção \"regex\" se isto for uma expressão regular."],"The source URL should probably start with a {{code}}/{{/code}}":["O URL de origem deve provavelmente começar com {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Isso vai ser convertido em um redirecionamento por servidor para o domínio {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Âncoras internas (#) não são enviadas ao servidor e não podem ser redirecionadas."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} para {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Concluído! 🎉"],"Progress: %(complete)d$":["Progresso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Sair antes de o processo ser concluído pode causar problemas."],"Setting up Redirection":["Configurando o Redirection"],"Upgrading Redirection":["Atualizando o Redirection"],"Please remain on this page until complete.":["Permaneça nesta página até o fim."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Se quiser {{support}}solicitar suporte{{/support}} inclua estes detalhes:"],"Stop upgrade":["Parar atualização"],"Skip this stage":["Pular esta fase"],"Try again":["Tentar de novo"],"Database problem":["Problema no banco de dados"],"Please enable JavaScript":["Ativar o JavaScript"],"Please upgrade your database":["Atualize seu banco de dados"],"Upgrade Database":["Atualizar Banco de Dados"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Complete sua <a href=\"%s\">configuração do Redirection</a> para ativar este plugin."],"Your database does not need updating to %s.":["Seu banco de dados não requer atualização para %s."],"Failed to perform query \"%s\"":["Falha ao realizar a consulta \"%s\""],"Table \"%s\" is missing":["A tabela \"%s\" não foi encontrada"],"Create basic data":["Criar dados básicos"],"Install Redirection tables":["Instalar tabelas do Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["URL do site e do WordPress são inconsistentes. Corrija na página Configurações > Geral: %1$1s não é %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Não tente redirecionar todos os seus 404s - isso não é uma coisa boa."],"Only the 404 page type is currently supported.":["Somente o tipo de página 404 é suportado atualmente."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Digite endereços IP (um por linha)"],"Describe the purpose of this redirect (optional)":["Descreva o propósito deste redirecionamento (opcional)"],"418 - I'm a teapot":["418 - Sou uma chaleira"],"403 - Forbidden":["403 - Proibido"],"400 - Bad Request":["400 - Solicitação inválida"],"304 - Not Modified":["304 - Não modificado"],"303 - See Other":["303 - Veja outro"],"Do nothing (ignore)":["Fazer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino se não houver correspondência (em branco para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino se houver correspondência (em branco para ignorar)"],"Show All":["Mostrar todos"],"Delete all logs for these entries":["Excluir todos os registros para estas entradas"],"Delete all logs for this entry":["Excluir todos os registros para esta entrada"],"Delete Log Entries":["Excluir entradas no registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Não agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirecionar todos"],"Count":["Número"],"URL and WordPress page type":["URL e tipo de página do WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bom"],"Check":["Verificar"],"Check Redirect":["Verificar redirecionamento"],"Check redirect for: {{code}}%s{{/code}}":["Verifique o redirecionamento de: {{code}}%s{{/code}}"],"What does this mean?":["O que isto significa?"],"Not using Redirection":["Sem usar o Redirection"],"Using Redirection":["Usando o Redirection"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} para {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Erro"],"Enter full URL, including http:// or https://":["Digite o URL inteiro, incluindo 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.":["O seu navegador pode fazer cache de URL, o que dificulta saber se um redirecionamento está funcionando como deveria. Use isto para verificar um URL e ver como ele está realmente sendo redirecionado."],"Redirect Tester":["Teste de redirecionamento"],"Target":["Destino"],"URL is not being redirected with Redirection":["O URL não está sendo redirecionado com o Redirection"],"URL is being redirected with Redirection":["O URL está sendo redirecionado com o Redirection"],"Unable to load details":["Não foi possível carregar os detalhes"],"Enter server URL to match against":["Digite o URL do servidor para correspondência"],"Server":["Servidor"],"Enter role or capability value":["Digite a função ou capacidade"],"Role":["Função"],"Match against this browser referrer text":["Texto do referenciador do navegador para correspondênica"],"Match against this browser user agent":["Usuário de agente do navegador para correspondência"],"The relative URL you want to redirect from":["O URL relativo que você quer redirecionar"],"GDPR / Privacy information":["GDPR / Informações sobre privacidade (em inglês)"],"Add New":["Adicionar novo"],"URL and role/capability":["URL e função/capacidade"],"URL and server":["URL e servidor"],"Site and home protocol":["Protocolo do endereço do WordPress e do site"],"Site and home are consistent":["O endereço do WordPress e do site são consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["É sua a responsabilidade de passar cabeçalhos HTTP ao PHP. Contate o suporte de seu provedor de hospedagem e pergunte como fazê-lo."],"Accept Language":["Aceitar Idioma"],"Header value":["Valor do cabeçalho"],"Header name":["Nome cabeçalho"],"HTTP Header":["Cabeçalho HTTP"],"WordPress filter name":["Nome do filtro WordPress"],"Filter Name":["Nome do filtro"],"Cookie value":["Valor do cookie"],"Cookie name":["Nome do cookie"],"Cookie":["Cookie"],"clearing your cache.":["limpando seu cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se você estiver usando um sistema de cache como o Cloudflare, então leia isto: "],"URL and HTTP header":["URL e cabeçalho HTTP"],"URL and custom filter":["URL e filtro personalizado"],"URL and cookie":["URL e cookie"],"404 deleted":["404 excluído"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Como o Redirection usa a API REST. Não altere a menos que seja necessário"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Dê uma olhada em {{link}}status do plugin{{/link}}. Ali talvez consiga identificar e fazer a \"Correção mágica\" do problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Programas de cache{{/link}}, em particular o Cloudflare, podem fazer o cache da coisa errada. Tente liberar seus caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Desative temporariamente outros plugins!{{/link}} Isso corrige muitos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Consulte a <a href=\"https://redirection.me/support/problems/\">lista de problemas comuns (em inglês)</a>."],"Unable to load Redirection ☹️":["Não foi possível carregar o Redirection ☹️"],"WordPress REST API":["A API REST do WordPress"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["A API REST do WordPress foi desativada. É preciso ativá-la para que o Redirection continue funcionando."],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["Erro de agente de usuário"],"Unknown Useragent":["Agente de usuário desconhecido"],"Device":["Dispositivo"],"Operating System":["Sistema operacional"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuário"],"Agent":["Agente"],"No IP logging":["Não registrar IP"],"Full IP logging":["Registrar IP completo"],"Anonymize IP (mask last part)":["Tornar IP anônimo (mascarar a última parte)"],"Monitor changes to %(type)s":["Monitorar alterações em %(type)s"],"IP Logging":["Registro de IP"],"(select IP logging level)":["(selecione o nível de registro de IP)"],"Geo Info":["Informações geográficas"],"Agent Info":["Informação sobre o agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Erro IP Geo"],"Something went wrong obtaining this information":["Algo deu errado ao obter essa informação"],"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.":["Este é um IP de uma rede privada. Isso significa que ele está localizado dentro de uma rede residencial ou comercial e nenhuma outra informação pode ser exibida."],"No details are known for this address.":["Nenhum detalhe é conhecido para este endereço."],"Geo IP":["IP Geo"],"City":["Cidade"],"Area":["Região"],"Timezone":["Fuso horário"],"Geo Location":["Coordenadas"],"Powered by {{link}}redirect.li{{/link}}":["Fornecido por {{link}}redirect.li{{/link}}"],"Trash":["Lixeira"],"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":["O Redirection requer a API REST do WordPress para ser ativado. Se você a desativou, não vai conseguir usar o Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["A documentação completa (em inglês) sobre como usar o Redirection se encontra no site <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.":["A documentação completa do Redirection encontra-se (em inglês) em {{site}}https://redirection.me{{/site}}. Se tiver algum problema, consulte primeiro as {{faq}}Perguntas frequentes{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Se quiser comunicar um erro, leia o guia {{report}}Comunicando erros (em inglês){{/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!":["Se quiser enviar informações que não possam ser tornadas públicas, então remeta-as diretamente (em inglês) por {{email}}e-mail{{/email}}. Inclua o máximo de informação que puder!"],"Never cache":["Nunca fazer cache"],"An hour":["Uma hora"],"Redirect Cache":["Cache dos redirecionamentos"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["O tempo que deve ter o cache dos URLs redirecionados com 301 (via \"Expires\" no cabeçalho HTTP)"],"Are you sure you want to import from %s?":["Tem certeza de que deseja importar de %s?"],"Plugin Importers":["Importar de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Os seguintes plugins de redirecionamento foram detectados em seu site e se pode importar deles."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["O Redirection requer o WordPress v%1$1s, mas você está usando a versão v%2$2s. Atualize o WordPress"],"Default WordPress \"old slugs\"":["Redirecionamentos de \"slugs anteriores\" do WordPress"],"Create associated redirect (added to end of URL)":["Criar redirecionamento atrelado (adicionado ao fim do URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["O <code>Redirectioni10n</code> não está definido. Isso geralmente significa que outro plugin está impedindo o Redirection de carregar. Desative todos os plugins e tente novamente."],"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.":["Se o botão Correção mágica não funcionar, você deve ler o erro e verificar se consegue corrigi-lo manualmente. Caso contrário, siga a seção \"Preciso de ajuda\" abaixo."],"⚡️ Magic fix ⚡️":["⚡️ Correção mágica ⚡️"],"Plugin Status":["Status do plugin"],"Custom":["Personalizado"],"Mobile":["Móvel"],"Feed Readers":["Leitores de feed"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Alterações do monitoramento de URLs"],"Save changes to this group":["Salvar alterações neste grupo"],"For example \"/amp\"":["Por exemplo, \"/amp\""],"URL Monitor":["Monitoramento de URLs"],"Delete 404s":["Excluir 404s"],"Delete all from IP %s":["Excluir registros do IP %s"],"Delete all matching \"%s\"":["Excluir tudo que corresponder a \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Seu servidor rejeitou a solicitação por ela ser muito grande. Você precisará alterá-la para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["Além disso, verifique se o seu navegador é capaz de carregar <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.":["Se você estiver usando um plugin ou serviço de cache de página (CloudFlare, OVH, etc), então você também poderá tentar limpar esse cache."],"Unable to load Redirection":["Não foi possível carregar o Redirection"],"Unable to create group":["Não foi possível criar grupo"],"Post monitor group is valid":["O grupo do monitoramento de posts é válido"],"Post monitor group is invalid":["O grupo de monitoramento de post é inválido"],"Post monitor group":["Grupo do monitoramento de posts"],"All redirects have a valid group":["Todos os redirecionamentos têm um grupo válido"],"Redirects with invalid groups detected":["Redirecionamentos com grupos inválidos detectados"],"Valid redirect group":["Grupo de redirecionamento válido"],"Valid groups detected":["Grupos válidos detectados"],"No valid groups, so you will not be able to create any redirects":["Nenhum grupo válido. Portanto, você não poderá criar redirecionamentos"],"Valid groups":["Grupos válidos"],"Database tables":["Tabelas do banco de dados"],"The following tables are missing:":["As seguintes tabelas estão faltando:"],"All tables present":["Todas as tabelas presentes"],"Cached Redirection detected":["O Redirection foi detectado no cache"],"Please clear your browser cache and reload this page.":["Limpe o cache do seu navegador e recarregue 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.":["O WordPress não retornou uma resposta. Isso pode significar que ocorreu um erro ou que a solicitação foi bloqueada. Confira o error_log de seu servidor."],"If you think Redirection is at fault then create an issue.":["Se você acha que o erro é do Redirection, abra um chamado."],"This may be caused by another plugin - look at your browser's error console for more details.":["Isso pode ser causado por outro plugin - veja o console de erros do seu navegador para mais detalhes."],"Loading, please wait...":["Carregando, aguarde..."],"{{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 do arquivo CSV{{/strong}}: {{code}}URL de origem, URL de destino{{/code}} - e pode ser opcionalmente seguido com {{code}}regex, código http{{/code}} ({{code}}regex{{/code}} - 0 para não, 1 para sim)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["O Redirection não está funcionando. Tente limpar o cache do navegador e recarregar esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Se isso não ajudar, abra o console de erros de seu navegador e crie um {{link}}novo chamado{{/link}} com os detalhes."],"Create Issue":["Criar chamado"],"Email":["E-mail"],"Need help?":["Precisa de ajuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Qualquer suporte somente é oferecido à medida que haja tempo disponível, e não é garantido. Não ofereço suporte pago."],"Pos":["Pos"],"410 - Gone":["410 - Não existe mais"],"Position":["Posição"],"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":["Usado na auto-geração do URL se nenhum URL for dado. Use as tags especiais {{code}}$dec${{/code}} ou {{code}}$hex${{/code}} para em vez disso inserir um ID único"],"Import to group":["Importar para grupo"],"Import a CSV, .htaccess, or JSON file.":["Importar um arquivo CSV, .htaccess ou JSON."],"Click 'Add File' or drag and drop here.":["Clique 'Adicionar arquivo' ou arraste e solte aqui."],"Add File":["Adicionar arquivo"],"File selected":["Arquivo selecionado"],"Importing":["Importando"],"Finished importing":["Importação concluída"],"Total redirects imported:":["Total de redirecionamentos importados:"],"Double-check the file is the correct format!":["Verifique novamente se o arquivo é o formato correto!"],"OK":["OK"],"Close":["Fechar"],"Export":["Exportar"],"Everything":["Tudo"],"WordPress redirects":["Redirecionamentos WordPress"],"Apache redirects":["Redirecionamentos Apache"],"Nginx redirects":["Redirecionamentos Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess do Apache"],"Nginx rewrite rules":["Regras de reescrita do Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Erro 404"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Mencione {{code}}%s{{/code}} e explique o que estava fazendo no momento"],"I'd like to support some more.":["Eu gostaria de ajudar mais um pouco."],"Support 💰":["Doação 💰"],"Redirection saved":["Redirecionamento salvo"],"Log deleted":["Registro excluído"],"Settings saved":["Configurações salvas"],"Group saved":["Grupo salvo"],"Are you sure you want to delete this item?":["Tem certeza de que deseja excluir este item?","Tem certeza de que deseja excluir estes item?"],"pass":["manter url"],"All groups":["Todos os grupos"],"301 - Moved Permanently":["301 - Mudou permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirecionamento temporário"],"308 - Permanent Redirect":["308 - Redirecionamento permanente"],"401 - Unauthorized":["401 - Não autorizado"],"404 - Not Found":["404 - Não encontrado"],"Title":["Título"],"When matched":["Quando corresponder"],"with HTTP code":["com código HTTP"],"Show advanced options":["Exibir opções avançadas"],"Matched Target":["Destino se correspondido"],"Unmatched Target":["Destino se não correspondido"],"Saving...":["Salvando..."],"View notice":["Veja o aviso"],"Invalid source URL":["URL de origem inválido"],"Invalid redirect action":["Ação de redirecionamento inválida"],"Invalid redirect matcher":["Critério de redirecionamento inválido"],"Unable to add new redirect":["Não foi possível criar novo redirecionamento"],"Something went wrong 🙁":["Algo deu errado 🙁"],"Log entries (%d max)":["Entradas do registro (máx %d)"],"Select bulk action":["Selecionar ações em massa"],"Bulk Actions":["Ações em massa"],"Apply":["Aplicar"],"First page":["Primeira página"],"Prev page":["Página anterior"],"Current Page":["Página atual"],"of %(page)s":["de %(page)s"],"Next page":["Próxima página"],"Last page":["Última página"],"%s item":["%s item","%s itens"],"Select All":["Selecionar tudo"],"Sorry, something went wrong loading the data - please try again":["Desculpe, mas algo deu errado ao carregar os dados - tente novamente"],"No results":["Nenhum resultado"],"Delete the logs - are you sure?":["Excluir os registros - Você tem certeza?"],"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.":["Uma vez excluídos, seus registros atuais não estarão mais disponíveis. Você pode agendar uma exclusão na opções do plugin Redirection, se quiser fazê-la automaticamente."],"Yes! Delete the logs":["Sim! Exclua os registros"],"No! Don't delete the logs":["Não! Não exclua os registros"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Obrigado pela assinatura! {{a}}Clique aqui{{/a}} se você precisar retornar à sua assinatura."],"Newsletter":["Boletim"],"Want to keep up to date with changes to Redirection?":["Quer ficar a par de mudanças no 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.":["Inscreva-se no boletim do Redirection. O boletim tem baixo volume de mensagens e informa sobre novos recursos e alterações no plugin. Ideal se quiser testar alterações beta antes do lançamento."],"Your email address:":["Seu endereço de e-mail:"],"You've supported this plugin - thank you!":["Você apoiou este plugin - obrigado!"],"You get useful software and I get to carry on making it better.":["Você obtém softwares úteis e eu continuo fazendo isso melhor."],"Forever":["Para sempre"],"Delete the plugin - are you sure?":["Excluir o plugin - Você tem certeza?"],"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.":["A exclusão do plugin irá remover todos os seus redirecionamentos, logs e configurações. Faça isso se desejar remover o plugin para sempre, ou se quiser reiniciar o plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Uma vez excluído, os seus redirecionamentos deixarão de funcionar. Se eles parecerem continuar funcionando, limpe o cache do seu navegador."],"Yes! Delete the plugin":["Sim! Exclua o plugin"],"No! Don't delete the plugin":["Não! Não exclua o plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gerencie todos os seus redirecionamentos 301 e monitore erros 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}}.":["O Redirection é livre para usar - a vida é maravilhosa e adorável! Foi necessário muito tempo e esforço para desenvolver e você pode ajudar a apoiar esse desenvolvimento {{strong}}fazendo uma pequena doação{{/strong}}."],"Redirection Support":["Ajuda do Redirection"],"Support":["Ajuda"],"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.":["Selecionar esta opção irá remover todos os redirecionamentos, logs e todas as opções associadas ao plugin Redirection. Certifique-se de que é isso mesmo que deseja fazer."],"Delete Redirection":["Excluir o Redirection"],"Upload":["Carregar"],"Import":["Importar"],"Update":["Atualizar"],"Auto-generate URL":["Gerar automaticamente o URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Um token exclusivo que permite a leitores de feed o acesso ao RSS do registro do Redirection (deixe em branco para gerar automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros de 404"],"(time to keep logs for)":["(tempo para manter os registros)"],"Redirect Logs":["Registros de redirecionamento"],"I'm a nice person and I have helped support the author of this plugin":["Eu sou uma pessoa legal e ajudei a apoiar o autor deste plugin"],"Plugin Support":["Suporte do plugin"],"Options":["Opções"],"Two months":["Dois meses"],"A month":["Um mês"],"A week":["Uma semana"],"A day":["Um dia"],"No logs":["Não registrar"],"Delete All":["Apagar Tudo"],"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 grupos para organizar os seus redirecionamentos. Os grupos são associados a um módulo, e o módulo afeta como os redirecionamentos do grupo funcionam. Na dúvida, use o módulo WordPress."],"Add Group":["Adicionar grupo"],"Search":["Pesquisar"],"Groups":["Grupos"],"Save":["Salvar"],"Group":["Agrupar"],"Regular Expression":["Expressão Regular"],"Match":["Corresponder"],"Add new redirection":["Adicionar novo redirecionamento"],"Cancel":["Cancelar"],"Download":["Baixar"],"Redirection":["Redirection"],"Settings":["Configurações"],"Error (404)":["Erro (404)"],"Pass-through":["Manter URL de origem"],"Redirect to random post":["Redirecionar para um post aleatório"],"Redirect to URL":["Redirecionar para URL"],"Invalid group when creating redirect":["Grupo inválido ao criar o redirecionamento"],"IP":["IP"],"Source URL":["URL de origem"],"Date":["Data"],"Add Redirect":["Adicionar redirecionamento"],"View Redirects":["Ver redirecionamentos"],"Module":["Módulo"],"Redirects":["Redirecionamentos"],"Name":["Nome"],"Filters":["Filtros"],"Reset hits":["Redefinir acessos"],"Enable":["Ativar"],"Disable":["Desativar"],"Delete":["Excluir"],"Edit":["Editar"],"Last Access":["Último Acesso"],"Hits":["Acessos"],"URL":["URL"],"Modified Posts":["Posts modificados"],"Redirections":["Redirecionamentos"],"User Agent":["Agente de usuário"],"URL and user agent":["URL e agente de usuário"],"Target URL":["URL de destino"],"URL only":["URL somente"],"HTTP code":["Código HTTP"],"Regex":["Regex"],"Referrer":["Referenciador"],"URL and referrer":["URL e referenciador"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["URL e status de login"]}
1
+ {"":[],"Value":["Valor"],"Values":["Valores"],"All":["Tudo"],"Note that some HTTP headers are set by your server and cannot be changed.":["Alguns cabeçalhos HTTP são gerados pelo servidor e não podem ser alterados."],"No headers":["Sem cabeçalhos"],"Header":["Cabeçalho"],"Location":["Localização"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":["Os cabeçalhos do site são adicionados por todo o site, inclusive por redirecionamentos. Os cabeçalhos de redirecionamento são adicionados somente aos redirecionamentos."],"HTTP Headers":["Cabeçalhos HTTP"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Se o seu site parar de funcionar, você precisará {{link}}desativar o plugin{{/link}} e fazer alterações."],"Ensure that you update your site URL settings.":["Assegure-se de que atualizou as configurações de URL do seu site."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Atenção{{/strong}}: assegure-se de que o HTTPS esteja funcionando, senão o seu site pode parar de funcionar."],"Force a redirect from HTTP to HTTPS":["Forçar o redirecionamento de HTTP para HTTPS"],"Custom Header":["Cabeçalho personalizado"],"General":["Geral"],"Redirect":["Redirecionamento"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":["Alguns servidores podem estar configurados para servir arquivos diretamente, o que impede a realização de um redirecionamento."],"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.":["Não foi possível fazer a solicitação devido à segurança do navegador. Isso geralmente acontece porque as configurações de URL do WordPress e URL do Site são inconsistentes, ou a solicitação foi bloqueada por uma política CORS do seu site."],"Ignore & Pass Query":["Ignore & Repasse Consulta"],"Ignore Query":["Ignore a Consulta"],"Exact Query":["Consulta Exata"],"Search title":["Pesquisa título"],"Not accessed in last year":["Não acessado em 12 meses"],"Not accessed in last month":["Não acessado em 30 dias"],"Never accessed":["Nunca acessado"],"Last Accessed":["Último Acesso"],"HTTP Status Code":["Código de status HTTP"],"Plain":["Simples"],"Source":["Origem"],"Code":["Código"],"Action Type":["Tipo de Ação"],"Match Type":["Tipo de Correspondência"],"Search target URL":["Pesquisar URL de destino"],"Search IP":["Pesquisar IP"],"Search user agent":["Pesquisar agente de usuário"],"Search referrer":["Pesquisar referenciador"],"Search URL":["Pesquisar URL"],"Filter on: %(type)s":["Filtrar por: %(type)s"],"Disabled":["Desativado"],"Enabled":["Ativado"],"Compact Display":["Exibição Compacta"],"Standard Display":["Exibição Padrão"],"Status":["Status"],"Pre-defined":["Predefinido"],"Custom Display":["Exibição Personalizada"],"Display All":["Exibir Tudo"],"Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?":["Seu URL parece conter um domínio dentro do caminho: {{code}}%(relative)s{{/code}}. Você quis usar {{code}}%(absolute)s{{/code}}?"],"Comma separated list of languages to match against (i.e. da, en-GB)":["Lista separada por vírgula dos idiomas para correspondência (i.e. pt, pt-BR)"],"Language":["Idioma"],"504 - Gateway Timeout":["504 - Tempo limite do gateway"],"503 - Service Unavailable":["503 - Serviço indisponível"],"502 - Bad Gateway":["502 - Gateway incorreto"],"501 - Not implemented":["501 - Não implementado"],"500 - Internal Server Error":["500 - Erro interno do servidor"],"451 - Unavailable For Legal Reasons":["451 - Indisponível por motivos jurídicos"],"URL and language":["URL e idioma"],"The problem is almost certainly caused by one of the above.":["O problema é quase certamente causado por uma das alternativas acima."],"Your admin pages are being cached. Clear this cache and try again.":["Suas páginas administrativas estão sendo cacheadas. Limpe esse cache e tente novamente."],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Saia, limpe o cache do navegador, e acesse de novo - o seu navegador fez cache de uma sessão anterior."],"Reload the page - your current session is old.":["Recarregue a página - sua sessão atual é antiga."],"This is usually fixed by doing one of these:":["Isso geralmente é corrigido fazendo uma dessas alternativas:"],"You are not authorised to access this page.":["Você não está autorizado a acessar esta página."],"URL match":["Correspondência de URL"],"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.":["Um loop foi detectado e a atualização foi encerrada. Isso geralmente indica que {{support}}seu site está em cache{{/support}} e alterações no banco de dados não estão sendo salvas."],"Unable to save .htaccess file":["Não foi possível salvar o arquivo .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}}.":["Os redirecionamentos adicionados a um grupo Apache podem ser salvos num arquivo {{code}}.htaccess{{/code}}, basta acrescentar o caminho completo aqui. Para sua referência, o WordPress está instalado em {{code}}%(installed)s{{/code}}."],"Click \"Complete Upgrade\" when finished.":["Clique \"Concluir Atualização\" quando acabar."],"Automatic Install":["Instalação automática"],"Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}":["O URL de destino contém o caractere invá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.":["Se estiver usando o WordPress 5.2 ou mais recente, confira o {{link}}Diagnóstico{{/link}} e resolva os problemas identificados."],"If you do not complete the manual install you will be returned here.":["Se você não concluir a instalação manual, será trazido de volta aqui."],"Click \"Finished! 🎉\" when finished.":["Clique \"Acabou! 🎉\" quando terminar."],"If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.":["Se o seu site requer permissões especiais para o banco de dado, ou se preferir fazer por conta própria, você pode manualmente rodar o seguinte SQL."],"Manual Install":["Instalação manual"],"Insufficient database permissions detected. Please give your database user appropriate permissions.":["As permissões para o banco de dados são insuficientes. Conceda ao usuário do banco de dados as permissões adequadas."],"This information is provided for debugging purposes. Be careful making any changes.":["Esta informação é fornecida somente para depuração. Cuidado ao fazer qualquer mudança."],"Plugin Debug":["Depuração do 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.":["O Redirection se comunica com o WordPress por meio da API REST do WordPress. Ela é uma parte integrante do WordPress, e você terá problemas se não conseguir usá-la."],"IP Headers":["Cabeçalhos IP"],"Do not change unless advised to do so!":["Não altere, a menos que seja aconselhado a fazê-lo!"],"Database version":["Versão do banco de dados"],"Complete data (JSON)":["Dados 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.":["Exporte para CSV, .htaccess do Apache, Nginx, ou JSON do Redirection. O formato JSON contém todas as informações; os outros formatos contêm informações parciais apropriadas a cada 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.":["O CSV não inclui todas as informações e tudo é importado/exportado como correspondências \"URL somente\". Use o formato JSON se quiser o conjunto completo dos dados."],"All imports will be appended to the current database - nothing is merged.":["Todas as importações são adicionadas ao banco de dados - nada é fundido."],"Automatic Upgrade":["Upgrade Automático"],"Manual Upgrade":["Upgrade 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.":["Faça um backup dos seus dados no Redirection: {{download}}baixar um backup{{/download}}. Se houver qualquer problema, você pode importar esses dados de novo para o Redirection."],"Click the \"Upgrade Database\" button to automatically upgrade the database.":["Clique no botão \"Upgrade do Banco de Dados\" para fazer automaticamente um upgrade do banco de dados."],"Complete Upgrade":["Completar 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}}.":["O Redirection armazena dados em seu banco de dados e às vezes ele precisa ser atualizado. O seu banco de dados está na versão {{strong}}%(current)s{{/strong}} e a mais recente é a {{strong}}%(latest)s{{/strong}}."],"Note that you will need to set the Apache module path in your Redirection options.":["Observe que você precisa indicar o caminho do módulo Apache em suas opções do Redirection."],"I need support!":["Preciso de ajuda!"],"You will need at least one working REST API to continue.":["É preciso pelo menos uma API REST funcionando para continuar."],"Check Again":["Conferir Novamente"],"Testing - %s$":["Testando - %s$"],"Show Problems":["Mostrar Problemas"],"Summary":["Sumário"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Você está usando uma rota inválida para a API REST. Mudar para uma API em funcionamento deve resolver o problema."],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["A API REST não está funcionando e o plugin não conseguirá continuar até que isso seja corrigido."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Há alguns problemas para conectar à sua API REST. Não é preciso corrigir esses problemas e o plugin está conseguindo funcionar."],"Unavailable":["Indisponível"],"Not working but fixable":["Não está funcionando, mas dá para arrumar"],"Working but some issues":["Funcionando, mas com alguns problemas"],"Current API":["API atual"],"Switch to this API":["Troque para esta API"],"Hide":["Ocultar"],"Show Full":["Mostrar Tudo"],"Working!":["Funcionando!"],"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}}.":["O URL de destino deve ser um URL absoluto, como {{code}}https://domain.com/%(url)s{{/code}} ou iniciar com uma 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.":["Seu destino é o mesmo que uma origem e isso vai criar um loop. Deixe o destino em branco se você não quiser nenhuma ação."],"The target URL you want to redirect, or auto-complete on post name or permalink.":["O URL de destino que você quer redirecionar, ou auto-completar com o nome do post ou link permanente."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Inclua esses detalhes em seu relato, junto com uma descrição do que você estava fazendo e uma captura de tela."],"Create An Issue":["Criar um Relato"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["{{strong}}Crie um relato{{/strong}} ou o envie num {{strong}}e-mail{{/strong}}."],"That didn't help":["Isso não ajudou"],"What do I do next?":["O que eu faço agora?"],"Possible cause":["Possível causa"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["O WordPress retornou uma mensagem inesperada. Isso provavelmente é um erro de PHP de um outro plugin."],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Este pode ser um plugin de segurança, ou o seu servidor está com pouca memória, ou tem um erro externo. Confira os registros do seu servidor."],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Sua API REST está retornando uma página 404. Isso pode ser causado por um plugin de segurança, ou o seu servidor pode estar mal configurado."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Sua API REST provavelmente está sendo bloqueada por um plugin de segurança. Por favor desative ele, ou o configure para permitir solicitações à API REST."],"Read this REST API guide for more information.":["Leia este guia da API REST para mais informações."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Sua API REST API está sendo enviada para o cache. Por favor libere todos os caches, de plugin ou do servidor, saia do WordPress, libere o cache do seu navegador, e tente novamente."],"URL options / Regex":["Opções de URL / Regex"],"Export 404":["Exportar 404"],"Export redirect":["Exportar redirecionamento"],"WordPress permalink structures do not work in normal URLs. Please use a regular expression.":["Estruturas de link permanente do WordPress não funcionam com URLs normais. Use uma expressão regular."],"Unable to update redirect":["Não foi possível atualizar o redirecionamento"],"Pass - as ignore, but also copies the query parameters to the target":["Passar - como ignorar, mas também copia os parâmetros de consulta para o destino"],"Ignore - as exact, but ignores any query parameters not in your source":["Ignorar - como Exato, mas ignora qualquer parâmetro de consulta que não esteja na sua origem"],"Exact - matches the query parameters exactly defined in your source, in any order":["Exato - corresponde os parâmetros de consulta exatamente definidos na origem, em qualquer ordem"],"Default query matching":["Correspondência de consulta padrão"],"Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})":["Ignorar barra final (ou seja {{code}}/post-legal/{{/code}} vai corresponder com {{code}}/post-legal{{/code}})"],"Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})":["Correspondências insensível à caixa (ou seja {{code}}/Post-Legal{{/code}} vai corresponder com {{code}}/post-legal{{/code}})"],"Applies to all redirections unless you configure them otherwise.":["Aplica-se a todos os redirecionamentos, a menos que você configure eles de outro modo."],"Default URL settings":["Configurações padrão de URL"],"Ignore and pass all query parameters":["Ignorar e passar todos os parâmetros de consulta"],"Ignore all query parameters":["Ignorar todos os parâmetros de consulta"],"Exact match":["Correspondência exata"],"Caching software (e.g Cloudflare)":["Programa de caching (por exemplo, Cloudflare)"],"A security plugin (e.g Wordfence)":["Um plugin de segurança (por exemplo, Wordfence)"],"URL options":["Opções de URL"],"Query Parameters":["Parâmetros de Consulta"],"Ignore & pass parameters to the target":["Ignorar & passar parâmetros ao destino"],"Ignore all parameters":["Ignorar todos os parâmetros"],"Exact match all parameters in any order":["Correspondência exata de todos os parâmetros em qualquer ordem"],"Ignore Case":["Ignorar Caixa"],"Ignore Slash":["Ignorar Barra"],"Relative REST API":["API REST relativa"],"Raw REST API":["API REST raw"],"Default REST API":["API REST padrão"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Pronto, é só isso, agora você já está redirecionando! O que vai acima é só um exemplo - agora você pode inserir um redirecionamento."],"(Example) The target URL is the new URL":["(Exemplo) O URL de destino é o novo URL"],"(Example) The source URL is your old or original URL":["(Exemplo) O URL de origem é o URL antigo ou oiginal"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Desativado! Detectado PHP %1$s, é necessário %2$s+"],"A database upgrade is in progress. Please continue to finish.":["Uma atualização do banco de dados está em andamento. Continue para concluir."],"Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>.":["O banco de dados do Redirection precisa ser atualizado - <a href=\"%1$1s\">clique para atualizar</a>."],"Redirection database needs upgrading":["O banco de dados do Redirection precisa ser atualizado"],"Upgrade Required":["Atualização Obrigatória"],"Finish Setup":["Concluir Configuração"],"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.":["Você tem diferentes URLs configurados na página Configurações > Geral do WordPress, o que geralmente indica um erro de configuração, e isso pode causar problemas com a API REST. Confira suas configurações."],"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 você tiver um problema, consulte a documentação do seu plugin, ou tente falar com o suporte do provedor de hospedagem. Isso geralmente {{link}}não é um problema causado pelo Redirection{{/link}}."],"Some other plugin that blocks the REST API":["Algum outro plugin que bloqueia a API REST"],"A server firewall or other server configuration (e.g OVH)":["Um firewall do servidor, ou outra configuração do servidor (p.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:":["O Redirection usa a {{link}}API REST do WordPress{{/link}} para se comunicar com o WordPress. Isso está ativo e funcionando por padrão. Às vezes a API REST é bloqueada por:"],"Go back":["Voltar"],"Continue Setup":["Continuar a configuração"],"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).":["Armazenar o endereço IP permite que você executa outras ações de registro. Observe que você terá que aderir às leis locais com relação à coleta de dados (por exemplo, GDPR)."],"Store IP information for redirects and 404 errors.":["Armazenar informações sobre o IP para redirecionamentos e erros 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.":["Armazenar registros de redirecionamentos e erros 404 permite que você veja o que está acontecendo no seu site. Isso aumenta o espaço ocupado pelo banco de dados."],"Keep a log of all redirects and 404 errors.":["Manter um registro de todos os redirecionamentos e erros 404."],"{{link}}Read more about this.{{/link}}":["{{link}}Leia mais sobre isto.{{/link}}"],"If you change the permalink in a post or page then Redirection can automatically create a redirect for you.":["Se você muda o link permanente de um post ou página, o Redirection pode criar automaticamente um redirecionamento para você."],"Monitor permalink changes in WordPress posts and pages":["Monitorar alterações nos links permanentes de posts e páginas do WordPress"],"These are some options you may want to enable now. They can be changed at any time.":["Estas são algumas opções que você pode ativar agora. Elas podem ser alteradas a qualquer hora."],"Basic Setup":["Configuração Básica"],"Start Setup":["Iniciar Configuração"],"When ready please press the button to continue.":["Quando estiver pronto, aperte o botão para continuar."],"First you will be asked a few questions, and then Redirection will set up your database.":["Primeiro você responderá algumas perguntas,e então o Redirection vai configurar seu banco de dados."],"What's next?":["O que vem a seguir?"],"Check a URL is being redirected":["Confira se um URL está sendo redirecionado"],"More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}":["Correspondências de URL mais poderosas, inclusive {{regular}}expressões regulares{{/regular}} e {{other}}outras condições{{/other}}"],"{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins":["{{link}}Importe{{/link}} de um arquivo .htaccess ou CSV e de outros vários plugins"],"{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems":["{{link}}Monitore erros 404{{/link}}, obtenha informações detalhadas sobre o visitante, e corrija qualquer problema"],"Some features you may find useful are":["Alguns recursos que você pode achar úteis são"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["A documentação completa pode ser encontrada no {{link}}site do Redirection (em inglês).{{/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:":["Um redirecionamento simples envolve configurar um {{strong}}URL de origem{{/strong}} (o URL antigo) e um {{strong}}URL de destino{{/strong}} (o URL novo). Por exemplo:"],"How do I use this plugin?":["Como eu uso este plugin?"],"Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.":["O Redirection é projetado para ser usado em sites com poucos redirecionamentos a sites com milhares de redirecionamentos."],"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.":["Obrigado por instalar e usar o Redirection v%(version)s. Este plugin vai permitir que você administre seus redirecionamentos 301, monitore os erros 404, e melhores seu site, sem precisar conhecimentos de Apache ou Nginx."],"Welcome to Redirection 🚀🎉":["Bem-vindo ao Redirection 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Isso vai redirecionar tudo, inclusive as páginas de login. Certifique-se de que realmente quer fazer isso."],"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 prevenir uma expressão regular gananciosa, você pode usar {{code}}^{{/code}} para ancorá-la ao início do URL. Por exemplo: {{code}}%(example)s{{/code}}"],"Remember to enable the \"regex\" option if this is a regular expression.":["Lembre-se de ativar a opção \"regex\" se isto for uma expressão regular."],"The source URL should probably start with a {{code}}/{{/code}}":["O URL de origem deve provavelmente começar com {{code}}/{{/code}}"],"This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.":["Isso vai ser convertido em um redirecionamento por servidor para o domínio {{code}}%(server)s{{/code}}."],"Anchor values are not sent to the server and cannot be redirected.":["Âncoras internas (#) não são enviadas ao servidor e não podem ser redirecionadas."],"{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}":["{{code}}%(status)d{{/code}} para {{code}}%(target)s{{/code}}"],"Finished! 🎉":["Concluído! 🎉"],"Progress: %(complete)d$":["Progresso: %(complete)d$"],"Leaving before the process has completed may cause problems.":["Sair antes de o processo ser concluído pode causar problemas."],"Setting up Redirection":["Configurando o Redirection"],"Upgrading Redirection":["Atualizando o Redirection"],"Please remain on this page until complete.":["Permaneça nesta página até o fim."],"If you want to {{support}}ask for support{{/support}} please include these details:":["Se quiser {{support}}solicitar suporte{{/support}} inclua estes detalhes:"],"Stop upgrade":["Parar atualização"],"Skip this stage":["Pular esta fase"],"Try again":["Tentar de novo"],"Database problem":["Problema no banco de dados"],"Please enable JavaScript":["Ativar o JavaScript"],"Please upgrade your database":["Atualize seu banco de dados"],"Upgrade Database":["Atualizar Banco de Dados"],"Please complete your <a href=\"%s\">Redirection setup</a> to activate the plugin.":["Complete sua <a href=\"%s\">configuração do Redirection</a> para ativar este plugin."],"Your database does not need updating to %s.":["Seu banco de dados não requer atualização para %s."],"Failed to perform query \"%s\"":["Falha ao realizar a consulta \"%s\""],"Table \"%s\" is missing":["A tabela \"%s\" não foi encontrada"],"Create basic data":["Criar dados básicos"],"Install Redirection tables":["Instalar tabelas do Redirection"],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":["URL do site e do WordPress são inconsistentes. Corrija na página Configurações > Geral: %1$1s não é %2$2s"],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Não tente redirecionar todos os seus 404s - isso não é uma coisa boa."],"Only the 404 page type is currently supported.":["Somente o tipo de página 404 é suportado atualmente."],"Page Type":["Tipo de página"],"Enter IP addresses (one per line)":["Digite endereços IP (um por linha)"],"Describe the purpose of this redirect (optional)":["Descreva o propósito deste redirecionamento (opcional)"],"418 - I'm a teapot":["418 - Sou uma chaleira"],"403 - Forbidden":["403 - Proibido"],"400 - Bad Request":["400 - Solicitação inválida"],"304 - Not Modified":["304 - Não modificado"],"303 - See Other":["303 - Veja outro"],"Do nothing (ignore)":["Fazer nada (ignorar)"],"Target URL when not matched (empty to ignore)":["URL de destino se não houver correspondência (em branco para ignorar)"],"Target URL when matched (empty to ignore)":["URL de destino se houver correspondência (em branco para ignorar)"],"Show All":["Mostrar todos"],"Delete all logs for these entries":["Excluir todos os registros para estas entradas"],"Delete all logs for this entry":["Excluir todos os registros para esta entrada"],"Delete Log Entries":["Excluir entradas no registro"],"Group by IP":["Agrupar por IP"],"Group by URL":["Agrupar por URL"],"No grouping":["Não agrupar"],"Ignore URL":["Ignorar URL"],"Block IP":["Bloquear IP"],"Redirect All":["Redirecionar todos"],"Count":["Número"],"URL and WordPress page type":["URL e tipo de página do WordPress"],"URL and IP":["URL e IP"],"Problem":["Problema"],"Good":["Bom"],"Check":["Verificar"],"Check Redirect":["Verificar redirecionamento"],"Check redirect for: {{code}}%s{{/code}}":["Verifique o redirecionamento de: {{code}}%s{{/code}}"],"What does this mean?":["O que isto significa?"],"Not using Redirection":["Sem usar o Redirection"],"Using Redirection":["Usando o Redirection"],"Found":["Encontrado"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} para {{code}}%(url)s{{/code}}"],"Expected":["Esperado"],"Error":["Erro"],"Enter full URL, including http:// or https://":["Digite o URL inteiro, incluindo 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.":["O seu navegador pode fazer cache de URL, o que dificulta saber se um redirecionamento está funcionando como deveria. Use isto para verificar um URL e ver como ele está realmente sendo redirecionado."],"Redirect Tester":["Teste de redirecionamento"],"Target":["Destino"],"URL is not being redirected with Redirection":["O URL não está sendo redirecionado com o Redirection"],"URL is being redirected with Redirection":["O URL está sendo redirecionado com o Redirection"],"Unable to load details":["Não foi possível carregar os detalhes"],"Enter server URL to match against":["Digite o URL do servidor para correspondência"],"Server":["Servidor"],"Enter role or capability value":["Digite a função ou capacidade"],"Role":["Função"],"Match against this browser referrer text":["Texto do referenciador do navegador para correspondênica"],"Match against this browser user agent":["Usuário de agente do navegador para correspondência"],"The relative URL you want to redirect from":["O URL relativo que você quer redirecionar"],"GDPR / Privacy information":["GDPR / Informações sobre privacidade (em inglês)"],"Add New":["Adicionar novo"],"URL and role/capability":["URL e função/capacidade"],"URL and server":["URL e servidor"],"Site and home protocol":["Protocolo do endereço do WordPress e do site"],"Site and home are consistent":["O endereço do WordPress e do site são consistentes"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["É sua a responsabilidade de passar cabeçalhos HTTP ao PHP. Contate o suporte de seu provedor de hospedagem e pergunte como fazê-lo."],"Accept Language":["Aceitar Idioma"],"Header value":["Valor do cabeçalho"],"Header name":["Nome cabeçalho"],"HTTP Header":["Cabeçalho HTTP"],"WordPress filter name":["Nome do filtro WordPress"],"Filter Name":["Nome do filtro"],"Cookie value":["Valor do cookie"],"Cookie name":["Nome do cookie"],"Cookie":["Cookie"],"clearing your cache.":["limpando seu cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se você estiver usando um sistema de cache como o Cloudflare, então leia isto: "],"URL and HTTP header":["URL e cabeçalho HTTP"],"URL and custom filter":["URL e filtro personalizado"],"URL and cookie":["URL e cookie"],"404 deleted":["404 excluído"],"REST API":["API REST"],"How Redirection uses the REST API - don't change unless necessary":["Como o Redirection usa a API REST. Não altere a menos que seja necessário"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Dê uma olhada em {{link}}status do plugin{{/link}}. Ali talvez consiga identificar e fazer a \"Correção mágica\" do problema."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Programas de cache{{/link}}, em particular o Cloudflare, podem fazer o cache da coisa errada. Tente liberar seus caches."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Desative temporariamente outros plugins!{{/link}} Isso corrige muitos problemas."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Consulte a <a href=\"https://redirection.me/support/problems/\">lista de problemas comuns (em inglês)</a>."],"Unable to load Redirection ☹️":["Não foi possível carregar o Redirection ☹️"],"WordPress REST API":["A API REST do WordPress"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["A API REST do WordPress foi desativada. É preciso ativá-la para que o Redirection continue funcionando."],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["Erro de agente de usuário"],"Unknown Useragent":["Agente de usuário desconhecido"],"Device":["Dispositivo"],"Operating System":["Sistema operacional"],"Browser":["Navegador"],"Engine":["Motor"],"Useragent":["Agente de usuário"],"Agent":["Agente"],"No IP logging":["Não registrar IP"],"Full IP logging":["Registrar IP completo"],"Anonymize IP (mask last part)":["Tornar IP anônimo (mascarar a última parte)"],"Monitor changes to %(type)s":["Monitorar alterações em %(type)s"],"IP Logging":["Registro de IP"],"(select IP logging level)":["(selecione o nível de registro de IP)"],"Geo Info":["Informações geográficas"],"Agent Info":["Informação sobre o agente"],"Filter by IP":["Filtrar por IP"],"Geo IP Error":["Erro IP Geo"],"Something went wrong obtaining this information":["Algo deu errado ao obter essa informação"],"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.":["Este é um IP de uma rede privada. Isso significa que ele está localizado dentro de uma rede residencial ou comercial e nenhuma outra informação pode ser exibida."],"No details are known for this address.":["Nenhum detalhe é conhecido para este endereço."],"Geo IP":["IP Geo"],"City":["Cidade"],"Area":["Região"],"Timezone":["Fuso horário"],"Geo Location":["Coordenadas"],"Powered by {{link}}redirect.li{{/link}}":["Fornecido por {{link}}redirect.li{{/link}}"],"Trash":["Lixeira"],"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":["O Redirection requer a API REST do WordPress para ser ativado. Se você a desativou, não vai conseguir usar o Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["A documentação completa (em inglês) sobre como usar o Redirection se encontra no site <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.":["A documentação completa do Redirection encontra-se (em inglês) em {{site}}https://redirection.me{{/site}}. Se tiver algum problema, consulte primeiro as {{faq}}Perguntas frequentes{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Se quiser comunicar um erro, leia o guia {{report}}Comunicando erros (em inglês){{/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!":["Se quiser enviar informações que não possam ser tornadas públicas, então remeta-as diretamente (em inglês) por {{email}}e-mail{{/email}}. Inclua o máximo de informação que puder!"],"Never cache":["Nunca fazer cache"],"An hour":["Uma hora"],"Redirect Cache":["Cache dos redirecionamentos"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["O tempo que deve ter o cache dos URLs redirecionados com 301 (via \"Expires\" no cabeçalho HTTP)"],"Are you sure you want to import from %s?":["Tem certeza de que deseja importar de %s?"],"Plugin Importers":["Importar de plugins"],"The following redirect plugins were detected on your site and can be imported from.":["Os seguintes plugins de redirecionamento foram detectados em seu site e se pode importar deles."],"total = ":["total = "],"Import from %s":["Importar de %s"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["O Redirection requer o WordPress v%1$1s, mas você está usando a versão v%2$2s. Atualize o WordPress"],"Default WordPress \"old slugs\"":["Redirecionamentos de \"slugs anteriores\" do WordPress"],"Create associated redirect (added to end of URL)":["Criar redirecionamento atrelado (adicionado ao fim do URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["O <code>Redirectioni10n</code> não está definido. Isso geralmente significa que outro plugin está impedindo o Redirection de carregar. Desative todos os plugins e tente novamente."],"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.":["Se o botão Correção mágica não funcionar, você deve ler o erro e verificar se consegue corrigi-lo manualmente. Caso contrário, siga a seção \"Preciso de ajuda\" abaixo."],"⚡️ Magic fix ⚡️":["⚡️ Correção mágica ⚡️"],"Plugin Status":["Status do plugin"],"Custom":["Personalizado"],"Mobile":["Móvel"],"Feed Readers":["Leitores de feed"],"Libraries":["Bibliotecas"],"URL Monitor Changes":["Alterações do monitoramento de URLs"],"Save changes to this group":["Salvar alterações neste grupo"],"For example \"/amp\"":["Por exemplo, \"/amp\""],"URL Monitor":["Monitoramento de URLs"],"Delete 404s":["Excluir 404s"],"Delete all from IP %s":["Excluir registros do IP %s"],"Delete all matching \"%s\"":["Excluir tudo que corresponder a \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Seu servidor rejeitou a solicitação por ela ser muito grande. Você precisará alterá-la para continuar."],"Also check if your browser is able to load <code>redirection.js</code>:":["Além disso, verifique se o seu navegador é capaz de carregar <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.":["Se você estiver usando um plugin ou serviço de cache de página (CloudFlare, OVH, etc), então você também poderá tentar limpar esse cache."],"Unable to load Redirection":["Não foi possível carregar o Redirection"],"Unable to create group":["Não foi possível criar grupo"],"Post monitor group is valid":["O grupo do monitoramento de posts é válido"],"Post monitor group is invalid":["O grupo de monitoramento de post é inválido"],"Post monitor group":["Grupo do monitoramento de posts"],"All redirects have a valid group":["Todos os redirecionamentos têm um grupo válido"],"Redirects with invalid groups detected":["Redirecionamentos com grupos inválidos detectados"],"Valid redirect group":["Grupo de redirecionamento válido"],"Valid groups detected":["Grupos válidos detectados"],"No valid groups, so you will not be able to create any redirects":["Nenhum grupo válido. Portanto, você não poderá criar redirecionamentos"],"Valid groups":["Grupos válidos"],"Database tables":["Tabelas do banco de dados"],"The following tables are missing:":["As seguintes tabelas estão faltando:"],"All tables present":["Todas as tabelas presentes"],"Cached Redirection detected":["O Redirection foi detectado no cache"],"Please clear your browser cache and reload this page.":["Limpe o cache do seu navegador e recarregue 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.":["O WordPress não retornou uma resposta. Isso pode significar que ocorreu um erro ou que a solicitação foi bloqueada. Confira o error_log de seu servidor."],"If you think Redirection is at fault then create an issue.":["Se você acha que o erro é do Redirection, abra um chamado."],"This may be caused by another plugin - look at your browser's error console for more details.":["Isso pode ser causado por outro plugin - veja o console de erros do seu navegador para mais detalhes."],"Loading, please wait...":["Carregando, aguarde..."],"{{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 do arquivo CSV{{/strong}}: {{code}}URL de origem, URL de destino{{/code}} - e pode ser opcionalmente seguido com {{code}}regex, código http{{/code}} ({{code}}regex{{/code}} - 0 para não, 1 para sim)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["O Redirection não está funcionando. Tente limpar o cache do navegador e recarregar esta página."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Se isso não ajudar, abra o console de erros de seu navegador e crie um {{link}}novo chamado{{/link}} com os detalhes."],"Create Issue":["Criar chamado"],"Email":["E-mail"],"Need help?":["Precisa de ajuda?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Qualquer suporte somente é oferecido à medida que haja tempo disponível, e não é garantido. Não ofereço suporte pago."],"Pos":["Pos"],"410 - Gone":["410 - Não existe mais"],"Position":["Posição"],"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":["Usado na auto-geração do URL se nenhum URL for dado. Use as tags especiais {{code}}$dec${{/code}} ou {{code}}$hex${{/code}} para em vez disso inserir um ID único"],"Import to group":["Importar para grupo"],"Import a CSV, .htaccess, or JSON file.":["Importar um arquivo CSV, .htaccess ou JSON."],"Click 'Add File' or drag and drop here.":["Clique 'Adicionar arquivo' ou arraste e solte aqui."],"Add File":["Adicionar arquivo"],"File selected":["Arquivo selecionado"],"Importing":["Importando"],"Finished importing":["Importação concluída"],"Total redirects imported:":["Total de redirecionamentos importados:"],"Double-check the file is the correct format!":["Verifique novamente se o arquivo é o formato correto!"],"OK":["OK"],"Close":["Fechar"],"Export":["Exportar"],"Everything":["Tudo"],"WordPress redirects":["Redirecionamentos WordPress"],"Apache redirects":["Redirecionamentos Apache"],"Nginx redirects":["Redirecionamentos Nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess do Apache"],"Nginx rewrite rules":["Regras de reescrita do Nginx"],"View":["Ver"],"Import/Export":["Importar/Exportar"],"Logs":["Registros"],"404 errors":["Erro 404"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Mencione {{code}}%s{{/code}} e explique o que estava fazendo no momento"],"I'd like to support some more.":["Eu gostaria de ajudar mais um pouco."],"Support 💰":["Doação 💰"],"Redirection saved":["Redirecionamento salvo"],"Log deleted":["Registro excluído"],"Settings saved":["Configurações salvas"],"Group saved":["Grupo salvo"],"Are you sure you want to delete this item?":["Tem certeza de que deseja excluir este item?","Tem certeza de que deseja excluir estes item?"],"pass":["manter url"],"All groups":["Todos os grupos"],"301 - Moved Permanently":["301 - Mudou permanentemente"],"302 - Found":["302 - Encontrado"],"307 - Temporary Redirect":["307 - Redirecionamento temporário"],"308 - Permanent Redirect":["308 - Redirecionamento permanente"],"401 - Unauthorized":["401 - Não autorizado"],"404 - Not Found":["404 - Não encontrado"],"Title":["Título"],"When matched":["Quando corresponder"],"with HTTP code":["com código HTTP"],"Show advanced options":["Exibir opções avançadas"],"Matched Target":["Destino se correspondido"],"Unmatched Target":["Destino se não correspondido"],"Saving...":["Salvando..."],"View notice":["Veja o aviso"],"Invalid source URL":["URL de origem inválido"],"Invalid redirect action":["Ação de redirecionamento inválida"],"Invalid redirect matcher":["Critério de redirecionamento inválido"],"Unable to add new redirect":["Não foi possível criar novo redirecionamento"],"Something went wrong 🙁":["Algo deu errado 🙁"],"Log entries (%d max)":["Entradas do registro (máx %d)"],"Select bulk action":["Selecionar ações em massa"],"Bulk Actions":["Ações em massa"],"Apply":["Aplicar"],"First page":["Primeira página"],"Prev page":["Página anterior"],"Current Page":["Página atual"],"of %(page)s":["de %(page)s"],"Next page":["Próxima página"],"Last page":["Última página"],"%s item":["%s item","%s itens"],"Select All":["Selecionar tudo"],"Sorry, something went wrong loading the data - please try again":["Desculpe, mas algo deu errado ao carregar os dados - tente novamente"],"No results":["Nenhum resultado"],"Delete the logs - are you sure?":["Excluir os registros - Você tem certeza?"],"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.":["Uma vez excluídos, seus registros atuais não estarão mais disponíveis. Você pode agendar uma exclusão na opções do plugin Redirection, se quiser fazê-la automaticamente."],"Yes! Delete the logs":["Sim! Exclua os registros"],"No! Don't delete the logs":["Não! Não exclua os registros"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Obrigado pela assinatura! {{a}}Clique aqui{{/a}} se você precisar retornar à sua assinatura."],"Newsletter":["Boletim"],"Want to keep up to date with changes to Redirection?":["Quer ficar a par de mudanças no 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.":["Inscreva-se no boletim do Redirection. O boletim tem baixo volume de mensagens e informa sobre novos recursos e alterações no plugin. Ideal se quiser testar alterações beta antes do lançamento."],"Your email address:":["Seu endereço de e-mail:"],"You've supported this plugin - thank you!":["Você apoiou este plugin - obrigado!"],"You get useful software and I get to carry on making it better.":["Você obtém softwares úteis e eu continuo fazendo isso melhor."],"Forever":["Para sempre"],"Delete the plugin - are you sure?":["Excluir o plugin - Você tem certeza?"],"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.":["A exclusão do plugin irá remover todos os seus redirecionamentos, logs e configurações. Faça isso se desejar remover o plugin para sempre, ou se quiser reiniciar o plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Uma vez excluído, os seus redirecionamentos deixarão de funcionar. Se eles parecerem continuar funcionando, limpe o cache do seu navegador."],"Yes! Delete the plugin":["Sim! Exclua o plugin"],"No! Don't delete the plugin":["Não! Não exclua o plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gerencie todos os seus redirecionamentos 301 e monitore erros 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}}.":["O Redirection é livre para usar - a vida é maravilhosa e adorável! Foi necessário muito tempo e esforço para desenvolver e você pode ajudar a apoiar esse desenvolvimento {{strong}}fazendo uma pequena doação{{/strong}}."],"Redirection Support":["Ajuda do Redirection"],"Support":["Ajuda"],"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.":["Selecionar esta opção irá remover todos os redirecionamentos, logs e todas as opções associadas ao plugin Redirection. Certifique-se de que é isso mesmo que deseja fazer."],"Delete Redirection":["Excluir o Redirection"],"Upload":["Carregar"],"Import":["Importar"],"Update":["Atualizar"],"Auto-generate URL":["Gerar automaticamente o URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Um token exclusivo que permite a leitores de feed o acesso ao RSS do registro do Redirection (deixe em branco para gerar automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registros de 404"],"(time to keep logs for)":["(tempo para manter os registros)"],"Redirect Logs":["Registros de redirecionamento"],"I'm a nice person and I have helped support the author of this plugin":["Eu sou uma pessoa legal e ajudei a apoiar o autor deste plugin"],"Plugin Support":["Suporte do plugin"],"Options":["Opções"],"Two months":["Dois meses"],"A month":["Um mês"],"A week":["Uma semana"],"A day":["Um dia"],"No logs":["Não registrar"],"Delete All":["Apagar Tudo"],"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 grupos para organizar os seus redirecionamentos. Os grupos são associados a um módulo, e o módulo afeta como os redirecionamentos do grupo funcionam. Na dúvida, use o módulo WordPress."],"Add Group":["Adicionar grupo"],"Search":["Pesquisar"],"Groups":["Grupos"],"Save":["Salvar"],"Group":["Agrupar"],"Regular Expression":["Expressão Regular"],"Match":["Corresponder"],"Add new redirection":["Adicionar novo redirecionamento"],"Cancel":["Cancelar"],"Download":["Baixar"],"Redirection":["Redirection"],"Settings":["Configurações"],"Error (404)":["Erro (404)"],"Pass-through":["Manter URL de origem"],"Redirect to random post":["Redirecionar para um post aleatório"],"Redirect to URL":["Redirecionar para URL"],"Invalid group when creating redirect":["Grupo inválido ao criar o redirecionamento"],"IP":["IP"],"Source URL":["URL de origem"],"Date":["Data"],"Add Redirect":["Adicionar redirecionamento"],"View Redirects":["Ver redirecionamentos"],"Module":["Módulo"],"Redirects":["Redirecionamentos"],"Name":["Nome"],"Filters":["Filtros"],"Reset hits":["Redefinir acessos"],"Enable":["Ativar"],"Disable":["Desativar"],"Delete":["Excluir"],"Edit":["Editar"],"Last Access":["Último Acesso"],"Hits":["Acessos"],"URL":["URL"],"Modified Posts":["Posts modificados"],"Redirections":["Redirecionamentos"],"User Agent":["Agente de usuário"],"URL and user agent":["URL e agente de usuário"],"Target URL":["URL de destino"],"URL only":["URL somente"],"HTTP code":["Código HTTP"],"Regex":["Regex"],"Referrer":["Referenciador"],"URL and referrer":["URL e referenciador"],"Logged Out":["Desconectado"],"Logged In":["Conectado"],"URL and login status":["URL e status de login"]}
locale/json/redirection-sv_SE.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Value":["Värde"],"Values":["Värden"],"All":["Alla"],"Note that some HTTP headers are set by your server and cannot be changed.":[""],"No headers":[""],"Header":["Sidhuvud"],"Location":["Plats"],"Site headers are added across your site, including redirects. Redirect headers are only added to redirects.":[""],"HTTP Headers":[""],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":[""],"Ensure that you update your site URL settings.":[""],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":[""],"Force a redirect from HTTP to HTTPS":["Tvinga en omdirigering från HTTP till HTTPS"],"Custom Header":["Anpassat sidhuvud"],"General":["Allmänt"],"Redirect":["Omdirigera"],"Some servers may be configured to serve file resources directly, preventing a redirect occurring.":[""],"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.":[""],"Ignore & Pass Query":[""],"Ignore Query":[""],"Exact Query":[""],"Search title":["Sök rubrik"],"Not accessed in last year":[""],"Not accessed in last month":[""],"Never accessed":[""],"Last Accessed":[""],"HTTP Status Code":["HTTP-statuskod"],"Plain":["Enkel"],"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":["Sök användaragent"],"Search referrer":[""],"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?":[""],"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"],"The problem is almost certainly caused by one of the above.":["Problemet orsakas nästan säkert av något av ovan."],"Your admin pages are being cached. Clear this cache and try again.":["Dina admin-sidor cachas. Rensa denna cache och försök igen."],"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.":["Ladda om sidan - din nuvarande session är gammal."],"This is usually fixed by doing one of these:":["Detta åtgärdas vanligtvis genom att göra något av detta:"],"You are not authorised to access this page.":["Du är inte behörig att komma åt denna sida."],"URL match":["URL-matchning"],"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":["Kan inte spara .htaccess-fil"],"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.":["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.":[""],"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äckt. 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":[""],"Do not change unless advised to do so!":["Ändra inte om du inte rekommenderas att göra det!"],"Database version":["Databasversion"],"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":["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.":[""],"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 support!"],"You will need at least one working REST API to continue.":["Du behöver minst ett fungerande REST-API för att fortsätta."],"Check Again":["Kontrollera igen"],"Testing - %s$":["Testar – %s$"],"Show Problems":["Visa problem"],"Summary":["Sammanfattning"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Du använder en bruten REST-API-rutt. Att byta till ett fungerande API bör åtgärda problemet."],"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"],"Not working but fixable":["Fungerar inte men kan åtgärdas"],"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}}.":[""],"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.":["Inkludera dessa detaljer i din rapport tillsammans med en beskrivning av vad du gjorde och en skärmdump."],"Create An Issue":["Skapa ett problem"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":[""],"That didn't help":["Det hjälpte inte"],"What do I do next?":["Vad gör jag härnäst?"],"Possible cause":["Möjlig orsak"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returnerade ett oväntat meddelande. Detta är förmodligen ett PHP-fel från ett annat tillägg."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Din REST-API returnerar en 404-sida. Detta kan orsakas av ett säkerhetstillägg, eller så kan din server vara felkonfigurerad"],"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."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":[""],"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 vanligt uttryck."],"Unable to update redirect":["Kan inte uppdatera omdirigering"],"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.":["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":[""],"Ignore all query parameters":[""],"Exact match":["Exakt matchning"],"Caching software (e.g Cloudflare)":[""],"A security plugin (e.g Wordfence)":["Ett säkerhetstillägg (t.ex. Wordfence)"],"URL options":["URL-alternativ"],"Query Parameters":[""],"Ignore & pass parameters to the target":[""],"Ignore all parameters":["Ignorera alla parametrar"],"Exact match all parameters in any order":[""],"Ignore Case":[""],"Ignore Slash":["Ignorera snedstreck"],"Relative REST API":["Relativ REST API"],"Raw REST API":[""],"Default REST API":["Standard REST API"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Det är allt du behöver – du omdirigerar nu! Observera att ovanstående bara är ett exempel – du kan nu ange en omdirigering."],"(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.":[""],"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":["Några andra tillägg som blockerar 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":["Gå tillbaka"],"Continue Setup":["Fortsätt inställning"],"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.":["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.":[""],"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 inställning"],"Start Setup":[""],"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 du kan tycka är användbara är"],"Full documentation can be found on the {{link}}Redirection website.{{/link}}":["Fullständig dokumentation kan hittas på {{link}}Redirections webbplats.{{/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?":["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 utformad för att användas på webbplatser med 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.":[""],"Welcome to Redirection 🚀🎉":["Välkommen till Redirection 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Detta kommer att omdirigera allt, inklusive inloggningssidorna. Var säker på att du vill göra detta."],"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}}":["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}}.":[""],"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$":[""],"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."],"Failed to perform query \"%s\"":["Misslyckades att utföra fråga ”%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.":[""],"Only the 404 page type is currently supported.":[""],"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)":["URL-mål när den inte matchas (tom för att ignorera)"],"Target URL when matched (empty to ignore)":["URL-mål vid matchning (tom för att ignorera)"],"Show All":["Visa alla"],"Delete all logs for these entries":["Ta bort alla loggar för dessa poster"],"Delete all logs for this entry":["Ta bort alla loggar för denna post"],"Delete Log Entries":["Ta bort loggposter"],"Group by IP":["Grupp efter IP"],"Group by URL":["Grupp 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}}"],"What does this mean?":["Vad betyder detta?"],"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.":[""],"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":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":["Den relativa URL du vill omdirigera från"],"GDPR / Privacy information":["GDPR/integritetsinformation"],"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.":[""],"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.":["rensa 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 inte 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}}Caching-program{{/link}}, i synnerhet Cloudflare, kan cacha fel sak. Försök att rensa all cache."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Vänligen inaktivera andra tillägg tillfälligt!{{/link}} Detta fixar många problem."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Vänligen 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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Ditt WordPress REST API har inaktiverats. Du måste aktivera det för att Redirection ska fortsätta att fungera"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(välj loggningsnivå för IP)"],"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 här 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, vänligen 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 en bugg, vänligen läs guiden {{report}}rapportera buggar{{/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. Vänligen 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"],"Delete 404s":["Radera 404:or"],"Delete all from IP %s":["Ta bort allt från IP %s"],"Delete all matching \"%s\"":["Ta bort allt som matchar \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Din server har nekat begäran för att den var för stor. Du måste ändra den innan du fortsätter."],"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 cacha sidor (CloudFlare, OVH m.m.) så kan du också prova att rensa den cachen."],"Unable to load Redirection":["Kan inte att ladda Redirection"],"Unable to create group":["Kan inte att skapa grupp"],"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.":["Vänligen 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. Vänligen 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änligen 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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Vänligen nämn {{code}}%s{{/code}} och förklara vad du gjorde vid tidpunkten"],"I'd like to support some more.":["Jag skulle vilja stödja lite till."],"Support 💰":["Support 💰"],"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 radera detta objekt?","Är du säker på att du vill radera 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"],"Invalid source URL":["Ogiltig URL-källa"],"Invalid redirect action":["Ogiltig omdirigeringsåtgärd"],"Invalid redirect matcher":["Ogiltig omdirigeringsmatchning"],"Unable to add new redirect":["Det går inte att lägga till en ny omdirigering"],"Something went wrong 🙁":["Något gick fel 🙁"],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Select bulk action":["Välj massåtgärd"],"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 - Vänligen försök igen"],"No results":["Inga resultat"],"Delete the logs - are you sure?":["Är du säker på att du vill radera loggarna?"],"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.":["När du har raderat dina nuvarande loggar kommer de inte längre att vara tillgängliga. Om du vill, kan du ställa in ett automatiskt raderingsschema på Redirections alternativ-sida."],"Yes! Delete the logs":["Ja! Radera loggarna"],"No! Don't delete the logs":["Nej! Radera inte loggarna"],"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.":[""],"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?":["Radera tillägget - är du verkligen säker på det?"],"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, vänligen rensa din webbläsares cache."],"Yes! Delete the plugin":["Ja! Radera detta tillägg"],"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":["Autogenerera URL"],"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"],"Delete All":["Radera alla"],"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":["Vanligt uttryck"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Ladda ner"],"Redirection":["Redirection"],"Settings":["Inställningar"],"Error (404)":["Fel (404)"],"Pass-through":["Passera"],"Redirect to random post":["Omdirigering till slumpmässigt inlägg"],"Redirect to URL":["Omdirigera till URL"],"Invalid group when creating redirect":["Gruppen är ogiltig när omdirigering skapas"],"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":["Senast använd"],"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"]}
1
+ {"":[],"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"],"If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.":["Om din webbplats slutar fungera måste du {{link}}inaktivera tillägget{{/link}} och göra ändringar."],"Ensure that you update your site URL settings.":["Se till att du uppdaterar webbplatsen URL-inställningar."],"{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.":["{{strong}}Varning{{/strong}}: se till att din HTTPS fungerar annars kan du krascha din webbplats."],"Force a redirect from HTTP to HTTPS":["Tvinga omdirigering från HTTP till HTTPS"],"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"],"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 referrer"],"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"],"The problem is almost certainly caused by one of the above.":["Problemet orsakas nästan säkert av något av ovan."],"Your admin pages are being cached. Clear this cache and try again.":["Dina admin-sidor sparas i cache-minne. Rensa detta cache-minne och försök igen."],"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 lagrat en gammal session i sitt cache-minne."],"Reload the page - your current session is old.":["Ladda om sidan - din nuvarande session är gammal."],"This is usually fixed by doing one of these:":["Detta åtgärdas vanligtvis genom att göra något av detta:"],"You are not authorised to access this page.":["Du är inte behörig att komma åt denna sida."],"URL match":["URL-matchning"],"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"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Du använder en bruten REST-API-rutt. Att byta till ett fungerande API bör åtgärda problemet."],"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"],"Not working but fixable":["Fungerar inte men kan åtgärdas"],"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"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["Upprätta {{strong}}ett supportärende{{/strong}} eller skicka det via {{strong}}e-post{{/strong}}."],"That didn't help":["Det hjälpte inte"],"What do I do next?":["Vad gör jag härnäst?"],"Possible cause":["Möjlig orsak"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress returnerade ett oväntat meddelande. Detta är förmodligen ett PHP-fel från ett annat tillägg."],"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 returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Din REST-API returnerar en 404-sida. Detta kan orsakas av ett säkerhetstillägg, eller så kan din server vara felkonfigurerad"],"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."],"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:et cachelagras. Rensa alla tillägg för cachelagring och eventuell server-cache, logga ut, töm webbläsarens cache-minne och försök sedan igen."],"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 vanligt uttryck."],"Unable to update redirect":["Kan inte uppdatera omdirigering"],"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"],"That's all there is to it - you are now redirecting! Note that the above is just an example - you can now enter a redirect.":["Det är allt du behöver – du omdirigerar nu! Observera att ovanstående bara är ett exempel – du kan nu ange en omdirigering."],"(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. Konrollera 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 utformad 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å fel av typen 404 och förbättra din webbplats, utan krav på kunskaper i Apache eller Nginx behövs."],"Welcome to Redirection 🚀🎉":["Välkommen till Redirection 🚀🎉"],"This will redirect everything, including the login pages. Please be sure you want to do this.":["Detta kommer att omdirigera allt, inklusive inloggningssidorna. Kontrollera en gång till att det är vad du verkligen vill göra."],"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 ”regex” 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."],"Failed to perform query \"%s\"":["Misslyckades att utföra fråga ”%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)":["URL-mål när den inte matchas (tom för att ignorera)"],"Target URL when matched (empty to ignore)":["URL-mål vid matchning (tom för att ignorera)"],"Show All":["Visa alla"],"Delete all logs for these entries":["Ta bort alla loggar för dessa poster"],"Delete all logs for this entry":["Ta bort alla loggar för denna post"],"Delete Log Entries":["Ta bort loggposter"],"Group by IP":["Grupp efter IP"],"Group by URL":["Grupp 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}}"],"What does this mean?":["Vad betyder detta?"],"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 referrer-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"],"GDPR / Privacy information":["GDPR/integritetsinformation"],"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.":["rensa 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 inte 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}}Caching-program{{/link}}, i synnerhet Cloudflare, kan cacha fel sak. Försök att rensa all cache."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Vänligen inaktivera andra tillägg tillfälligt!{{/link}} Detta fixar många problem."],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Vänligen 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"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Ditt WordPress REST API har inaktiverats. Du måste aktivera det för att Redirection ska fortsätta att fungera"],"https://johngodley.com":["https://johngodley.com"],"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"],"(select IP logging level)":["(välj loggningsnivå för IP)"],"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 här 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, vänligen 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 en bugg, vänligen läs guiden {{report}}rapportera buggar{{/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. Vänligen 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"],"Delete 404s":["Radera 404:or"],"Delete all from IP %s":["Ta bort allt från IP %s"],"Delete all matching \"%s\"":["Ta bort allt som matchar \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Din server har nekat begäran för att den var för stor. Du måste ändra den innan du fortsätter."],"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 cacha sidor (CloudFlare, OVH m.m.) så kan du också prova att rensa den cachen."],"Unable to load Redirection":["Kan inte att ladda Redirection"],"Unable to create group":["Kan inte att skapa grupp"],"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.":["Vänligen 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. Vänligen 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änligen 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"],"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"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Vänligen nämn {{code}}%s{{/code}} och förklara vad du gjorde vid tidpunkten"],"I'd like to support some more.":["Jag skulle vilja stödja lite till."],"Support 💰":["Support 💰"],"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 radera detta objekt?","Är du säker på att du vill radera 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"],"Invalid source URL":["Ogiltig URL-källa"],"Invalid redirect action":["Ogiltig omdirigeringsåtgärd"],"Invalid redirect matcher":["Ogiltig omdirigeringsmatchning"],"Unable to add new redirect":["Det går inte att lägga till en ny omdirigering"],"Something went wrong 🙁":["Något gick fel 🙁"],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Select bulk action":["Välj massåtgärd"],"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 - Vänligen försök igen"],"No results":["Inga resultat"],"Delete the logs - are you sure?":["Är du säker på att du vill radera loggarna?"],"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.":["När du har raderat dina nuvarande loggar kommer de inte längre att vara tillgängliga. Om du vill, kan du ställa in ett automatiskt raderingsschema på Redirections alternativ-sida."],"Yes! Delete the logs":["Ja! Radera loggarna"],"No! Don't delete the logs":["Nej! Radera inte loggarna"],"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?":["Radera tillägget - är du verkligen säker på det?"],"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, vänligen rensa din webbläsares cache."],"Yes! Delete the plugin":["Ja! Radera detta tillägg"],"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":["Autogenerera URL"],"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"],"Delete All":["Radera alla"],"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":["Vanligt uttryck"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Ladda ner"],"Redirection":["Redirection"],"Settings":["Inställningar"],"Error (404)":["Fel (404)"],"Pass-through":["Passera"],"Redirect to random post":["Omdirigering till slumpmässigt inlägg"],"Redirect to URL":["Omdirigera till URL"],"Invalid group when creating redirect":["Gruppen är ogiltig när omdirigering skapas"],"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":["Senast använd"],"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"]}
locale/redirection-en_AU.mo CHANGED
Binary file
locale/redirection-en_AU.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: 2019-09-23 23:25:26+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -13,187 +13,187 @@ msgstr ""
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
- msgstr ""
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
- msgstr ""
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
- msgstr ""
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
- msgstr ""
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
- msgstr ""
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
- msgstr ""
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
- msgstr ""
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr ""
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
- msgstr ""
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
- msgstr ""
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
- msgstr ""
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
- msgstr ""
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
- msgstr ""
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
- msgstr ""
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
- msgstr ""
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
- msgstr ""
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
- msgstr ""
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
- msgstr ""
86
 
87
  #: redirection-strings.php:34
88
  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."
89
- msgstr ""
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
- msgstr ""
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
- msgstr ""
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
- msgstr ""
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
- msgstr ""
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
- msgstr ""
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
- msgstr ""
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
- msgstr ""
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
- msgstr ""
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
- msgstr ""
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
- msgstr ""
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
- msgstr ""
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
- msgstr ""
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
- msgstr ""
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
- msgstr ""
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
- msgstr ""
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
- msgstr ""
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
- msgstr ""
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
- msgstr ""
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
- msgstr ""
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
- msgstr ""
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
- msgstr ""
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
- msgstr ""
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
- msgstr ""
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
- msgstr ""
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
- msgstr ""
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
@@ -201,83 +201,83 @@ msgstr "Predefined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
- msgstr ""
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
- msgstr ""
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
- msgstr ""
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
- msgstr ""
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
- msgstr ""
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
- msgstr ""
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
- msgstr ""
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
- msgstr ""
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
- msgstr ""
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
- msgstr ""
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
- msgstr ""
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
- msgstr ""
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
- msgstr ""
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
- msgstr ""
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
- msgstr ""
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
- msgstr ""
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
- msgstr ""
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
- msgstr ""
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
- msgstr ""
277
 
278
  #: redirection-strings.php:4
279
  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."
280
- msgstr ""
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
@@ -595,7 +595,7 @@ msgstr "A security plugin (e.g Wordfence)"
595
 
596
  #: redirection-strings.php:517
597
  msgid "URL options"
598
- msgstr ""
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
@@ -2111,7 +2111,7 @@ msgstr "Group"
2111
 
2112
  #: redirection-strings.php:535
2113
  msgid "Regular Expression"
2114
- msgstr ""
2115
 
2116
  #: redirection-strings.php:134
2117
  msgid "Match"
@@ -2273,7 +2273,7 @@ msgstr "URL only"
2273
 
2274
  #: redirection-strings.php:521
2275
  msgid "HTTP code"
2276
- msgstr ""
2277
 
2278
  #: redirection-strings.php:122 redirection-strings.php:624
2279
  #: redirection-strings.php:628 redirection-strings.php:636
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-02-20 10:06:30+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
+ msgstr "Value"
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
+ msgstr "Values"
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
+ msgstr "All"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
+ msgstr "Note that some HTTP headers are set by your server and cannot be changed."
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
+ msgstr "No headers"
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
+ msgstr "Header"
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
+ msgstr "Location"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
+ msgstr "HTTP Headers"
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
+ msgstr "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
+ msgstr "Ensure that you update your site URL settings."
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
+ msgstr "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
+ msgstr "Force a redirect from HTTP to HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
+ msgstr "Custom Header"
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
+ msgstr "General"
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
+ msgstr "Redirect"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
+ msgstr "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
+ msgstr "Site"
86
 
87
  #: redirection-strings.php:34
88
  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."
89
+ msgstr "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."
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
+ msgstr "Ignore & Pass Query"
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
+ msgstr "Ignore Query"
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
+ msgstr "Exact Query"
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
+ msgstr "Search title"
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
+ msgstr "Not accessed in last year"
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
+ msgstr "Not accessed in last month"
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
+ msgstr "Never accessed"
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
+ msgstr "Last Accessed"
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
+ msgstr "HTTP Status Code"
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
+ msgstr "Plain"
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
+ msgstr "Source"
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
+ msgstr "Code"
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
+ msgstr "Action Type"
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
+ msgstr "Match Type"
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
+ msgstr "Search target URL"
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
+ msgstr "Search IP"
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
+ msgstr "Search user agent"
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
+ msgstr "Search referrer"
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
+ msgstr "Search URL"
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
+ msgstr "Filter on: %(type)s"
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
+ msgstr "Disabled"
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
+ msgstr "Enabled"
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
+ msgstr "Compact Display"
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
+ msgstr "Standard Display"
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
+ msgstr "Status"
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
+ msgstr "Custom Display"
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
+ msgstr "Display All"
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
+ msgstr "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
+ msgstr "Comma separated list of languages to match against (i.e. da, en-GB)"
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
+ msgstr "Language"
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
+ msgstr "504 - Gateway Timeout"
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
+ msgstr "503 - Service Unavailable"
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
+ msgstr "502 - Bad Gateway"
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
+ msgstr "501 - Not implemented"
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
+ msgstr "500 - Internal Server Error"
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
+ msgstr "451 - Unavailable For Legal Reasons"
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
+ msgstr "URL and language"
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
+ msgstr "The problem is almost certainly caused by one of the above."
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
+ msgstr "Your admin pages are being cached. Clear this cache and try again."
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
+ msgstr "Log out, clear your browser cache, and log in again - your browser has cached an old session."
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
+ msgstr "Reload the page - your current session is old."
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
+ msgstr "This is usually fixed by doing one of these:"
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
+ msgstr "You are not authorised to access this site"
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
+ msgstr "URL match"
277
 
278
  #: redirection-strings.php:4
279
  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."
280
+ msgstr "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."
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
595
 
596
  #: redirection-strings.php:517
597
  msgid "URL options"
598
+ msgstr "URL options"
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
2111
 
2112
  #: redirection-strings.php:535
2113
  msgid "Regular Expression"
2114
+ msgstr "Regular Expression"
2115
 
2116
  #: redirection-strings.php:134
2117
  msgid "Match"
2273
 
2274
  #: redirection-strings.php:521
2275
  msgid "HTTP code"
2276
+ msgstr "HTTP code"
2277
 
2278
  #: redirection-strings.php:122 redirection-strings.php:624
2279
  #: redirection-strings.php:628 redirection-strings.php:636
locale/redirection-en_CA.mo CHANGED
Binary file
locale/redirection-en_CA.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: 2019-09-23 23:26:08+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -13,187 +13,187 @@ msgstr ""
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
- msgstr ""
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
- msgstr ""
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
- msgstr ""
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
- msgstr ""
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
- msgstr ""
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
- msgstr ""
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
- msgstr ""
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr ""
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
- msgstr ""
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
- msgstr ""
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
- msgstr ""
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
- msgstr ""
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
- msgstr ""
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
- msgstr ""
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
- msgstr ""
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
- msgstr ""
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
- msgstr ""
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
- msgstr ""
86
 
87
  #: redirection-strings.php:34
88
  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."
89
- msgstr ""
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
- msgstr ""
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
- msgstr ""
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
- msgstr ""
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
- msgstr ""
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
- msgstr ""
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
- msgstr ""
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
- msgstr ""
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
- msgstr ""
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
- msgstr ""
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
- msgstr ""
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
- msgstr ""
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
- msgstr ""
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
- msgstr ""
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
- msgstr ""
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
- msgstr ""
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
- msgstr ""
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
- msgstr ""
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
- msgstr ""
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
- msgstr ""
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
- msgstr ""
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
- msgstr ""
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
- msgstr ""
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
- msgstr ""
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
- msgstr ""
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
- msgstr ""
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
@@ -201,127 +201,127 @@ msgstr "Predefined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
- msgstr ""
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
- msgstr ""
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
- msgstr ""
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
- msgstr ""
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
- msgstr ""
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
- msgstr ""
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
- msgstr ""
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
- msgstr ""
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
- msgstr ""
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
- msgstr ""
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
- msgstr ""
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
- msgstr ""
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
- msgstr ""
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
- msgstr ""
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
- msgstr ""
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
- msgstr ""
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
- msgstr ""
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
- msgstr ""
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
- msgstr ""
277
 
278
  #: redirection-strings.php:4
279
  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."
280
- msgstr ""
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
284
- msgstr ""
285
 
286
  #: redirection-strings.php:496
287
  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}}."
288
- msgstr ""
289
 
290
  #: redirection-strings.php:320
291
  msgid "Click \"Complete Upgrade\" when finished."
292
- msgstr ""
293
 
294
  #: redirection-strings.php:245
295
  msgid "Automatic Install"
296
- msgstr ""
297
 
298
  #: redirection-strings.php:153
299
  msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
300
- msgstr ""
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
- msgstr ""
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
308
- msgstr ""
309
 
310
  #: redirection-strings.php:15
311
  msgid "Click \"Finished! 🎉\" when finished."
312
- msgstr ""
313
 
314
  #: redirection-strings.php:14 redirection-strings.php:319
315
  msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
316
- msgstr ""
317
 
318
  #: redirection-strings.php:13 redirection-strings.php:244
319
  msgid "Manual Install"
320
- msgstr ""
321
 
322
  #: database/database-status.php:145
323
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
324
- msgstr ""
325
 
326
  #: redirection-strings.php:603
327
  msgid "This information is provided for debugging purposes. Be careful making any changes."
@@ -1293,7 +1293,7 @@ msgstr "Full IP logging"
1293
 
1294
  #: redirection-strings.php:461
1295
  msgid "Anonymize IP (mask last part)"
1296
- msgstr "Anonymize IP (mask last part)"
1297
 
1298
  #: redirection-strings.php:472
1299
  msgid "Monitor changes to %(type)s"
@@ -1430,7 +1430,7 @@ msgstr "Import from %s"
1430
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
1431
  #: redirection-admin.php:384
1432
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
1433
- msgstr "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
1434
 
1435
  #: models/importer.php:224
1436
  msgid "Default WordPress \"old slugs\""
@@ -1789,7 +1789,7 @@ msgstr "308 - Permanent Redirect"
1789
 
1790
  #: redirection-strings.php:111
1791
  msgid "401 - Unauthorized"
1792
- msgstr "401 - Unauthorized"
1793
 
1794
  #: redirection-strings.php:113
1795
  msgid "404 - Not Found"
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-02-20 10:11:19+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
+ msgstr "Value"
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
+ msgstr "Values"
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
+ msgstr "All"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
+ msgstr "Note that some HTTP headers are set by your server and cannot be changed."
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
+ msgstr "No headers"
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
+ msgstr "Header"
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
+ msgstr "Location"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
+ msgstr "HTTP Headers"
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
+ msgstr "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
+ msgstr "Ensure that you update your site URL settings."
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
+ msgstr "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
+ msgstr "Force a redirect from HTTP to HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
+ msgstr "Custom Header"
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
+ msgstr "General"
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
+ msgstr "Redirect"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
+ msgstr "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
+ msgstr "Site"
86
 
87
  #: redirection-strings.php:34
88
  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."
89
+ msgstr "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."
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
+ msgstr "Ignore & Pass Query"
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
+ msgstr "Ignore Query"
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
+ msgstr "Exact Query"
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
+ msgstr "Search title"
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
+ msgstr "Not accessed in last year"
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
+ msgstr "Not accessed in last month"
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
+ msgstr "Never accessed"
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
+ msgstr "Last Accessed"
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
+ msgstr "HTTP Status Code"
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
+ msgstr "Plain"
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
+ msgstr "Source"
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
+ msgstr "Code"
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
+ msgstr "Action Type"
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
+ msgstr "Match Type"
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
+ msgstr "Search target URL"
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
+ msgstr "Search IP"
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
+ msgstr "Search user agent"
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
+ msgstr "Search referrer"
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
+ msgstr "Search URL"
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
+ msgstr "Filter on: %(type)s"
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
+ msgstr "Disabled"
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
+ msgstr "Enabled"
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
+ msgstr "Compact Display"
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
+ msgstr "Standard Display"
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
+ msgstr "Status"
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
+ msgstr "Custom Display"
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
+ msgstr "Display All"
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
+ msgstr "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
+ msgstr "Comma separated list of languages to match against (i.e. da, en-GB)"
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
+ msgstr "Language"
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
+ msgstr "504 - Gateway Timeout"
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
+ msgstr "503 - Service Unavailable"
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
+ msgstr "502 - Bad Gateway"
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
+ msgstr "501 - Not implemented"
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
+ msgstr "500 - Internal Server Error"
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
+ msgstr "451 - Unavailable For Legal Reasons"
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
+ msgstr "URL and language"
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
+ msgstr "The problem is almost certainly caused by one of the above."
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
+ msgstr "Your admin pages are being cached. Clear this cache and try again."
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
+ msgstr "Log out, clear your browser cache, and log in again - your browser has cached an old session."
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
+ msgstr "Reload the page - your current session is old."
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
+ msgstr "This is usually fixed by doing one of these:"
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
+ msgstr "You are not authorised to access this site"
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
+ msgstr "URL match"
277
 
278
  #: redirection-strings.php:4
279
  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."
280
+ msgstr "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."
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
284
+ msgstr "Unable to save .htaccess file"
285
 
286
  #: redirection-strings.php:496
287
  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}}."
288
+ msgstr "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}}."
289
 
290
  #: redirection-strings.php:320
291
  msgid "Click \"Complete Upgrade\" when finished."
292
+ msgstr "Click \"Complete Upgrade\" when finished."
293
 
294
  #: redirection-strings.php:245
295
  msgid "Automatic Install"
296
+ msgstr "Automatic Install"
297
 
298
  #: redirection-strings.php:153
299
  msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
300
+ msgstr "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
+ msgstr "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
308
+ msgstr "If you do not complete the manual install you will be returned here."
309
 
310
  #: redirection-strings.php:15
311
  msgid "Click \"Finished! 🎉\" when finished."
312
+ msgstr "Click \"Finished! 🎉\" when finished."
313
 
314
  #: redirection-strings.php:14 redirection-strings.php:319
315
  msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
316
+ msgstr "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
317
 
318
  #: redirection-strings.php:13 redirection-strings.php:244
319
  msgid "Manual Install"
320
+ msgstr "Manual Install"
321
 
322
  #: database/database-status.php:145
323
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
324
+ msgstr "Insufficient database permissions detected. Please give your database user appropriate permissions."
325
 
326
  #: redirection-strings.php:603
327
  msgid "This information is provided for debugging purposes. Be careful making any changes."
1293
 
1294
  #: redirection-strings.php:461
1295
  msgid "Anonymize IP (mask last part)"
1296
+ msgstr "Anonymise IP (mask last part)"
1297
 
1298
  #: redirection-strings.php:472
1299
  msgid "Monitor changes to %(type)s"
1430
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
1431
  #: redirection-admin.php:384
1432
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
1433
+ msgstr "Redirection requires WordPress v%1$s, you are using v%2$s - please update your WordPress"
1434
 
1435
  #: models/importer.php:224
1436
  msgid "Default WordPress \"old slugs\""
1789
 
1790
  #: redirection-strings.php:111
1791
  msgid "401 - Unauthorized"
1792
+ msgstr "401 - Unauthorised"
1793
 
1794
  #: redirection-strings.php:113
1795
  msgid "404 - Not Found"
locale/redirection-en_NZ.mo CHANGED
Binary file
locale/redirection-en_NZ.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: 2019-09-23 23:24:35+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -13,187 +13,187 @@ msgstr ""
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
- msgstr ""
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
- msgstr ""
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
- msgstr ""
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
- msgstr ""
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
- msgstr ""
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
- msgstr ""
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
- msgstr ""
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr ""
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
- msgstr ""
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
- msgstr ""
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
- msgstr ""
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
- msgstr ""
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
- msgstr ""
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
- msgstr ""
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
- msgstr ""
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
- msgstr ""
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
- msgstr ""
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
- msgstr ""
86
 
87
  #: redirection-strings.php:34
88
  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."
89
- msgstr ""
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
- msgstr ""
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
- msgstr ""
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
- msgstr ""
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
- msgstr ""
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
- msgstr ""
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
- msgstr ""
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
- msgstr ""
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
- msgstr ""
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
- msgstr ""
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
- msgstr ""
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
- msgstr ""
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
- msgstr ""
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
- msgstr ""
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
- msgstr ""
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
- msgstr ""
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
- msgstr ""
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
- msgstr ""
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
- msgstr ""
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
- msgstr ""
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
- msgstr ""
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
- msgstr ""
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
- msgstr ""
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
- msgstr ""
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
- msgstr ""
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
- msgstr ""
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
@@ -201,83 +201,83 @@ msgstr "Predefined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
- msgstr ""
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
- msgstr ""
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
- msgstr ""
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
- msgstr ""
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
- msgstr ""
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
- msgstr ""
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
- msgstr ""
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
- msgstr ""
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
- msgstr ""
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
- msgstr ""
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
- msgstr ""
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
- msgstr ""
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
- msgstr ""
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
- msgstr ""
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
- msgstr ""
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
- msgstr ""
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
- msgstr ""
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
- msgstr ""
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
- msgstr ""
277
 
278
  #: redirection-strings.php:4
279
  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."
280
- msgstr ""
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
@@ -595,7 +595,7 @@ msgstr "A security plugin (e.g Wordfence)"
595
 
596
  #: redirection-strings.php:517
597
  msgid "URL options"
598
- msgstr ""
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
@@ -2111,7 +2111,7 @@ msgstr "Group"
2111
 
2112
  #: redirection-strings.php:535
2113
  msgid "Regular Expression"
2114
- msgstr ""
2115
 
2116
  #: redirection-strings.php:134
2117
  msgid "Match"
@@ -2273,7 +2273,7 @@ msgstr "URL only"
2273
 
2274
  #: redirection-strings.php:521
2275
  msgid "HTTP code"
2276
- msgstr ""
2277
 
2278
  #: redirection-strings.php:122 redirection-strings.php:624
2279
  #: redirection-strings.php:628 redirection-strings.php:636
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-02-20 10:07:57+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
+ msgstr "Value"
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
+ msgstr "Values"
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
+ msgstr "All"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
+ msgstr "Note that some HTTP headers are set by your server and cannot be changed."
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
+ msgstr "No headers"
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
+ msgstr "Header"
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
+ msgstr "Location"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
+ msgstr "HTTP Headers"
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
+ msgstr "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
+ msgstr "Ensure that you update your site URL settings."
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
+ msgstr "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
+ msgstr "Force a redirect from HTTP to HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
+ msgstr "Custom Header"
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
+ msgstr "General"
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
+ msgstr "Redirect"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
+ msgstr "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
+ msgstr "Site"
86
 
87
  #: redirection-strings.php:34
88
  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."
89
+ msgstr "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."
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
+ msgstr "Ignore & Pass Query"
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
+ msgstr "Ignore Query"
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
+ msgstr "Exact Query"
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
105
+ msgstr "Search title"
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
+ msgstr "Not accessed in last year"
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
+ msgstr "Not accessed in last month"
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
+ msgstr "Never accessed"
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
+ msgstr "Last Accessed"
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
125
+ msgstr "HTTP Status Code"
126
 
127
  #: redirection-strings.php:536
128
  msgid "Plain"
129
+ msgstr "Plain"
130
 
131
  #: redirection-strings.php:516
132
  msgid "Source"
133
+ msgstr "Source"
134
 
135
  #: redirection-strings.php:507
136
  msgid "Code"
137
+ msgstr "Code"
138
 
139
  #: redirection-strings.php:506 redirection-strings.php:527
140
  #: redirection-strings.php:538
141
  msgid "Action Type"
142
+ msgstr "Action Type"
143
 
144
  #: redirection-strings.php:505 redirection-strings.php:522
145
  #: redirection-strings.php:537
146
  msgid "Match Type"
147
+ msgstr "Match Type"
148
 
149
  #: redirection-strings.php:366 redirection-strings.php:545
150
  msgid "Search target URL"
151
+ msgstr "Search target URL"
152
 
153
  #: redirection-strings.php:365 redirection-strings.php:406
154
  msgid "Search IP"
155
+ msgstr "Search IP"
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
+ msgstr "Search user agent"
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
+ msgstr "Search referrer"
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
+ msgstr "Search URL"
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
172
+ msgstr "Filter on: %(type)s"
173
 
174
  #: redirection-strings.php:255 redirection-strings.php:533
175
  msgid "Disabled"
176
+ msgstr "Disabled"
177
 
178
  #: redirection-strings.php:254 redirection-strings.php:532
179
  msgid "Enabled"
180
+ msgstr "Enabled"
181
 
182
  #: redirection-strings.php:252 redirection-strings.php:355
183
  #: redirection-strings.php:397 redirection-strings.php:530
184
  msgid "Compact Display"
185
+ msgstr "Compact Display"
186
 
187
  #: redirection-strings.php:251 redirection-strings.php:354
188
  #: redirection-strings.php:396 redirection-strings.php:529
189
  msgid "Standard Display"
190
+ msgstr "Standard Display"
191
 
192
  #: redirection-strings.php:249 redirection-strings.php:253
193
  #: redirection-strings.php:257 redirection-strings.php:503
194
  #: redirection-strings.php:526 redirection-strings.php:531
195
  msgid "Status"
196
+ msgstr "Status"
197
 
198
  #: redirection-strings.php:196
199
  msgid "Pre-defined"
201
 
202
  #: redirection-strings.php:195
203
  msgid "Custom Display"
204
+ msgstr "Custom Display"
205
 
206
  #: redirection-strings.php:194
207
  msgid "Display All"
208
+ msgstr "Display All"
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
+ msgstr "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?"
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
216
+ msgstr "Comma separated list of languages to match against (i.e. da, en-GB)"
217
 
218
  #: redirection-strings.php:640
219
  msgid "Language"
220
+ msgstr "Language"
221
 
222
  #: redirection-strings.php:121
223
  msgid "504 - Gateway Timeout"
224
+ msgstr "504 - Gateway Timeout"
225
 
226
  #: redirection-strings.php:120
227
  msgid "503 - Service Unavailable"
228
+ msgstr "503 - Service Unavailable"
229
 
230
  #: redirection-strings.php:119
231
  msgid "502 - Bad Gateway"
232
+ msgstr "502 - Bad Gateway"
233
 
234
  #: redirection-strings.php:118
235
  msgid "501 - Not implemented"
236
+ msgstr "501 - Not implemented"
237
 
238
  #: redirection-strings.php:117
239
  msgid "500 - Internal Server Error"
240
+ msgstr "500 - Internal Server Error"
241
 
242
  #: redirection-strings.php:116
243
  msgid "451 - Unavailable For Legal Reasons"
244
+ msgstr "451 - Unavailable For Legal Reasons"
245
 
246
  #: matches/language.php:9 redirection-strings.php:98
247
  msgid "URL and language"
248
+ msgstr "URL and language"
249
 
250
  #: redirection-strings.php:45
251
  msgid "The problem is almost certainly caused by one of the above."
252
+ msgstr "The problem is almost certainly caused by one of the above."
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
+ msgstr "Your admin pages are being cached. Clear this cache and try again."
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
+ msgstr "Log out, clear your browser cache, and log in again - your browser has cached an old session."
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
264
+ msgstr "Reload the page - your current session is old."
265
 
266
  #: redirection-strings.php:41
267
  msgid "This is usually fixed by doing one of these:"
268
+ msgstr "This is usually fixed by doing one of these:"
269
 
270
  #: redirection-strings.php:40
271
  msgid "You are not authorised to access this page."
272
+ msgstr "You are not authorised to access this site"
273
 
274
  #: redirection-strings.php:534
275
  msgid "URL match"
276
+ msgstr "URL match"
277
 
278
  #: redirection-strings.php:4
279
  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."
280
+ msgstr "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."
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
595
 
596
  #: redirection-strings.php:517
597
  msgid "URL options"
598
+ msgstr "URL options"
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
2111
 
2112
  #: redirection-strings.php:535
2113
  msgid "Regular Expression"
2114
+ msgstr "Regular Expression"
2115
 
2116
  #: redirection-strings.php:134
2117
  msgid "Match"
2273
 
2274
  #: redirection-strings.php:521
2275
  msgid "HTTP code"
2276
+ msgstr "HTTP code"
2277
 
2278
  #: redirection-strings.php:122 redirection-strings.php:624
2279
  #: redirection-strings.php:628 redirection-strings.php:636
locale/redirection-es_ES.mo CHANGED
Binary file
locale/redirection-es_ES.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: 2019-12-18 16:33:54+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -543,7 +543,7 @@ msgstr "No ha sido posible actualizar la redirección"
543
 
544
  #: redirection-strings.php:492
545
  msgid "Pass - as ignore, but also copies the query parameters to the target"
546
- msgstr "Pasar - como ignorar, peo también copia los parámetros de consulta al destino"
547
 
548
  #: redirection-strings.php:491
549
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
@@ -1297,7 +1297,7 @@ msgstr "Anonimizar IP (enmascarar la última parte)"
1297
 
1298
  #: redirection-strings.php:472
1299
  msgid "Monitor changes to %(type)s"
1300
- msgstr "Monitorizar cambios de %(type)s"
1301
 
1302
  #: redirection-strings.php:478
1303
  msgid "IP Logging"
@@ -1475,7 +1475,7 @@ msgstr "Bibliotecas"
1475
 
1476
  #: redirection-strings.php:468
1477
  msgid "URL Monitor Changes"
1478
- msgstr "Monitorizar el cambio de URL"
1479
 
1480
  #: redirection-strings.php:469
1481
  msgid "Save changes to this group"
@@ -1523,15 +1523,15 @@ msgstr "No fue posible crear el grupo"
1523
 
1524
  #: models/fixer.php:74
1525
  msgid "Post monitor group is valid"
1526
- msgstr "El grupo de monitoreo de entradas es válido"
1527
 
1528
  #: models/fixer.php:74
1529
  msgid "Post monitor group is invalid"
1530
- msgstr "El grupo de monitoreo de entradas no es válido"
1531
 
1532
  #: models/fixer.php:72
1533
  msgid "Post monitor group"
1534
- msgstr "Grupo de monitoreo de entradas"
1535
 
1536
  #: models/fixer.php:68
1537
  msgid "All redirects have a valid group"
@@ -1980,7 +1980,7 @@ msgstr "John Godley"
1980
 
1981
  #. Description of the plugin
1982
  msgid "Manage all your 301 redirects and monitor 404 errors"
1983
- msgstr "Gestiona todas tus redirecciones 301 y monitoriza tus errores 404"
1984
 
1985
  #: redirection-strings.php:438
1986
  msgid "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}}."
@@ -2224,7 +2224,7 @@ msgstr "Desactivar"
2224
  #: redirection-strings.php:423 redirection-strings.php:435
2225
  #: redirection-strings.php:512 redirection-strings.php:552
2226
  msgid "Delete"
2227
- msgstr "Eliminar"
2228
 
2229
  #: redirection-strings.php:270 redirection-strings.php:551
2230
  msgid "Edit"
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-02-20 11:14:38+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
543
 
544
  #: redirection-strings.php:492
545
  msgid "Pass - as ignore, but also copies the query parameters to the target"
546
+ msgstr "Pasar - como ignorar, pero también copia los parámetros de consulta al destino"
547
 
548
  #: redirection-strings.php:491
549
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
1297
 
1298
  #: redirection-strings.php:472
1299
  msgid "Monitor changes to %(type)s"
1300
+ msgstr "Supervisar cambios de %(type)s"
1301
 
1302
  #: redirection-strings.php:478
1303
  msgid "IP Logging"
1475
 
1476
  #: redirection-strings.php:468
1477
  msgid "URL Monitor Changes"
1478
+ msgstr "Supervisar cambios de URL"
1479
 
1480
  #: redirection-strings.php:469
1481
  msgid "Save changes to this group"
1523
 
1524
  #: models/fixer.php:74
1525
  msgid "Post monitor group is valid"
1526
+ msgstr "El grupo de supervisión de entradas es válido"
1527
 
1528
  #: models/fixer.php:74
1529
  msgid "Post monitor group is invalid"
1530
+ msgstr "El grupo de supervisión de entradas no es válido"
1531
 
1532
  #: models/fixer.php:72
1533
  msgid "Post monitor group"
1534
+ msgstr "Grupo de supervisión de entradas"
1535
 
1536
  #: models/fixer.php:68
1537
  msgid "All redirects have a valid group"
1980
 
1981
  #. Description of the plugin
1982
  msgid "Manage all your 301 redirects and monitor 404 errors"
1983
+ msgstr "Gestiona todas tus redirecciones 301 y supervisa tus errores 404"
1984
 
1985
  #: redirection-strings.php:438
1986
  msgid "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}}."
2224
  #: redirection-strings.php:423 redirection-strings.php:435
2225
  #: redirection-strings.php:512 redirection-strings.php:552
2226
  msgid "Delete"
2227
+ msgstr "Borrar"
2228
 
2229
  #: redirection-strings.php:270 redirection-strings.php:551
2230
  msgid "Edit"
locale/redirection-es_VE.mo CHANGED
Binary file
locale/redirection-es_VE.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: 2019-11-23 21:44:43+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -41,7 +41,7 @@ msgstr "Ubicación"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr "Las cabeceras del sitio se añaden a todo el sitio, incluidos los redireccionamientos. Las cabeceras de redireccionamiento solo se añaden a los redireccionamientos."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
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-02-15 21:16:43+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "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."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
locale/redirection-fr_FR.mo CHANGED
Binary file
locale/redirection-fr_FR.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: 2019-10-25 11:45:42+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -301,7 +301,7 @@ msgstr "Votre URL cible contient le caractère invalide {{code}}%(invalid)s{{/co
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
- msgstr "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."
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
@@ -373,7 +373,7 @@ msgstr "Mise à niveau manuelle"
373
 
374
  #: redirection-strings.php:326
375
  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."
376
- msgstr "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."
377
 
378
  #: redirection-strings.php:322
379
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
@@ -878,7 +878,7 @@ msgstr "Veuillez mettre à niveau votre base de données"
878
 
879
  #: redirection-admin.php:142 redirection-strings.php:323
880
  msgid "Upgrade Database"
881
- msgstr "Mise à niveau de la base de données"
882
 
883
  #. translators: 1: URL to plugin page
884
  #: redirection-admin.php:79
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-01-30 13:56:18+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
+ msgstr "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."
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
373
 
374
  #: redirection-strings.php:326
375
  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."
376
+ msgstr "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."
377
 
378
  #: redirection-strings.php:322
379
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
878
 
879
  #: redirection-admin.php:142 redirection-strings.php:323
880
  msgid "Upgrade Database"
881
+ msgstr "Mettre à niveau la base de données"
882
 
883
  #. translators: 1: URL to plugin page
884
  #: redirection-admin.php:79
locale/redirection-pt_BR.mo CHANGED
Binary file
locale/redirection-pt_BR.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: 2019-10-15 18:45:54+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -13,80 +13,80 @@ msgstr ""
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
- msgstr ""
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
- msgstr ""
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
- msgstr ""
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
- msgstr ""
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
- msgstr ""
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
- msgstr ""
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
- msgstr ""
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr ""
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
- msgstr ""
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
- msgstr ""
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
- msgstr ""
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
- msgstr ""
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
- msgstr ""
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
- msgstr ""
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
- msgstr ""
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
- msgstr ""
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
- msgstr ""
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
- msgstr ""
86
 
87
  #: redirection-strings.php:34
88
  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."
89
- msgstr ""
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
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-01-14 18:07:18+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
13
 
14
  #: redirection-strings.php:657
15
  msgid "Value"
16
+ msgstr "Valor"
17
 
18
  #: redirection-strings.php:656
19
  msgid "Values"
20
+ msgstr "Valores"
21
 
22
  #: redirection-strings.php:655
23
  msgid "All"
24
+ msgstr "Tudo"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
+ msgstr "Alguns cabeçalhos HTTP são gerados pelo servidor e não podem ser alterados."
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
+ msgstr "Sem cabeçalhos"
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
36
+ msgstr "Cabeçalho"
37
 
38
  #: redirection-strings.php:571
39
  msgid "Location"
40
+ msgstr "Localização"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "Os cabeçalhos do site são adicionados por todo o site, inclusive por redirecionamentos. Os cabeçalhos de redirecionamento são adicionados somente aos redirecionamentos."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
+ msgstr "Cabeçalhos HTTP"
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
+ msgstr "Se o seu site parar de funcionar, você precisará {{link}}desativar o plugin{{/link}} e fazer alterações."
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
+ msgstr "Assegure-se de que atualizou as configurações de URL do seu site."
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
+ msgstr "{{strong}}Atenção{{/strong}}: assegure-se de que o HTTPS esteja funcionando, senão o seu site pode parar de funcionar."
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
+ msgstr "Forçar o redirecionamento de HTTP para HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
68
+ msgstr "Cabeçalho personalizado"
69
 
70
  #: redirection-strings.php:562
71
  msgid "General"
72
+ msgstr "Geral"
73
 
74
  #: redirection-strings.php:561
75
  msgid "Redirect"
76
+ msgstr "Redirecionamento"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
+ msgstr "Alguns servidores podem estar configurados para servir arquivos diretamente, o que impede a realização de um redirecionamento."
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
84
  msgid "Site"
85
+ msgstr "Site"
86
 
87
  #: redirection-strings.php:34
88
  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."
89
+ msgstr "Não foi possível fazer a solicitação devido à segurança do navegador. Isso geralmente acontece porque as configurações de URL do WordPress e URL do Site são inconsistentes, ou a solicitação foi bloqueada por uma política CORS do seu site."
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
locale/redirection-sv_SE.mo CHANGED
Binary file
locale/redirection-sv_SE.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: 2019-12-23 10:57:39+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -25,11 +25,11 @@ msgstr "Alla"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
- msgstr ""
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
- msgstr ""
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
@@ -41,27 +41,27 @@ msgstr "Plats"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
- msgstr ""
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
- msgstr ""
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
- msgstr ""
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
- msgstr ""
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
- msgstr ""
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
- msgstr "Tvinga en omdirigering från HTTP till HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
@@ -77,7 +77,7 @@ msgstr "Omdirigera"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
- msgstr ""
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
@@ -86,19 +86,19 @@ msgstr "Webbplats"
86
 
87
  #: redirection-strings.php:34
88
  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."
89
- msgstr ""
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
- msgstr ""
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
- msgstr ""
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
- msgstr ""
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
@@ -106,19 +106,19 @@ msgstr "Sök rubrik"
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
- msgstr ""
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
- msgstr ""
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
- msgstr ""
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
- msgstr ""
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
@@ -156,16 +156,16 @@ msgstr "Sök IP"
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
- msgstr "Sök användaragent"
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
- msgstr ""
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
- msgstr "Sök URL"
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
@@ -209,7 +209,7 @@ msgstr "Visa alla"
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
- msgstr ""
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
@@ -253,11 +253,11 @@ msgstr "Problemet orsakas nästan säkert av något av ovan."
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
- msgstr "Dina admin-sidor cachas. Rensa denna cache och försök igen."
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
- msgstr ""
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
@@ -277,15 +277,15 @@ msgstr "URL-matchning"
277
 
278
  #: redirection-strings.php:4
279
  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."
280
- msgstr ""
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
284
- msgstr "Kan inte spara .htaccess-fil"
285
 
286
  #: redirection-strings.php:496
287
  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}}."
288
- msgstr ""
289
 
290
  #: redirection-strings.php:320
291
  msgid "Click \"Complete Upgrade\" when finished."
@@ -301,7 +301,7 @@ msgstr "Din mål-URL innehåller det ogiltiga tecknet {{code}}%(invalid)s{{/code
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
- msgstr ""
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
@@ -321,7 +321,7 @@ msgstr "Manuell installation"
321
 
322
  #: database/database-status.php:145
323
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
324
- msgstr "Otillräckliga databasbehörigheter upptäckt. Ge din databasanvändare lämpliga behörigheter."
325
 
326
  #: redirection-strings.php:603
327
  msgid "This information is provided for debugging purposes. Be careful making any changes."
@@ -337,11 +337,11 @@ msgstr "Redirection kommunicerar med WordPress via WordPress REST API. Detta är
337
 
338
  #: redirection-strings.php:579
339
  msgid "IP Headers"
340
- msgstr ""
341
 
342
  #: redirection-strings.php:577
343
  msgid "Do not change unless advised to do so!"
344
- msgstr "Ändra inte om du inte rekommenderas att göra det!"
345
 
346
  #: redirection-strings.php:576
347
  msgid "Database version"
@@ -349,19 +349,19 @@ msgstr "Databasversion"
349
 
350
  #: redirection-strings.php:309
351
  msgid "Complete data (JSON)"
352
- msgstr ""
353
 
354
  #: redirection-strings.php:304
355
  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."
356
- msgstr ""
357
 
358
  #: redirection-strings.php:302
359
  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."
360
- msgstr ""
361
 
362
  #: redirection-strings.php:300
363
  msgid "All imports will be appended to the current database - nothing is merged."
364
- msgstr ""
365
 
366
  #: redirection-strings.php:328
367
  msgid "Automatic Upgrade"
@@ -373,7 +373,7 @@ msgstr "Manuell uppgradering"
373
 
374
  #: redirection-strings.php:326
375
  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."
376
- msgstr ""
377
 
378
  #: redirection-strings.php:322
379
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
@@ -393,11 +393,11 @@ msgstr "Observera att du måste ställa in Apache-modulens sökväg i dina alter
393
 
394
  #: redirection-strings.php:243
395
  msgid "I need support!"
396
- msgstr "Jag behöver support!"
397
 
398
  #: redirection-strings.php:239
399
  msgid "You will need at least one working REST API to continue."
400
- msgstr "Du behöver minst ett fungerande REST-API för att fortsätta."
401
 
402
  #: redirection-strings.php:173
403
  msgid "Check Again"
@@ -461,15 +461,15 @@ msgstr "Fungerar!"
461
 
462
  #: redirection-strings.php:152
463
  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}}."
464
- msgstr ""
465
 
466
  #: redirection-strings.php:151
467
  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."
468
- msgstr ""
469
 
470
  #: redirection-strings.php:141
471
  msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
472
- msgstr ""
473
 
474
  #: redirection-strings.php:39
475
  msgid "Include these details in your report along with a description of what you were doing and a screenshot."
@@ -481,7 +481,7 @@ msgstr "Skapa ett problem"
481
 
482
  #: redirection-strings.php:36
483
  msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
484
- msgstr ""
485
 
486
  #: redirection-strings.php:46 redirection-strings.php:53
487
  msgid "That didn't help"
@@ -519,7 +519,7 @@ msgstr "Läs denna REST API-guide för mer information."
519
 
520
  #: redirection-strings.php:22
521
  msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
522
- msgstr ""
523
 
524
  #: redirection-strings.php:140
525
  msgid "URL options / Regex"
@@ -543,27 +543,27 @@ msgstr "Kan inte uppdatera omdirigering"
543
 
544
  #: redirection-strings.php:492
545
  msgid "Pass - as ignore, but also copies the query parameters to the target"
546
- msgstr ""
547
 
548
  #: redirection-strings.php:491
549
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
550
- msgstr ""
551
 
552
  #: redirection-strings.php:490
553
  msgid "Exact - matches the query parameters exactly defined in your source, in any order"
554
- msgstr ""
555
 
556
  #: redirection-strings.php:488
557
  msgid "Default query matching"
558
- msgstr ""
559
 
560
  #: redirection-strings.php:487
561
  msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
562
- msgstr ""
563
 
564
  #: redirection-strings.php:486
565
  msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
566
- msgstr ""
567
 
568
  #: redirection-strings.php:485 redirection-strings.php:489
569
  msgid "Applies to all redirections unless you configure them otherwise."
@@ -575,11 +575,11 @@ msgstr "Standard URL-inställningar"
575
 
576
  #: redirection-strings.php:467
577
  msgid "Ignore and pass all query parameters"
578
- msgstr ""
579
 
580
  #: redirection-strings.php:466
581
  msgid "Ignore all query parameters"
582
- msgstr ""
583
 
584
  #: redirection-strings.php:465
585
  msgid "Exact match"
@@ -587,7 +587,7 @@ msgstr "Exakt matchning"
587
 
588
  #: redirection-strings.php:235
589
  msgid "Caching software (e.g Cloudflare)"
590
- msgstr ""
591
 
592
  #: redirection-strings.php:233
593
  msgid "A security plugin (e.g Wordfence)"
@@ -599,11 +599,11 @@ msgstr "URL-alternativ"
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
602
- msgstr ""
603
 
604
  #: redirection-strings.php:127
605
  msgid "Ignore & pass parameters to the target"
606
- msgstr ""
607
 
608
  #: redirection-strings.php:126
609
  msgid "Ignore all parameters"
@@ -611,11 +611,11 @@ msgstr "Ignorera alla parametrar"
611
 
612
  #: redirection-strings.php:125
613
  msgid "Exact match all parameters in any order"
614
- msgstr ""
615
 
616
  #: redirection-strings.php:124
617
  msgid "Ignore Case"
618
- msgstr ""
619
 
620
  #: redirection-strings.php:123
621
  msgid "Ignore Slash"
@@ -627,7 +627,7 @@ msgstr "Relativ REST API"
627
 
628
  #: redirection-strings.php:463
629
  msgid "Raw REST API"
630
- msgstr ""
631
 
632
  #: redirection-strings.php:462
633
  msgid "Default REST API"
@@ -673,11 +673,11 @@ msgstr "Slutför inställning"
673
 
674
  #: redirection-strings.php:238
675
  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."
676
- msgstr ""
677
 
678
  #: redirection-strings.php:237
679
  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}}."
680
- msgstr ""
681
 
682
  #: redirection-strings.php:236
683
  msgid "Some other plugin that blocks the REST API"
@@ -685,11 +685,11 @@ msgstr "Några andra tillägg som blockerar REST API"
685
 
686
  #: redirection-strings.php:234
687
  msgid "A server firewall or other server configuration (e.g OVH)"
688
- msgstr ""
689
 
690
  #: redirection-strings.php:232
691
  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:"
692
- msgstr ""
693
 
694
  #: redirection-strings.php:230 redirection-strings.php:241
695
  msgid "Go back"
@@ -697,11 +697,11 @@ msgstr "Gå tillbaka"
697
 
698
  #: redirection-strings.php:229
699
  msgid "Continue Setup"
700
- msgstr "Fortsätt inställning"
701
 
702
  #: redirection-strings.php:227
703
  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)."
704
- msgstr ""
705
 
706
  #: redirection-strings.php:226
707
  msgid "Store IP information for redirects and 404 errors."
@@ -709,7 +709,7 @@ msgstr "Spara IP-information för omdirigeringar och 404 fel."
709
 
710
  #: redirection-strings.php:224
711
  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."
712
- msgstr ""
713
 
714
  #: redirection-strings.php:223
715
  msgid "Keep a log of all redirects and 404 errors."
@@ -734,11 +734,11 @@ msgstr "Det här är några alternativ du kanske vill aktivera nu. De kan ändra
734
 
735
  #: redirection-strings.php:218
736
  msgid "Basic Setup"
737
- msgstr "Grundläggande inställning"
738
 
739
  #: redirection-strings.php:217
740
  msgid "Start Setup"
741
- msgstr ""
742
 
743
  #: redirection-strings.php:216
744
  msgid "When ready please press the button to continue."
@@ -770,15 +770,15 @@ msgstr "{{link}}Övervaka 404-fel{{/link}}, få detaljerad information om besök
770
 
771
  #: redirection-strings.php:209
772
  msgid "Some features you may find useful are"
773
- msgstr "Vissa funktioner som du kan tycka är användbara är"
774
 
775
  #: redirection-strings.php:208
776
  msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
777
- msgstr "Fullständig dokumentation kan hittas på {{link}}Redirections webbplats.{{/link}}"
778
 
779
  #: redirection-strings.php:202
780
  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:"
781
- msgstr ""
782
 
783
  #: redirection-strings.php:201
784
  msgid "How do I use this plugin?"
@@ -786,11 +786,11 @@ msgstr "Hur använder jag detta tillägg?"
786
 
787
  #: redirection-strings.php:200
788
  msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
789
- msgstr "Redirection är utformad för att användas på webbplatser med några få omdirigeringar till webbplatser med tusentals omdirigeringar."
790
 
791
  #: redirection-strings.php:199
792
  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."
793
- msgstr ""
794
 
795
  #: redirection-strings.php:198
796
  msgid "Welcome to Redirection 🚀🎉"
@@ -798,15 +798,15 @@ msgstr "Välkommen till Redirection 🚀🎉"
798
 
799
  #: redirection-strings.php:150
800
  msgid "This will redirect everything, including the login pages. Please be sure you want to do this."
801
- msgstr "Detta kommer att omdirigera allt, inklusive inloggningssidorna. Var säker att du vill göra detta."
802
 
803
  #: redirection-strings.php:149
804
  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}}"
805
- msgstr ""
806
 
807
  #: redirection-strings.php:147
808
  msgid "Remember to enable the \"regex\" option if this is a regular expression."
809
- msgstr ""
810
 
811
  #: redirection-strings.php:146
812
  msgid "The source URL should probably start with a {{code}}/{{/code}}"
@@ -814,7 +814,7 @@ msgstr "Käll-URL:en bör antagligen börja med en {{code}}/{{/code}}"
814
 
815
  #: redirection-strings.php:145
816
  msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
817
- msgstr ""
818
 
819
  #: redirection-strings.php:144
820
  msgid "Anchor values are not sent to the server and cannot be redirected."
@@ -830,7 +830,7 @@ msgstr "Klart! 🎉"
830
 
831
  #: redirection-strings.php:19
832
  msgid "Progress: %(complete)d$"
833
- msgstr ""
834
 
835
  #: redirection-strings.php:18
836
  msgid "Leaving before the process has completed may cause problems."
@@ -915,11 +915,11 @@ msgstr "Webbplats och hem-URL är inkonsekventa. Korrigera från dina Inställni
915
 
916
  #: redirection-strings.php:644
917
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
918
- msgstr ""
919
 
920
  #: redirection-strings.php:643
921
  msgid "Only the 404 page type is currently supported."
922
- msgstr ""
923
 
924
  #: redirection-strings.php:642
925
  msgid "Page Type"
@@ -1072,7 +1072,7 @@ msgstr "Ange fullständig URL, inklusive http:// eller https://"
1072
 
1073
  #: redirection-strings.php:590
1074
  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."
1075
- msgstr ""
1076
 
1077
  #: redirection-strings.php:589
1078
  msgid "Redirect Tester"
@@ -1113,11 +1113,11 @@ msgstr "Roll"
1113
 
1114
  #: redirection-strings.php:646
1115
  msgid "Match against this browser referrer text"
1116
- msgstr ""
1117
 
1118
  #: redirection-strings.php:619
1119
  msgid "Match against this browser user agent"
1120
- msgstr ""
1121
 
1122
  #: redirection-strings.php:139
1123
  msgid "The relative URL you want to redirect from"
@@ -1149,7 +1149,7 @@ msgstr "Webbplats och hem är konsekventa"
1149
 
1150
  #: redirection-strings.php:637
1151
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
1152
- msgstr ""
1153
 
1154
  #: redirection-strings.php:635
1155
  msgid "Accept Language"
@@ -1193,7 +1193,7 @@ msgstr "rensa cacheminnet."
1193
 
1194
  #: redirection-strings.php:339
1195
  msgid "If you are using a caching system such as Cloudflare then please read this: "
1196
- msgstr "Om du använder ett caching-system som Cloudflare, läs det här:"
1197
 
1198
  #: matches/http-header.php:11 redirection-strings.php:95
1199
  msgid "URL and HTTP header"
@@ -1421,7 +1421,7 @@ msgstr "Följande omdirigeringstillägg hittades på din webbplats och kan impor
1421
 
1422
  #: redirection-strings.php:281
1423
  msgid "total = "
1424
- msgstr "totalt ="
1425
 
1426
  #: redirection-strings.php:282
1427
  msgid "Import from %s"
@@ -1587,7 +1587,7 @@ msgstr "Om du tror att Redirection orsakar felet, skapa en felrapport."
1587
 
1588
  #: redirection-admin.php:397
1589
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
1590
- msgstr "Detta kan ha orsakats av ett annat tillägg - kolla i din webbläsares fel-konsol för mer information. "
1591
 
1592
  #: redirection-admin.php:419
1593
  msgid "Loading, please wait..."
@@ -1936,7 +1936,7 @@ msgstr "Vill du bli uppdaterad om ändringar i Redirection?"
1936
 
1937
  #: redirection-strings.php:446
1938
  msgid "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."
1939
- msgstr ""
1940
 
1941
  #: redirection-strings.php:447
1942
  msgid "Your email address:"
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-03-02 06:40:42+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
25
 
26
  #: redirection-strings.php:574
27
  msgid "Note that some HTTP headers are set by your server and cannot be changed."
28
+ msgstr "Observera att vissa HTTP-fält definieras av din server och inte går att ändra."
29
 
30
  #: redirection-strings.php:573
31
  msgid "No headers"
32
+ msgstr "Inga sidhuvuden"
33
 
34
  #: redirection-strings.php:572
35
  msgid "Header"
41
 
42
  #: redirection-strings.php:570
43
  msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
44
+ msgstr "HTTP-headers läggs för hela webbplatsen, inklusive omdirigering. Headers för omdirigering läggs till endast vid omdirigering."
45
 
46
  #: redirection-strings.php:569
47
  msgid "HTTP Headers"
48
+ msgstr "HTTP-sidhuvuden"
49
 
50
  #: redirection-strings.php:568
51
  msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
52
+ msgstr "Om din webbplats slutar fungera måste du {{link}}inaktivera tillägget{{/link}} och göra ändringar."
53
 
54
  #: redirection-strings.php:567
55
  msgid "Ensure that you update your site URL settings."
56
+ msgstr "Se till att du uppdaterar webbplatsen URL-inställningar."
57
 
58
  #: redirection-strings.php:566
59
  msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
60
+ msgstr "{{strong}}Varning{{/strong}}: se till att din HTTPS fungerar annars kan du krascha din webbplats."
61
 
62
  #: redirection-strings.php:565
63
  msgid "Force a redirect from HTTP to HTTPS"
64
+ msgstr "Tvinga omdirigering från HTTP till HTTPS"
65
 
66
  #: redirection-strings.php:563
67
  msgid "Custom Header"
77
 
78
  #: redirection-strings.php:155
79
  msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
80
+ msgstr "Vissa servrar kan konfigureras för att leverera filresurser direkt, för att förhindra omdirigering."
81
 
82
  #: redirection-strings.php:77 redirection-strings.php:330
83
  #: redirection-strings.php:560
86
 
87
  #: redirection-strings.php:34
88
  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."
89
+ msgstr "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."
90
 
91
  #: redirection-strings.php:559
92
  msgid "Ignore & Pass Query"
93
+ msgstr "Ignorera och skicka frågan"
94
 
95
  #: redirection-strings.php:558
96
  msgid "Ignore Query"
97
+ msgstr "Ignorera fråga"
98
 
99
  #: redirection-strings.php:557
100
  msgid "Exact Query"
101
+ msgstr "Exakt fråga"
102
 
103
  #: redirection-strings.php:546
104
  msgid "Search title"
106
 
107
  #: redirection-strings.php:543
108
  msgid "Not accessed in last year"
109
+ msgstr "Inte besökt senaste året"
110
 
111
  #: redirection-strings.php:542
112
  msgid "Not accessed in last month"
113
+ msgstr "Inte besökt senaste månaden"
114
 
115
  #: redirection-strings.php:541
116
  msgid "Never accessed"
117
+ msgstr "Aldrig besökt"
118
 
119
  #: redirection-strings.php:540
120
  msgid "Last Accessed"
121
+ msgstr "Senast besökt"
122
 
123
  #: redirection-strings.php:539
124
  msgid "HTTP Status Code"
156
 
157
  #: redirection-strings.php:364 redirection-strings.php:405
158
  msgid "Search user agent"
159
+ msgstr "Användaragent för sökning"
160
 
161
  #: redirection-strings.php:363 redirection-strings.php:404
162
  msgid "Search referrer"
163
+ msgstr "Sök referrer"
164
 
165
  #: redirection-strings.php:362 redirection-strings.php:403
166
  #: redirection-strings.php:544
167
  msgid "Search URL"
168
+ msgstr "Sök-URL"
169
 
170
  #: redirection-strings.php:280
171
  msgid "Filter on: %(type)s"
209
 
210
  #: redirection-strings.php:154
211
  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?"
212
+ msgstr "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?"
213
 
214
  #: redirection-strings.php:641
215
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
253
 
254
  #: redirection-strings.php:44
255
  msgid "Your admin pages are being cached. Clear this cache and try again."
256
+ msgstr "Dina admin-sidor sparas i cache-minne. Rensa detta cache-minne och försök igen."
257
 
258
  #: redirection-strings.php:43
259
  msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
260
+ msgstr "Logga ut, rensa webbläsarens cacheminne och logga in igen – din webbläsare lagrat en gammal session i sitt cache-minne."
261
 
262
  #: redirection-strings.php:42
263
  msgid "Reload the page - your current session is old."
277
 
278
  #: redirection-strings.php:4
279
  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."
280
+ msgstr "Uppgraderingen har avbrutits eftersom en loop detekterades. Detta innebär oftast att {{support}}webbplatsen cachelagras{{/support}} så att ändringar inte sparas till databasen."
281
 
282
  #: redirection-strings.php:497
283
  msgid "Unable to save .htaccess file"
284
+ msgstr "Kan inte spara .htaccess-filen"
285
 
286
  #: redirection-strings.php:496
287
  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}}."
288
+ msgstr "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}}."
289
 
290
  #: redirection-strings.php:320
291
  msgid "Click \"Complete Upgrade\" when finished."
301
 
302
  #: redirection-strings.php:52
303
  msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
304
+ msgstr "Om du använder WordPress 5.2 eller nyare, titta på din {{link}}Hälsokontroll för webbplatser{{/ link}} och lös eventuella problem."
305
 
306
  #: redirection-strings.php:17
307
  msgid "If you do not complete the manual install you will be returned here."
321
 
322
  #: database/database-status.php:145
323
  msgid "Insufficient database permissions detected. Please give your database user appropriate permissions."
324
+ msgstr "Otillräckliga databasbehörigheter upptäcktes. Ge din databasanvändare lämpliga behörigheter."
325
 
326
  #: redirection-strings.php:603
327
  msgid "This information is provided for debugging purposes. Be careful making any changes."
337
 
338
  #: redirection-strings.php:579
339
  msgid "IP Headers"
340
+ msgstr "IP-headers"
341
 
342
  #: redirection-strings.php:577
343
  msgid "Do not change unless advised to do so!"
344
+ msgstr "Ändra inte om du inte uppmanas att göra det!"
345
 
346
  #: redirection-strings.php:576
347
  msgid "Database version"
349
 
350
  #: redirection-strings.php:309
351
  msgid "Complete data (JSON)"
352
+ msgstr "Fullständiga data (JSON)"
353
 
354
  #: redirection-strings.php:304
355
  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."
356
+ msgstr "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."
357
 
358
  #: redirection-strings.php:302
359
  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."
360
+ msgstr "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."
361
 
362
  #: redirection-strings.php:300
363
  msgid "All imports will be appended to the current database - nothing is merged."
364
+ msgstr "Allt som importera kommer att läggas till den aktuella databasen – ingenting kombineras med det befintliga."
365
 
366
  #: redirection-strings.php:328
367
  msgid "Automatic Upgrade"
373
 
374
  #: redirection-strings.php:326
375
  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."
376
+ msgstr "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."
377
 
378
  #: redirection-strings.php:322
379
  msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
393
 
394
  #: redirection-strings.php:243
395
  msgid "I need support!"
396
+ msgstr "Jag behöver hjälp!"
397
 
398
  #: redirection-strings.php:239
399
  msgid "You will need at least one working REST API to continue."
400
+ msgstr "Du behöver åtminstone ett fungerande REST-API för att kunna fortsätta."
401
 
402
  #: redirection-strings.php:173
403
  msgid "Check Again"
461
 
462
  #: redirection-strings.php:152
463
  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}}."
464
+ msgstr "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}}."
465
 
466
  #: redirection-strings.php:151
467
  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."
468
+ msgstr "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."
469
 
470
  #: redirection-strings.php:141
471
  msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
472
+ msgstr "Måladressen dit du vill omdirigera eller automatisk komplettering mot inläggsrubrik eller permalänk."
473
 
474
  #: redirection-strings.php:39
475
  msgid "Include these details in your report along with a description of what you were doing and a screenshot."
481
 
482
  #: redirection-strings.php:36
483
  msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
484
+ msgstr "Upprätta {{strong}}ett supportärende{{/strong}} eller skicka det via {{strong}}e-post{{/strong}}."
485
 
486
  #: redirection-strings.php:46 redirection-strings.php:53
487
  msgid "That didn't help"
519
 
520
  #: redirection-strings.php:22
521
  msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
522
+ msgstr "REST-API:et cachelagras. Rensa alla tillägg för cachelagring och eventuell server-cache, logga ut, töm webbläsarens cache-minne och försök sedan igen."
523
 
524
  #: redirection-strings.php:140
525
  msgid "URL options / Regex"
543
 
544
  #: redirection-strings.php:492
545
  msgid "Pass - as ignore, but also copies the query parameters to the target"
546
+ msgstr "Skicka vidare – samma som Ignorera, men kopierar dessutom över parametrarna i förfrågan till måladressen"
547
 
548
  #: redirection-strings.php:491
549
  msgid "Ignore - as exact, but ignores any query parameters not in your source"
550
+ msgstr "Ignorera – samma som exakt matchning, men ignorerar eventuella parametrar i förfrågan som saknas i din källadress"
551
 
552
  #: redirection-strings.php:490
553
  msgid "Exact - matches the query parameters exactly defined in your source, in any order"
554
+ msgstr "Exakt – matchar parametrarna i förfrågan exakt som de angivits i källadressen, i valfri ordning"
555
 
556
  #: redirection-strings.php:488
557
  msgid "Default query matching"
558
+ msgstr "Standardmatchning av förfrågan"
559
 
560
  #: redirection-strings.php:487
561
  msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
562
+ msgstr "Ignorera snedstreck på slutet (t.ex. kommer {{code}}/exciting-post/{{/code}} att matcha {{code}}/exciting-post{{/code}})"
563
 
564
  #: redirection-strings.php:486
565
  msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
566
+ msgstr "Matchning utan kontroll av skiftläge (t.ex. kommer {{code}}/Exciting-Post{{/code}} att matcha {{code}}/exciting-post{{/code}})"
567
 
568
  #: redirection-strings.php:485 redirection-strings.php:489
569
  msgid "Applies to all redirections unless you configure them otherwise."
575
 
576
  #: redirection-strings.php:467
577
  msgid "Ignore and pass all query parameters"
578
+ msgstr "Ignorera och skicka alla parametrar i förfrågan vidare"
579
 
580
  #: redirection-strings.php:466
581
  msgid "Ignore all query parameters"
582
+ msgstr "Ignorera alla parametrar i förfrågan"
583
 
584
  #: redirection-strings.php:465
585
  msgid "Exact match"
587
 
588
  #: redirection-strings.php:235
589
  msgid "Caching software (e.g Cloudflare)"
590
+ msgstr "Programvara för cachehantering (t.ex. Cloudflare)"
591
 
592
  #: redirection-strings.php:233
593
  msgid "A security plugin (e.g Wordfence)"
599
 
600
  #: redirection-strings.php:136 redirection-strings.php:518
601
  msgid "Query Parameters"
602
+ msgstr "Parametrar i förfrågan"
603
 
604
  #: redirection-strings.php:127
605
  msgid "Ignore & pass parameters to the target"
606
+ msgstr "Ignorera och skicka parametrarna vidare till måladressen"
607
 
608
  #: redirection-strings.php:126
609
  msgid "Ignore all parameters"
611
 
612
  #: redirection-strings.php:125
613
  msgid "Exact match all parameters in any order"
614
+ msgstr "Exakt matchning av alla parametrar i valfri ordning"
615
 
616
  #: redirection-strings.php:124
617
  msgid "Ignore Case"
618
+ msgstr "Ignorera skillnad mellan stor och liten bokstav"
619
 
620
  #: redirection-strings.php:123
621
  msgid "Ignore Slash"
627
 
628
  #: redirection-strings.php:463
629
  msgid "Raw REST API"
630
+ msgstr "Obearbetat REST-API"
631
 
632
  #: redirection-strings.php:462
633
  msgid "Default REST API"
673
 
674
  #: redirection-strings.php:238
675
  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."
676
+ msgstr "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. Konrollera dina inställningar."
677
 
678
  #: redirection-strings.php:237
679
  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}}."
680
+ msgstr "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}}."
681
 
682
  #: redirection-strings.php:236
683
  msgid "Some other plugin that blocks the REST API"
685
 
686
  #: redirection-strings.php:234
687
  msgid "A server firewall or other server configuration (e.g OVH)"
688
+ msgstr "En serverbrandvägg eller annan serverkonfiguration (t.ex. OVH)"
689
 
690
  #: redirection-strings.php:232
691
  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:"
692
+ msgstr "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:"
693
 
694
  #: redirection-strings.php:230 redirection-strings.php:241
695
  msgid "Go back"
697
 
698
  #: redirection-strings.php:229
699
  msgid "Continue Setup"
700
+ msgstr "Fortsätt konfigurationen"
701
 
702
  #: redirection-strings.php:227
703
  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)."
704
+ msgstr "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)."
705
 
706
  #: redirection-strings.php:226
707
  msgid "Store IP information for redirects and 404 errors."
709
 
710
  #: redirection-strings.php:224
711
  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."
712
+ msgstr "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."
713
 
714
  #: redirection-strings.php:223
715
  msgid "Keep a log of all redirects and 404 errors."
734
 
735
  #: redirection-strings.php:218
736
  msgid "Basic Setup"
737
+ msgstr "Grundläggande konfiguration"
738
 
739
  #: redirection-strings.php:217
740
  msgid "Start Setup"
741
+ msgstr "Starta konfiguration"
742
 
743
  #: redirection-strings.php:216
744
  msgid "When ready please press the button to continue."
770
 
771
  #: redirection-strings.php:209
772
  msgid "Some features you may find useful are"
773
+ msgstr "Vissa funktioner som kan vara användbara är"
774
 
775
  #: redirection-strings.php:208
776
  msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
777
+ msgstr "Fullständig dokumentation finns på {{link}}webbplatsen för Redirection{{/link}}."
778
 
779
  #: redirection-strings.php:202
780
  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:"
781
+ msgstr "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:"
782
 
783
  #: redirection-strings.php:201
784
  msgid "How do I use this plugin?"
786
 
787
  #: redirection-strings.php:200
788
  msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
789
+ msgstr "Redirection är utformad för att användas på webbplatser med allt från några få omdirigeringar till webbplatser med tusentals omdirigeringar."
790
 
791
  #: redirection-strings.php:199
792
  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."
793
+ msgstr "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å fel av typen 404 och förbättra din webbplats, utan krav på kunskaper i Apache eller Nginx behövs."
794
 
795
  #: redirection-strings.php:198
796
  msgid "Welcome to Redirection 🚀🎉"
798
 
799
  #: redirection-strings.php:150
800
  msgid "This will redirect everything, including the login pages. Please be sure you want to do this."
801
+ msgstr "Detta kommer att omdirigera allt, inklusive inloggningssidorna. Kontrollera en gång till att det är vad du verkligen vill göra."
802
 
803
  #: redirection-strings.php:149
804
  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}}"
805
+ msgstr "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}}"
806
 
807
  #: redirection-strings.php:147
808
  msgid "Remember to enable the \"regex\" option if this is a regular expression."
809
+ msgstr "Kom ihåg att aktivera alternativet ”regex” om detta är ett reguljärt uttryck."
810
 
811
  #: redirection-strings.php:146
812
  msgid "The source URL should probably start with a {{code}}/{{/code}}"
814
 
815
  #: redirection-strings.php:145
816
  msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
817
+ msgstr "Detta konverteras till en serveromdirigering för domänen {{code}}%(server)s{{/code}}."
818
 
819
  #: redirection-strings.php:144
820
  msgid "Anchor values are not sent to the server and cannot be redirected."
830
 
831
  #: redirection-strings.php:19
832
  msgid "Progress: %(complete)d$"
833
+ msgstr "Status: %(complete)d$"
834
 
835
  #: redirection-strings.php:18
836
  msgid "Leaving before the process has completed may cause problems."
915
 
916
  #: redirection-strings.php:644
917
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
918
+ msgstr "Försök inte att omdirigera alla status 404 som inträffar – det är ingen lyckad idé."
919
 
920
  #: redirection-strings.php:643
921
  msgid "Only the 404 page type is currently supported."
922
+ msgstr "För närvarande stöds endast sidtypen 404."
923
 
924
  #: redirection-strings.php:642
925
  msgid "Page Type"
1072
 
1073
  #: redirection-strings.php:590
1074
  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."
1075
+ msgstr "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."
1076
 
1077
  #: redirection-strings.php:589
1078
  msgid "Redirect Tester"
1113
 
1114
  #: redirection-strings.php:646
1115
  msgid "Match against this browser referrer text"
1116
+ msgstr "Matcha mot denna referrer-sträng från webbläsaren"
1117
 
1118
  #: redirection-strings.php:619
1119
  msgid "Match against this browser user agent"
1120
+ msgstr "Matcha mot denna user-agent-sträng från webbläsaren"
1121
 
1122
  #: redirection-strings.php:139
1123
  msgid "The relative URL you want to redirect from"
1149
 
1150
  #: redirection-strings.php:637
1151
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
1152
+ msgstr "Observera att du ansvarar för att skicka HTTP-headers vidare till PHP. Kontakta ditt webbhotell om du behöver hjälp med detta."
1153
 
1154
  #: redirection-strings.php:635
1155
  msgid "Accept Language"
1193
 
1194
  #: redirection-strings.php:339
1195
  msgid "If you are using a caching system such as Cloudflare then please read this: "
1196
+ msgstr "Om du använder ett caching-system som Cloudflare, läs det här: "
1197
 
1198
  #: matches/http-header.php:11 redirection-strings.php:95
1199
  msgid "URL and HTTP header"
1421
 
1422
  #: redirection-strings.php:281
1423
  msgid "total = "
1424
+ msgstr "totalt = "
1425
 
1426
  #: redirection-strings.php:282
1427
  msgid "Import from %s"
1587
 
1588
  #: redirection-admin.php:397
1589
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
1590
+ msgstr "Detta kan ha orsakats av ett annat tillägg kolla i din webbläsares fel-konsol för mer information."
1591
 
1592
  #: redirection-admin.php:419
1593
  msgid "Loading, please wait..."
1936
 
1937
  #: redirection-strings.php:446
1938
  msgid "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."
1939
+ msgstr "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."
1940
 
1941
  #: redirection-strings.php:447
1942
  msgid "Your email address:"
locale/redirection.pot CHANGED
@@ -24,11 +24,11 @@ msgstr ""
24
  msgid "Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."
25
  msgstr ""
26
 
27
- #: redirection-admin.php:143, redirection-strings.php:260
28
  msgid "Upgrade Database"
29
  msgstr ""
30
 
31
- #: redirection-admin.php:146, redirection-strings.php:571
32
  msgid "Settings"
33
  msgstr ""
34
 
@@ -67,7 +67,7 @@ msgstr ""
67
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
68
  msgstr ""
69
 
70
- #: redirection-admin.php:434, redirection-strings.php:280
71
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
72
  msgstr ""
73
 
@@ -104,2044 +104,2116 @@ msgid "Please enable JavaScript"
104
  msgstr ""
105
 
106
  #: redirection-strings.php:4
107
- 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."
108
- msgstr ""
109
-
110
- #: redirection-strings.php:5
111
- msgid "Database problem"
112
- msgstr ""
113
-
114
- #: redirection-strings.php:6
115
- msgid "Try again"
116
- msgstr ""
117
-
118
- #: redirection-strings.php:7
119
- msgid "Skip this stage"
120
- msgstr ""
121
-
122
- #: redirection-strings.php:8
123
- msgid "Stop upgrade"
124
- msgstr ""
125
-
126
- #: redirection-strings.php:9
127
- msgid "If you want to {{support}}ask for support{{/support}} please include these details:"
128
- msgstr ""
129
 
130
- #: redirection-strings.php:10
131
- msgid "Please remain on this page until complete."
132
  msgstr ""
133
 
134
- #: redirection-strings.php:11
135
- msgid "Upgrading Redirection"
136
  msgstr ""
137
 
138
- #: redirection-strings.php:12
139
- msgid "Setting up Redirection"
140
  msgstr ""
141
 
142
- #: redirection-strings.php:13, redirection-strings.php:251
143
- msgid "Manual Install"
144
  msgstr ""
145
 
146
- #: redirection-strings.php:14, redirection-strings.php:256
147
- msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
148
  msgstr ""
149
 
150
- #: redirection-strings.php:15
151
- msgid "Click \"Finished! 🎉\" when finished."
152
  msgstr ""
153
 
154
- #: redirection-strings.php:16, redirection-strings.php:20
155
- msgid "Finished! 🎉"
156
  msgstr ""
157
 
158
- #: redirection-strings.php:17
159
- msgid "If you do not complete the manual install you will be returned here."
160
  msgstr ""
161
 
162
- #: redirection-strings.php:18
163
- msgid "Leaving before the process has completed may cause problems."
164
  msgstr ""
165
 
166
- #: redirection-strings.php:19
167
- msgid "Progress: %(complete)d$"
168
  msgstr ""
169
 
170
- #: redirection-strings.php:21
171
- msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
172
  msgstr ""
173
 
174
  #: redirection-strings.php:22
175
- msgid "Create An Issue"
176
  msgstr ""
177
 
178
- #: redirection-strings.php:23
179
- msgid "Email"
180
  msgstr ""
181
 
182
  #: redirection-strings.php:24
183
- msgid "Include these details in your report along with a description of what you were doing and a screenshot."
184
  msgstr ""
185
 
186
  #: redirection-strings.php:25
187
- msgid "You are not authorised to access this page."
188
- msgstr ""
189
-
190
- #: redirection-strings.php:26
191
- msgid "This is usually fixed by doing one of these:"
192
- msgstr ""
193
-
194
- #: redirection-strings.php:27
195
- msgid "Reload the page - your current session is old."
196
  msgstr ""
197
 
198
- #: redirection-strings.php:28
199
- msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
200
  msgstr ""
201
 
202
- #: redirection-strings.php:29
203
- msgid "Your admin pages are being cached. Clear this cache and try again."
204
  msgstr ""
205
 
206
  #: redirection-strings.php:30
207
- msgid "The problem is almost certainly caused by one of the above."
208
- msgstr ""
209
-
210
- #: redirection-strings.php:31, redirection-strings.php:38
211
- msgid "That didn't help"
212
- msgstr ""
213
-
214
- #: redirection-strings.php:32, redirection-strings.php:278
215
- msgid "Something went wrong 🙁"
216
- msgstr ""
217
-
218
- #: redirection-strings.php:33
219
- msgid "What do I do next?"
220
- msgstr ""
221
-
222
- #: redirection-strings.php:34
223
- msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
224
  msgstr ""
225
 
226
- #: redirection-strings.php:35
227
- msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
228
  msgstr ""
229
 
230
- #: redirection-strings.php:36
231
- msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
232
  msgstr ""
233
 
234
- #: redirection-strings.php:37
235
- msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
236
  msgstr ""
237
 
238
  #: redirection-strings.php:39
239
- msgid "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."
240
  msgstr ""
241
 
242
  #: redirection-strings.php:40
243
- msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
244
  msgstr ""
245
 
246
- #: redirection-strings.php:41, redirection-strings.php:43, redirection-strings.php:45, redirection-strings.php:48, redirection-strings.php:53
247
- msgid "Read this REST API guide for more information."
248
  msgstr ""
249
 
250
  #: redirection-strings.php:42
251
- msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
 
 
 
 
252
  msgstr ""
253
 
254
  #: redirection-strings.php:44
255
- msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
256
  msgstr ""
257
 
258
  #: redirection-strings.php:46
259
- msgid "Your server has rejected the request for being too big. You will need to change it to continue."
260
  msgstr ""
261
 
262
  #: redirection-strings.php:47
263
- 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"
 
 
 
 
264
  msgstr ""
265
 
266
  #: redirection-strings.php:49
267
- msgid "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
268
  msgstr ""
269
 
270
  #: redirection-strings.php:50
271
- msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
272
  msgstr ""
273
 
274
- #: redirection-strings.php:51
275
- msgid "Possible cause"
276
  msgstr ""
277
 
278
- #: redirection-strings.php:52
279
- 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."
280
  msgstr ""
281
 
282
- #: redirection-strings.php:54
283
- msgid "Geo IP Error"
284
  msgstr ""
285
 
286
- #: redirection-strings.php:55, redirection-strings.php:74, redirection-strings.php:190
287
- msgid "Something went wrong obtaining this information"
288
  msgstr ""
289
 
290
- #: redirection-strings.php:56, redirection-strings.php:58, redirection-strings.php:60
291
- msgid "Geo IP"
292
  msgstr ""
293
 
294
- #: redirection-strings.php:57
295
- msgid "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."
 
 
 
 
 
 
 
 
296
  msgstr ""
297
 
298
  #: redirection-strings.php:59
299
- msgid "No details are known for this address."
 
 
 
 
300
  msgstr ""
301
 
302
  #: redirection-strings.php:61
303
- msgid "City"
304
  msgstr ""
305
 
306
  #: redirection-strings.php:62
307
- msgid "Area"
308
  msgstr ""
309
 
310
- #: redirection-strings.php:63
311
- msgid "Timezone"
312
  msgstr ""
313
 
314
  #: redirection-strings.php:64
315
- msgid "Geo Location"
316
- msgstr ""
317
-
318
- #: redirection-strings.php:65
319
- msgid "Expected"
320
  msgstr ""
321
 
322
  #: redirection-strings.php:66
323
- msgid "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"
324
  msgstr ""
325
 
326
  #: redirection-strings.php:67
327
- msgid "Found"
328
  msgstr ""
329
 
330
  #: redirection-strings.php:68
331
- msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
332
  msgstr ""
333
 
334
- #: redirection-strings.php:69, redirection-strings.php:197
335
- msgid "Agent"
336
  msgstr ""
337
 
338
  #: redirection-strings.php:70
339
- msgid "Using Redirection"
340
  msgstr ""
341
 
342
  #: redirection-strings.php:71
343
- msgid "Not using Redirection"
344
  msgstr ""
345
 
346
  #: redirection-strings.php:72
347
- msgid "What does this mean?"
348
  msgstr ""
349
 
350
  #: redirection-strings.php:73
351
- msgid "Error"
352
  msgstr ""
353
 
354
- #: redirection-strings.php:75
355
- msgid "Check redirect for: {{code}}%s{{/code}}"
356
  msgstr ""
357
 
358
- #: redirection-strings.php:76, redirection-strings.php:323, redirection-strings.php:332
359
- msgid "Redirects"
360
  msgstr ""
361
 
362
- #: redirection-strings.php:77, redirection-strings.php:268
363
- msgid "Groups"
364
  msgstr ""
365
 
366
- #: redirection-strings.php:78, redirection-strings.php:267, redirection-strings.php:567
367
- msgid "Site"
368
  msgstr ""
369
 
370
  #: redirection-strings.php:79
371
- msgid "Log"
372
  msgstr ""
373
 
374
  #: redirection-strings.php:80
375
- msgid "404s"
376
  msgstr ""
377
 
378
- #: redirection-strings.php:81, redirection-strings.php:269
379
- msgid "Import/Export"
380
  msgstr ""
381
 
382
- #: redirection-strings.php:82, redirection-strings.php:272
383
- msgid "Options"
384
  msgstr ""
385
 
386
- #: redirection-strings.php:83, redirection-strings.php:273
387
- msgid "Support"
388
  msgstr ""
389
 
390
  #: redirection-strings.php:84
391
- msgid "View notice"
392
  msgstr ""
393
 
394
  #: redirection-strings.php:85
395
- msgid "Powered by {{link}}redirect.li{{/link}}"
396
  msgstr ""
397
 
398
- #: redirection-strings.php:86, redirection-strings.php:87
399
- msgid "Saving..."
 
 
 
 
400
  msgstr ""
401
 
402
  #: redirection-strings.php:88
403
- msgid "with HTTP code"
404
  msgstr ""
405
 
406
- #: redirection-strings.php:89, matches/url.php:7
407
- msgid "URL only"
408
  msgstr ""
409
 
410
- #: redirection-strings.php:90, matches/login.php:8
411
- msgid "URL and login status"
412
  msgstr ""
413
 
414
- #: redirection-strings.php:91, matches/user-role.php:9
415
- msgid "URL and role/capability"
416
  msgstr ""
417
 
418
- #: redirection-strings.php:92, matches/referrer.php:10
419
- msgid "URL and referrer"
420
  msgstr ""
421
 
422
- #: redirection-strings.php:93, matches/user-agent.php:10
423
- msgid "URL and user agent"
424
  msgstr ""
425
 
426
- #: redirection-strings.php:94, matches/cookie.php:7
427
- msgid "URL and cookie"
428
  msgstr ""
429
 
430
- #: redirection-strings.php:95, matches/ip.php:9
431
- msgid "URL and IP"
432
  msgstr ""
433
 
434
- #: redirection-strings.php:96, matches/server.php:9
435
- msgid "URL and server"
436
  msgstr ""
437
 
438
- #: redirection-strings.php:97, matches/http-header.php:11
439
- msgid "URL and HTTP header"
440
  msgstr ""
441
 
442
- #: redirection-strings.php:98, matches/custom-filter.php:9
443
- msgid "URL and custom filter"
444
  msgstr ""
445
 
446
- #: redirection-strings.php:99, matches/page.php:9
447
- msgid "URL and WordPress page type"
448
  msgstr ""
449
 
450
- #: redirection-strings.php:100, matches/language.php:9
451
- msgid "URL and language"
452
  msgstr ""
453
 
454
  #: redirection-strings.php:101
455
- msgid "Redirect to URL"
456
  msgstr ""
457
 
458
  #: redirection-strings.php:102
459
- msgid "Redirect to random post"
460
  msgstr ""
461
 
462
  #: redirection-strings.php:103
463
- msgid "Pass-through"
464
  msgstr ""
465
 
466
  #: redirection-strings.php:104
467
- msgid "Error (404)"
468
  msgstr ""
469
 
470
- #: redirection-strings.php:105
471
- msgid "Do nothing (ignore)"
472
  msgstr ""
473
 
474
- #: redirection-strings.php:106
475
- msgid "301 - Moved Permanently"
476
  msgstr ""
477
 
478
- #: redirection-strings.php:107
479
- msgid "302 - Found"
480
  msgstr ""
481
 
482
- #: redirection-strings.php:108
483
- msgid "303 - See Other"
484
  msgstr ""
485
 
486
- #: redirection-strings.php:109
487
- msgid "304 - Not Modified"
488
  msgstr ""
489
 
490
- #: redirection-strings.php:110
491
- msgid "307 - Temporary Redirect"
492
  msgstr ""
493
 
494
- #: redirection-strings.php:111
495
- msgid "308 - Permanent Redirect"
496
  msgstr ""
497
 
498
- #: redirection-strings.php:112
499
- msgid "400 - Bad Request"
500
  msgstr ""
501
 
502
- #: redirection-strings.php:113
503
- msgid "401 - Unauthorized"
504
  msgstr ""
505
 
506
- #: redirection-strings.php:114
507
- msgid "403 - Forbidden"
508
  msgstr ""
509
 
510
- #: redirection-strings.php:115
511
- msgid "404 - Not Found"
512
  msgstr ""
513
 
514
- #: redirection-strings.php:116
515
- msgid "410 - Gone"
516
  msgstr ""
517
 
518
- #: redirection-strings.php:117
519
- msgid "418 - I'm a teapot"
520
  msgstr ""
521
 
522
- #: redirection-strings.php:118
523
- msgid "451 - Unavailable For Legal Reasons"
524
  msgstr ""
525
 
526
- #: redirection-strings.php:119
527
- msgid "500 - Internal Server Error"
528
  msgstr ""
529
 
530
- #: redirection-strings.php:120
531
- msgid "501 - Not implemented"
532
  msgstr ""
533
 
534
- #: redirection-strings.php:121
535
- msgid "502 - Bad Gateway"
536
  msgstr ""
537
 
538
- #: redirection-strings.php:122
539
- msgid "503 - Service Unavailable"
540
  msgstr ""
541
 
542
- #: redirection-strings.php:123
543
- msgid "504 - Gateway Timeout"
544
  msgstr ""
545
 
546
- #: redirection-strings.php:124, redirection-strings.php:631, redirection-strings.php:635, redirection-strings.php:643, redirection-strings.php:654
547
- msgid "Regex"
548
  msgstr ""
549
 
550
- #: redirection-strings.php:125
551
- msgid "Ignore Slash"
552
  msgstr ""
553
 
554
- #: redirection-strings.php:126
555
- msgid "Ignore Case"
556
  msgstr ""
557
 
558
- #: redirection-strings.php:127
559
- msgid "Exact match all parameters in any order"
560
  msgstr ""
561
 
562
- #: redirection-strings.php:128
563
- msgid "Ignore all parameters"
564
  msgstr ""
565
 
566
- #: redirection-strings.php:129
567
- msgid "Ignore & pass parameters to the target"
568
  msgstr ""
569
 
570
- #: redirection-strings.php:130
571
- msgid "When matched"
572
  msgstr ""
573
 
574
- #: redirection-strings.php:131, redirection-strings.php:515, redirection-strings.php:535
575
- msgid "Group"
576
  msgstr ""
577
 
578
- #: redirection-strings.php:132, redirection-strings.php:350, redirection-strings.php:585
579
- msgid "Save"
580
  msgstr ""
581
 
582
- #: redirection-strings.php:133, redirection-strings.php:292, redirection-strings.php:351
583
- msgid "Cancel"
584
  msgstr ""
585
 
586
- #: redirection-strings.php:134, redirection-strings.php:298
587
- msgid "Close"
588
  msgstr ""
589
 
590
- #: redirection-strings.php:135
591
- msgid "Show advanced options"
592
  msgstr ""
593
 
594
- #: redirection-strings.php:136
595
- msgid "Match"
596
  msgstr ""
597
 
598
- #: redirection-strings.php:137, redirection-strings.php:530
599
- msgid "Position"
600
  msgstr ""
601
 
602
- #: redirection-strings.php:138, redirection-strings.php:525
603
- msgid "Query Parameters"
604
  msgstr ""
605
 
606
- #: redirection-strings.php:139, redirection-strings.php:140, redirection-strings.php:203, redirection-strings.php:355, redirection-strings.php:385, redirection-strings.php:390
607
- msgid "Source URL"
608
  msgstr ""
609
 
610
- #: redirection-strings.php:141
611
- msgid "The relative URL you want to redirect from"
612
  msgstr ""
613
 
614
- #: redirection-strings.php:142
615
- msgid "URL options / Regex"
616
  msgstr ""
617
 
618
- #: redirection-strings.php:143
619
- msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
620
  msgstr ""
621
 
622
- #: redirection-strings.php:144, redirection-strings.php:526
623
- msgid "Title"
624
  msgstr ""
625
 
626
- #: redirection-strings.php:145
627
- msgid "Describe the purpose of this redirect (optional)"
628
  msgstr ""
629
 
630
- #: redirection-strings.php:146
631
- msgid "Anchor values are not sent to the server and cannot be redirected."
632
  msgstr ""
633
 
634
- #: redirection-strings.php:147
635
- msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
636
  msgstr ""
637
 
638
- #: redirection-strings.php:148
639
- msgid "The source URL should probably start with a {{code}}/{{/code}}"
640
  msgstr ""
641
 
642
- #: redirection-strings.php:149
643
- msgid "Remember to enable the \"regex\" option if this is a regular expression."
644
  msgstr ""
645
 
646
- #: redirection-strings.php:150
647
- msgid "WordPress permalink structures do not work in normal URLs. Please use a regular expression."
648
  msgstr ""
649
 
650
- #: redirection-strings.php:151
651
- 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}}"
652
  msgstr ""
653
 
654
- #: redirection-strings.php:152
655
- msgid "This will redirect everything, including the login pages. Please be sure you want to do this."
656
  msgstr ""
657
 
658
- #: redirection-strings.php:153
659
- 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."
660
  msgstr ""
661
 
662
- #: redirection-strings.php:154
663
- 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}}."
664
  msgstr ""
665
 
666
- #: redirection-strings.php:155
667
- msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
668
  msgstr ""
669
 
670
- #: redirection-strings.php:156
671
- 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?"
672
  msgstr ""
673
 
674
- #: redirection-strings.php:157
675
- msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
676
  msgstr ""
677
 
678
- #: redirection-strings.php:158
679
- msgid "Working!"
680
  msgstr ""
681
 
682
- #: redirection-strings.php:159
683
- msgid "Show Full"
684
  msgstr ""
685
 
686
- #: redirection-strings.php:160
687
- msgid "Hide"
688
  msgstr ""
689
 
690
- #: redirection-strings.php:161
691
- msgid "Switch to this API"
692
  msgstr ""
693
 
694
- #: redirection-strings.php:162
695
- msgid "Current API"
696
  msgstr ""
697
 
698
- #: redirection-strings.php:163, redirection-strings.php:604
699
- msgid "Good"
700
  msgstr ""
701
 
702
- #: redirection-strings.php:164
703
- msgid "Working but some issues"
704
  msgstr ""
705
 
706
- #: redirection-strings.php:165
707
- msgid "Not working but fixable"
708
  msgstr ""
709
 
710
- #: redirection-strings.php:166
711
- msgid "Unavailable"
712
  msgstr ""
713
 
714
- #: redirection-strings.php:167
715
- 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."
716
  msgstr ""
717
 
718
- #: redirection-strings.php:168
719
- msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
720
  msgstr ""
721
 
722
- #: redirection-strings.php:169
723
- msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
724
  msgstr ""
725
 
726
- #: redirection-strings.php:170
727
- msgid "Summary"
728
  msgstr ""
729
 
730
- #: redirection-strings.php:171
731
- msgid "Show Problems"
732
  msgstr ""
733
 
734
- #: redirection-strings.php:172
735
- msgid "Testing - %s$"
736
  msgstr ""
737
 
738
- #: redirection-strings.php:173
739
- msgid "Check Again"
740
  msgstr ""
741
 
742
- #: redirection-strings.php:174, redirection-strings.php:184
743
- msgid "Apply"
744
  msgstr ""
745
 
746
- #: redirection-strings.php:175
747
- msgid "First page"
748
  msgstr ""
749
 
750
- #: redirection-strings.php:176
751
- msgid "Prev page"
752
  msgstr ""
753
 
754
- #: redirection-strings.php:177
755
- msgid "Current Page"
756
  msgstr ""
757
 
758
- #: redirection-strings.php:178
759
- msgid "of %(page)s"
760
  msgstr ""
761
 
762
- #: redirection-strings.php:179
763
- msgid "Next page"
764
  msgstr ""
765
 
766
- #: redirection-strings.php:180
767
- msgid "Last page"
768
  msgstr ""
769
 
770
- #: redirection-strings.php:181
771
- msgid "%s item"
772
- msgid_plural "%s items"
773
- msgstr[0] ""
774
- msgstr[1] ""
775
-
776
- #: redirection-strings.php:182
777
- msgid "Select bulk action"
778
  msgstr ""
779
 
780
- #: redirection-strings.php:183
781
- msgid "Bulk Actions"
782
  msgstr ""
783
 
784
- #: redirection-strings.php:185
785
- msgid "Display All"
786
  msgstr ""
787
 
788
- #: redirection-strings.php:186
789
- msgid "Custom Display"
790
  msgstr ""
791
 
792
- #: redirection-strings.php:187
793
- msgid "Pre-defined"
794
  msgstr ""
795
 
796
- #: redirection-strings.php:188, redirection-strings.php:627, redirection-strings.php:641
797
- msgid "Custom"
798
  msgstr ""
799
 
800
- #: redirection-strings.php:189
801
- msgid "Useragent Error"
802
  msgstr ""
803
 
804
- #: redirection-strings.php:191
805
- msgid "Unknown Useragent"
806
  msgstr ""
807
 
808
- #: redirection-strings.php:192
809
- msgid "Device"
810
  msgstr ""
811
 
812
- #: redirection-strings.php:193
813
- msgid "Operating System"
814
  msgstr ""
815
 
816
- #: redirection-strings.php:194
817
- msgid "Browser"
818
  msgstr ""
819
 
820
- #: redirection-strings.php:195
821
- msgid "Engine"
822
  msgstr ""
823
 
824
- #: redirection-strings.php:196
825
- msgid "Useragent"
826
  msgstr ""
827
 
828
- #: redirection-strings.php:198
829
- msgid "Welcome to Redirection 🚀🎉"
830
  msgstr ""
831
 
832
- #: redirection-strings.php:199
833
- 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."
834
  msgstr ""
835
 
836
- #: redirection-strings.php:200
837
- msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
838
  msgstr ""
839
 
840
- #: redirection-strings.php:201
841
- msgid "How do I use this plugin?"
842
  msgstr ""
843
 
844
- #: redirection-strings.php:202
845
- 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:"
846
  msgstr ""
847
 
848
- #: redirection-strings.php:204
849
- msgid "(Example) The source URL is your old or original URL"
850
  msgstr ""
851
 
852
- #: redirection-strings.php:205, redirection-strings.php:356, redirection-strings.php:624
853
- msgid "Target URL"
854
  msgstr ""
855
 
856
- #: redirection-strings.php:206
857
- msgid "(Example) The target URL is the new URL"
858
  msgstr ""
859
 
860
- #: redirection-strings.php:207
861
- msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
862
  msgstr ""
863
 
864
- #: redirection-strings.php:208
865
- msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
866
  msgstr ""
867
 
868
- #: redirection-strings.php:209
869
- msgid "Some features you may find useful are"
870
  msgstr ""
871
 
872
- #: redirection-strings.php:210
873
- msgid "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"
874
  msgstr ""
875
 
876
- #: redirection-strings.php:211
877
- msgid "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"
878
  msgstr ""
879
 
880
- #: redirection-strings.php:212
881
- msgid "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"
882
  msgstr ""
883
 
884
- #: redirection-strings.php:213
885
- msgid "Check a URL is being redirected"
886
  msgstr ""
887
 
888
- #: redirection-strings.php:214
889
- msgid "What's next?"
890
  msgstr ""
891
 
892
- #: redirection-strings.php:215
893
- msgid "First you will be asked a few questions, and then Redirection will set up your database."
894
  msgstr ""
895
 
896
- #: redirection-strings.php:216
897
- msgid "When ready please press the button to continue."
898
  msgstr ""
899
 
900
- #: redirection-strings.php:217
901
- msgid "Start Setup"
902
  msgstr ""
903
 
904
- #: redirection-strings.php:218
905
- msgid "Basic Setup"
906
  msgstr ""
907
 
908
- #: redirection-strings.php:219
909
- msgid "These are some options you may want to enable now. They can be changed at any time."
910
  msgstr ""
911
 
912
- #: redirection-strings.php:220
913
- msgid "Monitor permalink changes in WordPress posts and pages"
914
  msgstr ""
915
 
916
- #: redirection-strings.php:221
917
- msgid "If you change the permalink in a post or page then Redirection can automatically create a redirect for you."
918
  msgstr ""
919
 
920
- #: redirection-strings.php:222, redirection-strings.php:225, redirection-strings.php:228
921
- msgid "{{link}}Read more about this.{{/link}}"
922
  msgstr ""
923
 
924
- #: redirection-strings.php:223
925
- msgid "Keep a log of all redirects and 404 errors."
926
  msgstr ""
927
 
928
- #: redirection-strings.php:224
929
- 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."
930
  msgstr ""
931
 
932
- #: redirection-strings.php:226
933
- msgid "Store IP information for redirects and 404 errors."
934
  msgstr ""
935
 
936
- #: redirection-strings.php:227
937
- 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)."
938
  msgstr ""
939
 
940
- #: redirection-strings.php:229
941
- msgid "Continue Setup"
942
  msgstr ""
943
 
944
- #: redirection-strings.php:230, redirection-strings.php:241
945
- msgid "Go back"
946
  msgstr ""
947
 
948
- #: redirection-strings.php:231, redirection-strings.php:507
949
- msgid "REST API"
950
  msgstr ""
951
 
952
- #: redirection-strings.php:232
953
- 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:"
954
  msgstr ""
955
 
956
- #: redirection-strings.php:233
957
- msgid "A security plugin (e.g Wordfence)"
958
  msgstr ""
959
 
960
- #: redirection-strings.php:234
961
- msgid "A server firewall or other server configuration (e.g OVH)"
962
  msgstr ""
963
 
964
- #: redirection-strings.php:235
965
- msgid "Caching software (e.g Cloudflare)"
966
  msgstr ""
967
 
968
- #: redirection-strings.php:236
969
- msgid "Some other plugin that blocks the REST API"
970
  msgstr ""
971
 
972
- #: redirection-strings.php:237
973
- 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}}."
974
  msgstr ""
975
 
976
- #: redirection-strings.php:238
977
- 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."
978
  msgstr ""
979
 
980
- #: redirection-strings.php:239
981
- msgid "You will need at least one working REST API to continue."
982
  msgstr ""
983
 
984
- #: redirection-strings.php:240
985
- msgid "Finish Setup"
986
  msgstr ""
987
 
988
- #: redirection-strings.php:242, redirection-strings.php:247
989
- msgid "Import Existing Redirects"
990
  msgstr ""
991
 
992
- #: redirection-strings.php:243
993
- 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."
994
  msgstr ""
995
 
996
- #: redirection-strings.php:244
997
- msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
998
  msgstr ""
999
 
1000
- #: redirection-strings.php:245
1001
- msgid "The following plugins have been detected."
1002
  msgstr ""
1003
 
1004
- #: redirection-strings.php:246
1005
- msgid "Continue"
1006
  msgstr ""
1007
 
1008
- #: redirection-strings.php:248
1009
- msgid "Please wait, importing."
1010
  msgstr ""
1011
 
1012
- #: redirection-strings.php:249
1013
- msgid "Redirection"
1014
  msgstr ""
1015
 
1016
- #: redirection-strings.php:250
1017
- msgid "I need support!"
1018
  msgstr ""
1019
 
1020
- #: redirection-strings.php:252
1021
- msgid "Automatic Install"
1022
  msgstr ""
1023
 
1024
- #: redirection-strings.php:253
1025
- msgid "Are you sure you want to delete this item?"
1026
- msgid_plural "Are you sure you want to delete the selected items?"
1027
- msgstr[0] ""
1028
- msgstr[1] ""
1029
 
1030
- #: redirection-strings.php:254
1031
- msgid "A database upgrade is in progress. Please continue to finish."
1032
  msgstr ""
1033
 
1034
- #: redirection-strings.php:255
1035
- 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}}."
1036
  msgstr ""
1037
 
1038
- #: redirection-strings.php:257
1039
- msgid "Click \"Complete Upgrade\" when finished."
1040
  msgstr ""
1041
 
1042
- #: redirection-strings.php:258
1043
- msgid "Complete Upgrade"
1044
  msgstr ""
1045
 
1046
- #: redirection-strings.php:259
1047
- msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
1048
  msgstr ""
1049
 
1050
- #: redirection-strings.php:261
1051
- msgid "Upgrade Required"
1052
  msgstr ""
1053
 
1054
- #: redirection-strings.php:262
1055
- msgid "Redirection database needs upgrading"
1056
  msgstr ""
1057
 
1058
- #: redirection-strings.php:263
1059
- 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."
1060
  msgstr ""
1061
 
1062
- #: redirection-strings.php:264
1063
- msgid "Manual Upgrade"
1064
  msgstr ""
1065
 
1066
- #: redirection-strings.php:265
1067
- msgid "Automatic Upgrade"
1068
  msgstr ""
1069
 
1070
- #: redirection-strings.php:266, database/schema/latest.php:139
1071
- msgid "Redirections"
1072
  msgstr ""
1073
 
1074
- #: redirection-strings.php:270
1075
- msgid "Logs"
1076
  msgstr ""
1077
 
1078
- #: redirection-strings.php:271
1079
- msgid "404 errors"
1080
  msgstr ""
1081
 
1082
- #: redirection-strings.php:274
1083
- msgid "Cached Redirection detected"
1084
  msgstr ""
1085
 
1086
- #: redirection-strings.php:275
1087
- msgid "Please clear your browser cache and reload this page."
1088
  msgstr ""
1089
 
1090
- #: redirection-strings.php:276
1091
- msgid "If you are using a caching system such as Cloudflare then please read this: "
1092
  msgstr ""
1093
 
1094
- #: redirection-strings.php:277
1095
- msgid "clearing your cache."
1096
  msgstr ""
1097
 
1098
- #: redirection-strings.php:279
1099
- msgid "Redirection is not working. Try clearing your browser cache and reloading this page."
1100
  msgstr ""
1101
 
1102
- #: redirection-strings.php:281
1103
- msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
1104
  msgstr ""
1105
 
1106
- #: redirection-strings.php:282
1107
- msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
1108
  msgstr ""
1109
 
1110
- #: redirection-strings.php:283
1111
- msgid "Add New"
1112
  msgstr ""
1113
 
1114
- #: redirection-strings.php:284
1115
- msgid "total = "
1116
  msgstr ""
1117
 
1118
- #: redirection-strings.php:285
1119
- msgid "Import from %s"
1120
  msgstr ""
1121
 
1122
- #: redirection-strings.php:286
1123
- msgid "Import to group"
1124
  msgstr ""
1125
 
1126
- #: redirection-strings.php:287
1127
- msgid "Import a CSV, .htaccess, or JSON file."
1128
  msgstr ""
1129
 
1130
- #: redirection-strings.php:288
1131
- msgid "Click 'Add File' or drag and drop here."
1132
  msgstr ""
1133
 
1134
- #: redirection-strings.php:289
1135
- msgid "Add File"
1136
  msgstr ""
1137
 
1138
- #: redirection-strings.php:290
1139
- msgid "File selected"
1140
  msgstr ""
1141
 
1142
- #: redirection-strings.php:291
1143
- msgid "Upload"
1144
  msgstr ""
1145
 
1146
- #: redirection-strings.php:293
1147
- msgid "Importing"
1148
  msgstr ""
1149
 
1150
- #: redirection-strings.php:294
1151
- msgid "Finished importing"
1152
  msgstr ""
1153
 
1154
- #: redirection-strings.php:295
1155
- msgid "Total redirects imported:"
1156
  msgstr ""
1157
 
1158
- #: redirection-strings.php:296
1159
- msgid "Double-check the file is the correct format!"
1160
  msgstr ""
1161
 
1162
- #: redirection-strings.php:297
1163
- msgid "OK"
1164
  msgstr ""
1165
 
1166
- #: redirection-strings.php:299
1167
- msgid "Are you sure you want to import from %s?"
1168
  msgstr ""
1169
 
1170
- #: redirection-strings.php:300
1171
- msgid "Plugin Importers"
1172
  msgstr ""
1173
 
1174
- #: redirection-strings.php:301
1175
- msgid "The following redirect plugins were detected on your site and can be imported from."
1176
  msgstr ""
1177
 
1178
- #: redirection-strings.php:302
1179
- msgid "Import"
1180
  msgstr ""
1181
 
1182
- #: redirection-strings.php:303
1183
- msgid "All imports will be appended to the current database - nothing is merged."
1184
  msgstr ""
1185
 
1186
- #: redirection-strings.php:304
1187
- msgid "{{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)."
1188
  msgstr ""
1189
 
1190
- #: redirection-strings.php:305
1191
- 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."
1192
  msgstr ""
1193
 
1194
- #: redirection-strings.php:306
1195
- msgid "Export"
1196
  msgstr ""
1197
 
1198
- #: redirection-strings.php:307
1199
- 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."
1200
  msgstr ""
1201
 
1202
- #: redirection-strings.php:308
1203
- msgid "Everything"
1204
  msgstr ""
1205
 
1206
- #: redirection-strings.php:309
1207
- msgid "WordPress redirects"
1208
  msgstr ""
1209
 
1210
- #: redirection-strings.php:310
1211
- msgid "Apache redirects"
1212
  msgstr ""
1213
 
1214
- #: redirection-strings.php:311
1215
- msgid "Nginx redirects"
1216
  msgstr ""
1217
 
1218
- #: redirection-strings.php:312
1219
- msgid "Complete data (JSON)"
1220
  msgstr ""
1221
 
1222
- #: redirection-strings.php:313
1223
- msgid "CSV"
1224
  msgstr ""
1225
 
1226
- #: redirection-strings.php:314, redirection-strings.php:502
1227
- msgid "Apache .htaccess"
1228
  msgstr ""
1229
 
1230
- #: redirection-strings.php:315
1231
- msgid "Nginx rewrite rules"
1232
  msgstr ""
1233
 
1234
- #: redirection-strings.php:316
1235
- msgid "View"
1236
  msgstr ""
1237
 
1238
- #: redirection-strings.php:317
1239
- msgid "Download"
1240
  msgstr ""
1241
 
1242
- #: redirection-strings.php:318
1243
- msgid "Export redirect"
1244
  msgstr ""
1245
 
1246
- #: redirection-strings.php:319
1247
- msgid "Export 404"
1248
  msgstr ""
1249
 
1250
- #: redirection-strings.php:320, redirection-strings.php:331, redirection-strings.php:341, redirection-strings.php:348
1251
- msgid "Name"
1252
  msgstr ""
1253
 
1254
- #: redirection-strings.php:321, redirection-strings.php:329, redirection-strings.php:333, redirection-strings.php:349
1255
- msgid "Module"
1256
  msgstr ""
1257
 
1258
- #: redirection-strings.php:322, redirection-strings.php:326, redirection-strings.php:330, redirection-strings.php:510, redirection-strings.php:533, redirection-strings.php:538
1259
- msgid "Status"
1260
  msgstr ""
1261
 
1262
- #: redirection-strings.php:324, redirection-strings.php:361, redirection-strings.php:403, redirection-strings.php:536
1263
- msgid "Standard Display"
1264
  msgstr ""
1265
 
1266
- #: redirection-strings.php:325, redirection-strings.php:362, redirection-strings.php:404, redirection-strings.php:537
1267
- msgid "Compact Display"
1268
  msgstr ""
1269
 
1270
- #: redirection-strings.php:327, redirection-strings.php:539
1271
- msgid "Enabled"
1272
  msgstr ""
1273
 
1274
- #: redirection-strings.php:328, redirection-strings.php:540
1275
- msgid "Disabled"
1276
  msgstr ""
1277
 
1278
- #: redirection-strings.php:334, redirection-strings.php:344, redirection-strings.php:360, redirection-strings.php:381, redirection-strings.php:394, redirection-strings.php:397, redirection-strings.php:430, redirection-strings.php:442, redirection-strings.php:519, redirection-strings.php:559
1279
- msgid "Delete"
1280
  msgstr ""
1281
 
1282
- #: redirection-strings.php:335, redirection-strings.php:347, redirection-strings.php:520, redirection-strings.php:561
1283
- msgid "Enable"
1284
  msgstr ""
1285
 
1286
- #: redirection-strings.php:336, redirection-strings.php:346, redirection-strings.php:521, redirection-strings.php:560
1287
- msgid "Disable"
1288
  msgstr ""
1289
 
1290
- #: redirection-strings.php:337
1291
- msgid "Search"
1292
  msgstr ""
1293
 
1294
- #: redirection-strings.php:338, redirection-strings.php:557
1295
- msgid "Filters"
1296
  msgstr ""
1297
 
1298
- #: redirection-strings.php:339
1299
- msgid "Add Group"
1300
  msgstr ""
1301
 
1302
- #: redirection-strings.php:340
1303
- msgid "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."
1304
  msgstr ""
1305
 
1306
- #: redirection-strings.php:342, redirection-strings.php:352
1307
- msgid "Note that you will need to set the Apache module path in your Redirection options."
1308
  msgstr ""
1309
 
1310
- #: redirection-strings.php:343, redirection-strings.php:558
1311
- msgid "Edit"
1312
  msgstr ""
1313
 
1314
- #: redirection-strings.php:345
1315
- msgid "View Redirects"
1316
  msgstr ""
1317
 
1318
- #: redirection-strings.php:353
1319
- msgid "Filter on: %(type)s"
1320
  msgstr ""
1321
 
1322
- #: redirection-strings.php:354, redirection-strings.php:363, redirection-strings.php:389, redirection-strings.php:405
1323
- msgid "Date"
1324
  msgstr ""
1325
 
1326
- #: redirection-strings.php:357, redirection-strings.php:365, redirection-strings.php:391, redirection-strings.php:407, redirection-strings.php:652
1327
- msgid "Referrer"
1328
  msgstr ""
1329
 
1330
- #: redirection-strings.php:358, redirection-strings.php:366, redirection-strings.php:392, redirection-strings.php:408, redirection-strings.php:625
1331
- msgid "User Agent"
1332
  msgstr ""
1333
 
1334
- #: redirection-strings.php:359, redirection-strings.php:368, redirection-strings.php:387, redirection-strings.php:393, redirection-strings.php:409, redirection-strings.php:645
1335
- msgid "IP"
1336
  msgstr ""
1337
 
1338
- #: redirection-strings.php:364, redirection-strings.php:406, redirection-strings.php:511, redirection-strings.php:598
1339
- msgid "URL"
1340
  msgstr ""
1341
 
1342
- #: redirection-strings.php:367, redirection-strings.php:527, redirection-strings.php:595
1343
- msgid "Target"
1344
  msgstr ""
1345
 
1346
- #: redirection-strings.php:369, redirection-strings.php:410, redirection-strings.php:551
1347
- msgid "Search URL"
1348
  msgstr ""
1349
 
1350
- #: redirection-strings.php:370, redirection-strings.php:411
1351
- msgid "Search referrer"
1352
  msgstr ""
1353
 
1354
- #: redirection-strings.php:371, redirection-strings.php:412
1355
- msgid "Search user agent"
1356
  msgstr ""
1357
 
1358
- #: redirection-strings.php:372, redirection-strings.php:413
1359
- msgid "Search IP"
1360
  msgstr ""
1361
 
1362
- #: redirection-strings.php:373, redirection-strings.php:552
1363
- msgid "Search target URL"
1364
  msgstr ""
1365
 
1366
- #: redirection-strings.php:374
1367
- msgid "Delete all from IP %s"
1368
  msgstr ""
1369
 
1370
- #: redirection-strings.php:375
1371
- msgid "Delete all matching \"%s\""
1372
  msgstr ""
1373
 
1374
- #: redirection-strings.php:376, redirection-strings.php:418, redirection-strings.php:423
1375
- msgid "Delete All"
1376
  msgstr ""
1377
 
1378
- #: redirection-strings.php:377
1379
- msgid "Delete the logs - are you sure?"
1380
  msgstr ""
1381
 
1382
- #: redirection-strings.php:378
1383
- msgid "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."
1384
  msgstr ""
1385
 
1386
- #: redirection-strings.php:379
1387
- msgid "Yes! Delete the logs"
1388
  msgstr ""
1389
 
1390
- #: redirection-strings.php:380
1391
- msgid "No! Don't delete the logs"
1392
  msgstr ""
1393
 
1394
- #: redirection-strings.php:382, redirection-strings.php:421, redirection-strings.php:432
1395
- msgid "Geo Info"
1396
  msgstr ""
1397
 
1398
- #: redirection-strings.php:383, redirection-strings.php:433
1399
- msgid "Agent Info"
1400
  msgstr ""
1401
 
1402
- #: redirection-strings.php:384, redirection-strings.php:434
1403
- msgid "Filter by IP"
1404
  msgstr ""
1405
 
1406
- #: redirection-strings.php:386, redirection-strings.php:388
1407
- msgid "Count"
1408
  msgstr ""
1409
 
1410
- #: redirection-strings.php:395, redirection-strings.php:398, redirection-strings.php:419, redirection-strings.php:424
1411
- msgid "Redirect All"
1412
  msgstr ""
1413
 
1414
- #: redirection-strings.php:396, redirection-strings.php:422
1415
- msgid "Block IP"
1416
  msgstr ""
1417
 
1418
- #: redirection-strings.php:399, redirection-strings.php:426
1419
- msgid "Ignore URL"
1420
  msgstr ""
1421
 
1422
- #: redirection-strings.php:400
1423
- msgid "No grouping"
1424
  msgstr ""
1425
 
1426
- #: redirection-strings.php:401
1427
- msgid "Group by URL"
1428
  msgstr ""
1429
 
1430
- #: redirection-strings.php:402
1431
- msgid "Group by IP"
1432
  msgstr ""
1433
 
1434
- #: redirection-strings.php:414, redirection-strings.php:427, redirection-strings.php:431, redirection-strings.php:555
1435
- msgid "Add Redirect"
1436
  msgstr ""
1437
 
1438
- #: redirection-strings.php:415
1439
- msgid "Delete Log Entries"
1440
  msgstr ""
1441
 
1442
- #: redirection-strings.php:416, redirection-strings.php:429
1443
- msgid "Delete all logs for this entry"
1444
  msgstr ""
1445
 
1446
- #: redirection-strings.php:417
1447
- msgid "Delete all logs for these entries"
1448
  msgstr ""
1449
 
1450
- #: redirection-strings.php:420, redirection-strings.php:425
1451
- msgid "Show All"
1452
  msgstr ""
1453
 
1454
- #: redirection-strings.php:428
1455
- msgid "Delete 404s"
1456
  msgstr ""
1457
 
1458
- #: redirection-strings.php:435
1459
- msgid "Delete the plugin - are you sure?"
1460
  msgstr ""
1461
 
1462
- #: redirection-strings.php:436
1463
- msgid "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."
1464
  msgstr ""
1465
 
1466
- #: redirection-strings.php:437
1467
- msgid "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
1468
  msgstr ""
1469
 
1470
- #: redirection-strings.php:438
1471
- msgid "Yes! Delete the plugin"
1472
  msgstr ""
1473
 
1474
- #: redirection-strings.php:439
1475
- msgid "No! Don't delete the plugin"
1476
  msgstr ""
1477
 
1478
- #: redirection-strings.php:440
1479
- msgid "Delete Redirection"
1480
  msgstr ""
1481
 
1482
- #: redirection-strings.php:441
1483
- msgid "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."
1484
  msgstr ""
1485
 
1486
- #: redirection-strings.php:443
1487
- msgid "You've supported this plugin - thank you!"
1488
  msgstr ""
1489
 
1490
- #: redirection-strings.php:444
1491
- msgid "I'd like to support some more."
1492
  msgstr ""
1493
 
1494
- #: redirection-strings.php:445
1495
- msgid "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}}."
1496
  msgstr ""
1497
 
1498
- #: redirection-strings.php:446
1499
- msgid "You get useful software and I get to carry on making it better."
1500
  msgstr ""
1501
 
1502
- #: redirection-strings.php:447
1503
- msgid "Support 💰"
1504
  msgstr ""
1505
 
1506
- #: redirection-strings.php:448
1507
- msgid "Plugin Support"
1508
  msgstr ""
1509
 
1510
- #: redirection-strings.php:449, redirection-strings.php:451
1511
- msgid "Newsletter"
1512
  msgstr ""
1513
 
1514
- #: redirection-strings.php:450
1515
- msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1516
  msgstr ""
1517
 
1518
- #: redirection-strings.php:452
1519
- msgid "Want to keep up to date with changes to Redirection?"
1520
  msgstr ""
1521
 
1522
- #: redirection-strings.php:453
1523
- msgid "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."
1524
  msgstr ""
1525
 
1526
- #: redirection-strings.php:454
1527
- msgid "Your email address:"
1528
  msgstr ""
1529
 
1530
- #: redirection-strings.php:455
1531
- msgid "No logs"
1532
  msgstr ""
1533
 
1534
- #: redirection-strings.php:456, redirection-strings.php:463
1535
- msgid "A day"
1536
  msgstr ""
1537
 
1538
- #: redirection-strings.php:457, redirection-strings.php:464
1539
- msgid "A week"
1540
  msgstr ""
1541
 
1542
- #: redirection-strings.php:458
1543
- msgid "A month"
1544
  msgstr ""
1545
 
1546
- #: redirection-strings.php:459
1547
- msgid "Two months"
1548
  msgstr ""
1549
 
1550
- #: redirection-strings.php:460, redirection-strings.php:465
1551
- msgid "Forever"
1552
  msgstr ""
1553
 
1554
- #: redirection-strings.php:461
1555
- msgid "Never cache"
1556
  msgstr ""
1557
 
1558
- #: redirection-strings.php:462
1559
- msgid "An hour"
1560
  msgstr ""
1561
 
1562
- #: redirection-strings.php:466
1563
- msgid "No IP logging"
1564
  msgstr ""
1565
 
1566
- #: redirection-strings.php:467
1567
- msgid "Full IP logging"
1568
  msgstr ""
1569
 
1570
- #: redirection-strings.php:468
1571
- msgid "Anonymize IP (mask last part)"
1572
  msgstr ""
1573
 
1574
- #: redirection-strings.php:469
1575
- msgid "Default REST API"
1576
  msgstr ""
1577
 
1578
- #: redirection-strings.php:470
1579
- msgid "Raw REST API"
1580
  msgstr ""
1581
 
1582
- #: redirection-strings.php:471
1583
- msgid "Relative REST API"
1584
  msgstr ""
1585
 
1586
- #: redirection-strings.php:472
1587
- msgid "Exact match"
1588
  msgstr ""
1589
 
1590
- #: redirection-strings.php:473
1591
- msgid "Ignore all query parameters"
1592
  msgstr ""
1593
 
1594
- #: redirection-strings.php:474
1595
- msgid "Ignore and pass all query parameters"
1596
  msgstr ""
1597
 
1598
- #: redirection-strings.php:475
1599
- msgid "URL Monitor Changes"
1600
  msgstr ""
1601
 
1602
- #: redirection-strings.php:476
1603
- msgid "Save changes to this group"
1604
  msgstr ""
1605
 
1606
- #: redirection-strings.php:477
1607
- msgid "For example \"/amp\""
1608
  msgstr ""
1609
 
1610
- #: redirection-strings.php:478
1611
- msgid "Create associated redirect (added to end of URL)"
1612
  msgstr ""
1613
 
1614
- #: redirection-strings.php:479
1615
- msgid "Monitor changes to %(type)s"
1616
  msgstr ""
1617
 
1618
- #: redirection-strings.php:480
1619
- msgid "I'm a nice person and I have helped support the author of this plugin"
1620
  msgstr ""
1621
 
1622
- #: redirection-strings.php:481
1623
- msgid "Redirect Logs"
1624
  msgstr ""
1625
 
1626
- #: redirection-strings.php:482, redirection-strings.php:484
1627
- msgid "(time to keep logs for)"
1628
  msgstr ""
1629
 
1630
- #: redirection-strings.php:483
1631
- msgid "404 Logs"
1632
  msgstr ""
1633
 
1634
- #: redirection-strings.php:485
1635
- msgid "IP Logging"
1636
  msgstr ""
1637
 
1638
- #: redirection-strings.php:486
1639
- msgid "(select IP logging level)"
1640
  msgstr ""
1641
 
1642
- #: redirection-strings.php:487
1643
- msgid "GDPR / Privacy information"
1644
  msgstr ""
1645
 
1646
- #: redirection-strings.php:488
1647
- msgid "URL Monitor"
1648
  msgstr ""
1649
 
1650
- #: redirection-strings.php:489
1651
- msgid "RSS Token"
1652
  msgstr ""
1653
 
1654
- #: redirection-strings.php:490
1655
- msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1656
  msgstr ""
1657
 
1658
- #: redirection-strings.php:491
1659
- msgid "Default URL settings"
1660
  msgstr ""
1661
 
1662
- #: redirection-strings.php:492, redirection-strings.php:496
1663
- msgid "Applies to all redirections unless you configure them otherwise."
1664
  msgstr ""
1665
 
1666
- #: redirection-strings.php:493
1667
- msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
1668
  msgstr ""
1669
 
1670
- #: redirection-strings.php:494
1671
- msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
1672
  msgstr ""
1673
 
1674
- #: redirection-strings.php:495
1675
- msgid "Default query matching"
1676
  msgstr ""
1677
 
1678
- #: redirection-strings.php:497
1679
- msgid "Exact - matches the query parameters exactly defined in your source, in any order"
1680
  msgstr ""
1681
 
1682
- #: redirection-strings.php:498
1683
- msgid "Ignore - as exact, but ignores any query parameters not in your source"
1684
  msgstr ""
1685
 
1686
- #: redirection-strings.php:499
1687
- msgid "Pass - as ignore, but also copies the query parameters to the target"
1688
  msgstr ""
1689
 
1690
- #: redirection-strings.php:500
1691
- msgid "Auto-generate URL"
1692
  msgstr ""
1693
 
1694
- #: redirection-strings.php:501
1695
- msgid "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"
1696
  msgstr ""
1697
 
1698
- #: redirection-strings.php:503
1699
- 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}}."
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1700
  msgstr ""
1701
 
1702
- #: redirection-strings.php:504
1703
- msgid "Unable to save .htaccess file"
1704
  msgstr ""
1705
 
1706
- #: redirection-strings.php:505
1707
- msgid "Redirect Cache"
1708
  msgstr ""
1709
 
1710
- #: redirection-strings.php:506
1711
- msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
1712
  msgstr ""
1713
 
1714
- #: redirection-strings.php:508
1715
- msgid "How Redirection uses the REST API - don't change unless necessary"
1716
  msgstr ""
1717
 
1718
- #: redirection-strings.php:509, redirection-strings.php:582
1719
- msgid "Update"
1720
  msgstr ""
1721
 
1722
- #: redirection-strings.php:512, redirection-strings.php:529, redirection-strings.php:544
1723
- msgid "Match Type"
1724
  msgstr ""
1725
 
1726
- #: redirection-strings.php:513, redirection-strings.php:534, redirection-strings.php:545
1727
- msgid "Action Type"
1728
  msgstr ""
1729
 
1730
- #: redirection-strings.php:514
1731
- msgid "Code"
1732
  msgstr ""
1733
 
1734
- #: redirection-strings.php:516
1735
- msgid "Pos"
1736
  msgstr ""
1737
 
1738
- #: redirection-strings.php:517, redirection-strings.php:531
1739
- msgid "Hits"
1740
  msgstr ""
1741
 
1742
- #: redirection-strings.php:518, redirection-strings.php:532
1743
- msgid "Last Access"
1744
  msgstr ""
1745
 
1746
- #: redirection-strings.php:522
1747
- msgid "Reset hits"
1748
  msgstr ""
1749
 
1750
- #: redirection-strings.php:523
1751
- msgid "Source"
1752
  msgstr ""
1753
 
1754
- #: redirection-strings.php:524
1755
- msgid "URL options"
1756
  msgstr ""
1757
 
1758
- #: redirection-strings.php:528
1759
- msgid "HTTP code"
1760
  msgstr ""
1761
 
1762
- #: redirection-strings.php:541
1763
- msgid "URL match"
1764
  msgstr ""
1765
 
1766
- #: redirection-strings.php:542
1767
- msgid "Regular Expression"
1768
  msgstr ""
1769
 
1770
- #: redirection-strings.php:543
1771
- msgid "Plain"
1772
  msgstr ""
1773
 
1774
- #: redirection-strings.php:546
1775
- msgid "HTTP Status Code"
1776
  msgstr ""
1777
 
1778
- #: redirection-strings.php:547
1779
- msgid "Last Accessed"
1780
  msgstr ""
1781
 
1782
- #: redirection-strings.php:548
1783
- msgid "Never accessed"
1784
  msgstr ""
1785
 
1786
- #: redirection-strings.php:549
1787
- msgid "Not accessed in last month"
1788
  msgstr ""
1789
 
1790
- #: redirection-strings.php:550
1791
- msgid "Not accessed in last year"
1792
  msgstr ""
1793
 
1794
- #: redirection-strings.php:553
1795
- msgid "Search title"
1796
  msgstr ""
1797
 
1798
- #: redirection-strings.php:554
1799
- msgid "Add new redirection"
1800
  msgstr ""
1801
 
1802
- #: redirection-strings.php:556
1803
- msgid "All groups"
1804
  msgstr ""
1805
 
1806
  #: redirection-strings.php:562
1807
- msgid "Check Redirect"
1808
  msgstr ""
1809
 
1810
  #: redirection-strings.php:563
1811
- msgid "pass"
1812
  msgstr ""
1813
 
1814
  #: redirection-strings.php:564
1815
- msgid "Exact Query"
1816
  msgstr ""
1817
 
1818
  #: redirection-strings.php:565
1819
- msgid "Ignore Query"
1820
  msgstr ""
1821
 
1822
- #: redirection-strings.php:566
1823
- msgid "Ignore & Pass Query"
1824
  msgstr ""
1825
 
1826
- #: redirection-strings.php:568
1827
- msgid "Redirect"
1828
  msgstr ""
1829
 
1830
- #: redirection-strings.php:569
1831
- msgid "General"
1832
  msgstr ""
1833
 
1834
  #: redirection-strings.php:570
1835
- msgid "Custom Header"
1836
  msgstr ""
1837
 
1838
- #: redirection-strings.php:572
1839
- msgid "Force a redirect from HTTP to HTTPS"
1840
  msgstr ""
1841
 
1842
  #: redirection-strings.php:573
1843
- msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site."
1844
- msgstr ""
1845
-
1846
- #: redirection-strings.php:574
1847
- msgid "Ensure that you update your site URL settings."
1848
  msgstr ""
1849
 
1850
- #: redirection-strings.php:575
1851
- msgid "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes."
1852
  msgstr ""
1853
 
1854
  #: redirection-strings.php:576
1855
- msgid "HTTP Headers"
1856
  msgstr ""
1857
 
1858
  #: redirection-strings.php:577
1859
- msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
1860
  msgstr ""
1861
 
1862
  #: redirection-strings.php:578
1863
- msgid "Location"
1864
  msgstr ""
1865
 
1866
  #: redirection-strings.php:579
1867
- msgid "Header"
1868
  msgstr ""
1869
 
1870
  #: redirection-strings.php:580
1871
- msgid "No headers"
1872
  msgstr ""
1873
 
1874
  #: redirection-strings.php:581
1875
- msgid "Note that some HTTP headers are set by your server and cannot be changed."
 
 
 
 
1876
  msgstr ""
1877
 
1878
  #: redirection-strings.php:583
1879
- msgid "Database version"
1880
  msgstr ""
1881
 
1882
  #: redirection-strings.php:584
1883
- msgid "Do not change unless advised to do so!"
1884
  msgstr ""
1885
 
1886
- #: redirection-strings.php:586
1887
- msgid "IP Headers"
1888
  msgstr ""
1889
 
1890
  #: redirection-strings.php:587
1891
- msgid "Need help?"
1892
  msgstr ""
1893
 
1894
  #: redirection-strings.php:588
1895
- msgid "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."
1896
  msgstr ""
1897
 
1898
  #: redirection-strings.php:589
1899
- msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
1900
  msgstr ""
1901
 
1902
  #: redirection-strings.php:590
1903
- msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
1904
- msgstr ""
1905
-
1906
- #: redirection-strings.php:591
1907
- msgid "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!"
1908
  msgstr ""
1909
 
1910
- #: redirection-strings.php:592, redirection-strings.php:601
1911
- msgid "Unable to load details"
1912
  msgstr ""
1913
 
1914
  #: redirection-strings.php:593
1915
- msgid "URL is being redirected with Redirection"
1916
  msgstr ""
1917
 
1918
  #: redirection-strings.php:594
1919
- msgid "URL is not being redirected with Redirection"
1920
  msgstr ""
1921
 
1922
  #: redirection-strings.php:596
1923
- msgid "Redirect Tester"
1924
  msgstr ""
1925
 
1926
  #: redirection-strings.php:597
1927
- 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."
 
 
 
 
1928
  msgstr ""
1929
 
1930
  #: redirection-strings.php:599
1931
- msgid "Enter full URL, including http:// or https://"
1932
  msgstr ""
1933
 
1934
  #: redirection-strings.php:600
1935
- msgid "Check"
 
 
 
 
1936
  msgstr ""
1937
 
1938
  #: redirection-strings.php:602
1939
- msgid "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."
1940
  msgstr ""
1941
 
1942
  #: redirection-strings.php:603
1943
- msgid "⚡️ Magic fix ⚡️"
 
 
 
 
1944
  msgstr ""
1945
 
1946
  #: redirection-strings.php:605
1947
- msgid "Problem"
1948
  msgstr ""
1949
 
1950
  #: redirection-strings.php:606
1951
- msgid "WordPress REST API"
1952
  msgstr ""
1953
 
1954
  #: redirection-strings.php:607
1955
- 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."
1956
  msgstr ""
1957
 
1958
  #: redirection-strings.php:608
1959
- msgid "Plugin Status"
1960
  msgstr ""
1961
 
1962
  #: redirection-strings.php:609
1963
- msgid "Plugin Debug"
1964
  msgstr ""
1965
 
1966
  #: redirection-strings.php:610
1967
- msgid "This information is provided for debugging purposes. Be careful making any changes."
1968
  msgstr ""
1969
 
1970
  #: redirection-strings.php:611
1971
- msgid "Redirection saved"
1972
  msgstr ""
1973
 
1974
  #: redirection-strings.php:612
1975
- msgid "Log deleted"
1976
  msgstr ""
1977
 
1978
  #: redirection-strings.php:613
1979
- msgid "Settings saved"
1980
  msgstr ""
1981
 
1982
  #: redirection-strings.php:614
1983
- msgid "Group saved"
1984
  msgstr ""
1985
 
1986
  #: redirection-strings.php:615
1987
- msgid "404 deleted"
1988
  msgstr ""
1989
 
1990
  #: redirection-strings.php:616
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1991
  msgid "Logged In"
1992
  msgstr ""
1993
 
1994
- #: redirection-strings.php:617, redirection-strings.php:621
1995
  msgid "Target URL when matched (empty to ignore)"
1996
  msgstr ""
1997
 
1998
- #: redirection-strings.php:618
1999
  msgid "Logged Out"
2000
  msgstr ""
2001
 
2002
- #: redirection-strings.php:619, redirection-strings.php:623
2003
  msgid "Target URL when not matched (empty to ignore)"
2004
  msgstr ""
2005
 
2006
- #: redirection-strings.php:620
2007
  msgid "Matched Target"
2008
  msgstr ""
2009
 
2010
- #: redirection-strings.php:622
2011
  msgid "Unmatched Target"
2012
  msgstr ""
2013
 
2014
- #: redirection-strings.php:626
2015
  msgid "Match against this browser user agent"
2016
  msgstr ""
2017
 
2018
- #: redirection-strings.php:628
2019
  msgid "Mobile"
2020
  msgstr ""
2021
 
2022
- #: redirection-strings.php:629
2023
  msgid "Feed Readers"
2024
  msgstr ""
2025
 
2026
- #: redirection-strings.php:630
2027
  msgid "Libraries"
2028
  msgstr ""
2029
 
2030
- #: redirection-strings.php:632
2031
  msgid "Cookie"
2032
  msgstr ""
2033
 
2034
- #: redirection-strings.php:633
2035
  msgid "Cookie name"
2036
  msgstr ""
2037
 
2038
- #: redirection-strings.php:634
2039
  msgid "Cookie value"
2040
  msgstr ""
2041
 
2042
- #: redirection-strings.php:636
2043
  msgid "Filter Name"
2044
  msgstr ""
2045
 
2046
- #: redirection-strings.php:637
2047
  msgid "WordPress filter name"
2048
  msgstr ""
2049
 
2050
- #: redirection-strings.php:638
2051
  msgid "HTTP Header"
2052
  msgstr ""
2053
 
2054
- #: redirection-strings.php:639
2055
  msgid "Header name"
2056
  msgstr ""
2057
 
2058
- #: redirection-strings.php:640
2059
  msgid "Header value"
2060
  msgstr ""
2061
 
2062
- #: redirection-strings.php:642
2063
  msgid "Accept Language"
2064
  msgstr ""
2065
 
2066
- #: redirection-strings.php:644
2067
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
2068
  msgstr ""
2069
 
2070
- #: redirection-strings.php:646
2071
  msgid "Enter IP addresses (one per line)"
2072
  msgstr ""
2073
 
2074
- #: redirection-strings.php:647
2075
  msgid "Language"
2076
  msgstr ""
2077
 
2078
- #: redirection-strings.php:648
2079
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
2080
  msgstr ""
2081
 
2082
- #: redirection-strings.php:649
2083
  msgid "Page Type"
2084
  msgstr ""
2085
 
2086
- #: redirection-strings.php:650
2087
  msgid "Only the 404 page type is currently supported."
2088
  msgstr ""
2089
 
2090
- #: redirection-strings.php:651
2091
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
2092
  msgstr ""
2093
 
2094
- #: redirection-strings.php:653
2095
  msgid "Match against this browser referrer text"
2096
  msgstr ""
2097
 
2098
- #: redirection-strings.php:655
2099
  msgid "Role"
2100
  msgstr ""
2101
 
2102
- #: redirection-strings.php:656
2103
  msgid "Enter role or capability value"
2104
  msgstr ""
2105
 
2106
- #: redirection-strings.php:657
2107
  msgid "Server"
2108
  msgstr ""
2109
 
2110
- #: redirection-strings.php:658
2111
  msgid "Enter server URL to match against"
2112
  msgstr ""
2113
 
2114
- #: redirection-strings.php:659
2115
  msgid "Select All"
2116
  msgstr ""
2117
 
2118
- #: redirection-strings.php:660
2119
  msgid "No results"
2120
  msgstr ""
2121
 
2122
- #: redirection-strings.php:661
2123
  msgid "Sorry, something went wrong loading the data - please try again"
2124
  msgstr ""
2125
 
2126
- #: redirection-strings.php:662
2127
  msgid "All"
2128
  msgstr ""
2129
 
2130
- #: redirection-strings.php:663
2131
  msgid "Values"
2132
  msgstr ""
2133
 
2134
- #: redirection-strings.php:664
2135
  msgid "Value"
2136
  msgstr ""
2137
 
2138
  #. translators: 1: server PHP version. 2: required PHP version.
2139
- #: redirection.php:39
2140
  msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
2141
  msgstr ""
2142
 
2143
  #. translators: version number
2144
- #: api/api-plugin.php:113
2145
  msgid "Your database does not need updating to %s."
2146
  msgstr ""
2147
 
@@ -2210,7 +2282,7 @@ msgstr ""
2210
  msgid "Site and home protocol"
2211
  msgstr ""
2212
 
2213
- #: models/importer.php:226
2214
  msgid "Default WordPress \"old slugs\""
2215
  msgstr ""
2216
 
24
  msgid "Redirection's database needs to be updated - <a href=\"%1$1s\">click to update</a>."
25
  msgstr ""
26
 
27
+ #: redirection-admin.php:143, redirection-strings.php:45
28
  msgid "Upgrade Database"
29
  msgstr ""
30
 
31
+ #: redirection-admin.php:146
32
  msgid "Settings"
33
  msgstr ""
34
 
67
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
68
  msgstr ""
69
 
70
+ #: redirection-admin.php:434, redirection-strings.php:65
71
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
72
  msgstr ""
73
 
104
  msgstr ""
105
 
106
  #: redirection-strings.php:4
107
+ msgid "Are you sure you want to delete this item?"
108
+ msgid_plural "Are you sure you want to delete the selected items?"
109
+ msgstr[0] ""
110
+ msgstr[1] ""
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
111
 
112
+ #: redirection-strings.php:5, redirection-strings.php:16, redirection-strings.php:26, redirection-strings.php:33
113
+ msgid "Name"
114
  msgstr ""
115
 
116
+ #: redirection-strings.php:6, redirection-strings.php:14, redirection-strings.php:18, redirection-strings.php:34
117
+ msgid "Module"
118
  msgstr ""
119
 
120
+ #: redirection-strings.php:7, redirection-strings.php:11, redirection-strings.php:15, redirection-strings.php:261, redirection-strings.php:284, redirection-strings.php:289
121
+ msgid "Status"
122
  msgstr ""
123
 
124
+ #: redirection-strings.php:8, redirection-strings.php:17, redirection-strings.php:420
125
+ msgid "Redirects"
126
  msgstr ""
127
 
128
+ #: redirection-strings.php:9, redirection-strings.php:112, redirection-strings.php:154, redirection-strings.php:287
129
+ msgid "Standard Display"
130
  msgstr ""
131
 
132
+ #: redirection-strings.php:10, redirection-strings.php:113, redirection-strings.php:155, redirection-strings.php:288
133
+ msgid "Compact Display"
134
  msgstr ""
135
 
136
+ #: redirection-strings.php:12, redirection-strings.php:290
137
+ msgid "Enabled"
138
  msgstr ""
139
 
140
+ #: redirection-strings.php:13, redirection-strings.php:291
141
+ msgid "Disabled"
142
  msgstr ""
143
 
144
+ #: redirection-strings.php:19, redirection-strings.php:29, redirection-strings.php:111, redirection-strings.php:132, redirection-strings.php:145, redirection-strings.php:148, redirection-strings.php:181, redirection-strings.php:193, redirection-strings.php:270, redirection-strings.php:310
145
+ msgid "Delete"
146
  msgstr ""
147
 
148
+ #: redirection-strings.php:20, redirection-strings.php:32, redirection-strings.php:271, redirection-strings.php:312
149
+ msgid "Enable"
150
  msgstr ""
151
 
152
+ #: redirection-strings.php:21, redirection-strings.php:31, redirection-strings.php:272, redirection-strings.php:311
153
+ msgid "Disable"
154
  msgstr ""
155
 
156
  #: redirection-strings.php:22
157
+ msgid "Search"
158
  msgstr ""
159
 
160
+ #: redirection-strings.php:23, redirection-strings.php:308
161
+ msgid "Filters"
162
  msgstr ""
163
 
164
  #: redirection-strings.php:24
165
+ msgid "Add Group"
166
  msgstr ""
167
 
168
  #: redirection-strings.php:25
169
+ msgid "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."
 
 
 
 
 
 
 
 
170
  msgstr ""
171
 
172
+ #: redirection-strings.php:27, redirection-strings.php:37
173
+ msgid "Note that you will need to set the Apache module path in your Redirection options."
174
  msgstr ""
175
 
176
+ #: redirection-strings.php:28, redirection-strings.php:309
177
+ msgid "Edit"
178
  msgstr ""
179
 
180
  #: redirection-strings.php:30
181
+ msgid "View Redirects"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
182
  msgstr ""
183
 
184
+ #: redirection-strings.php:35, redirection-strings.php:322, redirection-strings.php:476
185
+ msgid "Save"
186
  msgstr ""
187
 
188
+ #: redirection-strings.php:36, redirection-strings.php:77, redirection-strings.php:477
189
+ msgid "Cancel"
190
  msgstr ""
191
 
192
+ #: redirection-strings.php:38
193
+ msgid "Filter on: %(type)s"
194
  msgstr ""
195
 
196
  #: redirection-strings.php:39
197
+ msgid "A database upgrade is in progress. Please continue to finish."
198
  msgstr ""
199
 
200
  #: redirection-strings.php:40
201
+ 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}}."
202
  msgstr ""
203
 
204
+ #: redirection-strings.php:41, redirection-strings.php:358
205
+ msgid "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL."
206
  msgstr ""
207
 
208
  #: redirection-strings.php:42
209
+ msgid "Click \"Complete Upgrade\" when finished."
210
+ msgstr ""
211
+
212
+ #: redirection-strings.php:43
213
+ msgid "Complete Upgrade"
214
  msgstr ""
215
 
216
  #: redirection-strings.php:44
217
+ msgid "Click the \"Upgrade Database\" button to automatically upgrade the database."
218
  msgstr ""
219
 
220
  #: redirection-strings.php:46
221
+ msgid "Upgrade Required"
222
  msgstr ""
223
 
224
  #: redirection-strings.php:47
225
+ msgid "Redirection database needs upgrading"
226
+ msgstr ""
227
+
228
+ #: redirection-strings.php:48
229
+ 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."
230
  msgstr ""
231
 
232
  #: redirection-strings.php:49
233
+ msgid "Manual Upgrade"
234
  msgstr ""
235
 
236
  #: redirection-strings.php:50
237
+ msgid "Automatic Upgrade"
238
  msgstr ""
239
 
240
+ #: redirection-strings.php:51, database/schema/latest.php:139
241
+ msgid "Redirections"
242
  msgstr ""
243
 
244
+ #: redirection-strings.php:52, redirection-strings.php:422, redirection-strings.php:617
245
+ msgid "Site"
246
  msgstr ""
247
 
248
+ #: redirection-strings.php:53, redirection-strings.php:421
249
+ msgid "Groups"
250
  msgstr ""
251
 
252
+ #: redirection-strings.php:54, redirection-strings.php:425
253
+ msgid "Import/Export"
254
  msgstr ""
255
 
256
+ #: redirection-strings.php:55
257
+ msgid "Logs"
258
  msgstr ""
259
 
260
+ #: redirection-strings.php:56
261
+ msgid "404 errors"
262
+ msgstr ""
263
+
264
+ #: redirection-strings.php:57, redirection-strings.php:426
265
+ msgid "Options"
266
+ msgstr ""
267
+
268
+ #: redirection-strings.php:58, redirection-strings.php:427
269
+ msgid "Support"
270
  msgstr ""
271
 
272
  #: redirection-strings.php:59
273
+ msgid "Cached Redirection detected"
274
+ msgstr ""
275
+
276
+ #: redirection-strings.php:60
277
+ msgid "Please clear your browser cache and reload this page."
278
  msgstr ""
279
 
280
  #: redirection-strings.php:61
281
+ msgid "If you are using a caching system such as Cloudflare then please read this: "
282
  msgstr ""
283
 
284
  #: redirection-strings.php:62
285
+ msgid "clearing your cache."
286
  msgstr ""
287
 
288
+ #: redirection-strings.php:63, redirection-strings.php:391
289
+ msgid "Something went wrong 🙁"
290
  msgstr ""
291
 
292
  #: redirection-strings.php:64
293
+ msgid "Redirection is not working. Try clearing your browser cache and reloading this page."
 
 
 
 
294
  msgstr ""
295
 
296
  #: redirection-strings.php:66
297
+ msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
298
  msgstr ""
299
 
300
  #: redirection-strings.php:67
301
+ msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
302
  msgstr ""
303
 
304
  #: redirection-strings.php:68
305
+ msgid "Add New"
306
  msgstr ""
307
 
308
+ #: redirection-strings.php:69
309
+ msgid "total = "
310
  msgstr ""
311
 
312
  #: redirection-strings.php:70
313
+ msgid "Import from %s"
314
  msgstr ""
315
 
316
  #: redirection-strings.php:71
317
+ msgid "Import to group"
318
  msgstr ""
319
 
320
  #: redirection-strings.php:72
321
+ msgid "Import a CSV, .htaccess, or JSON file."
322
  msgstr ""
323
 
324
  #: redirection-strings.php:73
325
+ msgid "Click 'Add File' or drag and drop here."
326
  msgstr ""
327
 
328
+ #: redirection-strings.php:74
329
+ msgid "Add File"
330
  msgstr ""
331
 
332
+ #: redirection-strings.php:75
333
+ msgid "File selected"
334
  msgstr ""
335
 
336
+ #: redirection-strings.php:76
337
+ msgid "Upload"
338
  msgstr ""
339
 
340
+ #: redirection-strings.php:78
341
+ msgid "Importing"
342
  msgstr ""
343
 
344
  #: redirection-strings.php:79
345
+ msgid "Finished importing"
346
  msgstr ""
347
 
348
  #: redirection-strings.php:80
349
+ msgid "Total redirects imported:"
350
  msgstr ""
351
 
352
+ #: redirection-strings.php:81
353
+ msgid "Double-check the file is the correct format!"
354
  msgstr ""
355
 
356
+ #: redirection-strings.php:82
357
+ msgid "OK"
358
  msgstr ""
359
 
360
+ #: redirection-strings.php:83, redirection-strings.php:478
361
+ msgid "Close"
362
  msgstr ""
363
 
364
  #: redirection-strings.php:84
365
+ msgid "Are you sure you want to import from %s?"
366
  msgstr ""
367
 
368
  #: redirection-strings.php:85
369
+ msgid "Plugin Importers"
370
  msgstr ""
371
 
372
+ #: redirection-strings.php:86
373
+ msgid "The following redirect plugins were detected on your site and can be imported from."
374
+ msgstr ""
375
+
376
+ #: redirection-strings.php:87
377
+ msgid "Import"
378
  msgstr ""
379
 
380
  #: redirection-strings.php:88
381
+ msgid "All imports will be appended to the current database - nothing is merged."
382
  msgstr ""
383
 
384
+ #: redirection-strings.php:89
385
+ msgid "{{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)."
386
  msgstr ""
387
 
388
+ #: redirection-strings.php:90
389
+ 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."
390
  msgstr ""
391
 
392
+ #: redirection-strings.php:91
393
+ msgid "Export"
394
  msgstr ""
395
 
396
+ #: redirection-strings.php:92
397
+ 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."
398
  msgstr ""
399
 
400
+ #: redirection-strings.php:93
401
+ msgid "Everything"
402
  msgstr ""
403
 
404
+ #: redirection-strings.php:94
405
+ msgid "WordPress redirects"
406
  msgstr ""
407
 
408
+ #: redirection-strings.php:95
409
+ msgid "Apache redirects"
410
  msgstr ""
411
 
412
+ #: redirection-strings.php:96
413
+ msgid "Nginx redirects"
414
  msgstr ""
415
 
416
+ #: redirection-strings.php:97
417
+ msgid "Complete data (JSON)"
418
  msgstr ""
419
 
420
+ #: redirection-strings.php:98
421
+ msgid "CSV"
422
  msgstr ""
423
 
424
+ #: redirection-strings.php:99, redirection-strings.php:253
425
+ msgid "Apache .htaccess"
426
  msgstr ""
427
 
428
+ #: redirection-strings.php:100
429
+ msgid "Nginx rewrite rules"
430
  msgstr ""
431
 
432
  #: redirection-strings.php:101
433
+ msgid "View"
434
  msgstr ""
435
 
436
  #: redirection-strings.php:102
437
+ msgid "Download"
438
  msgstr ""
439
 
440
  #: redirection-strings.php:103
441
+ msgid "Export redirect"
442
  msgstr ""
443
 
444
  #: redirection-strings.php:104
445
+ msgid "Export 404"
446
  msgstr ""
447
 
448
+ #: redirection-strings.php:105, redirection-strings.php:114, redirection-strings.php:140, redirection-strings.php:156
449
+ msgid "Date"
450
  msgstr ""
451
 
452
+ #: redirection-strings.php:106, redirection-strings.php:136, redirection-strings.php:141, redirection-strings.php:483, redirection-strings.php:484, redirection-strings.php:547
453
+ msgid "Source URL"
454
  msgstr ""
455
 
456
+ #: redirection-strings.php:107, redirection-strings.php:549, redirection-strings.php:641
457
+ msgid "Target URL"
458
  msgstr ""
459
 
460
+ #: redirection-strings.php:108, redirection-strings.php:116, redirection-strings.php:142, redirection-strings.php:158, redirection-strings.php:669
461
+ msgid "Referrer"
462
  msgstr ""
463
 
464
+ #: redirection-strings.php:109, redirection-strings.php:117, redirection-strings.php:143, redirection-strings.php:159, redirection-strings.php:642
465
+ msgid "User Agent"
466
  msgstr ""
467
 
468
+ #: redirection-strings.php:110, redirection-strings.php:119, redirection-strings.php:138, redirection-strings.php:144, redirection-strings.php:160, redirection-strings.php:662
469
+ msgid "IP"
470
  msgstr ""
471
 
472
+ #: redirection-strings.php:115, redirection-strings.php:157, redirection-strings.php:262, redirection-strings.php:335
473
+ msgid "URL"
474
  msgstr ""
475
 
476
+ #: redirection-strings.php:118, redirection-strings.php:278, redirection-strings.php:332
477
+ msgid "Target"
478
  msgstr ""
479
 
480
+ #: redirection-strings.php:120, redirection-strings.php:161, redirection-strings.php:302
481
+ msgid "Search URL"
482
  msgstr ""
483
 
484
+ #: redirection-strings.php:121, redirection-strings.php:162
485
+ msgid "Search referrer"
486
  msgstr ""
487
 
488
+ #: redirection-strings.php:122, redirection-strings.php:163
489
+ msgid "Search user agent"
490
  msgstr ""
491
 
492
+ #: redirection-strings.php:123, redirection-strings.php:164
493
+ msgid "Search IP"
494
  msgstr ""
495
 
496
+ #: redirection-strings.php:124, redirection-strings.php:303
497
+ msgid "Search target URL"
498
  msgstr ""
499
 
500
+ #: redirection-strings.php:125
501
+ msgid "Delete all from IP %s"
502
  msgstr ""
503
 
504
+ #: redirection-strings.php:126
505
+ msgid "Delete all matching \"%s\""
506
  msgstr ""
507
 
508
+ #: redirection-strings.php:127, redirection-strings.php:169, redirection-strings.php:174
509
+ msgid "Delete All"
510
  msgstr ""
511
 
512
+ #: redirection-strings.php:128
513
+ msgid "Delete the logs - are you sure?"
514
  msgstr ""
515
 
516
+ #: redirection-strings.php:129
517
+ msgid "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."
518
  msgstr ""
519
 
520
+ #: redirection-strings.php:130
521
+ msgid "Yes! Delete the logs"
522
  msgstr ""
523
 
524
+ #: redirection-strings.php:131
525
+ msgid "No! Don't delete the logs"
526
  msgstr ""
527
 
528
+ #: redirection-strings.php:133, redirection-strings.php:172, redirection-strings.php:183
529
+ msgid "Geo Info"
530
  msgstr ""
531
 
532
+ #: redirection-strings.php:134, redirection-strings.php:184
533
+ msgid "Agent Info"
534
  msgstr ""
535
 
536
+ #: redirection-strings.php:135, redirection-strings.php:185
537
+ msgid "Filter by IP"
538
  msgstr ""
539
 
540
+ #: redirection-strings.php:137, redirection-strings.php:139
541
+ msgid "Count"
542
  msgstr ""
543
 
544
+ #: redirection-strings.php:146, redirection-strings.php:149, redirection-strings.php:170, redirection-strings.php:175
545
+ msgid "Redirect All"
546
  msgstr ""
547
 
548
+ #: redirection-strings.php:147, redirection-strings.php:173
549
+ msgid "Block IP"
550
  msgstr ""
551
 
552
+ #: redirection-strings.php:150, redirection-strings.php:177
553
+ msgid "Ignore URL"
554
  msgstr ""
555
 
556
+ #: redirection-strings.php:151
557
+ msgid "No grouping"
558
  msgstr ""
559
 
560
+ #: redirection-strings.php:152
561
+ msgid "Group by URL"
562
  msgstr ""
563
 
564
+ #: redirection-strings.php:153
565
+ msgid "Group by IP"
566
  msgstr ""
567
 
568
+ #: redirection-strings.php:165, redirection-strings.php:178, redirection-strings.php:182, redirection-strings.php:306
569
+ msgid "Add Redirect"
570
  msgstr ""
571
 
572
+ #: redirection-strings.php:166
573
+ msgid "Delete Log Entries"
574
  msgstr ""
575
 
576
+ #: redirection-strings.php:167, redirection-strings.php:180
577
+ msgid "Delete all logs for this entry"
578
  msgstr ""
579
 
580
+ #: redirection-strings.php:168
581
+ msgid "Delete all logs for these entries"
582
  msgstr ""
583
 
584
+ #: redirection-strings.php:171, redirection-strings.php:176
585
+ msgid "Show All"
586
  msgstr ""
587
 
588
+ #: redirection-strings.php:179
589
+ msgid "Delete 404s"
590
  msgstr ""
591
 
592
+ #: redirection-strings.php:186
593
+ msgid "Delete the plugin - are you sure?"
594
  msgstr ""
595
 
596
+ #: redirection-strings.php:187
597
+ msgid "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."
598
  msgstr ""
599
 
600
+ #: redirection-strings.php:188
601
+ msgid "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
602
  msgstr ""
603
 
604
+ #: redirection-strings.php:189
605
+ msgid "Yes! Delete the plugin"
606
  msgstr ""
607
 
608
+ #: redirection-strings.php:190
609
+ msgid "No! Don't delete the plugin"
610
  msgstr ""
611
 
612
+ #: redirection-strings.php:191
613
+ msgid "Delete Redirection"
614
  msgstr ""
615
 
616
+ #: redirection-strings.php:192
617
+ msgid "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."
618
  msgstr ""
619
 
620
+ #: redirection-strings.php:194
621
+ msgid "You've supported this plugin - thank you!"
622
  msgstr ""
623
 
624
+ #: redirection-strings.php:195
625
+ msgid "I'd like to support some more."
626
  msgstr ""
627
 
628
+ #: redirection-strings.php:196
629
+ msgid "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}}."
630
  msgstr ""
631
 
632
+ #: redirection-strings.php:197
633
+ msgid "You get useful software and I get to carry on making it better."
634
  msgstr ""
635
 
636
+ #: redirection-strings.php:198
637
+ msgid "Support 💰"
638
  msgstr ""
639
 
640
+ #: redirection-strings.php:199
641
+ msgid "Plugin Support"
642
  msgstr ""
643
 
644
+ #: redirection-strings.php:200, redirection-strings.php:202
645
+ msgid "Newsletter"
646
  msgstr ""
647
 
648
+ #: redirection-strings.php:201
649
+ msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
650
  msgstr ""
651
 
652
+ #: redirection-strings.php:203
653
+ msgid "Want to keep up to date with changes to Redirection?"
654
  msgstr ""
655
 
656
+ #: redirection-strings.php:204
657
+ msgid "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."
658
  msgstr ""
659
 
660
+ #: redirection-strings.php:205
661
+ msgid "Your email address:"
662
  msgstr ""
663
 
664
+ #: redirection-strings.php:206
665
+ msgid "No logs"
666
  msgstr ""
667
 
668
+ #: redirection-strings.php:207, redirection-strings.php:214
669
+ msgid "A day"
670
  msgstr ""
671
 
672
+ #: redirection-strings.php:208, redirection-strings.php:215
673
+ msgid "A week"
674
  msgstr ""
675
 
676
+ #: redirection-strings.php:209
677
+ msgid "A month"
678
  msgstr ""
679
 
680
+ #: redirection-strings.php:210
681
+ msgid "Two months"
682
  msgstr ""
683
 
684
+ #: redirection-strings.php:211, redirection-strings.php:216
685
+ msgid "Forever"
686
  msgstr ""
687
 
688
+ #: redirection-strings.php:212
689
+ msgid "Never cache"
690
  msgstr ""
691
 
692
+ #: redirection-strings.php:213
693
+ msgid "An hour"
694
  msgstr ""
695
 
696
+ #: redirection-strings.php:217
697
+ msgid "No IP logging"
698
  msgstr ""
699
 
700
+ #: redirection-strings.php:218
701
+ msgid "Full IP logging"
702
  msgstr ""
703
 
704
+ #: redirection-strings.php:219
705
+ msgid "Anonymize IP (mask last part)"
706
  msgstr ""
707
 
708
+ #: redirection-strings.php:220
709
+ msgid "Default REST API"
710
  msgstr ""
711
 
712
+ #: redirection-strings.php:221
713
+ msgid "Raw REST API"
714
  msgstr ""
715
 
716
+ #: redirection-strings.php:222
717
+ msgid "Relative REST API"
718
  msgstr ""
719
 
720
+ #: redirection-strings.php:223
721
+ msgid "Exact match"
722
  msgstr ""
723
 
724
+ #: redirection-strings.php:224
725
+ msgid "Ignore all query parameters"
726
  msgstr ""
727
 
728
+ #: redirection-strings.php:225
729
+ msgid "Ignore and pass all query parameters"
730
  msgstr ""
731
 
732
+ #: redirection-strings.php:226
733
+ msgid "URL Monitor Changes"
734
  msgstr ""
735
 
736
+ #: redirection-strings.php:227
737
+ msgid "Save changes to this group"
738
  msgstr ""
739
 
740
+ #: redirection-strings.php:228
741
+ msgid "For example \"/amp\""
742
  msgstr ""
743
 
744
+ #: redirection-strings.php:229
745
+ msgid "Create associated redirect (added to end of URL)"
746
  msgstr ""
747
 
748
+ #: redirection-strings.php:230
749
+ msgid "Monitor changes to %(type)s"
 
 
 
 
 
 
750
  msgstr ""
751
 
752
+ #: redirection-strings.php:231
753
+ msgid "I'm a nice person and I have helped support the author of this plugin"
754
  msgstr ""
755
 
756
+ #: redirection-strings.php:232
757
+ msgid "Redirect Logs"
758
  msgstr ""
759
 
760
+ #: redirection-strings.php:233, redirection-strings.php:235
761
+ msgid "(time to keep logs for)"
762
  msgstr ""
763
 
764
+ #: redirection-strings.php:234
765
+ msgid "404 Logs"
766
  msgstr ""
767
 
768
+ #: redirection-strings.php:236
769
+ msgid "IP Logging"
770
  msgstr ""
771
 
772
+ #: redirection-strings.php:237
773
+ msgid "(select IP logging level)"
774
  msgstr ""
775
 
776
+ #: redirection-strings.php:238
777
+ msgid "GDPR / Privacy information"
778
  msgstr ""
779
 
780
+ #: redirection-strings.php:239
781
+ msgid "URL Monitor"
782
  msgstr ""
783
 
784
+ #: redirection-strings.php:240
785
+ msgid "RSS Token"
786
  msgstr ""
787
 
788
+ #: redirection-strings.php:241
789
+ msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
790
  msgstr ""
791
 
792
+ #: redirection-strings.php:242
793
+ msgid "Default URL settings"
794
  msgstr ""
795
 
796
+ #: redirection-strings.php:243, redirection-strings.php:247
797
+ msgid "Applies to all redirections unless you configure them otherwise."
798
  msgstr ""
799
 
800
+ #: redirection-strings.php:244
801
+ msgid "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})"
802
  msgstr ""
803
 
804
+ #: redirection-strings.php:245
805
+ msgid "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})"
806
  msgstr ""
807
 
808
+ #: redirection-strings.php:246
809
+ msgid "Default query matching"
810
  msgstr ""
811
 
812
+ #: redirection-strings.php:248
813
+ msgid "Exact - matches the query parameters exactly defined in your source, in any order"
814
  msgstr ""
815
 
816
+ #: redirection-strings.php:249
817
+ msgid "Ignore - as exact, but ignores any query parameters not in your source"
818
  msgstr ""
819
 
820
+ #: redirection-strings.php:250
821
+ msgid "Pass - as ignore, but also copies the query parameters to the target"
822
  msgstr ""
823
 
824
+ #: redirection-strings.php:251
825
+ msgid "Auto-generate URL"
826
  msgstr ""
827
 
828
+ #: redirection-strings.php:252
829
+ msgid "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"
830
  msgstr ""
831
 
832
+ #: redirection-strings.php:254
833
+ 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}}."
834
  msgstr ""
835
 
836
+ #: redirection-strings.php:255
837
+ msgid "Unable to save .htaccess file"
838
  msgstr ""
839
 
840
+ #: redirection-strings.php:256
841
+ msgid "Redirect Cache"
842
  msgstr ""
843
 
844
+ #: redirection-strings.php:257
845
+ msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
846
  msgstr ""
847
 
848
+ #: redirection-strings.php:258, redirection-strings.php:575
849
+ msgid "REST API"
850
  msgstr ""
851
 
852
+ #: redirection-strings.php:259
853
+ msgid "How Redirection uses the REST API - don't change unless necessary"
854
  msgstr ""
855
 
856
+ #: redirection-strings.php:260, redirection-strings.php:319
857
+ msgid "Update"
858
  msgstr ""
859
 
860
+ #: redirection-strings.php:263, redirection-strings.php:280, redirection-strings.php:295
861
+ msgid "Match Type"
862
  msgstr ""
863
 
864
+ #: redirection-strings.php:264, redirection-strings.php:285, redirection-strings.php:296
865
+ msgid "Action Type"
866
  msgstr ""
867
 
868
+ #: redirection-strings.php:265
869
+ msgid "Code"
870
  msgstr ""
871
 
872
+ #: redirection-strings.php:266, redirection-strings.php:286, redirection-strings.php:475
873
+ msgid "Group"
874
  msgstr ""
875
 
876
+ #: redirection-strings.php:267
877
+ msgid "Pos"
878
  msgstr ""
879
 
880
+ #: redirection-strings.php:268, redirection-strings.php:282
881
+ msgid "Hits"
882
  msgstr ""
883
 
884
+ #: redirection-strings.php:269, redirection-strings.php:283
885
+ msgid "Last Access"
886
  msgstr ""
887
 
888
+ #: redirection-strings.php:273
889
+ msgid "Reset hits"
890
  msgstr ""
891
 
892
+ #: redirection-strings.php:274
893
+ msgid "Source"
894
  msgstr ""
895
 
896
+ #: redirection-strings.php:275
897
+ msgid "URL options"
898
  msgstr ""
899
 
900
+ #: redirection-strings.php:276, redirection-strings.php:482
901
+ msgid "Query Parameters"
902
  msgstr ""
903
 
904
+ #: redirection-strings.php:277, redirection-strings.php:488
905
+ msgid "Title"
906
  msgstr ""
907
 
908
+ #: redirection-strings.php:279
909
+ msgid "HTTP code"
910
  msgstr ""
911
 
912
+ #: redirection-strings.php:281, redirection-strings.php:481
913
+ msgid "Position"
914
  msgstr ""
915
 
916
+ #: redirection-strings.php:292
917
+ msgid "URL match"
918
  msgstr ""
919
 
920
+ #: redirection-strings.php:293
921
+ msgid "Regular Expression"
922
  msgstr ""
923
 
924
+ #: redirection-strings.php:294
925
+ msgid "Plain"
926
  msgstr ""
927
 
928
+ #: redirection-strings.php:297
929
+ msgid "HTTP Status Code"
930
  msgstr ""
931
 
932
+ #: redirection-strings.php:298
933
+ msgid "Last Accessed"
934
  msgstr ""
935
 
936
+ #: redirection-strings.php:299
937
+ msgid "Never accessed"
938
  msgstr ""
939
 
940
+ #: redirection-strings.php:300
941
+ msgid "Not accessed in last month"
942
  msgstr ""
943
 
944
+ #: redirection-strings.php:301
945
+ msgid "Not accessed in last year"
946
  msgstr ""
947
 
948
+ #: redirection-strings.php:304
949
+ msgid "Search title"
950
  msgstr ""
951
 
952
+ #: redirection-strings.php:305
953
+ msgid "Add new redirection"
954
  msgstr ""
955
 
956
+ #: redirection-strings.php:307
957
+ msgid "All groups"
958
  msgstr ""
959
 
960
+ #: redirection-strings.php:313
961
+ msgid "Check Redirect"
962
  msgstr ""
963
 
964
+ #: redirection-strings.php:314
965
+ msgid "pass"
966
  msgstr ""
967
 
968
+ #: redirection-strings.php:315
969
+ msgid "Exact Query"
970
  msgstr ""
971
 
972
+ #: redirection-strings.php:316
973
+ msgid "Ignore Query"
974
  msgstr ""
975
 
976
+ #: redirection-strings.php:317
977
+ msgid "Ignore & Pass Query"
978
  msgstr ""
979
 
980
+ #: redirection-strings.php:318
981
+ msgid "Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes."
982
  msgstr ""
983
 
984
+ #: redirection-strings.php:320
985
+ msgid "Database version"
986
  msgstr ""
987
 
988
+ #: redirection-strings.php:321
989
+ msgid "Do not change unless advised to do so!"
990
  msgstr ""
991
 
992
+ #: redirection-strings.php:323
993
+ msgid "IP Headers"
994
  msgstr ""
995
 
996
+ #: redirection-strings.php:324
997
+ msgid "Need help?"
998
+ msgstr ""
 
 
999
 
1000
+ #: redirection-strings.php:325
1001
+ msgid "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."
1002
  msgstr ""
1003
 
1004
+ #: redirection-strings.php:326
1005
+ msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
1006
  msgstr ""
1007
 
1008
+ #: redirection-strings.php:327
1009
+ msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
1010
  msgstr ""
1011
 
1012
+ #: redirection-strings.php:328
1013
+ msgid "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!"
1014
  msgstr ""
1015
 
1016
+ #: redirection-strings.php:329, redirection-strings.php:338
1017
+ msgid "Unable to load details"
1018
  msgstr ""
1019
 
1020
+ #: redirection-strings.php:330
1021
+ msgid "URL is being redirected with Redirection"
1022
  msgstr ""
1023
 
1024
+ #: redirection-strings.php:331
1025
+ msgid "URL is not being redirected with Redirection"
1026
  msgstr ""
1027
 
1028
+ #: redirection-strings.php:333
1029
+ msgid "Redirect Tester"
1030
  msgstr ""
1031
 
1032
+ #: redirection-strings.php:334
1033
+ 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."
1034
  msgstr ""
1035
 
1036
+ #: redirection-strings.php:336
1037
+ msgid "Enter full URL, including http:// or https://"
1038
  msgstr ""
1039
 
1040
+ #: redirection-strings.php:337
1041
+ msgid "Check"
1042
  msgstr ""
1043
 
1044
+ #: redirection-strings.php:339
1045
+ msgid "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."
1046
  msgstr ""
1047
 
1048
+ #: redirection-strings.php:340
1049
+ msgid "⚡️ Magic fix ⚡️"
1050
  msgstr ""
1051
 
1052
+ #: redirection-strings.php:341, redirection-strings.php:507
1053
+ msgid "Good"
1054
  msgstr ""
1055
 
1056
+ #: redirection-strings.php:342
1057
+ msgid "Problem"
1058
  msgstr ""
1059
 
1060
+ #: redirection-strings.php:343
1061
+ msgid "WordPress REST API"
1062
  msgstr ""
1063
 
1064
+ #: redirection-strings.php:344
1065
+ 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."
1066
  msgstr ""
1067
 
1068
+ #: redirection-strings.php:345
1069
+ msgid "Plugin Status"
1070
  msgstr ""
1071
 
1072
+ #: redirection-strings.php:346
1073
+ msgid "Plugin Debug"
1074
  msgstr ""
1075
 
1076
+ #: redirection-strings.php:347
1077
+ msgid "This information is provided for debugging purposes. Be careful making any changes."
1078
  msgstr ""
1079
 
1080
+ #: redirection-strings.php:348
1081
+ 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."
1082
  msgstr ""
1083
 
1084
+ #: redirection-strings.php:349
1085
+ msgid "Database problem"
1086
  msgstr ""
1087
 
1088
+ #: redirection-strings.php:350
1089
+ msgid "Try again"
1090
  msgstr ""
1091
 
1092
+ #: redirection-strings.php:351
1093
+ msgid "Skip this stage"
1094
  msgstr ""
1095
 
1096
+ #: redirection-strings.php:352
1097
+ msgid "Stop upgrade"
1098
  msgstr ""
1099
 
1100
+ #: redirection-strings.php:353
1101
+ msgid "If you want to {{support}}ask for support{{/support}} please include these details:"
1102
  msgstr ""
1103
 
1104
+ #: redirection-strings.php:354
1105
+ msgid "Please remain on this page until complete."
1106
  msgstr ""
1107
 
1108
+ #: redirection-strings.php:355
1109
+ msgid "Upgrading Redirection"
1110
  msgstr ""
1111
 
1112
+ #: redirection-strings.php:356
1113
+ msgid "Setting up Redirection"
1114
  msgstr ""
1115
 
1116
+ #: redirection-strings.php:357, redirection-strings.php:595
1117
+ msgid "Manual Install"
1118
  msgstr ""
1119
 
1120
+ #: redirection-strings.php:359
1121
+ msgid "Click \"Finished! 🎉\" when finished."
1122
  msgstr ""
1123
 
1124
+ #: redirection-strings.php:360, redirection-strings.php:364
1125
+ msgid "Finished! 🎉"
1126
  msgstr ""
1127
 
1128
+ #: redirection-strings.php:361
1129
+ msgid "If you do not complete the manual install you will be returned here."
1130
  msgstr ""
1131
 
1132
+ #: redirection-strings.php:362
1133
+ msgid "Leaving before the process has completed may cause problems."
1134
  msgstr ""
1135
 
1136
+ #: redirection-strings.php:363
1137
+ msgid "Progress: %(complete)d$"
1138
  msgstr ""
1139
 
1140
+ #: redirection-strings.php:365
1141
+ msgid "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."
1142
  msgstr ""
1143
 
1144
+ #: redirection-strings.php:366
1145
+ msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
1146
  msgstr ""
1147
 
1148
+ #: redirection-strings.php:367, redirection-strings.php:369, redirection-strings.php:371, redirection-strings.php:374, redirection-strings.php:379
1149
+ msgid "Read this REST API guide for more information."
1150
  msgstr ""
1151
 
1152
+ #: redirection-strings.php:368
1153
+ msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
1154
  msgstr ""
1155
 
1156
+ #: redirection-strings.php:370
1157
+ msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
1158
  msgstr ""
1159
 
1160
+ #: redirection-strings.php:372
1161
+ msgid "Your server has rejected the request for being too big. You will need to change it to continue."
1162
  msgstr ""
1163
 
1164
+ #: redirection-strings.php:373
1165
+ 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"
1166
  msgstr ""
1167
 
1168
+ #: redirection-strings.php:375
1169
+ msgid "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
1170
  msgstr ""
1171
 
1172
+ #: redirection-strings.php:376
1173
+ msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
1174
  msgstr ""
1175
 
1176
+ #: redirection-strings.php:377
1177
+ msgid "Possible cause"
1178
  msgstr ""
1179
 
1180
+ #: redirection-strings.php:378
1181
+ 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."
1182
  msgstr ""
1183
 
1184
+ #: redirection-strings.php:380
1185
+ msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
1186
  msgstr ""
1187
 
1188
+ #: redirection-strings.php:381
1189
+ msgid "Create An Issue"
1190
  msgstr ""
1191
 
1192
+ #: redirection-strings.php:382
1193
+ msgid "Email"
1194
  msgstr ""
1195
 
1196
+ #: redirection-strings.php:383
1197
+ msgid "Include these details in your report along with a description of what you were doing and a screenshot."
1198
  msgstr ""
1199
 
1200
+ #: redirection-strings.php:384
1201
+ msgid "You are not authorised to access this page."
1202
  msgstr ""
1203
 
1204
+ #: redirection-strings.php:385
1205
+ msgid "This is usually fixed by doing one of these:"
1206
  msgstr ""
1207
 
1208
+ #: redirection-strings.php:386
1209
+ msgid "Reload the page - your current session is old."
1210
  msgstr ""
1211
 
1212
+ #: redirection-strings.php:387
1213
+ msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
1214
  msgstr ""
1215
 
1216
+ #: redirection-strings.php:388
1217
+ msgid "Your admin pages are being cached. Clear this cache and try again."
1218
  msgstr ""
1219
 
1220
+ #: redirection-strings.php:389
1221
+ msgid "The problem is almost certainly caused by one of the above."
1222
  msgstr ""
1223
 
1224
+ #: redirection-strings.php:390, redirection-strings.php:397
1225
+ msgid "That didn't help"
1226
  msgstr ""
1227
 
1228
+ #: redirection-strings.php:392
1229
+ msgid "What do I do next?"
1230
  msgstr ""
1231
 
1232
+ #: redirection-strings.php:393
1233
+ msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
1234
  msgstr ""
1235
 
1236
+ #: redirection-strings.php:394
1237
+ msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
1238
  msgstr ""
1239
 
1240
+ #: redirection-strings.php:395
1241
+ msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
1242
  msgstr ""
1243
 
1244
+ #: redirection-strings.php:396
1245
+ msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
1246
  msgstr ""
1247
 
1248
+ #: redirection-strings.php:398
1249
+ msgid "Geo IP Error"
1250
  msgstr ""
1251
 
1252
+ #: redirection-strings.php:399, redirection-strings.php:418, redirection-strings.php:534
1253
+ msgid "Something went wrong obtaining this information"
1254
  msgstr ""
1255
 
1256
+ #: redirection-strings.php:400, redirection-strings.php:402, redirection-strings.php:404
1257
+ msgid "Geo IP"
1258
  msgstr ""
1259
 
1260
+ #: redirection-strings.php:401
1261
+ msgid "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."
1262
  msgstr ""
1263
 
1264
+ #: redirection-strings.php:403
1265
+ msgid "No details are known for this address."
1266
  msgstr ""
1267
 
1268
+ #: redirection-strings.php:405
1269
+ msgid "City"
1270
  msgstr ""
1271
 
1272
+ #: redirection-strings.php:406
1273
+ msgid "Area"
1274
  msgstr ""
1275
 
1276
+ #: redirection-strings.php:407
1277
+ msgid "Timezone"
1278
  msgstr ""
1279
 
1280
+ #: redirection-strings.php:408
1281
+ msgid "Geo Location"
1282
  msgstr ""
1283
 
1284
+ #: redirection-strings.php:409
1285
+ msgid "Expected"
1286
  msgstr ""
1287
 
1288
+ #: redirection-strings.php:410
1289
+ msgid "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}"
1290
  msgstr ""
1291
 
1292
+ #: redirection-strings.php:411
1293
+ msgid "Found"
1294
  msgstr ""
1295
 
1296
+ #: redirection-strings.php:412
1297
+ msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
1298
  msgstr ""
1299
 
1300
+ #: redirection-strings.php:413, redirection-strings.php:541
1301
+ msgid "Agent"
1302
  msgstr ""
1303
 
1304
+ #: redirection-strings.php:414
1305
+ msgid "Using Redirection"
1306
  msgstr ""
1307
 
1308
+ #: redirection-strings.php:415
1309
+ msgid "Not using Redirection"
1310
  msgstr ""
1311
 
1312
+ #: redirection-strings.php:416
1313
+ msgid "What does this mean?"
1314
  msgstr ""
1315
 
1316
+ #: redirection-strings.php:417
1317
+ msgid "Error"
1318
  msgstr ""
1319
 
1320
+ #: redirection-strings.php:419
1321
+ msgid "Check redirect for: {{code}}%s{{/code}}"
1322
  msgstr ""
1323
 
1324
+ #: redirection-strings.php:423
1325
+ msgid "Log"
1326
  msgstr ""
1327
 
1328
+ #: redirection-strings.php:424
1329
+ msgid "404s"
1330
  msgstr ""
1331
 
1332
+ #: redirection-strings.php:428
1333
+ msgid "View notice"
1334
  msgstr ""
1335
 
1336
+ #: redirection-strings.php:429
1337
+ msgid "Powered by {{link}}redirect.li{{/link}}"
1338
  msgstr ""
1339
 
1340
+ #: redirection-strings.php:430, redirection-strings.php:431
1341
+ msgid "Saving..."
1342
  msgstr ""
1343
 
1344
+ #: redirection-strings.php:432
1345
+ msgid "with HTTP code"
1346
  msgstr ""
1347
 
1348
+ #: redirection-strings.php:433, matches/url.php:7
1349
+ msgid "URL only"
1350
  msgstr ""
1351
 
1352
+ #: redirection-strings.php:434, matches/login.php:8
1353
+ msgid "URL and login status"
1354
  msgstr ""
1355
 
1356
+ #: redirection-strings.php:435, matches/user-role.php:9
1357
+ msgid "URL and role/capability"
1358
  msgstr ""
1359
 
1360
+ #: redirection-strings.php:436, matches/referrer.php:10
1361
+ msgid "URL and referrer"
1362
  msgstr ""
1363
 
1364
+ #: redirection-strings.php:437, matches/user-agent.php:10
1365
+ msgid "URL and user agent"
1366
  msgstr ""
1367
 
1368
+ #: redirection-strings.php:438, matches/cookie.php:7
1369
+ msgid "URL and cookie"
1370
  msgstr ""
1371
 
1372
+ #: redirection-strings.php:439, matches/ip.php:9
1373
+ msgid "URL and IP"
1374
  msgstr ""
1375
 
1376
+ #: redirection-strings.php:440, matches/server.php:9
1377
+ msgid "URL and server"
1378
  msgstr ""
1379
 
1380
+ #: redirection-strings.php:441, matches/http-header.php:11
1381
+ msgid "URL and HTTP header"
1382
  msgstr ""
1383
 
1384
+ #: redirection-strings.php:442, matches/custom-filter.php:9
1385
+ msgid "URL and custom filter"
1386
  msgstr ""
1387
 
1388
+ #: redirection-strings.php:443, matches/page.php:9
1389
+ msgid "URL and WordPress page type"
1390
  msgstr ""
1391
 
1392
+ #: redirection-strings.php:444, matches/language.php:9
1393
+ msgid "URL and language"
1394
  msgstr ""
1395
 
1396
+ #: redirection-strings.php:445
1397
+ msgid "Redirect to URL"
1398
  msgstr ""
1399
 
1400
+ #: redirection-strings.php:446
1401
+ msgid "Redirect to random post"
1402
  msgstr ""
1403
 
1404
+ #: redirection-strings.php:447
1405
+ msgid "Pass-through"
1406
  msgstr ""
1407
 
1408
+ #: redirection-strings.php:448
1409
+ msgid "Error (404)"
1410
  msgstr ""
1411
 
1412
+ #: redirection-strings.php:449
1413
+ msgid "Do nothing (ignore)"
1414
  msgstr ""
1415
 
1416
+ #: redirection-strings.php:450
1417
+ msgid "301 - Moved Permanently"
1418
  msgstr ""
1419
 
1420
+ #: redirection-strings.php:451
1421
+ msgid "302 - Found"
1422
  msgstr ""
1423
 
1424
+ #: redirection-strings.php:452
1425
+ msgid "303 - See Other"
1426
  msgstr ""
1427
 
1428
+ #: redirection-strings.php:453
1429
+ msgid "304 - Not Modified"
1430
  msgstr ""
1431
 
1432
+ #: redirection-strings.php:454
1433
+ msgid "307 - Temporary Redirect"
1434
  msgstr ""
1435
 
1436
+ #: redirection-strings.php:455
1437
+ msgid "308 - Permanent Redirect"
1438
  msgstr ""
1439
 
1440
+ #: redirection-strings.php:456
1441
+ msgid "400 - Bad Request"
1442
  msgstr ""
1443
 
1444
+ #: redirection-strings.php:457
1445
+ msgid "401 - Unauthorized"
1446
  msgstr ""
1447
 
1448
+ #: redirection-strings.php:458
1449
+ msgid "403 - Forbidden"
1450
  msgstr ""
1451
 
1452
+ #: redirection-strings.php:459
1453
+ msgid "404 - Not Found"
1454
  msgstr ""
1455
 
1456
+ #: redirection-strings.php:460
1457
+ msgid "410 - Gone"
1458
  msgstr ""
1459
 
1460
+ #: redirection-strings.php:461
1461
+ msgid "418 - I'm a teapot"
1462
  msgstr ""
1463
 
1464
+ #: redirection-strings.php:462
1465
+ msgid "451 - Unavailable For Legal Reasons"
1466
  msgstr ""
1467
 
1468
+ #: redirection-strings.php:463
1469
+ msgid "500 - Internal Server Error"
1470
  msgstr ""
1471
 
1472
+ #: redirection-strings.php:464
1473
+ msgid "501 - Not implemented"
1474
  msgstr ""
1475
 
1476
+ #: redirection-strings.php:465
1477
+ msgid "502 - Bad Gateway"
1478
  msgstr ""
1479
 
1480
+ #: redirection-strings.php:466
1481
+ msgid "503 - Service Unavailable"
1482
  msgstr ""
1483
 
1484
+ #: redirection-strings.php:467
1485
+ msgid "504 - Gateway Timeout"
1486
  msgstr ""
1487
 
1488
+ #: redirection-strings.php:468, redirection-strings.php:648, redirection-strings.php:652, redirection-strings.php:660, redirection-strings.php:671
1489
+ msgid "Regex"
1490
  msgstr ""
1491
 
1492
+ #: redirection-strings.php:469
1493
+ msgid "Ignore Slash"
1494
  msgstr ""
1495
 
1496
+ #: redirection-strings.php:470
1497
+ msgid "Ignore Case"
1498
  msgstr ""
1499
 
1500
+ #: redirection-strings.php:471
1501
+ msgid "Exact match all parameters in any order"
1502
  msgstr ""
1503
 
1504
+ #: redirection-strings.php:472
1505
+ msgid "Ignore all parameters"
1506
  msgstr ""
1507
 
1508
+ #: redirection-strings.php:473
1509
+ msgid "Ignore & pass parameters to the target"
1510
  msgstr ""
1511
 
1512
+ #: redirection-strings.php:474
1513
+ msgid "When matched"
1514
  msgstr ""
1515
 
1516
+ #: redirection-strings.php:479
1517
+ msgid "Show advanced options"
1518
  msgstr ""
1519
 
1520
+ #: redirection-strings.php:480
1521
+ msgid "Match"
1522
  msgstr ""
1523
 
1524
+ #: redirection-strings.php:485
1525
+ msgid "The relative URL you want to redirect from"
1526
  msgstr ""
1527
 
1528
+ #: redirection-strings.php:486
1529
+ msgid "URL options / Regex"
1530
  msgstr ""
1531
 
1532
+ #: redirection-strings.php:487
1533
+ msgid "The target URL you want to redirect, or auto-complete on post name or permalink."
1534
  msgstr ""
1535
 
1536
+ #: redirection-strings.php:489
1537
+ msgid "Describe the purpose of this redirect (optional)"
1538
  msgstr ""
1539
 
1540
+ #: redirection-strings.php:490
1541
+ msgid "Anchor values are not sent to the server and cannot be redirected."
1542
  msgstr ""
1543
 
1544
+ #: redirection-strings.php:491
1545
+ msgid "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}."
1546
  msgstr ""
1547
 
1548
+ #: redirection-strings.php:492
1549
+ msgid "The source URL should probably start with a {{code}}/{{/code}}"
1550
  msgstr ""
1551
 
1552
+ #: redirection-strings.php:493
1553
+ msgid "Remember to enable the \"regex\" option if this is a regular expression."
1554
  msgstr ""
1555
 
1556
+ #: redirection-strings.php:494
1557
+ msgid "WordPress permalink structures do not work in normal URLs. Please use a regular expression."
1558
  msgstr ""
1559
 
1560
+ #: redirection-strings.php:495
1561
+ 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}}"
1562
  msgstr ""
1563
 
1564
+ #: redirection-strings.php:496
1565
+ msgid "If you want to redirect everything please use a site relocation or alias from the Site page."
1566
  msgstr ""
1567
 
1568
+ #: redirection-strings.php:497
1569
+ 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."
1570
  msgstr ""
1571
 
1572
+ #: redirection-strings.php:498
1573
+ 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}}."
1574
  msgstr ""
1575
 
1576
+ #: redirection-strings.php:499
1577
+ msgid "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}"
1578
  msgstr ""
1579
 
1580
+ #: redirection-strings.php:500
1581
+ 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?"
1582
  msgstr ""
1583
 
1584
+ #: redirection-strings.php:501
1585
+ msgid "Some servers may be configured to serve file resources directly, preventing a redirect occurring."
1586
  msgstr ""
1587
 
1588
+ #: redirection-strings.php:502
1589
+ msgid "Working!"
1590
  msgstr ""
1591
 
1592
+ #: redirection-strings.php:503
1593
+ msgid "Show Full"
1594
  msgstr ""
1595
 
1596
+ #: redirection-strings.php:504
1597
+ msgid "Hide"
1598
  msgstr ""
1599
 
1600
+ #: redirection-strings.php:505
1601
+ msgid "Switch to this API"
1602
  msgstr ""
1603
 
1604
+ #: redirection-strings.php:506
1605
+ msgid "Current API"
1606
  msgstr ""
1607
 
1608
+ #: redirection-strings.php:508
1609
+ msgid "Working but some issues"
1610
  msgstr ""
1611
 
1612
+ #: redirection-strings.php:509
1613
+ msgid "Not working but fixable"
1614
  msgstr ""
1615
 
1616
+ #: redirection-strings.php:510
1617
+ msgid "Unavailable"
1618
  msgstr ""
1619
 
1620
+ #: redirection-strings.php:511
1621
+ 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."
1622
  msgstr ""
1623
 
1624
+ #: redirection-strings.php:512
1625
+ msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
1626
  msgstr ""
1627
 
1628
+ #: redirection-strings.php:513
1629
+ msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
1630
  msgstr ""
1631
 
1632
+ #: redirection-strings.php:514
1633
+ msgid "Summary"
1634
  msgstr ""
1635
 
1636
+ #: redirection-strings.php:515
1637
+ msgid "Show Problems"
1638
  msgstr ""
1639
 
1640
+ #: redirection-strings.php:516
1641
+ msgid "Testing - %s$"
1642
  msgstr ""
1643
 
1644
+ #: redirection-strings.php:517
1645
+ msgid "Check Again"
1646
  msgstr ""
1647
 
1648
+ #: redirection-strings.php:518, redirection-strings.php:528
1649
+ msgid "Apply"
1650
  msgstr ""
1651
 
1652
+ #: redirection-strings.php:519
1653
+ msgid "First page"
1654
  msgstr ""
1655
 
1656
+ #: redirection-strings.php:520
1657
+ msgid "Prev page"
1658
  msgstr ""
1659
 
1660
+ #: redirection-strings.php:521
1661
+ msgid "Current Page"
1662
  msgstr ""
1663
 
1664
+ #: redirection-strings.php:522
1665
+ msgid "of %(page)s"
1666
  msgstr ""
1667
 
1668
+ #: redirection-strings.php:523
1669
+ msgid "Next page"
1670
+ msgstr ""
1671
+
1672
+ #: redirection-strings.php:524
1673
+ msgid "Last page"
1674
+ msgstr ""
1675
+
1676
+ #: redirection-strings.php:525
1677
+ msgid "%s item"
1678
+ msgid_plural "%s items"
1679
+ msgstr[0] ""
1680
+ msgstr[1] ""
1681
+
1682
+ #: redirection-strings.php:526
1683
+ msgid "Select bulk action"
1684
+ msgstr ""
1685
+
1686
+ #: redirection-strings.php:527
1687
+ msgid "Bulk Actions"
1688
+ msgstr ""
1689
+
1690
+ #: redirection-strings.php:529
1691
+ msgid "Display All"
1692
+ msgstr ""
1693
+
1694
+ #: redirection-strings.php:530
1695
+ msgid "Custom Display"
1696
+ msgstr ""
1697
+
1698
+ #: redirection-strings.php:531
1699
+ msgid "Pre-defined"
1700
  msgstr ""
1701
 
1702
+ #: redirection-strings.php:532, redirection-strings.php:644, redirection-strings.php:658
1703
+ msgid "Custom"
1704
  msgstr ""
1705
 
1706
+ #: redirection-strings.php:533
1707
+ msgid "Useragent Error"
1708
  msgstr ""
1709
 
1710
+ #: redirection-strings.php:535
1711
+ msgid "Unknown Useragent"
1712
  msgstr ""
1713
 
1714
+ #: redirection-strings.php:536
1715
+ msgid "Device"
1716
  msgstr ""
1717
 
1718
+ #: redirection-strings.php:537
1719
+ msgid "Operating System"
1720
  msgstr ""
1721
 
1722
+ #: redirection-strings.php:538
1723
+ msgid "Browser"
1724
  msgstr ""
1725
 
1726
+ #: redirection-strings.php:539
1727
+ msgid "Engine"
1728
  msgstr ""
1729
 
1730
+ #: redirection-strings.php:540
1731
+ msgid "Useragent"
1732
  msgstr ""
1733
 
1734
+ #: redirection-strings.php:542
1735
+ msgid "Welcome to Redirection 🚀🎉"
1736
  msgstr ""
1737
 
1738
+ #: redirection-strings.php:543
1739
+ 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."
1740
  msgstr ""
1741
 
1742
+ #: redirection-strings.php:544
1743
+ msgid "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects."
1744
  msgstr ""
1745
 
1746
+ #: redirection-strings.php:545
1747
+ msgid "How do I use this plugin?"
1748
  msgstr ""
1749
 
1750
+ #: redirection-strings.php:546
1751
+ 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:"
1752
  msgstr ""
1753
 
1754
+ #: redirection-strings.php:548
1755
+ msgid "(Example) The source URL is your old or original URL"
1756
  msgstr ""
1757
 
1758
+ #: redirection-strings.php:550
1759
+ msgid "(Example) The target URL is the new URL"
1760
  msgstr ""
1761
 
1762
+ #: redirection-strings.php:551
1763
+ msgid "That's all there is to it - you are now redirecting! Note that the above is just an example."
1764
  msgstr ""
1765
 
1766
+ #: redirection-strings.php:552
1767
+ msgid "Full documentation can be found on the {{link}}Redirection website.{{/link}}"
1768
  msgstr ""
1769
 
1770
+ #: redirection-strings.php:553
1771
+ msgid "Some features you may find useful are"
1772
  msgstr ""
1773
 
1774
+ #: redirection-strings.php:554
1775
+ msgid "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems"
1776
  msgstr ""
1777
 
1778
+ #: redirection-strings.php:555
1779
+ msgid "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins"
1780
  msgstr ""
1781
 
1782
+ #: redirection-strings.php:556
1783
+ msgid "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}"
1784
  msgstr ""
1785
 
1786
+ #: redirection-strings.php:557
1787
+ msgid "Check a URL is being redirected"
1788
  msgstr ""
1789
 
1790
+ #: redirection-strings.php:558
1791
+ msgid "What's next?"
1792
  msgstr ""
1793
 
1794
+ #: redirection-strings.php:559
1795
+ msgid "First you will be asked a few questions, and then Redirection will set up your database."
1796
  msgstr ""
1797
 
1798
+ #: redirection-strings.php:560
1799
+ msgid "When ready please press the button to continue."
1800
  msgstr ""
1801
 
1802
+ #: redirection-strings.php:561
1803
+ msgid "Start Setup"
1804
  msgstr ""
1805
 
1806
  #: redirection-strings.php:562
1807
+ msgid "Basic Setup"
1808
  msgstr ""
1809
 
1810
  #: redirection-strings.php:563
1811
+ msgid "These are some options you may want to enable now. They can be changed at any time."
1812
  msgstr ""
1813
 
1814
  #: redirection-strings.php:564
1815
+ msgid "Monitor permalink changes in WordPress posts and pages"
1816
  msgstr ""
1817
 
1818
  #: redirection-strings.php:565
1819
+ msgid "If you change the permalink in a post or page then Redirection can automatically create a redirect for you."
1820
  msgstr ""
1821
 
1822
+ #: redirection-strings.php:566, redirection-strings.php:569, redirection-strings.php:572
1823
+ msgid "{{link}}Read more about this.{{/link}}"
1824
  msgstr ""
1825
 
1826
+ #: redirection-strings.php:567
1827
+ msgid "Keep a log of all redirects and 404 errors."
1828
  msgstr ""
1829
 
1830
+ #: redirection-strings.php:568
1831
+ 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."
1832
  msgstr ""
1833
 
1834
  #: redirection-strings.php:570
1835
+ msgid "Store IP information for redirects and 404 errors."
1836
  msgstr ""
1837
 
1838
+ #: redirection-strings.php:571
1839
+ 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)."
1840
  msgstr ""
1841
 
1842
  #: redirection-strings.php:573
1843
+ msgid "Continue Setup"
 
 
 
 
1844
  msgstr ""
1845
 
1846
+ #: redirection-strings.php:574, redirection-strings.php:585
1847
+ msgid "Go back"
1848
  msgstr ""
1849
 
1850
  #: redirection-strings.php:576
1851
+ 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:"
1852
  msgstr ""
1853
 
1854
  #: redirection-strings.php:577
1855
+ msgid "A security plugin (e.g Wordfence)"
1856
  msgstr ""
1857
 
1858
  #: redirection-strings.php:578
1859
+ msgid "A server firewall or other server configuration (e.g OVH)"
1860
  msgstr ""
1861
 
1862
  #: redirection-strings.php:579
1863
+ msgid "Caching software (e.g Cloudflare)"
1864
  msgstr ""
1865
 
1866
  #: redirection-strings.php:580
1867
+ msgid "Some other plugin that blocks the REST API"
1868
  msgstr ""
1869
 
1870
  #: redirection-strings.php:581
1871
+ 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}}."
1872
+ msgstr ""
1873
+
1874
+ #: redirection-strings.php:582
1875
+ 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."
1876
  msgstr ""
1877
 
1878
  #: redirection-strings.php:583
1879
+ msgid "You will need at least one working REST API to continue."
1880
  msgstr ""
1881
 
1882
  #: redirection-strings.php:584
1883
+ msgid "Finish Setup"
1884
  msgstr ""
1885
 
1886
+ #: redirection-strings.php:586, redirection-strings.php:591
1887
+ msgid "Import Existing Redirects"
1888
  msgstr ""
1889
 
1890
  #: redirection-strings.php:587
1891
+ 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."
1892
  msgstr ""
1893
 
1894
  #: redirection-strings.php:588
1895
+ msgid "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them."
1896
  msgstr ""
1897
 
1898
  #: redirection-strings.php:589
1899
+ msgid "The following plugins have been detected."
1900
  msgstr ""
1901
 
1902
  #: redirection-strings.php:590
1903
+ msgid "Continue"
 
 
 
 
1904
  msgstr ""
1905
 
1906
+ #: redirection-strings.php:592
1907
+ msgid "Please wait, importing."
1908
  msgstr ""
1909
 
1910
  #: redirection-strings.php:593
1911
+ msgid "Redirection"
1912
  msgstr ""
1913
 
1914
  #: redirection-strings.php:594
1915
+ msgid "I need support!"
1916
  msgstr ""
1917
 
1918
  #: redirection-strings.php:596
1919
+ msgid "Automatic Install"
1920
  msgstr ""
1921
 
1922
  #: redirection-strings.php:597
1923
+ msgid "Redirection saved"
1924
+ msgstr ""
1925
+
1926
+ #: redirection-strings.php:598
1927
+ msgid "Log deleted"
1928
  msgstr ""
1929
 
1930
  #: redirection-strings.php:599
1931
+ msgid "Settings saved"
1932
  msgstr ""
1933
 
1934
  #: redirection-strings.php:600
1935
+ msgid "Group saved"
1936
+ msgstr ""
1937
+
1938
+ #: redirection-strings.php:601
1939
+ msgid "404 deleted"
1940
  msgstr ""
1941
 
1942
  #: redirection-strings.php:602
1943
+ msgid "Site Aliases"
1944
  msgstr ""
1945
 
1946
  #: redirection-strings.php:603
1947
+ 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."
1948
+ msgstr ""
1949
+
1950
+ #: redirection-strings.php:604
1951
+ msgid "You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install."
1952
  msgstr ""
1953
 
1954
  #: redirection-strings.php:605
1955
+ msgid "Aliased Domain"
1956
  msgstr ""
1957
 
1958
  #: redirection-strings.php:606
1959
+ msgid "Alias"
1960
  msgstr ""
1961
 
1962
  #: redirection-strings.php:607
1963
+ msgid "No aliases"
1964
  msgstr ""
1965
 
1966
  #: redirection-strings.php:608
1967
+ msgid "Add Alias"
1968
  msgstr ""
1969
 
1970
  #: redirection-strings.php:609
1971
+ msgid "Don't set a preferred domain - {{code}}%(site)s{{/code}}"
1972
  msgstr ""
1973
 
1974
  #: redirection-strings.php:610
1975
+ msgid "Remove www from domain - {{code}}%(siteWWW)s{{/code}} {{code}}%(site)s{{/code}}"
1976
  msgstr ""
1977
 
1978
  #: redirection-strings.php:611
1979
+ msgid "Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}"
1980
  msgstr ""
1981
 
1982
  #: redirection-strings.php:612
1983
+ msgid "Canonical Settings"
1984
  msgstr ""
1985
 
1986
  #: redirection-strings.php:613
1987
+ msgid "Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}"
1988
  msgstr ""
1989
 
1990
  #: redirection-strings.php:614
1991
+ msgid "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect."
1992
  msgstr ""
1993
 
1994
  #: redirection-strings.php:615
1995
+ msgid "Preferred domain"
1996
  msgstr ""
1997
 
1998
  #: redirection-strings.php:616
1999
+ msgid "You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}"
2000
+ msgstr ""
2001
+
2002
+ #: redirection-strings.php:618
2003
+ msgid "Redirect"
2004
+ msgstr ""
2005
+
2006
+ #: redirection-strings.php:619
2007
+ msgid "General"
2008
+ msgstr ""
2009
+
2010
+ #: redirection-strings.php:620
2011
+ msgid "Custom Header"
2012
+ msgstr ""
2013
+
2014
+ #: redirection-strings.php:621
2015
+ msgid "Add Header"
2016
+ msgstr ""
2017
+
2018
+ #: redirection-strings.php:622
2019
+ msgid "Add Security Presets"
2020
+ msgstr ""
2021
+
2022
+ #: redirection-strings.php:623
2023
+ msgid "Add CORS Presets"
2024
+ msgstr ""
2025
+
2026
+ #: redirection-strings.php:624
2027
+ msgid "HTTP Headers"
2028
+ msgstr ""
2029
+
2030
+ #: redirection-strings.php:625
2031
+ msgid "Site headers are added across your site, including redirects. Redirect headers are only added to redirects."
2032
+ msgstr ""
2033
+
2034
+ #: redirection-strings.php:626
2035
+ msgid "Location"
2036
+ msgstr ""
2037
+
2038
+ #: redirection-strings.php:627
2039
+ msgid "Header"
2040
+ msgstr ""
2041
+
2042
+ #: redirection-strings.php:628
2043
+ msgid "No headers"
2044
+ msgstr ""
2045
+
2046
+ #: redirection-strings.php:629
2047
+ msgid "Note that some HTTP headers are set by your server and cannot be changed."
2048
+ msgstr ""
2049
+
2050
+ #: redirection-strings.php:630
2051
+ msgid "Relocate Site"
2052
+ msgstr ""
2053
+
2054
+ #: redirection-strings.php:631
2055
+ 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."
2056
+ msgstr ""
2057
+
2058
+ #: redirection-strings.php:632
2059
+ msgid "Relocate to domain"
2060
+ msgstr ""
2061
+
2062
+ #: redirection-strings.php:633
2063
  msgid "Logged In"
2064
  msgstr ""
2065
 
2066
+ #: redirection-strings.php:634, redirection-strings.php:638
2067
  msgid "Target URL when matched (empty to ignore)"
2068
  msgstr ""
2069
 
2070
+ #: redirection-strings.php:635
2071
  msgid "Logged Out"
2072
  msgstr ""
2073
 
2074
+ #: redirection-strings.php:636, redirection-strings.php:640
2075
  msgid "Target URL when not matched (empty to ignore)"
2076
  msgstr ""
2077
 
2078
+ #: redirection-strings.php:637
2079
  msgid "Matched Target"
2080
  msgstr ""
2081
 
2082
+ #: redirection-strings.php:639
2083
  msgid "Unmatched Target"
2084
  msgstr ""
2085
 
2086
+ #: redirection-strings.php:643
2087
  msgid "Match against this browser user agent"
2088
  msgstr ""
2089
 
2090
+ #: redirection-strings.php:645
2091
  msgid "Mobile"
2092
  msgstr ""
2093
 
2094
+ #: redirection-strings.php:646
2095
  msgid "Feed Readers"
2096
  msgstr ""
2097
 
2098
+ #: redirection-strings.php:647
2099
  msgid "Libraries"
2100
  msgstr ""
2101
 
2102
+ #: redirection-strings.php:649
2103
  msgid "Cookie"
2104
  msgstr ""
2105
 
2106
+ #: redirection-strings.php:650
2107
  msgid "Cookie name"
2108
  msgstr ""
2109
 
2110
+ #: redirection-strings.php:651
2111
  msgid "Cookie value"
2112
  msgstr ""
2113
 
2114
+ #: redirection-strings.php:653
2115
  msgid "Filter Name"
2116
  msgstr ""
2117
 
2118
+ #: redirection-strings.php:654
2119
  msgid "WordPress filter name"
2120
  msgstr ""
2121
 
2122
+ #: redirection-strings.php:655
2123
  msgid "HTTP Header"
2124
  msgstr ""
2125
 
2126
+ #: redirection-strings.php:656
2127
  msgid "Header name"
2128
  msgstr ""
2129
 
2130
+ #: redirection-strings.php:657
2131
  msgid "Header value"
2132
  msgstr ""
2133
 
2134
+ #: redirection-strings.php:659
2135
  msgid "Accept Language"
2136
  msgstr ""
2137
 
2138
+ #: redirection-strings.php:661
2139
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
2140
  msgstr ""
2141
 
2142
+ #: redirection-strings.php:663
2143
  msgid "Enter IP addresses (one per line)"
2144
  msgstr ""
2145
 
2146
+ #: redirection-strings.php:664
2147
  msgid "Language"
2148
  msgstr ""
2149
 
2150
+ #: redirection-strings.php:665
2151
  msgid "Comma separated list of languages to match against (i.e. da, en-GB)"
2152
  msgstr ""
2153
 
2154
+ #: redirection-strings.php:666
2155
  msgid "Page Type"
2156
  msgstr ""
2157
 
2158
+ #: redirection-strings.php:667
2159
  msgid "Only the 404 page type is currently supported."
2160
  msgstr ""
2161
 
2162
+ #: redirection-strings.php:668
2163
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
2164
  msgstr ""
2165
 
2166
+ #: redirection-strings.php:670
2167
  msgid "Match against this browser referrer text"
2168
  msgstr ""
2169
 
2170
+ #: redirection-strings.php:672
2171
  msgid "Role"
2172
  msgstr ""
2173
 
2174
+ #: redirection-strings.php:673
2175
  msgid "Enter role or capability value"
2176
  msgstr ""
2177
 
2178
+ #: redirection-strings.php:674
2179
  msgid "Server"
2180
  msgstr ""
2181
 
2182
+ #: redirection-strings.php:675
2183
  msgid "Enter server URL to match against"
2184
  msgstr ""
2185
 
2186
+ #: redirection-strings.php:676
2187
  msgid "Select All"
2188
  msgstr ""
2189
 
2190
+ #: redirection-strings.php:677
2191
  msgid "No results"
2192
  msgstr ""
2193
 
2194
+ #: redirection-strings.php:678
2195
  msgid "Sorry, something went wrong loading the data - please try again"
2196
  msgstr ""
2197
 
2198
+ #: redirection-strings.php:679
2199
  msgid "All"
2200
  msgstr ""
2201
 
2202
+ #: redirection-strings.php:680
2203
  msgid "Values"
2204
  msgstr ""
2205
 
2206
+ #: redirection-strings.php:681
2207
  msgid "Value"
2208
  msgstr ""
2209
 
2210
  #. translators: 1: server PHP version. 2: required PHP version.
2211
+ #: redirection.php:38
2212
  msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
2213
  msgstr ""
2214
 
2215
  #. translators: version number
2216
+ #: api/api-plugin.php:115
2217
  msgid "Your database does not need updating to %s."
2218
  msgstr ""
2219
 
2282
  msgid "Site and home protocol"
2283
  msgstr ""
2284
 
2285
+ #: models/importer.php:227
2286
  msgid "Default WordPress \"old slugs\""
2287
  msgstr ""
2288
 
models/canonical.php ADDED
@@ -0,0 +1,116 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ class Redirection_Canonical {
4
+ private $aliases = [];
5
+ private $force_https = false;
6
+ private $preferred_domain = '';
7
+ private $actual_domain = '';
8
+
9
+ public function __construct( $force_https, $preferred_domain, $aliases, $configured_domain ) {
10
+ $this->force_https = $force_https;
11
+ $this->aliases = $aliases;
12
+ $this->preferred_domain = $preferred_domain;
13
+ $this->actual_domain = $configured_domain;
14
+ }
15
+
16
+ public function get_redirect( $server, $request ) {
17
+ $aliases = array_merge(
18
+ $this->get_preferred_aliases( $server ),
19
+ $this->aliases
20
+ );
21
+
22
+ if ( $this->force_https && ! is_ssl() ) {
23
+ $aliases[] = $server;
24
+ }
25
+
26
+ $aliases = array_unique( $aliases );
27
+ if ( count( $aliases ) > 0 ) {
28
+ foreach ( $aliases as $alias ) {
29
+ if ( $server === $alias ) {
30
+ // Redirect this to the WP url
31
+ $target = $this->get_canonical_target( get_bloginfo( 'url' ) );
32
+ if ( ! $target ) {
33
+ return false;
34
+ }
35
+
36
+ $target = esc_url_raw( $target ) . $request;
37
+
38
+ return apply_filters( 'redirect_canonical_target', $target );
39
+ }
40
+ }
41
+ }
42
+
43
+ return false;
44
+ }
45
+
46
+ private function get_preferred_aliases( $server ) {
47
+ if ( $this->need_force_www( $server ) || $this->need_remove_www( $server ) ) {
48
+ return [ $server ];
49
+ }
50
+
51
+ return [];
52
+ }
53
+
54
+ // A final check to prevent obvious site errors.
55
+ private function is_configured_domain( $server ) {
56
+ return $server === $this->actual_domain;
57
+ }
58
+
59
+ private function get_canonical_target( $server ) {
60
+ $canonical = rtrim( red_parse_domain_only( $server ), '/' );
61
+
62
+ if ( $this->need_force_www( $server ) ) {
63
+ $canonical = 'www.' . ltrim( $canonical, 'www.' );
64
+ } elseif ( $this->need_remove_www( $server ) ) {
65
+ $canonical = ltrim( $canonical, 'www.' );
66
+ }
67
+
68
+ $canonical = ( is_ssl() ? 'https://' : 'http://' ) . $canonical;
69
+
70
+ if ( $this->force_https ) {
71
+ $canonical = str_replace( 'http://', 'https://', $canonical );
72
+ }
73
+
74
+ if ( $this->is_configured_domain( $canonical ) ) {
75
+ return $canonical;
76
+ }
77
+
78
+ return false;
79
+ }
80
+
81
+ private function need_force_www( $server ) {
82
+ $has_www = substr( $server, 0, 4 ) === 'www.';
83
+
84
+ return $this->preferred_domain === 'www' && ! $has_www;
85
+ }
86
+
87
+ private function need_remove_www( $server ) {
88
+ $has_www = substr( $server, 0, 4 ) === 'www.';
89
+
90
+ return $this->preferred_domain === 'nowww' && $has_www;
91
+ }
92
+
93
+ public function relocate_request( $relocate, $domain, $request ) {
94
+ $relocate = rtrim( $relocate, '/' );
95
+
96
+ $protected = apply_filters( 'redirect_relocate_protected', [
97
+ '/wp-admin',
98
+ '/wp-login.php',
99
+ '/wp-json/',
100
+ ] );
101
+
102
+ $not_protected = array_filter( $protected, function( $base ) use ( $request ) {
103
+ if ( substr( $request, 0, strlen( $base ) ) === $base ) {
104
+ return true;
105
+ }
106
+
107
+ return false;
108
+ } );
109
+
110
+ if ( $domain !== red_parse_domain_only( $relocate ) && count( $not_protected ) === 0 ) {
111
+ return apply_filters( 'redirect_relocate_target', $relocate . $request );
112
+ }
113
+
114
+ return false;
115
+ }
116
+ }
models/header.php CHANGED
@@ -21,8 +21,8 @@ class Red_Http_Headers {
21
  $settings = [];
22
 
23
  if ( isset( $header['headerSettings'] ) && is_array( $header['headerSettings'] ) ) {
24
- foreach ( $header['headerSettings'] as $key => $value ) {
25
- $settings[ $this->sanitize( $key ) ] = $this->sanitize( $value );
26
  }
27
  }
28
 
21
  $settings = [];
22
 
23
  if ( isset( $header['headerSettings'] ) && is_array( $header['headerSettings'] ) ) {
24
+ foreach ( $header['headerSettings'] as $key => $setting_value ) {
25
+ $settings[ $this->sanitize( $key ) ] = $this->sanitize( $setting_value );
26
  }
27
  }
28
 
models/importer.php CHANGED
@@ -82,7 +82,7 @@ class Red_RankMath_Importer extends Red_Plugin_Importer {
82
 
83
  $data = array(
84
  'url' => $url,
85
- 'action_data' => array( 'url' => $redirect->url_to ),
86
  'regex' => $source['comparison'] === 'regex' ? true : false,
87
  'group_id' => $group_id,
88
  'match_type' => 'url',
@@ -176,7 +176,7 @@ class Red_WordPressOldSlug_Importer extends Red_Plugin_Importer {
176
  $count = 0;
177
  $redirects = $wpdb->get_results(
178
  "SELECT {$wpdb->prefix}postmeta.* FROM {$wpdb->prefix}postmeta INNER JOIN {$wpdb->prefix}posts ON {$wpdb->prefix}posts.ID={$wpdb->prefix}postmeta.post_id " .
179
- "WHERE {$wpdb->prefix}postmeta.meta_key = '_wp_old_slug' AND {$wpdb->prefix}posts.post_status='publish' AND {$wpdb->prefix}posts.post_type IN ('page', 'post')"
180
  );
181
 
182
  foreach ( $redirects as $redirect ) {
@@ -199,6 +199,7 @@ class Red_WordPressOldSlug_Importer extends Red_Plugin_Importer {
199
  $new_path = wp_parse_url( $new, PHP_URL_PATH );
200
  $old = rtrim( dirname( $new_path ), '/' ) . '/' . rtrim( $redirect->meta_value, '/' ) . '/';
201
  $old = str_replace( '\\', '', $old );
 
202
 
203
  $data = array(
204
  'url' => $old,
@@ -217,7 +218,7 @@ class Red_WordPressOldSlug_Importer extends Red_Plugin_Importer {
217
  global $wpdb;
218
 
219
  $total = $wpdb->get_var(
220
- "SELECT COUNT(*) FROM {$wpdb->prefix}postmeta INNER JOIN {$wpdb->prefix}posts ON {$wpdb->prefix}posts.ID={$wpdb->prefix}postmeta.post_id WHERE {$wpdb->prefix}postmeta.meta_key = '_wp_old_slug' AND {$wpdb->prefix}posts.post_status='publish' AND {$wpdb->prefix}posts.post_type IN ('page', 'post')"
221
  );
222
 
223
  if ( $total ) {
82
 
83
  $data = array(
84
  'url' => $url,
85
+ 'action_data' => array( 'url' => str_replace( '\\\\', '\\', $redirect->url_to ) ),
86
  'regex' => $source['comparison'] === 'regex' ? true : false,
87
  'group_id' => $group_id,
88
  'match_type' => 'url',
176
  $count = 0;
177
  $redirects = $wpdb->get_results(
178
  "SELECT {$wpdb->prefix}postmeta.* FROM {$wpdb->prefix}postmeta INNER JOIN {$wpdb->prefix}posts ON {$wpdb->prefix}posts.ID={$wpdb->prefix}postmeta.post_id " .
179
+ "WHERE {$wpdb->prefix}postmeta.meta_key = '_wp_old_slug' AND {$wpdb->prefix}postmeta.meta_value != '' AND {$wpdb->prefix}posts.post_status='publish' AND {$wpdb->prefix}posts.post_type IN ('page', 'post')"
180
  );
181
 
182
  foreach ( $redirects as $redirect ) {
199
  $new_path = wp_parse_url( $new, PHP_URL_PATH );
200
  $old = rtrim( dirname( $new_path ), '/' ) . '/' . rtrim( $redirect->meta_value, '/' ) . '/';
201
  $old = str_replace( '\\', '', $old );
202
+ $old = str_replace( '//', '/', $old );
203
 
204
  $data = array(
205
  'url' => $old,
218
  global $wpdb;
219
 
220
  $total = $wpdb->get_var(
221
+ "SELECT COUNT(*) FROM {$wpdb->prefix}postmeta INNER JOIN {$wpdb->prefix}posts ON {$wpdb->prefix}posts.ID={$wpdb->prefix}postmeta.post_id WHERE {$wpdb->prefix}postmeta.meta_key = '_wp_old_slug' AND {$wpdb->prefix}postmeta.meta_value != '' AND {$wpdb->prefix}posts.post_status='publish' AND {$wpdb->prefix}posts.post_type IN ('page', 'post')"
222
  );
223
 
224
  if ( $total ) {
models/redirect.php CHANGED
@@ -308,14 +308,18 @@ class Red_Item {
308
  /**
309
  * Determine if a requested URL matches this URL
310
  *
311
- * @param string $requested_url
312
  * @return bool true if matched, false otherwise
313
  */
314
- public function is_match( $requested_url ) {
315
  if ( ! $this->is_enabled() ) {
316
  return false;
317
  }
318
 
 
 
 
 
319
  $url = new Red_Url( $this->url );
320
  if ( $url->is_match( $requested_url, $this->source_flags ) ) {
321
  // URL is matched, now match the redirect type (i.e. login status, IP address)
@@ -324,8 +328,8 @@ class Red_Item {
324
  // Check if our action wants a URL
325
  if ( $this->action->needs_target() ) {
326
  // Our action requires a target URL - get this, using our type match result
327
- $target = $this->match->get_target_url( $requested_url, $url->get_url(), $this->source_flags, $target );
328
- $target = Red_Url_Query::add_to_target( $target, $requested_url, $this->source_flags );
329
  $target = apply_filters( 'redirection_url_target', $target, $this->url );
330
  }
331
 
308
  /**
309
  * Determine if a requested URL matches this URL
310
  *
311
+ * @param string $requested_url The URL being requested.
312
  * @return bool true if matched, false otherwise
313
  */
314
+ public function is_match( $requested_url, $original_url = false ) {
315
  if ( ! $this->is_enabled() ) {
316
  return false;
317
  }
318
 
319
+ if ( $original_url === false ) {
320
+ $original_url = $requested_url;
321
+ }
322
+
323
  $url = new Red_Url( $this->url );
324
  if ( $url->is_match( $requested_url, $this->source_flags ) ) {
325
  // URL is matched, now match the redirect type (i.e. login status, IP address)
328
  // Check if our action wants a URL
329
  if ( $this->action->needs_target() ) {
330
  // Our action requires a target URL - get this, using our type match result
331
+ $target = $this->match->get_target_url( $original_url, $url->get_url(), $this->source_flags, $target );
332
+ $target = Red_Url_Query::add_to_target( $target, $original_url, $this->source_flags );
333
  $target = apply_filters( 'redirection_url_target', $target, $this->url );
334
  }
335
 
models/url-request.php ADDED
@@ -0,0 +1,61 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ class Red_Url_Request {
4
+ private $original_url;
5
+ private $decoded_url;
6
+
7
+ public function __construct( $url ) {
8
+ $this->original_url = apply_filters( 'redirection_url_source', $url );
9
+ $this->decoded_url = rawurldecode( $this->original_url );
10
+
11
+ // Replace the decoded query params with the original ones
12
+ $this->original_url = $this->replace_query_params( $this->original_url, $this->decoded_url );
13
+ }
14
+
15
+ /**
16
+ * Take the decoded path part, but keep the original query params. This ensures any redirects keep the encoding.
17
+ *
18
+ * @param string $original_url Original unencoded URL.
19
+ * @param string $decoded_url Decoded URL.
20
+ * @return string
21
+ */
22
+ private function replace_query_params( $original_url, $decoded_url ) {
23
+ $decoded = explode( '?', $decoded_url );
24
+
25
+ if ( count( $decoded ) > 1 ) {
26
+ $original = explode( '?', $original_url );
27
+
28
+ return $decoded[0] . '?' . $original[1];
29
+ }
30
+
31
+ return $decoded_url;
32
+ }
33
+
34
+ public function get_original_url() {
35
+ return $this->original_url;
36
+ }
37
+
38
+ public function get_decoded_url() {
39
+ return $this->decoded_url;
40
+ }
41
+
42
+ public function is_valid() {
43
+ return strlen( $this->get_decoded_url() ) > 0;
44
+ }
45
+
46
+ /*
47
+ * Protect certain URLs from being redirected. Note we don't need to protect wp-admin, as this code doesn't run there
48
+ */
49
+ public function is_protected_url() {
50
+ $rest = wp_parse_url( red_get_rest_api() );
51
+ $rest_api = $rest['path'] . ( isset( $rest['query'] ) ? '?' . $rest['query'] : '' );
52
+
53
+ if ( substr( $this->get_decoded_url(), 0, strlen( $rest_api ) ) === $rest_api ) {
54
+ // Never redirect the REST API
55
+ return true;
56
+ }
57
+
58
+ return false;
59
+ }
60
+
61
+ }
models/url.php CHANGED
@@ -1,9 +1,10 @@
1
  <?php
2
 
3
- include_once dirname( __FILE__ ) . '/url-query.php';
4
- include_once dirname( __FILE__ ) . '/url-path.php';
5
- include_once dirname( __FILE__ ) . '/url-match.php';
6
- include_once dirname( __FILE__ ) . '/url-flags.php';
 
7
 
8
  class Red_Url {
9
  private $url;
1
  <?php
2
 
3
+ require_once __DIR__ . '/url-query.php';
4
+ require_once __DIR__ . '/url-path.php';
5
+ require_once __DIR__ . '/url-match.php';
6
+ require_once __DIR__ . '/url-flags.php';
7
+ require_once __DIR__ . '/url-request.php';
8
 
9
  class Red_Url {
10
  private $url;
modules/wordpress.php CHANGED
@@ -17,12 +17,12 @@ class WordPress_Module extends Red_Module {
17
  public function start() {
18
  // Only run redirect rules if we're not disabled
19
  if ( ! red_is_disabled() ) {
 
 
 
20
  // The main redirect loop
21
  add_action( 'init', [ $this, 'init' ] );
22
 
23
- // Force HTTPs code
24
- add_action( 'init', [ $this, 'force_https' ] );
25
-
26
  // Send site HTTP headers as well as 410 error codes
27
  add_action( 'send_headers', [ $this, 'send_headers' ] );
28
 
@@ -104,13 +104,25 @@ class WordPress_Module extends Red_Module {
104
  $redirect->visit( $url, $target );
105
  }
106
 
107
- public function force_https() {
108
  $options = red_get_options();
 
109
 
110
- if ( $options['https'] && ! is_ssl() ) {
111
- $target = rtrim( parse_url( home_url(), PHP_URL_HOST ), '/' ) . esc_url_raw( Redirection_Request::get_request_url() );
 
 
 
 
 
 
 
 
 
 
112
  add_filter( 'x_redirect_by', [ $this, 'x_redirect_by' ] );
113
- wp_safe_redirect( 'https://' . $target, 301 );
 
114
  die();
115
  }
116
  }
@@ -123,26 +135,28 @@ class WordPress_Module extends Red_Module {
123
  * This is the key to Redirection and where requests are matched to redirects
124
  */
125
  public function init() {
126
- $url = Redirection_Request::get_request_url();
127
- $url = apply_filters( 'redirection_url_source', $url );
128
- $url = rawurldecode( $url );
 
 
129
 
130
  // Make sure we don't try and redirect something essential
131
- if ( $url && ! $this->protected_url( $url ) && $this->matched === false ) {
132
- do_action( 'redirection_first', $url, $this );
133
 
134
  // Get all redirects that match the URL
135
- $redirects = Red_Item::get_for_url( $url );
136
 
137
  // Redirects will be ordered by position. Run through the list until one fires
138
  foreach ( (array) $redirects as $item ) {
139
- if ( $item->is_match( $url ) ) {
140
  $this->matched = $item;
141
  break;
142
  }
143
  }
144
 
145
- do_action( 'redirection_last', $url, $this );
146
 
147
  if ( ! $this->matched ) {
148
  // Keep them for later
@@ -151,21 +165,6 @@ class WordPress_Module extends Red_Module {
151
  }
152
  }
153
 
154
- /*
155
- * Protect certain URLs from being redirected. Note we don't need to protect wp-admin, as this code doesn't run there
156
- */
157
- private function protected_url( $url ) {
158
- $rest = wp_parse_url( red_get_rest_api() );
159
- $rest_api = $rest['path'] . ( isset( $rest['query'] ) ? '?' . $rest['query'] : '' );
160
-
161
- if ( substr( $url, 0, strlen( $rest_api ) ) === $rest_api ) {
162
- // Never redirect the REST API
163
- return true;
164
- }
165
-
166
- return false;
167
- }
168
-
169
  public function status_header( $status ) {
170
  // Fix for incorrect headers sent when using FastCGI/IIS
171
  if ( substr( php_sapi_name(), 0, 3 ) === 'cgi' ) {
17
  public function start() {
18
  // Only run redirect rules if we're not disabled
19
  if ( ! red_is_disabled() ) {
20
+ // Canonical site settings - https, www, relocate, and aliases
21
+ add_action( 'init', [ $this, 'canonical_domain' ] );
22
+
23
  // The main redirect loop
24
  add_action( 'init', [ $this, 'init' ] );
25
 
 
 
 
26
  // Send site HTTP headers as well as 410 error codes
27
  add_action( 'send_headers', [ $this, 'send_headers' ] );
28
 
104
  $redirect->visit( $url, $target );
105
  }
106
 
107
+ public function canonical_domain() {
108
  $options = red_get_options();
109
+ $canonical = new Redirection_Canonical( $options['https'], $options['preferred_domain'], $options['aliases'], get_home_url() );
110
 
111
+ // Relocate domain?
112
+ $target = false;
113
+ if ( $options['relocate'] ) {
114
+ $target = $canonical->relocate_request( $options['relocate'], Redirection_Request::get_server_name(), Redirection_Request::get_request_url() );
115
+ }
116
+
117
+ // Force HTTPS or www
118
+ if ( ! $target ) {
119
+ $target = $canonical->get_redirect( Redirection_Request::get_server_name(), Redirection_Request::get_request_url() );
120
+ }
121
+
122
+ if ( $target ) {
123
  add_filter( 'x_redirect_by', [ $this, 'x_redirect_by' ] );
124
+ // phpcs:ignore
125
+ wp_redirect( $target, 301 );
126
  die();
127
  }
128
  }
135
  * This is the key to Redirection and where requests are matched to redirects
136
  */
137
  public function init() {
138
+ if ( $this->matched ) {
139
+ return;
140
+ }
141
+
142
+ $request = new Red_Url_Request( Redirection_Request::get_request_url() );
143
 
144
  // Make sure we don't try and redirect something essential
145
+ if ( $request->is_valid() && ! $request->is_protected_url() ) {
146
+ do_action( 'redirection_first', $request->get_decoded_url(), $this );
147
 
148
  // Get all redirects that match the URL
149
+ $redirects = Red_Item::get_for_url( $request->get_decoded_url() );
150
 
151
  // Redirects will be ordered by position. Run through the list until one fires
152
  foreach ( (array) $redirects as $item ) {
153
+ if ( $item->is_match( $request->get_decoded_url(), $request->get_original_url() ) ) {
154
  $this->matched = $item;
155
  break;
156
  }
157
  }
158
 
159
+ do_action( 'redirection_last', $request->get_decoded_url(), $this );
160
 
161
  if ( ! $this->matched ) {
162
  // Keep them for later
165
  }
166
  }
167
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
168
  public function status_header( $status ) {
169
  // Fix for incorrect headers sent when using FastCGI/IIS
170
  if ( substr( php_sapi_name(), 0, 3 ) === 'cgi' ) {
readme.txt CHANGED
@@ -3,9 +3,9 @@ Contributors: johnny5
3
  Donate link: https://redirection.me/donation/
4
  Tags: redirect, htaccess, 301, 404, seo, permalink, apache, nginx, post, admin
5
  Requires at least: 4.9
6
- Tested up to: 5.3.2
7
- Stable tag: 4.6.2
8
- Requires PHP: 5.4
9
  License: GPLv3
10
 
11
  Manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.
@@ -20,7 +20,7 @@ It has been a WordPress plugin for over 10 years and has been recommended countl
20
 
21
  Full documentation can be found at [https://redirection.me](https://redirection.me)
22
 
23
- Redirection is compatible with PHP from 5.4 and upwards (including 7.2).
24
 
25
  = Redirect manager =
26
 
@@ -160,8 +160,26 @@ The plugin works in a similar manner to how WordPress handles permalinks and sho
160
  = 4.0 =
161
  * Alters database to support case insensitivity, trailing slashes, and query params. Please backup your data
162
 
 
 
 
163
  == Changelog ==
164
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
165
  = 4.6.2 - 6th January 2020 =
166
  * Fix 404 log export button
167
  * Fix HTTPS option not appearing enabled
3
  Donate link: https://redirection.me/donation/
4
  Tags: redirect, htaccess, 301, 404, seo, permalink, apache, nginx, post, admin
5
  Requires at least: 4.9
6
+ Tested up to: 5.4
7
+ Stable tag: 4.7.1
8
+ Requires PHP: 5.6
9
  License: GPLv3
10
 
11
  Manage 301 redirections, keep track of 404 errors, and improve your site, with no knowledge of Apache or Nginx needed.
20
 
21
  Full documentation can be found at [https://redirection.me](https://redirection.me)
22
 
23
+ Redirection is compatible with PHP from 5.6 and upwards (including 7.4).
24
 
25
  = Redirect manager =
26
 
160
  = 4.0 =
161
  * Alters database to support case insensitivity, trailing slashes, and query params. Please backup your data
162
 
163
+ = 4.7 =
164
+ * Requires minimum PHP 5.6+. Do not upgrade if you are still using PHP < 5.6
165
+
166
  == Changelog ==
167
 
168
+ An x.1 version increase introduces new or updated features and can be considered to contain 'breaking' changes. A x.x.1 increase is
169
+ purely a bug fix and introduces no new features, and can be considered as containing no breaking changes.
170
+
171
+ = 4.7.1 - 14th March 2020 =
172
+ * Fix HTTP header over-sanitizing the value
173
+ * Fix inability to remove .htaccess location
174
+ * Fix 404 group by 'delete all'
175
+ * Fix import of empty 'old slugs'
176
+
177
+ = 4.7 - 15th February 2020 =
178
+ * Relocate entire site to another domain, with exceptions
179
+ * Site aliases to map another site to current site
180
+ * Canonical settings for www/no-www
181
+ * Change content-type for API requests to help with mod_security
182
+
183
  = 4.6.2 - 6th January 2020 =
184
  * Fix 404 log export button
185
  * Fix HTTPS option not appearing enabled
redirection-admin.php CHANGED
@@ -202,7 +202,7 @@ class Redirection_Admin {
202
  $this->inject();
203
 
204
  // Add contextual help to some pages
205
- if ( in_array( $this->get_current_page(), [ 'redirects', 'log', '404s', 'groups' ], true ) ) {
206
  add_screen_option( 'per_page', array(
207
  /* translators: maximum number of log entries */
208
  'label' => sprintf( __( 'Log entries (%d max)', 'redirection' ), RED_MAX_PER_PAGE ),
202
  $this->inject();
203
 
204
  // Add contextual help to some pages
205
+ if ( in_array( $this->get_current_page(), [ 'redirect', 'log', '404s', 'groups' ], true ) ) {
206
  add_screen_option( 'per_page', array(
207
  /* translators: maximum number of log entries */
208
  'label' => sprintf( __( 'Log entries (%d max)', 'redirection' ), RED_MAX_PER_PAGE ),
redirection-front.php CHANGED
@@ -1,6 +1,7 @@
1
  <?php
2
 
3
  require_once __DIR__ . '/modules/wordpress.php';
 
4
  require_once __DIR__ . '/database/database-status.php';
5
 
6
  class Redirection {
1
  <?php
2
 
3
  require_once __DIR__ . '/modules/wordpress.php';
4
+ require_once __DIR__ . '/models/canonical.php';
5
  require_once __DIR__ . '/database/database-status.php';
6
 
7
  class Redirection {
redirection-settings.php CHANGED
@@ -26,7 +26,7 @@ function red_get_post_types( $full = true ) {
26
  continue;
27
  }
28
 
29
- if ( $full ) {
30
  $post_types[ $type->name ] = $type->label;
31
  } else {
32
  $post_types[] = $type->name;
@@ -56,6 +56,9 @@ function red_get_default_options() {
56
  'https' => false,
57
  'headers' => [],
58
  'database' => '',
 
 
 
59
  ];
60
  $defaults = array_merge( $defaults, $flags->get_json() );
61
 
@@ -163,7 +166,7 @@ function red_set_options( array $settings = array() ) {
163
  }
164
  }
165
 
166
- if ( isset( $settings['location'] ) && strlen( $settings['location'] ) > 0 ) {
167
  $module = Red_Module::get( 2 );
168
  $options['modules'][2] = $module->update( $settings );
169
  }
@@ -193,10 +196,58 @@ function red_set_options( array $settings = array() ) {
193
  $options['headers'] = $headers->get_json();
194
  }
195
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
196
  update_option( REDIRECTION_OPTION, apply_filters( 'redirection_save_options', $options ) );
197
  return $options;
198
  }
199
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
200
  function red_is_disabled() {
201
  return ( defined( 'REDIRECTION_DISABLE' ) && REDIRECTION_DISABLE ) || file_exists( __DIR__ . '/redirection-disable.txt' );
202
  }
26
  continue;
27
  }
28
 
29
+ if ( $full && strlen( $type->label ) > 0 ) {
30
  $post_types[ $type->name ] = $type->label;
31
  } else {
32
  $post_types[] = $type->name;
56
  'https' => false,
57
  'headers' => [],
58
  'database' => '',
59
+ 'relocate' => '',
60
+ 'preferred_domain' => '',
61
+ 'aliases' => [],
62
  ];
63
  $defaults = array_merge( $defaults, $flags->get_json() );
64
 
166
  }
167
  }
168
 
169
+ if ( isset( $settings['location'] ) && ( ! isset( $options['location'] ) || $options['location'] !== $settings['location'] ) ) {
170
  $module = Red_Module::get( 2 );
171
  $options['modules'][2] = $module->update( $settings );
172
  }
196
  $options['headers'] = $headers->get_json();
197
  }
198
 
199
+ if ( isset( $settings['aliases'] ) && is_array( $settings['aliases'] ) ) {
200
+ $options['aliases'] = array_values( array_filter( array_map( 'red_parse_domain_only', $settings['aliases'] ) ) );
201
+ $options['aliases'] = array_slice( $options['aliases'], 0, 10 ); // Max 10 aliases
202
+ }
203
+
204
+ if ( isset( $settings['preferred_domain'] ) && in_array( $settings['preferred_domain'], [ '', 'www', 'nowww' ], true ) ) {
205
+ $options['preferred_domain'] = $settings['preferred_domain'];
206
+ }
207
+
208
+ if ( isset( $settings['relocate'] ) ) {
209
+ $options['relocate'] = red_parse_domain_path( $settings['relocate'] );
210
+
211
+ if ( strlen( $options['relocate'] ) > 0 ) {
212
+ $options['preferred_domain'] = '';
213
+ $options['aliases'] = [];
214
+ $options['https'] = false;
215
+ }
216
+ }
217
+
218
  update_option( REDIRECTION_OPTION, apply_filters( 'redirection_save_options', $options ) );
219
  return $options;
220
  }
221
 
222
+ function red_parse_url( $url ) {
223
+ $domain = filter_var( $url, FILTER_SANITIZE_URL );
224
+ if ( substr( $domain, 0, 5 ) !== 'http:' && substr( $domain, 0, 6 ) !== 'https:' ) {
225
+ $domain = ( is_ssl() ? 'https://' : 'http://' ) . $domain;
226
+ }
227
+
228
+ return wp_parse_url( $domain );
229
+ }
230
+
231
+ function red_parse_domain_only( $domain ) {
232
+ $parsed = red_parse_url( $domain );
233
+
234
+ if ( $parsed && isset( $parsed['host'] ) ) {
235
+ return $parsed['host'];
236
+ }
237
+
238
+ return '';
239
+ }
240
+
241
+ function red_parse_domain_path( $domain ) {
242
+ $parsed = red_parse_url( $domain );
243
+
244
+ if ( $parsed && isset( $parsed['host'] ) ) {
245
+ return $parsed['scheme'] . '://' . $parsed['host'] . ( isset( $parsed['path'] ) ? $parsed['path'] : '' );
246
+ }
247
+
248
+ return '';
249
+ }
250
+
251
  function red_is_disabled() {
252
  return ( defined( 'REDIRECTION_DISABLE' ) && REDIRECTION_DISABLE ) || file_exists( __DIR__ . '/redirection-disable.txt' );
253
  }
redirection-strings.php CHANGED
@@ -1,256 +1,41 @@
1
  <?php
2
  /* THIS IS A GENERATED FILE. DO NOT EDIT DIRECTLY. */
3
  $redirection_strings = array(
4
- __( "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.", "redirection" ), // client/component/database/index.js:112
5
- __( "Database problem", "redirection" ), // client/component/database/index.js:125
6
- __( "Try again", "redirection" ), // client/component/database/index.js:128
7
- __( "Skip this stage", "redirection" ), // client/component/database/index.js:129
8
- __( "Stop upgrade", "redirection" ), // client/component/database/index.js:130
9
- __( "If you want to {{support}}ask for support{{/support}} please include these details:", "redirection" ), // client/component/database/index.js:134
10
- __( "Please remain on this page until complete.", "redirection" ), // client/component/database/index.js:152
11
- __( "Upgrading Redirection", "redirection" ), // client/component/database/index.js:160
12
- __( "Setting up Redirection", "redirection" ), // client/component/database/index.js:163
13
- __( "Manual Install", "redirection" ), // client/component/database/index.js:178
14
- __( "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.", "redirection" ), // client/component/database/index.js:180
15
- __( "Click \"Finished! 🎉\" when finished.", "redirection" ), // client/component/database/index.js:180
16
- __( "Finished! 🎉", "redirection" ), // client/component/database/index.js:182
17
- __( "If you do not complete the manual install you will be returned here.", "redirection" ), // client/component/database/index.js:183
18
- __( "Leaving before the process has completed may cause problems.", "redirection" ), // client/component/database/index.js:190
19
- __( "Progress: %(complete)d\$", "redirection" ), // client/component/database/index.js:198
20
- __( "Finished! 🎉", "redirection" ), // client/component/database/index.js:212
21
- __( "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.", "redirection" ), // client/component/error/index.js:100
22
- __( "Create An Issue", "redirection" ), // client/component/error/index.js:107
23
- __( "Email", "redirection" ), // client/component/error/index.js:107
24
- __( "Include these details in your report along with a description of what you were doing and a screenshot.", "redirection" ), // client/component/error/index.js:108
25
- __( "You are not authorised to access this page.", "redirection" ), // client/component/error/index.js:118
26
- __( "This is usually fixed by doing one of these:", "redirection" ), // client/component/error/index.js:120
27
- __( "Reload the page - your current session is old.", "redirection" ), // client/component/error/index.js:122
28
- __( "Log out, clear your browser cache, and log in again - your browser has cached an old session.", "redirection" ), // client/component/error/index.js:123
29
- __( "Your admin pages are being cached. Clear this cache and try again.", "redirection" ), // client/component/error/index.js:124
30
- __( "The problem is almost certainly caused by one of the above.", "redirection" ), // client/component/error/index.js:127
31
- __( "That didn't help", "redirection" ), // client/component/error/index.js:129
32
- __( "Something went wrong 🙁", "redirection" ), // client/component/error/index.js:147
33
- __( "What do I do next?", "redirection" ), // client/component/error/index.js:155
34
- __( "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.", "redirection" ), // client/component/error/index.js:159
35
- __( "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.", "redirection" ), // client/component/error/index.js:166
36
- __( "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.", "redirection" ), // client/component/error/index.js:173
37
- __( "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.", "redirection" ), // client/component/error/index.js:180
38
- __( "That didn't help", "redirection" ), // client/component/error/index.js:188
39
- __( "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.", "redirection" ), // client/component/decode-error/index.js:49
40
- __( "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.", "redirection" ), // client/component/decode-error/index.js:56
41
- __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:57
42
- __( "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.", "redirection" ), // client/component/decode-error/index.js:66
43
- __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:67
44
- __( "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured", "redirection" ), // client/component/decode-error/index.js:76
45
- __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:77
46
- __( "Your server has rejected the request for being too big. You will need to change it to continue.", "redirection" ), // client/component/decode-error/index.js:83
47
- __( "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log", "redirection" ), // client/component/decode-error/index.js:90
48
- __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:91
49
- __( "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working", "redirection" ), // client/component/decode-error/index.js:97
50
- __( "WordPress returned an unexpected message. This is probably a PHP error from another plugin.", "redirection" ), // client/component/decode-error/index.js:106
51
- __( "Possible cause", "redirection" ), // client/component/decode-error/index.js:107
52
- __( "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.", "redirection" ), // client/component/decode-error/index.js:117
53
- __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:118
54
- __( "Geo IP Error", "redirection" ), // client/component/geo-map/index.js:30
55
- __( "Something went wrong obtaining this information", "redirection" ), // client/component/geo-map/index.js:31
56
- __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:42
57
- __( "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.", "redirection" ), // client/component/geo-map/index.js:45
58
- __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:56
59
- __( "No details are known for this address.", "redirection" ), // client/component/geo-map/index.js:59
60
- __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:76
61
- __( "City", "redirection" ), // client/component/geo-map/index.js:81
62
- __( "Area", "redirection" ), // client/component/geo-map/index.js:85
63
- __( "Timezone", "redirection" ), // client/component/geo-map/index.js:89
64
- __( "Geo Location", "redirection" ), // client/component/geo-map/index.js:93
65
- __( "Expected", "redirection" ), // client/component/http-check/details.js:31
66
- __( "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}", "redirection" ), // client/component/http-check/details.js:34
67
- __( "Found", "redirection" ), // client/component/http-check/details.js:46
68
- __( "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}", "redirection" ), // client/component/http-check/details.js:51
69
- __( "Agent", "redirection" ), // client/component/http-check/details.js:65
70
- __( "Using Redirection", "redirection" ), // client/component/http-check/details.js:67
71
- __( "Not using Redirection", "redirection" ), // client/component/http-check/details.js:67
72
- __( "What does this mean?", "redirection" ), // client/component/http-check/details.js:69
73
- __( "Error", "redirection" ), // client/component/http-check/index.js:43
74
- __( "Something went wrong obtaining this information", "redirection" ), // client/component/http-check/index.js:44
75
- __( "Check redirect for: {{code}}%s{{/code}}", "redirection" ), // client/component/http-check/index.js:67
76
- __( "Redirects", "redirection" ), // client/component/menu/index.js:19
77
- __( "Groups", "redirection" ), // client/component/menu/index.js:23
78
- __( "Site", "redirection" ), // client/component/menu/index.js:27
79
- __( "Log", "redirection" ), // client/component/menu/index.js:31
80
- __( "404s", "redirection" ), // client/component/menu/index.js:35
81
- __( "Import/Export", "redirection" ), // client/component/menu/index.js:39
82
- __( "Options", "redirection" ), // client/component/menu/index.js:43
83
- __( "Support", "redirection" ), // client/component/menu/index.js:47
84
- __( "View notice", "redirection" ), // client/component/notice/index.js:76
85
- __( "Powered by {{link}}redirect.li{{/link}}", "redirection" ), // client/component/powered-by/index.js:16
86
- __( "Saving...", "redirection" ), // client/component/progress/index.js:23
87
- __( "Saving...", "redirection" ), // client/component/progress/index.js:26
88
- __( "with HTTP code", "redirection" ), // client/component/redirect-edit/action-code.js:42
89
- __( "URL only", "redirection" ), // client/component/redirect-edit/constants.js:30
90
- __( "URL and login status", "redirection" ), // client/component/redirect-edit/constants.js:34
91
- __( "URL and role/capability", "redirection" ), // client/component/redirect-edit/constants.js:38
92
- __( "URL and referrer", "redirection" ), // client/component/redirect-edit/constants.js:42
93
- __( "URL and user agent", "redirection" ), // client/component/redirect-edit/constants.js:46
94
- __( "URL and cookie", "redirection" ), // client/component/redirect-edit/constants.js:50
95
- __( "URL and IP", "redirection" ), // client/component/redirect-edit/constants.js:54
96
- __( "URL and server", "redirection" ), // client/component/redirect-edit/constants.js:58
97
- __( "URL and HTTP header", "redirection" ), // client/component/redirect-edit/constants.js:62
98
- __( "URL and custom filter", "redirection" ), // client/component/redirect-edit/constants.js:66
99
- __( "URL and WordPress page type", "redirection" ), // client/component/redirect-edit/constants.js:70
100
- __( "URL and language", "redirection" ), // client/component/redirect-edit/constants.js:74
101
- __( "Redirect to URL", "redirection" ), // client/component/redirect-edit/constants.js:81
102
- __( "Redirect to random post", "redirection" ), // client/component/redirect-edit/constants.js:85
103
- __( "Pass-through", "redirection" ), // client/component/redirect-edit/constants.js:89
104
- __( "Error (404)", "redirection" ), // client/component/redirect-edit/constants.js:93
105
- __( "Do nothing (ignore)", "redirection" ), // client/component/redirect-edit/constants.js:97
106
- __( "301 - Moved Permanently", "redirection" ), // client/component/redirect-edit/constants.js:104
107
- __( "302 - Found", "redirection" ), // client/component/redirect-edit/constants.js:108
108
- __( "303 - See Other", "redirection" ), // client/component/redirect-edit/constants.js:112
109
- __( "304 - Not Modified", "redirection" ), // client/component/redirect-edit/constants.js:116
110
- __( "307 - Temporary Redirect", "redirection" ), // client/component/redirect-edit/constants.js:120
111
- __( "308 - Permanent Redirect", "redirection" ), // client/component/redirect-edit/constants.js:124
112
- __( "400 - Bad Request", "redirection" ), // client/component/redirect-edit/constants.js:131
113
- __( "401 - Unauthorized", "redirection" ), // client/component/redirect-edit/constants.js:135
114
- __( "403 - Forbidden", "redirection" ), // client/component/redirect-edit/constants.js:139
115
- __( "404 - Not Found", "redirection" ), // client/component/redirect-edit/constants.js:143
116
- __( "410 - Gone", "redirection" ), // client/component/redirect-edit/constants.js:147
117
- __( "418 - I'm a teapot", "redirection" ), // client/component/redirect-edit/constants.js:151
118
- __( "451 - Unavailable For Legal Reasons", "redirection" ), // client/component/redirect-edit/constants.js:155
119
- __( "500 - Internal Server Error", "redirection" ), // client/component/redirect-edit/constants.js:159
120
- __( "501 - Not implemented", "redirection" ), // client/component/redirect-edit/constants.js:163
121
- __( "502 - Bad Gateway", "redirection" ), // client/component/redirect-edit/constants.js:167
122
- __( "503 - Service Unavailable", "redirection" ), // client/component/redirect-edit/constants.js:171
123
- __( "504 - Gateway Timeout", "redirection" ), // client/component/redirect-edit/constants.js:175
124
- __( "Regex", "redirection" ), // client/component/redirect-edit/constants.js:184
125
- __( "Ignore Slash", "redirection" ), // client/component/redirect-edit/constants.js:188
126
- __( "Ignore Case", "redirection" ), // client/component/redirect-edit/constants.js:192
127
- __( "Exact match all parameters in any order", "redirection" ), // client/component/redirect-edit/constants.js:203
128
- __( "Ignore all parameters", "redirection" ), // client/component/redirect-edit/constants.js:207
129
- __( "Ignore & pass parameters to the target", "redirection" ), // client/component/redirect-edit/constants.js:211
130
- __( "When matched", "redirection" ), // client/component/redirect-edit/index.js:276
131
- __( "Group", "redirection" ), // client/component/redirect-edit/index.js:285
132
- __( "Save", "redirection" ), // client/component/redirect-edit/index.js:295
133
- __( "Cancel", "redirection" ), // client/component/redirect-edit/index.js:307
134
- __( "Close", "redirection" ), // client/component/redirect-edit/index.js:308
135
- __( "Show advanced options", "redirection" ), // client/component/redirect-edit/index.js:311
136
- __( "Match", "redirection" ), // client/component/redirect-edit/match-type.js:19
137
- __( "Position", "redirection" ), // client/component/redirect-edit/position.js:12
138
- __( "Query Parameters", "redirection" ), // client/component/redirect-edit/source-query.js:23
139
- __( "Source URL", "redirection" ), // client/component/redirect-edit/source-url.js:27
140
- __( "Source URL", "redirection" ), // client/component/redirect-edit/source-url.js:34
141
- __( "The relative URL you want to redirect from", "redirection" ), // client/component/redirect-edit/source-url.js:42
142
- __( "URL options / Regex", "redirection" ), // client/component/redirect-edit/source-url.js:49
143
- __( "The target URL you want to redirect, or auto-complete on post name or permalink.", "redirection" ), // client/component/redirect-edit/target.js:84
144
- __( "Title", "redirection" ), // client/component/redirect-edit/title.js:17
145
- __( "Describe the purpose of this redirect (optional)", "redirection" ), // client/component/redirect-edit/title.js:23
146
- __( "Anchor values are not sent to the server and cannot be redirected.", "redirection" ), // client/component/redirect-edit/warning.js:52
147
- __( "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.", "redirection" ), // client/component/redirect-edit/warning.js:60
148
- __( "The source URL should probably start with a {{code}}/{{/code}}", "redirection" ), // client/component/redirect-edit/warning.js:74
149
- __( "Remember to enable the \"regex\" option if this is a regular expression.", "redirection" ), // client/component/redirect-edit/warning.js:85
150
- __( "WordPress permalink structures do not work in normal URLs. Please use a regular expression.", "redirection" ), // client/component/redirect-edit/warning.js:94
151
- __( "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}}", "redirection" ), // client/component/redirect-edit/warning.js:112
152
- __( "This will redirect everything, including the login pages. Please be sure you want to do this.", "redirection" ), // client/component/redirect-edit/warning.js:125
153
- __( "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.", "redirection" ), // client/component/redirect-edit/warning.js:130
154
- __( "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}}.", "redirection" ), // client/component/redirect-edit/warning.js:136
155
- __( "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}", "redirection" ), // client/component/redirect-edit/warning.js:150
156
- __( "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?", "redirection" ), // client/component/redirect-edit/warning.js:166
157
- __( "Some servers may be configured to serve file resources directly, preventing a redirect occurring.", "redirection" ), // client/component/redirect-edit/warning.js:182
158
- __( "Working!", "redirection" ), // client/component/rest-api-status/api-result-pass.js:15
159
- __( "Show Full", "redirection" ), // client/component/rest-api-status/api-result-raw.js:41
160
- __( "Hide", "redirection" ), // client/component/rest-api-status/api-result-raw.js:42
161
- __( "Switch to this API", "redirection" ), // client/component/rest-api-status/api-result.js:27
162
- __( "Current API", "redirection" ), // client/component/rest-api-status/api-result.js:28
163
- __( "Good", "redirection" ), // client/component/rest-api-status/index.js:100
164
- __( "Working but some issues", "redirection" ), // client/component/rest-api-status/index.js:102
165
- __( "Not working but fixable", "redirection" ), // client/component/rest-api-status/index.js:104
166
- __( "Unavailable", "redirection" ), // client/component/rest-api-status/index.js:107
167
- __( "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.", "redirection" ), // client/component/rest-api-status/index.js:122
168
- __( "Your REST API is not working and the plugin will not be able to continue until this is fixed.", "redirection" ), // client/component/rest-api-status/index.js:125
169
- __( "You are using a broken REST API route. Changing to a working API should fix the problem.", "redirection" ), // client/component/rest-api-status/index.js:127
170
- __( "Summary", "redirection" ), // client/component/rest-api-status/index.js:132
171
- __( "Show Problems", "redirection" ), // client/component/rest-api-status/index.js:134
172
- __( "Testing - %s\$", "redirection" ), // client/component/rest-api-status/index.js:160
173
- __( "Check Again", "redirection" ), // client/component/rest-api-status/index.js:167
174
- __( "Apply", "redirection" ), // client/component/table/group.js:39
175
- __( "First page", "redirection" ), // client/component/table/navigation-pages.js:74
176
- __( "Prev page", "redirection" ), // client/component/table/navigation-pages.js:75
177
- __( "Current Page", "redirection" ), // client/component/table/navigation-pages.js:78
178
- __( "of %(page)s", "redirection" ), // client/component/table/navigation-pages.js:82
179
- __( "Next page", "redirection" ), // client/component/table/navigation-pages.js:93
180
- __( "Last page", "redirection" ), // client/component/table/navigation-pages.js:94
181
- _n( "%s item", "%s items", 1, "redirection" ), // client/component/table/navigation-pages.js:111
182
- __( "Select bulk action", "redirection" ), // client/component/table/navigation.js:53
183
- __( "Bulk Actions", "redirection" ), // client/component/table/navigation.js:56
184
- __( "Apply", "redirection" ), // client/component/table/navigation.js:61
185
- __( "Display All", "redirection" ), // client/component/table/table-display.js:64
186
- __( "Custom Display", "redirection" ), // client/component/table/table-display.js:75
187
- __( "Pre-defined", "redirection" ), // client/component/table/table-display.js:90
188
- __( "Custom", "redirection" ), // client/component/table/table-display.js:95
189
- __( "Useragent Error", "redirection" ), // client/component/useragent/index.js:31
190
- __( "Something went wrong obtaining this information", "redirection" ), // client/component/useragent/index.js:32
191
- __( "Unknown Useragent", "redirection" ), // client/component/useragent/index.js:43
192
- __( "Device", "redirection" ), // client/component/useragent/index.js:98
193
- __( "Operating System", "redirection" ), // client/component/useragent/index.js:102
194
- __( "Browser", "redirection" ), // client/component/useragent/index.js:106
195
- __( "Engine", "redirection" ), // client/component/useragent/index.js:110
196
- __( "Useragent", "redirection" ), // client/component/useragent/index.js:115
197
- __( "Agent", "redirection" ), // client/component/useragent/index.js:119
198
- __( "Welcome to Redirection 🚀🎉", "redirection" ), // client/component/welcome-wizard/index.js:145
199
- __( "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" ), // client/component/welcome-wizard/index.js:147
200
- __( "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.", "redirection" ), // client/component/welcome-wizard/index.js:152
201
- __( "How do I use this plugin?", "redirection" ), // client/component/welcome-wizard/index.js:154
202
- __( "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:", "redirection" ), // client/component/welcome-wizard/index.js:155
203
- __( "Source URL", "redirection" ), // client/component/welcome-wizard/index.js:164
204
- __( "(Example) The source URL is your old or original URL", "redirection" ), // client/component/welcome-wizard/index.js:165
205
- __( "Target URL", "redirection" ), // client/component/welcome-wizard/index.js:168
206
- __( "(Example) The target URL is the new URL", "redirection" ), // client/component/welcome-wizard/index.js:169
207
- __( "That's all there is to it - you are now redirecting! Note that the above is just an example.", "redirection" ), // client/component/welcome-wizard/index.js:174
208
- __( "Full documentation can be found on the {{link}}Redirection website.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:175
209
- __( "Some features you may find useful are", "redirection" ), // client/component/welcome-wizard/index.js:181
210
- __( "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems", "redirection" ), // client/component/welcome-wizard/index.js:184
211
- __( "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins", "redirection" ), // client/component/welcome-wizard/index.js:190
212
- __( "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}", "redirection" ), // client/component/welcome-wizard/index.js:195
213
- __( "Check a URL is being redirected", "redirection" ), // client/component/welcome-wizard/index.js:202
214
- __( "What's next?", "redirection" ), // client/component/welcome-wizard/index.js:205
215
- __( "First you will be asked a few questions, and then Redirection will set up your database.", "redirection" ), // client/component/welcome-wizard/index.js:206
216
- __( "When ready please press the button to continue.", "redirection" ), // client/component/welcome-wizard/index.js:207
217
- __( "Start Setup", "redirection" ), // client/component/welcome-wizard/index.js:210
218
- __( "Basic Setup", "redirection" ), // client/component/welcome-wizard/index.js:221
219
- __( "These are some options you may want to enable now. They can be changed at any time.", "redirection" ), // client/component/welcome-wizard/index.js:223
220
- __( "Monitor permalink changes in WordPress posts and pages", "redirection" ), // client/component/welcome-wizard/index.js:226
221
- __( "If you change the permalink in a post or page then Redirection can automatically create a redirect for you.", "redirection" ), // client/component/welcome-wizard/index.js:228
222
- __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:229
223
- __( "Keep a log of all redirects and 404 errors.", "redirection" ), // client/component/welcome-wizard/index.js:238
224
- __( "Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.", "redirection" ), // client/component/welcome-wizard/index.js:240
225
- __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:241
226
- __( "Store IP information for redirects and 404 errors.", "redirection" ), // client/component/welcome-wizard/index.js:250
227
- __( "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).", "redirection" ), // client/component/welcome-wizard/index.js:252
228
- __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:253
229
- __( "Continue Setup", "redirection" ), // client/component/welcome-wizard/index.js:262
230
- __( "Go back", "redirection" ), // client/component/welcome-wizard/index.js:263
231
- __( "REST API", "redirection" ), // client/component/welcome-wizard/index.js:276
232
- __( "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" ), // client/component/welcome-wizard/index.js:279
233
- __( "A security plugin (e.g Wordfence)", "redirection" ), // client/component/welcome-wizard/index.js:287
234
- __( "A server firewall or other server configuration (e.g OVH)", "redirection" ), // client/component/welcome-wizard/index.js:288
235
- __( "Caching software (e.g Cloudflare)", "redirection" ), // client/component/welcome-wizard/index.js:289
236
- __( "Some other plugin that blocks the REST API", "redirection" ), // client/component/welcome-wizard/index.js:290
237
- __( "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}}.", "redirection" ), // client/component/welcome-wizard/index.js:293
238
- __( "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.", "redirection" ), // client/component/welcome-wizard/index.js:300
239
- __( "You will need at least one working REST API to continue.", "redirection" ), // client/component/welcome-wizard/index.js:307
240
- __( "Finish Setup", "redirection" ), // client/component/welcome-wizard/index.js:310
241
- __( "Go back", "redirection" ), // client/component/welcome-wizard/index.js:311
242
- __( "Import Existing Redirects", "redirection" ), // client/component/welcome-wizard/index.js:328
243
- __( "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.", "redirection" ), // client/component/welcome-wizard/index.js:330
244
- __( "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.", "redirection" ), // client/component/welcome-wizard/index.js:334
245
- __( "The following plugins have been detected.", "redirection" ), // client/component/welcome-wizard/index.js:345
246
- __( "Continue", "redirection" ), // client/component/welcome-wizard/index.js:359
247
- __( "Import Existing Redirects", "redirection" ), // client/component/welcome-wizard/index.js:368
248
- __( "Please wait, importing.", "redirection" ), // client/component/welcome-wizard/index.js:370
249
- __( "Redirection", "redirection" ), // client/component/welcome-wizard/index.js:412
250
- __( "I need support!", "redirection" ), // client/component/welcome-wizard/index.js:420
251
- __( "Manual Install", "redirection" ), // client/component/welcome-wizard/index.js:421
252
- __( "Automatic Install", "redirection" ), // client/component/welcome-wizard/index.js:422
253
  _n( "Are you sure you want to delete this item?", "Are you sure you want to delete the selected items?", 1, "redirection" ), // client/lib/store/index.js:20
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
254
  __( "A database upgrade is in progress. Please continue to finish.", "redirection" ), // client/page/home/database-update.js:25
255
  __( "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" ), // client/page/home/database-update.js:30
256
  __( "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.", "redirection" ), // client/page/home/database-update.js:63
@@ -309,48 +94,14 @@ __( "Everything", "redirection" ), // client/page/io/index.js:271
309
  __( "WordPress redirects", "redirection" ), // client/page/io/index.js:272
310
  __( "Apache redirects", "redirection" ), // client/page/io/index.js:273
311
  __( "Nginx redirects", "redirection" ), // client/page/io/index.js:274
312
- __( "Complete data (JSON)", "redirection" ), // client/page/io/index.js:278
313
- __( "CSV", "redirection" ), // client/page/io/index.js:279
314
- __( "Apache .htaccess", "redirection" ), // client/page/io/index.js:280
315
- __( "Nginx rewrite rules", "redirection" ), // client/page/io/index.js:281
316
- __( "View", "redirection" ), // client/page/io/index.js:284
317
- __( "Download", "redirection" ), // client/page/io/index.js:285
318
- __( "Export redirect", "redirection" ), // client/page/io/index.js:292
319
- __( "Export 404", "redirection" ), // client/page/io/index.js:293
320
- __( "Name", "redirection" ), // client/page/groups/constants.js:8
321
- __( "Module", "redirection" ), // client/page/groups/constants.js:9
322
- __( "Status", "redirection" ), // client/page/groups/constants.js:10
323
- __( "Redirects", "redirection" ), // client/page/groups/constants.js:11
324
- __( "Standard Display", "redirection" ), // client/page/groups/constants.js:17
325
- __( "Compact Display", "redirection" ), // client/page/groups/constants.js:22
326
- __( "Status", "redirection" ), // client/page/groups/constants.js:29
327
- __( "Enabled", "redirection" ), // client/page/groups/constants.js:33
328
- __( "Disabled", "redirection" ), // client/page/groups/constants.js:37
329
- __( "Module", "redirection" ), // client/page/groups/constants.js:43
330
- __( "Status", "redirection" ), // client/page/groups/constants.js:56
331
- __( "Name", "redirection" ), // client/page/groups/constants.js:61
332
- __( "Redirects", "redirection" ), // client/page/groups/constants.js:66
333
- __( "Module", "redirection" ), // client/page/groups/constants.js:71
334
- __( "Delete", "redirection" ), // client/page/groups/constants.js:79
335
- __( "Enable", "redirection" ), // client/page/groups/constants.js:83
336
- __( "Disable", "redirection" ), // client/page/groups/constants.js:87
337
- __( "Search", "redirection" ), // client/page/groups/constants.js:94
338
- __( "Filters", "redirection" ), // client/page/groups/index.js:136
339
- __( "Add Group", "redirection" ), // client/page/groups/index.js:159
340
- __( "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.", "redirection" ), // client/page/groups/index.js:160
341
- __( "Name", "redirection" ), // client/page/groups/index.js:166
342
- __( "Note that you will need to set the Apache module path in your Redirection options.", "redirection" ), // client/page/groups/index.js:179
343
- __( "Edit", "redirection" ), // client/page/groups/row.js:88
344
- __( "Delete", "redirection" ), // client/page/groups/row.js:92
345
- __( "View Redirects", "redirection" ), // client/page/groups/row.js:96
346
- __( "Disable", "redirection" ), // client/page/groups/row.js:101
347
- __( "Enable", "redirection" ), // client/page/groups/row.js:103
348
- __( "Name", "redirection" ), // client/page/groups/row.js:130
349
- __( "Module", "redirection" ), // client/page/groups/row.js:134
350
- __( "Save", "redirection" ), // client/page/groups/row.js:143
351
- __( "Cancel", "redirection" ), // client/page/groups/row.js:144
352
- __( "Note that you will need to set the Apache module path in your Redirection options.", "redirection" ), // client/page/groups/row.js:147
353
- __( "Filter on: %(type)s", "redirection" ), // client/page/groups/row.js:206
354
  __( "Date", "redirection" ), // client/page/logs/constants.js:14
355
  __( "Source URL", "redirection" ), // client/page/logs/constants.js:18
356
  __( "Target URL", "redirection" ), // client/page/logs/constants.js:23
@@ -476,37 +227,37 @@ __( "URL Monitor Changes", "redirection" ), // client/page/options/options-form.
476
  __( "Save changes to this group", "redirection" ), // client/page/options/options-form.js:135
477
  __( "For example \"/amp\"", "redirection" ), // client/page/options/options-form.js:137
478
  __( "Create associated redirect (added to end of URL)", "redirection" ), // client/page/options/options-form.js:137
479
- __( "Monitor changes to %(type)s", "redirection" ), // client/page/options/options-form.js:157
480
- __( "I'm a nice person and I have helped support the author of this plugin", "redirection" ), // client/page/options/options-form.js:184
481
- __( "Redirect Logs", "redirection" ), // client/page/options/options-form.js:188
482
- __( "(time to keep logs for)", "redirection" ), // client/page/options/options-form.js:189
483
- __( "404 Logs", "redirection" ), // client/page/options/options-form.js:192
484
  __( "(time to keep logs for)", "redirection" ), // client/page/options/options-form.js:193
485
- __( "IP Logging", "redirection" ), // client/page/options/options-form.js:196
486
- __( "(select IP logging level)", "redirection" ), // client/page/options/options-form.js:197
487
- __( "GDPR / Privacy information", "redirection" ), // client/page/options/options-form.js:199
488
- __( "URL Monitor", "redirection" ), // client/page/options/options-form.js:202
489
- __( "RSS Token", "redirection" ), // client/page/options/options-form.js:208
490
- __( "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)", "redirection" ), // client/page/options/options-form.js:210
491
- __( "Default URL settings", "redirection" ), // client/page/options/options-form.js:213
492
- __( "Applies to all redirections unless you configure them otherwise.", "redirection" ), // client/page/options/options-form.js:214
493
- __( "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})", "redirection" ), // client/page/options/options-form.js:218
494
- __( "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})", "redirection" ), // client/page/options/options-form.js:229
495
- __( "Default query matching", "redirection" ), // client/page/options/options-form.js:238
496
- __( "Applies to all redirections unless you configure them otherwise.", "redirection" ), // client/page/options/options-form.js:239
497
- __( "Exact - matches the query parameters exactly defined in your source, in any order", "redirection" ), // client/page/options/options-form.js:244
498
- __( "Ignore - as exact, but ignores any query parameters not in your source", "redirection" ), // client/page/options/options-form.js:245
499
- __( "Pass - as ignore, but also copies the query parameters to the target", "redirection" ), // client/page/options/options-form.js:246
500
- __( "Auto-generate URL", "redirection" ), // client/page/options/options-form.js:250
501
- __( "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", "redirection" ), // client/page/options/options-form.js:253
502
- __( "Apache .htaccess", "redirection" ), // client/page/options/options-form.js:261
503
- __( "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}}.", "redirection" ), // client/page/options/options-form.js:266
504
- __( "Unable to save .htaccess file", "redirection" ), // client/page/options/options-form.js:276
505
- __( "Redirect Cache", "redirection" ), // client/page/options/options-form.js:280
506
- __( "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)", "redirection" ), // client/page/options/options-form.js:282
507
- __( "REST API", "redirection" ), // client/page/options/options-form.js:285
508
- __( "How Redirection uses the REST API - don't change unless necessary", "redirection" ), // client/page/options/options-form.js:287
509
- __( "Update", "redirection" ), // client/page/options/options-form.js:291
 
 
510
  __( "Status", "redirection" ), // client/page/redirects/constants.js:15
511
  __( "URL", "redirection" ), // client/page/redirects/constants.js:20
512
  __( "Match Type", "redirection" ), // client/page/redirects/constants.js:25
@@ -564,22 +315,8 @@ __( "pass", "redirection" ), // client/page/redirects/row.js:158
564
  __( "Exact Query", "redirection" ), // client/page/redirects/row.js:251
565
  __( "Ignore Query", "redirection" ), // client/page/redirects/row.js:254
566
  __( "Ignore & Pass Query", "redirection" ), // client/page/redirects/row.js:256
567
- __( "Site", "redirection" ), // client/page/site/header.js:25
568
- __( "Redirect", "redirection" ), // client/page/site/header.js:29
569
- __( "General", "redirection" ), // client/page/site/header.js:226
570
- __( "Custom Header", "redirection" ), // client/page/site/header.js:259
571
- __( "Settings", "redirection" ), // client/page/site/index.js:123
572
- __( "Force a redirect from HTTP to HTTPS", "redirection" ), // client/page/site/index.js:124
573
- __( "{{strong}}Warning{{/strong}}: ensure your HTTPS is working otherwise you can break your site.", "redirection" ), // client/page/site/index.js:127
574
- __( "Ensure that you update your site URL settings.", "redirection" ), // client/page/site/index.js:131
575
- __( "If your site stops working you will need to {{link}}disable the plugin{{/link}} and make changes.", "redirection" ), // client/page/site/index.js:132
576
- __( "HTTP Headers", "redirection" ), // client/page/site/index.js:139
577
- __( "Site headers are added across your site, including redirects. Redirect headers are only added to redirects.", "redirection" ), // client/page/site/index.js:140
578
- __( "Location", "redirection" ), // client/page/site/index.js:145
579
- __( "Header", "redirection" ), // client/page/site/index.js:146
580
- __( "No headers", "redirection" ), // client/page/site/index.js:161
581
- __( "Note that some HTTP headers are set by your server and cannot be changed.", "redirection" ), // client/page/site/index.js:172
582
- __( "Update", "redirection" ), // client/page/site/index.js:174
583
  __( "Database version", "redirection" ), // client/page/support/debug.js:64
584
  __( "Do not change unless advised to do so!", "redirection" ), // client/page/support/debug.js:70
585
  __( "Save", "redirection" ), // client/page/support/debug.js:71
@@ -608,11 +345,291 @@ __( "Redirection communicates with WordPress through the WordPress REST API. Thi
608
  __( "Plugin Status", "redirection" ), // client/page/support/status.js:33
609
  __( "Plugin Debug", "redirection" ), // client/page/support/status.js:38
610
  __( "This information is provided for debugging purposes. Be careful making any changes.", "redirection" ), // client/page/support/status.js:39
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
611
  __( "Redirection saved", "redirection" ), // client/state/message/reducer.js:49
612
  __( "Log deleted", "redirection" ), // client/state/message/reducer.js:50
613
  __( "Settings saved", "redirection" ), // client/state/message/reducer.js:51
614
  __( "Group saved", "redirection" ), // client/state/message/reducer.js:52
615
  __( "404 deleted", "redirection" ), // client/state/message/reducer.js:53
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
  <?php
2
  /* THIS IS A GENERATED FILE. DO NOT EDIT DIRECTLY. */
3
  $redirection_strings = array(
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
4
  _n( "Are you sure you want to delete this item?", "Are you sure you want to delete the selected items?", 1, "redirection" ), // client/lib/store/index.js:20
5
+ __( "Name", "redirection" ), // client/page/groups/constants.js:8
6
+ __( "Module", "redirection" ), // client/page/groups/constants.js:9
7
+ __( "Status", "redirection" ), // client/page/groups/constants.js:10
8
+ __( "Redirects", "redirection" ), // client/page/groups/constants.js:11
9
+ __( "Standard Display", "redirection" ), // client/page/groups/constants.js:17
10
+ __( "Compact Display", "redirection" ), // client/page/groups/constants.js:22
11
+ __( "Status", "redirection" ), // client/page/groups/constants.js:29
12
+ __( "Enabled", "redirection" ), // client/page/groups/constants.js:33
13
+ __( "Disabled", "redirection" ), // client/page/groups/constants.js:37
14
+ __( "Module", "redirection" ), // client/page/groups/constants.js:43
15
+ __( "Status", "redirection" ), // client/page/groups/constants.js:56
16
+ __( "Name", "redirection" ), // client/page/groups/constants.js:61
17
+ __( "Redirects", "redirection" ), // client/page/groups/constants.js:66
18
+ __( "Module", "redirection" ), // client/page/groups/constants.js:71
19
+ __( "Delete", "redirection" ), // client/page/groups/constants.js:79
20
+ __( "Enable", "redirection" ), // client/page/groups/constants.js:83
21
+ __( "Disable", "redirection" ), // client/page/groups/constants.js:87
22
+ __( "Search", "redirection" ), // client/page/groups/constants.js:94
23
+ __( "Filters", "redirection" ), // client/page/groups/index.js:136
24
+ __( "Add Group", "redirection" ), // client/page/groups/index.js:159
25
+ __( "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.", "redirection" ), // client/page/groups/index.js:160
26
+ __( "Name", "redirection" ), // client/page/groups/index.js:166
27
+ __( "Note that you will need to set the Apache module path in your Redirection options.", "redirection" ), // client/page/groups/index.js:179
28
+ __( "Edit", "redirection" ), // client/page/groups/row.js:88
29
+ __( "Delete", "redirection" ), // client/page/groups/row.js:92
30
+ __( "View Redirects", "redirection" ), // client/page/groups/row.js:96
31
+ __( "Disable", "redirection" ), // client/page/groups/row.js:101
32
+ __( "Enable", "redirection" ), // client/page/groups/row.js:103
33
+ __( "Name", "redirection" ), // client/page/groups/row.js:130
34
+ __( "Module", "redirection" ), // client/page/groups/row.js:134
35
+ __( "Save", "redirection" ), // client/page/groups/row.js:143
36
+ __( "Cancel", "redirection" ), // client/page/groups/row.js:144
37
+ __( "Note that you will need to set the Apache module path in your Redirection options.", "redirection" ), // client/page/groups/row.js:147
38
+ __( "Filter on: %(type)s", "redirection" ), // client/page/groups/row.js:206
39
  __( "A database upgrade is in progress. Please continue to finish.", "redirection" ), // client/page/home/database-update.js:25
40
  __( "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" ), // client/page/home/database-update.js:30
41
  __( "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.", "redirection" ), // client/page/home/database-update.js:63
94
  __( "WordPress redirects", "redirection" ), // client/page/io/index.js:272
95
  __( "Apache redirects", "redirection" ), // client/page/io/index.js:273
96
  __( "Nginx redirects", "redirection" ), // client/page/io/index.js:274
97
+ __( "Complete data (JSON)", "redirection" ), // client/page/io/index.js:278
98
+ __( "CSV", "redirection" ), // client/page/io/index.js:279
99
+ __( "Apache .htaccess", "redirection" ), // client/page/io/index.js:280
100
+ __( "Nginx rewrite rules", "redirection" ), // client/page/io/index.js:281
101
+ __( "View", "redirection" ), // client/page/io/index.js:284
102
+ __( "Download", "redirection" ), // client/page/io/index.js:285
103
+ __( "Export redirect", "redirection" ), // client/page/io/index.js:292
104
+ __( "Export 404", "redirection" ), // client/page/io/index.js:293
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
105
  __( "Date", "redirection" ), // client/page/logs/constants.js:14
106
  __( "Source URL", "redirection" ), // client/page/logs/constants.js:18
107
  __( "Target URL", "redirection" ), // client/page/logs/constants.js:23
227
  __( "Save changes to this group", "redirection" ), // client/page/options/options-form.js:135
228
  __( "For example \"/amp\"", "redirection" ), // client/page/options/options-form.js:137
229
  __( "Create associated redirect (added to end of URL)", "redirection" ), // client/page/options/options-form.js:137
230
+ __( "Monitor changes to %(type)s", "redirection" ), // client/page/options/options-form.js:161
231
+ __( "I'm a nice person and I have helped support the author of this plugin", "redirection" ), // client/page/options/options-form.js:188
232
+ __( "Redirect Logs", "redirection" ), // client/page/options/options-form.js:192
 
 
233
  __( "(time to keep logs for)", "redirection" ), // client/page/options/options-form.js:193
234
+ __( "404 Logs", "redirection" ), // client/page/options/options-form.js:196
235
+ __( "(time to keep logs for)", "redirection" ), // client/page/options/options-form.js:197
236
+ __( "IP Logging", "redirection" ), // client/page/options/options-form.js:200
237
+ __( "(select IP logging level)", "redirection" ), // client/page/options/options-form.js:201
238
+ __( "GDPR / Privacy information", "redirection" ), // client/page/options/options-form.js:203
239
+ __( "URL Monitor", "redirection" ), // client/page/options/options-form.js:206
240
+ __( "RSS Token", "redirection" ), // client/page/options/options-form.js:212
241
+ __( "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)", "redirection" ), // client/page/options/options-form.js:214
242
+ __( "Default URL settings", "redirection" ), // client/page/options/options-form.js:217
243
+ __( "Applies to all redirections unless you configure them otherwise.", "redirection" ), // client/page/options/options-form.js:218
244
+ __( "Case insensitive matches (i.e. {{code}}/Exciting-Post{{/code}} will match {{code}}/exciting-post{{/code}})", "redirection" ), // client/page/options/options-form.js:222
245
+ __( "Ignore trailing slashes (i.e. {{code}}/exciting-post/{{/code}} will match {{code}}/exciting-post{{/code}})", "redirection" ), // client/page/options/options-form.js:233
246
+ __( "Default query matching", "redirection" ), // client/page/options/options-form.js:242
247
+ __( "Applies to all redirections unless you configure them otherwise.", "redirection" ), // client/page/options/options-form.js:243
248
+ __( "Exact - matches the query parameters exactly defined in your source, in any order", "redirection" ), // client/page/options/options-form.js:248
249
+ __( "Ignore - as exact, but ignores any query parameters not in your source", "redirection" ), // client/page/options/options-form.js:249
250
+ __( "Pass - as ignore, but also copies the query parameters to the target", "redirection" ), // client/page/options/options-form.js:250
251
+ __( "Auto-generate URL", "redirection" ), // client/page/options/options-form.js:254
252
+ __( "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", "redirection" ), // client/page/options/options-form.js:257
253
+ __( "Apache .htaccess", "redirection" ), // client/page/options/options-form.js:265
254
+ __( "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}}.", "redirection" ), // client/page/options/options-form.js:270
255
+ __( "Unable to save .htaccess file", "redirection" ), // client/page/options/options-form.js:280
256
+ __( "Redirect Cache", "redirection" ), // client/page/options/options-form.js:284
257
+ __( "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)", "redirection" ), // client/page/options/options-form.js:286
258
+ __( "REST API", "redirection" ), // client/page/options/options-form.js:289
259
+ __( "How Redirection uses the REST API - don't change unless necessary", "redirection" ), // client/page/options/options-form.js:291
260
+ __( "Update", "redirection" ), // client/page/options/options-form.js:295
261
  __( "Status", "redirection" ), // client/page/redirects/constants.js:15
262
  __( "URL", "redirection" ), // client/page/redirects/constants.js:20
263
  __( "Match Type", "redirection" ), // client/page/redirects/constants.js:25
315
  __( "Exact Query", "redirection" ), // client/page/redirects/row.js:251
316
  __( "Ignore Query", "redirection" ), // client/page/redirects/row.js:254
317
  __( "Ignore & Pass Query", "redirection" ), // client/page/redirects/row.js:256
318
+ __( "Options on this page can cause problems if used incorrectly. You can {{link}}temporarily disable them{{/link}} to make changes.", "redirection" ), // client/page/site/index.js:68
319
+ __( "Update", "redirection" ), // client/page/site/index.js:81
 
 
 
 
 
 
 
 
 
 
 
 
 
 
320
  __( "Database version", "redirection" ), // client/page/support/debug.js:64
321
  __( "Do not change unless advised to do so!", "redirection" ), // client/page/support/debug.js:70
322
  __( "Save", "redirection" ), // client/page/support/debug.js:71
345
  __( "Plugin Status", "redirection" ), // client/page/support/status.js:33
346
  __( "Plugin Debug", "redirection" ), // client/page/support/status.js:38
347
  __( "This information is provided for debugging purposes. Be careful making any changes.", "redirection" ), // client/page/support/status.js:39
348
+ __( "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.", "redirection" ), // client/component/database/index.js:112
349
+ __( "Database problem", "redirection" ), // client/component/database/index.js:125
350
+ __( "Try again", "redirection" ), // client/component/database/index.js:128
351
+ __( "Skip this stage", "redirection" ), // client/component/database/index.js:129
352
+ __( "Stop upgrade", "redirection" ), // client/component/database/index.js:130
353
+ __( "If you want to {{support}}ask for support{{/support}} please include these details:", "redirection" ), // client/component/database/index.js:134
354
+ __( "Please remain on this page until complete.", "redirection" ), // client/component/database/index.js:152
355
+ __( "Upgrading Redirection", "redirection" ), // client/component/database/index.js:160
356
+ __( "Setting up Redirection", "redirection" ), // client/component/database/index.js:163
357
+ __( "Manual Install", "redirection" ), // client/component/database/index.js:178
358
+ __( "If your site needs special database permissions, or you would rather do it yourself, you can manually run the following SQL.", "redirection" ), // client/component/database/index.js:180
359
+ __( "Click \"Finished! 🎉\" when finished.", "redirection" ), // client/component/database/index.js:180
360
+ __( "Finished! 🎉", "redirection" ), // client/component/database/index.js:182
361
+ __( "If you do not complete the manual install you will be returned here.", "redirection" ), // client/component/database/index.js:183
362
+ __( "Leaving before the process has completed may cause problems.", "redirection" ), // client/component/database/index.js:190
363
+ __( "Progress: %(complete)d\$", "redirection" ), // client/component/database/index.js:198
364
+ __( "Finished! 🎉", "redirection" ), // client/component/database/index.js:212
365
+ __( "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.", "redirection" ), // client/component/decode-error/index.js:49
366
+ __( "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.", "redirection" ), // client/component/decode-error/index.js:56
367
+ __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:57
368
+ __( "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.", "redirection" ), // client/component/decode-error/index.js:66
369
+ __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:67
370
+ __( "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured", "redirection" ), // client/component/decode-error/index.js:76
371
+ __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:77
372
+ __( "Your server has rejected the request for being too big. You will need to change it to continue.", "redirection" ), // client/component/decode-error/index.js:83
373
+ __( "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log", "redirection" ), // client/component/decode-error/index.js:90
374
+ __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:91
375
+ __( "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working", "redirection" ), // client/component/decode-error/index.js:97
376
+ __( "WordPress returned an unexpected message. This is probably a PHP error from another plugin.", "redirection" ), // client/component/decode-error/index.js:106
377
+ __( "Possible cause", "redirection" ), // client/component/decode-error/index.js:107
378
+ __( "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.", "redirection" ), // client/component/decode-error/index.js:117
379
+ __( "Read this REST API guide for more information.", "redirection" ), // client/component/decode-error/index.js:118
380
+ __( "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.", "redirection" ), // client/component/error/index.js:100
381
+ __( "Create An Issue", "redirection" ), // client/component/error/index.js:107
382
+ __( "Email", "redirection" ), // client/component/error/index.js:107
383
+ __( "Include these details in your report along with a description of what you were doing and a screenshot.", "redirection" ), // client/component/error/index.js:108
384
+ __( "You are not authorised to access this page.", "redirection" ), // client/component/error/index.js:118
385
+ __( "This is usually fixed by doing one of these:", "redirection" ), // client/component/error/index.js:120
386
+ __( "Reload the page - your current session is old.", "redirection" ), // client/component/error/index.js:122
387
+ __( "Log out, clear your browser cache, and log in again - your browser has cached an old session.", "redirection" ), // client/component/error/index.js:123
388
+ __( "Your admin pages are being cached. Clear this cache and try again.", "redirection" ), // client/component/error/index.js:124
389
+ __( "The problem is almost certainly caused by one of the above.", "redirection" ), // client/component/error/index.js:127
390
+ __( "That didn't help", "redirection" ), // client/component/error/index.js:129
391
+ __( "Something went wrong 🙁", "redirection" ), // client/component/error/index.js:147
392
+ __( "What do I do next?", "redirection" ), // client/component/error/index.js:155
393
+ __( "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.", "redirection" ), // client/component/error/index.js:159
394
+ __( "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.", "redirection" ), // client/component/error/index.js:166
395
+ __( "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.", "redirection" ), // client/component/error/index.js:173
396
+ __( "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.", "redirection" ), // client/component/error/index.js:180
397
+ __( "That didn't help", "redirection" ), // client/component/error/index.js:188
398
+ __( "Geo IP Error", "redirection" ), // client/component/geo-map/index.js:30
399
+ __( "Something went wrong obtaining this information", "redirection" ), // client/component/geo-map/index.js:31
400
+ __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:42
401
+ __( "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.", "redirection" ), // client/component/geo-map/index.js:45
402
+ __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:56
403
+ __( "No details are known for this address.", "redirection" ), // client/component/geo-map/index.js:59
404
+ __( "Geo IP", "redirection" ), // client/component/geo-map/index.js:76
405
+ __( "City", "redirection" ), // client/component/geo-map/index.js:81
406
+ __( "Area", "redirection" ), // client/component/geo-map/index.js:85
407
+ __( "Timezone", "redirection" ), // client/component/geo-map/index.js:89
408
+ __( "Geo Location", "redirection" ), // client/component/geo-map/index.js:93
409
+ __( "Expected", "redirection" ), // client/component/http-check/details.js:31
410
+ __( "{{code}}%(status)d{{/code}} to {{code}}%(target)s{{/code}}", "redirection" ), // client/component/http-check/details.js:34
411
+ __( "Found", "redirection" ), // client/component/http-check/details.js:46
412
+ __( "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}", "redirection" ), // client/component/http-check/details.js:51
413
+ __( "Agent", "redirection" ), // client/component/http-check/details.js:65
414
+ __( "Using Redirection", "redirection" ), // client/component/http-check/details.js:67
415
+ __( "Not using Redirection", "redirection" ), // client/component/http-check/details.js:67
416
+ __( "What does this mean?", "redirection" ), // client/component/http-check/details.js:69
417
+ __( "Error", "redirection" ), // client/component/http-check/index.js:43
418
+ __( "Something went wrong obtaining this information", "redirection" ), // client/component/http-check/index.js:44
419
+ __( "Check redirect for: {{code}}%s{{/code}}", "redirection" ), // client/component/http-check/index.js:67
420
+ __( "Redirects", "redirection" ), // client/component/menu/index.js:19
421
+ __( "Groups", "redirection" ), // client/component/menu/index.js:23
422
+ __( "Site", "redirection" ), // client/component/menu/index.js:27
423
+ __( "Log", "redirection" ), // client/component/menu/index.js:31
424
+ __( "404s", "redirection" ), // client/component/menu/index.js:35
425
+ __( "Import/Export", "redirection" ), // client/component/menu/index.js:39
426
+ __( "Options", "redirection" ), // client/component/menu/index.js:43
427
+ __( "Support", "redirection" ), // client/component/menu/index.js:47
428
+ __( "View notice", "redirection" ), // client/component/notice/index.js:76
429
+ __( "Powered by {{link}}redirect.li{{/link}}", "redirection" ), // client/component/powered-by/index.js:16
430
+ __( "Saving...", "redirection" ), // client/component/progress/index.js:23
431
+ __( "Saving...", "redirection" ), // client/component/progress/index.js:26
432
+ __( "with HTTP code", "redirection" ), // client/component/redirect-edit/action-code.js:42
433
+ __( "URL only", "redirection" ), // client/component/redirect-edit/constants.js:30
434
+ __( "URL and login status", "redirection" ), // client/component/redirect-edit/constants.js:34
435
+ __( "URL and role/capability", "redirection" ), // client/component/redirect-edit/constants.js:38
436
+ __( "URL and referrer", "redirection" ), // client/component/redirect-edit/constants.js:42
437
+ __( "URL and user agent", "redirection" ), // client/component/redirect-edit/constants.js:46
438
+ __( "URL and cookie", "redirection" ), // client/component/redirect-edit/constants.js:50
439
+ __( "URL and IP", "redirection" ), // client/component/redirect-edit/constants.js:54
440
+ __( "URL and server", "redirection" ), // client/component/redirect-edit/constants.js:58
441
+ __( "URL and HTTP header", "redirection" ), // client/component/redirect-edit/constants.js:62
442
+ __( "URL and custom filter", "redirection" ), // client/component/redirect-edit/constants.js:66
443
+ __( "URL and WordPress page type", "redirection" ), // client/component/redirect-edit/constants.js:70
444
+ __( "URL and language", "redirection" ), // client/component/redirect-edit/constants.js:74
445
+ __( "Redirect to URL", "redirection" ), // client/component/redirect-edit/constants.js:81
446
+ __( "Redirect to random post", "redirection" ), // client/component/redirect-edit/constants.js:85
447
+ __( "Pass-through", "redirection" ), // client/component/redirect-edit/constants.js:89
448
+ __( "Error (404)", "redirection" ), // client/component/redirect-edit/constants.js:93
449
+ __( "Do nothing (ignore)", "redirection" ), // client/component/redirect-edit/constants.js:97
450
+ __( "301 - Moved Permanently", "redirection" ), // client/component/redirect-edit/constants.js:104
451
+ __( "302 - Found", "redirection" ), // client/component/redirect-edit/constants.js:108
452
+ __( "303 - See Other", "redirection" ), // client/component/redirect-edit/constants.js:112
453
+ __( "304 - Not Modified", "redirection" ), // client/component/redirect-edit/constants.js:116
454
+ __( "307 - Temporary Redirect", "redirection" ), // client/component/redirect-edit/constants.js:120
455
+ __( "308 - Permanent Redirect", "redirection" ), // client/component/redirect-edit/constants.js:124
456
+ __( "400 - Bad Request", "redirection" ), // client/component/redirect-edit/constants.js:131
457
+ __( "401 - Unauthorized", "redirection" ), // client/component/redirect-edit/constants.js:135
458
+ __( "403 - Forbidden", "redirection" ), // client/component/redirect-edit/constants.js:139
459
+ __( "404 - Not Found", "redirection" ), // client/component/redirect-edit/constants.js:143
460
+ __( "410 - Gone", "redirection" ), // client/component/redirect-edit/constants.js:147
461
+ __( "418 - I'm a teapot", "redirection" ), // client/component/redirect-edit/constants.js:151
462
+ __( "451 - Unavailable For Legal Reasons", "redirection" ), // client/component/redirect-edit/constants.js:155
463
+ __( "500 - Internal Server Error", "redirection" ), // client/component/redirect-edit/constants.js:159
464
+ __( "501 - Not implemented", "redirection" ), // client/component/redirect-edit/constants.js:163
465
+ __( "502 - Bad Gateway", "redirection" ), // client/component/redirect-edit/constants.js:167
466
+ __( "503 - Service Unavailable", "redirection" ), // client/component/redirect-edit/constants.js:171
467
+ __( "504 - Gateway Timeout", "redirection" ), // client/component/redirect-edit/constants.js:175
468
+ __( "Regex", "redirection" ), // client/component/redirect-edit/constants.js:184
469
+ __( "Ignore Slash", "redirection" ), // client/component/redirect-edit/constants.js:188
470
+ __( "Ignore Case", "redirection" ), // client/component/redirect-edit/constants.js:192
471
+ __( "Exact match all parameters in any order", "redirection" ), // client/component/redirect-edit/constants.js:203
472
+ __( "Ignore all parameters", "redirection" ), // client/component/redirect-edit/constants.js:207
473
+ __( "Ignore & pass parameters to the target", "redirection" ), // client/component/redirect-edit/constants.js:211
474
+ __( "When matched", "redirection" ), // client/component/redirect-edit/index.js:276
475
+ __( "Group", "redirection" ), // client/component/redirect-edit/index.js:285
476
+ __( "Save", "redirection" ), // client/component/redirect-edit/index.js:295
477
+ __( "Cancel", "redirection" ), // client/component/redirect-edit/index.js:307
478
+ __( "Close", "redirection" ), // client/component/redirect-edit/index.js:308
479
+ __( "Show advanced options", "redirection" ), // client/component/redirect-edit/index.js:311
480
+ __( "Match", "redirection" ), // client/component/redirect-edit/match-type.js:19
481
+ __( "Position", "redirection" ), // client/component/redirect-edit/position.js:12
482
+ __( "Query Parameters", "redirection" ), // client/component/redirect-edit/source-query.js:23
483
+ __( "Source URL", "redirection" ), // client/component/redirect-edit/source-url.js:27
484
+ __( "Source URL", "redirection" ), // client/component/redirect-edit/source-url.js:34
485
+ __( "The relative URL you want to redirect from", "redirection" ), // client/component/redirect-edit/source-url.js:42
486
+ __( "URL options / Regex", "redirection" ), // client/component/redirect-edit/source-url.js:49
487
+ __( "The target URL you want to redirect, or auto-complete on post name or permalink.", "redirection" ), // client/component/redirect-edit/target.js:84
488
+ __( "Title", "redirection" ), // client/component/redirect-edit/title.js:17
489
+ __( "Describe the purpose of this redirect (optional)", "redirection" ), // client/component/redirect-edit/title.js:23
490
+ __( "Anchor values are not sent to the server and cannot be redirected.", "redirection" ), // client/component/redirect-edit/warning.js:52
491
+ __( "This will be converted to a server redirect for the domain {{code}}%(server)s{{/code}}.", "redirection" ), // client/component/redirect-edit/warning.js:60
492
+ __( "The source URL should probably start with a {{code}}/{{/code}}", "redirection" ), // client/component/redirect-edit/warning.js:74
493
+ __( "Remember to enable the \"regex\" option if this is a regular expression.", "redirection" ), // client/component/redirect-edit/warning.js:85
494
+ __( "WordPress permalink structures do not work in normal URLs. Please use a regular expression.", "redirection" ), // client/component/redirect-edit/warning.js:94
495
+ __( "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}}", "redirection" ), // client/component/redirect-edit/warning.js:112
496
+ __( "If you want to redirect everything please use a site relocation or alias from the Site page.", "redirection" ), // client/component/redirect-edit/warning.js:125
497
+ __( "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.", "redirection" ), // client/component/redirect-edit/warning.js:130
498
+ __( "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}}.", "redirection" ), // client/component/redirect-edit/warning.js:136
499
+ __( "Your target URL contains the invalid character {{code}}%(invalid)s{{/code}}", "redirection" ), // client/component/redirect-edit/warning.js:150
500
+ __( "Your URL appears to contain a domain inside the path: {{code}}%(relative)s{{/code}}. Did you mean to use {{code}}%(absolute)s{{/code}} instead?", "redirection" ), // client/component/redirect-edit/warning.js:166
501
+ __( "Some servers may be configured to serve file resources directly, preventing a redirect occurring.", "redirection" ), // client/component/redirect-edit/warning.js:182
502
+ __( "Working!", "redirection" ), // client/component/rest-api-status/api-result-pass.js:15
503
+ __( "Show Full", "redirection" ), // client/component/rest-api-status/api-result-raw.js:41
504
+ __( "Hide", "redirection" ), // client/component/rest-api-status/api-result-raw.js:42
505
+ __( "Switch to this API", "redirection" ), // client/component/rest-api-status/api-result.js:27
506
+ __( "Current API", "redirection" ), // client/component/rest-api-status/api-result.js:28
507
+ __( "Good", "redirection" ), // client/component/rest-api-status/index.js:100
508
+ __( "Working but some issues", "redirection" ), // client/component/rest-api-status/index.js:102
509
+ __( "Not working but fixable", "redirection" ), // client/component/rest-api-status/index.js:104
510
+ __( "Unavailable", "redirection" ), // client/component/rest-api-status/index.js:107
511
+ __( "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.", "redirection" ), // client/component/rest-api-status/index.js:122
512
+ __( "Your REST API is not working and the plugin will not be able to continue until this is fixed.", "redirection" ), // client/component/rest-api-status/index.js:125
513
+ __( "You are using a broken REST API route. Changing to a working API should fix the problem.", "redirection" ), // client/component/rest-api-status/index.js:127
514
+ __( "Summary", "redirection" ), // client/component/rest-api-status/index.js:132
515
+ __( "Show Problems", "redirection" ), // client/component/rest-api-status/index.js:134
516
+ __( "Testing - %s\$", "redirection" ), // client/component/rest-api-status/index.js:160
517
+ __( "Check Again", "redirection" ), // client/component/rest-api-status/index.js:167
518
+ __( "Apply", "redirection" ), // client/component/table/group.js:39
519
+ __( "First page", "redirection" ), // client/component/table/navigation-pages.js:74
520
+ __( "Prev page", "redirection" ), // client/component/table/navigation-pages.js:75
521
+ __( "Current Page", "redirection" ), // client/component/table/navigation-pages.js:78
522
+ __( "of %(page)s", "redirection" ), // client/component/table/navigation-pages.js:82
523
+ __( "Next page", "redirection" ), // client/component/table/navigation-pages.js:93
524
+ __( "Last page", "redirection" ), // client/component/table/navigation-pages.js:94
525
+ _n( "%s item", "%s items", 1, "redirection" ), // client/component/table/navigation-pages.js:111
526
+ __( "Select bulk action", "redirection" ), // client/component/table/navigation.js:53
527
+ __( "Bulk Actions", "redirection" ), // client/component/table/navigation.js:56
528
+ __( "Apply", "redirection" ), // client/component/table/navigation.js:61
529
+ __( "Display All", "redirection" ), // client/component/table/table-display.js:64
530
+ __( "Custom Display", "redirection" ), // client/component/table/table-display.js:75
531
+ __( "Pre-defined", "redirection" ), // client/component/table/table-display.js:90
532
+ __( "Custom", "redirection" ), // client/component/table/table-display.js:95
533
+ __( "Useragent Error", "redirection" ), // client/component/useragent/index.js:31
534
+ __( "Something went wrong obtaining this information", "redirection" ), // client/component/useragent/index.js:32
535
+ __( "Unknown Useragent", "redirection" ), // client/component/useragent/index.js:43
536
+ __( "Device", "redirection" ), // client/component/useragent/index.js:98
537
+ __( "Operating System", "redirection" ), // client/component/useragent/index.js:102
538
+ __( "Browser", "redirection" ), // client/component/useragent/index.js:106
539
+ __( "Engine", "redirection" ), // client/component/useragent/index.js:110
540
+ __( "Useragent", "redirection" ), // client/component/useragent/index.js:115
541
+ __( "Agent", "redirection" ), // client/component/useragent/index.js:119
542
+ __( "Welcome to Redirection 🚀🎉", "redirection" ), // client/component/welcome-wizard/index.js:145
543
+ __( "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" ), // client/component/welcome-wizard/index.js:147
544
+ __( "Redirection is designed to be used on sites with a few redirects to sites with thousands of redirects.", "redirection" ), // client/component/welcome-wizard/index.js:152
545
+ __( "How do I use this plugin?", "redirection" ), // client/component/welcome-wizard/index.js:154
546
+ __( "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:", "redirection" ), // client/component/welcome-wizard/index.js:155
547
+ __( "Source URL", "redirection" ), // client/component/welcome-wizard/index.js:164
548
+ __( "(Example) The source URL is your old or original URL", "redirection" ), // client/component/welcome-wizard/index.js:165
549
+ __( "Target URL", "redirection" ), // client/component/welcome-wizard/index.js:168
550
+ __( "(Example) The target URL is the new URL", "redirection" ), // client/component/welcome-wizard/index.js:169
551
+ __( "That's all there is to it - you are now redirecting! Note that the above is just an example.", "redirection" ), // client/component/welcome-wizard/index.js:174
552
+ __( "Full documentation can be found on the {{link}}Redirection website.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:175
553
+ __( "Some features you may find useful are", "redirection" ), // client/component/welcome-wizard/index.js:181
554
+ __( "{{link}}Monitor 404 errors{{/link}}, get detailed information about the visitor, and fix any problems", "redirection" ), // client/component/welcome-wizard/index.js:184
555
+ __( "{{link}}Import{{/link}} from .htaccess, CSV, and a variety of other plugins", "redirection" ), // client/component/welcome-wizard/index.js:190
556
+ __( "More powerful URL matching, including {{regular}}regular expressions{{/regular}}, and {{other}}other conditions{{/other}}", "redirection" ), // client/component/welcome-wizard/index.js:195
557
+ __( "Check a URL is being redirected", "redirection" ), // client/component/welcome-wizard/index.js:202
558
+ __( "What's next?", "redirection" ), // client/component/welcome-wizard/index.js:205
559
+ __( "First you will be asked a few questions, and then Redirection will set up your database.", "redirection" ), // client/component/welcome-wizard/index.js:206
560
+ __( "When ready please press the button to continue.", "redirection" ), // client/component/welcome-wizard/index.js:207
561
+ __( "Start Setup", "redirection" ), // client/component/welcome-wizard/index.js:210
562
+ __( "Basic Setup", "redirection" ), // client/component/welcome-wizard/index.js:221
563
+ __( "These are some options you may want to enable now. They can be changed at any time.", "redirection" ), // client/component/welcome-wizard/index.js:223
564
+ __( "Monitor permalink changes in WordPress posts and pages", "redirection" ), // client/component/welcome-wizard/index.js:226
565
+ __( "If you change the permalink in a post or page then Redirection can automatically create a redirect for you.", "redirection" ), // client/component/welcome-wizard/index.js:228
566
+ __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:229
567
+ __( "Keep a log of all redirects and 404 errors.", "redirection" ), // client/component/welcome-wizard/index.js:238
568
+ __( "Storing logs for redirects and 404s will allow you to see what is happening on your site. This will increase your database storage requirements.", "redirection" ), // client/component/welcome-wizard/index.js:240
569
+ __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:241
570
+ __( "Store IP information for redirects and 404 errors.", "redirection" ), // client/component/welcome-wizard/index.js:250
571
+ __( "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).", "redirection" ), // client/component/welcome-wizard/index.js:252
572
+ __( "{{link}}Read more about this.{{/link}}", "redirection" ), // client/component/welcome-wizard/index.js:253
573
+ __( "Continue Setup", "redirection" ), // client/component/welcome-wizard/index.js:262
574
+ __( "Go back", "redirection" ), // client/component/welcome-wizard/index.js:263
575
+ __( "REST API", "redirection" ), // client/component/welcome-wizard/index.js:276
576
+ __( "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" ), // client/component/welcome-wizard/index.js:279
577
+ __( "A security plugin (e.g Wordfence)", "redirection" ), // client/component/welcome-wizard/index.js:287
578
+ __( "A server firewall or other server configuration (e.g OVH)", "redirection" ), // client/component/welcome-wizard/index.js:288
579
+ __( "Caching software (e.g Cloudflare)", "redirection" ), // client/component/welcome-wizard/index.js:289
580
+ __( "Some other plugin that blocks the REST API", "redirection" ), // client/component/welcome-wizard/index.js:290
581
+ __( "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}}.", "redirection" ), // client/component/welcome-wizard/index.js:293
582
+ __( "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.", "redirection" ), // client/component/welcome-wizard/index.js:300
583
+ __( "You will need at least one working REST API to continue.", "redirection" ), // client/component/welcome-wizard/index.js:307
584
+ __( "Finish Setup", "redirection" ), // client/component/welcome-wizard/index.js:310
585
+ __( "Go back", "redirection" ), // client/component/welcome-wizard/index.js:311
586
+ __( "Import Existing Redirects", "redirection" ), // client/component/welcome-wizard/index.js:328
587
+ __( "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.", "redirection" ), // client/component/welcome-wizard/index.js:330
588
+ __( "WordPress automatically creates redirects when you change a post URL. Importing these into Redirection will allow you to manage and monitor them.", "redirection" ), // client/component/welcome-wizard/index.js:334
589
+ __( "The following plugins have been detected.", "redirection" ), // client/component/welcome-wizard/index.js:345
590
+ __( "Continue", "redirection" ), // client/component/welcome-wizard/index.js:359
591
+ __( "Import Existing Redirects", "redirection" ), // client/component/welcome-wizard/index.js:368
592
+ __( "Please wait, importing.", "redirection" ), // client/component/welcome-wizard/index.js:370
593
+ __( "Redirection", "redirection" ), // client/component/welcome-wizard/index.js:412
594
+ __( "I need support!", "redirection" ), // client/component/welcome-wizard/index.js:420
595
+ __( "Manual Install", "redirection" ), // client/component/welcome-wizard/index.js:421
596
+ __( "Automatic Install", "redirection" ), // client/component/welcome-wizard/index.js:422
597
  __( "Redirection saved", "redirection" ), // client/state/message/reducer.js:49
598
  __( "Log deleted", "redirection" ), // client/state/message/reducer.js:50
599
  __( "Settings saved", "redirection" ), // client/state/message/reducer.js:51
600
  __( "Group saved", "redirection" ), // client/state/message/reducer.js:52
601
  __( "404 deleted", "redirection" ), // client/state/message/reducer.js:53
602
+ __( "Site Aliases", "redirection" ), // client/page/site/aliases/index.js:39
603
+ __( "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.", "redirection" ), // client/page/site/aliases/index.js:41
604
+ __( "You will need to configure your system (DNS and server) to pass requests for these domains to this WordPress install.", "redirection" ), // client/page/site/aliases/index.js:42
605
+ __( "Aliased Domain", "redirection" ), // client/page/site/aliases/index.js:47
606
+ __( "Alias", "redirection" ), // client/page/site/aliases/index.js:48
607
+ __( "No aliases", "redirection" ), // client/page/site/aliases/index.js:64
608
+ __( "Add Alias", "redirection" ), // client/page/site/aliases/index.js:68
609
+ __( "Don't set a preferred domain - {{code}}%(site)s{{/code}}", "redirection" ), // client/page/site/canonical/index.js:11
610
+ __( "Remove www from domain - {{code}}%(siteWWW)s{{/code}} ⇒ {{code}}%(site)s{{/code}}", "redirection" ), // client/page/site/canonical/index.js:22
611
+ __( "Add www to domain - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteWWW)s{{/code}}", "redirection" ), // client/page/site/canonical/index.js:34
612
+ __( "Canonical Settings", "redirection" ), // client/page/site/canonical/index.js:86
613
+ __( "Force a redirect from HTTP to HTTPS - {{code}}%(site)s{{/code}} ⇒ {{code}}%(siteHTTPS)s{{/code}}", "redirection" ), // client/page/site/canonical/index.js:90
614
+ __( "{{strong}}Warning{{/strong}}: ensure your HTTPS is working before forcing a redirect.", "redirection" ), // client/page/site/canonical/index.js:103
615
+ __( "Preferred domain", "redirection" ), // client/page/site/canonical/index.js:110
616
+ __( "You should update your site URL to match your canonical settings: {{code}}%(current)s{{/code}} ⇒ {{code}}%(site)s{{/code}}", "redirection" ), // client/page/site/canonical/index.js:120
617
+ __( "Site", "redirection" ), // client/page/site/headers/header.js:25
618
+ __( "Redirect", "redirection" ), // client/page/site/headers/