Redirection - Version 3.7

Version Description

  • Requires minimum PHP 5.4. Do not upgrade if you are still using PHP < 5.4

=

Download this release

Release Info

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

Code changes from version 3.6.3 to 3.7

Files changed (47) hide show
  1. api/api-plugin.php +45 -2
  2. database/database-status.php +318 -0
  3. database/database-upgrader.php +94 -0
  4. database/database.php +146 -0
  5. database/schema/201.php +14 -0
  6. database/schema/216.php +26 -0
  7. database/schema/220.php +26 -0
  8. database/schema/231.php +37 -0
  9. database/schema/232.php +15 -0
  10. database/schema/233.php +17 -0
  11. database/schema/240.php +35 -0
  12. database/schema/latest.php +247 -0
  13. fileio/apache.php +1 -3
  14. fileio/csv.php +1 -3
  15. fileio/json.php +1 -3
  16. fileio/nginx.php +4 -4
  17. locale/json/redirection-de_DE.json +1 -1
  18. locale/json/redirection-en_AU.json +1 -0
  19. locale/json/redirection-en_CA.json +1 -1
  20. locale/json/redirection-en_GB.json +1 -1
  21. locale/json/redirection-en_NZ.json +1 -0
  22. locale/json/redirection-es_ES.json +1 -1
  23. locale/json/redirection-fr_FR.json +1 -1
  24. locale/json/redirection-it_IT.json +1 -1
  25. locale/json/redirection-ja.json +1 -1
  26. locale/json/redirection-lv.json +1 -1
  27. locale/json/redirection-pt_BR.json +1 -1
  28. locale/json/redirection-ru_RU.json +1 -1
  29. locale/json/redirection-sv_SE.json +1 -1
  30. locale/redirection-de_DE.mo +0 -0
  31. locale/redirection-de_DE.po +171 -179
  32. locale/redirection-en_AU.mo +0 -0
  33. locale/redirection-en_AU.po +1542 -0
  34. locale/redirection-en_CA.mo +0 -0
  35. locale/redirection-en_CA.po +171 -179
  36. locale/redirection-en_GB.mo +0 -0
  37. locale/redirection-en_GB.po +175 -183
  38. locale/redirection-en_NZ.mo +0 -0
  39. locale/redirection-en_NZ.po +1542 -0
  40. locale/redirection-es_ES.mo +0 -0
  41. locale/redirection-es_ES.po +171 -179
  42. locale/redirection-fr_FR.mo +0 -0
  43. locale/redirection-fr_FR.po +171 -179
  44. locale/redirection-it_IT.mo +0 -0
  45. locale/redirection-it_IT.po +174 -182
  46. locale/redirection-ja.mo +0 -0
  47. locale/redirection-ja.po +169 -177
api/api-plugin.php CHANGED
@@ -15,7 +15,19 @@ class Redirection_Api_Plugin extends Redirection_Api_Route {
15
  ) );
16
 
17
  register_rest_route( $namespace, '/plugin/test', array(
18
- $this->get_route( WP_REST_Server::EDITABLE, 'route_test' ),
 
 
 
 
 
 
 
 
 
 
 
 
19
  ) );
20
  }
21
 
@@ -48,9 +60,40 @@ class Redirection_Api_Plugin extends Redirection_Api_Route {
48
  return array( 'location' => admin_url() . 'plugins.php' );
49
  }
50
 
51
- public function route_test() {
52
  return array(
53
  'success' => true,
54
  );
55
  }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
56
  }
15
  ) );
16
 
17
  register_rest_route( $namespace, '/plugin/test', array(
18
+ $this->get_route( WP_REST_Server::ALLMETHODS, 'route_test' ),
19
+ ) );
20
+
21
+ register_rest_route( $namespace, '/plugin/database', array(
22
+ $this->get_route( WP_REST_Server::EDITABLE, 'route_database' ),
23
+ 'args' => array(
24
+ 'description' => 'Upgrade parameter',
25
+ 'type' => 'enum',
26
+ 'enum' => array(
27
+ 'stop',
28
+ 'skip',
29
+ ),
30
+ ),
31
  ) );
32
  }
33
 
60
  return array( 'location' => admin_url() . 'plugins.php' );
61
  }
62
 
63
+ public function route_test( WP_REST_Request $request ) {
64
  return array(
65
  'success' => true,
66
  );
67
  }
68
+
69
+ public function route_database( WP_REST_Request $request ) {
70
+ $params = $request->get_params();
71
+ $status = new Red_Database_Status();
72
+ $upgrade = false;
73
+
74
+ if ( isset( $params['upgrade'] ) && in_array( $params['upgrade'], [ 'stop', 'skip' ], true ) ) {
75
+ $upgrade = $params['upgrade'];
76
+ }
77
+
78
+ // Check upgrade
79
+ if ( ! $status->needs_updating() && ! $status->needs_installing() ) {
80
+ /* translators: version number */
81
+ $status->set_error( sprintf( __( 'Your database does not need updating to %s.', 'redirection' ), REDIRECTION_DB_VERSION ) );
82
+
83
+ return $status->get_json();
84
+ }
85
+
86
+ if ( $upgrade === 'stop' ) {
87
+ $status->stop_update();
88
+ } elseif ( $upgrade === 'skip' ) {
89
+ $status->set_next_stage();
90
+ }
91
+
92
+ if ( $upgrade === false || $status->get_current_stage() ) {
93
+ $database = new Red_Database();
94
+ $database->apply_upgrade( $status );
95
+ }
96
+
97
+ return $status->get_json();
98
+ }
99
  }
database/database-status.php ADDED
@@ -0,0 +1,318 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ class Red_Database_Status {
4
+ // Used in < 3.7 versions of Redirection, but since migrated to general settings
5
+ const OLD_DB_VERSION = 'redirection_version';
6
+ const DB_UPGRADE_STAGE = 'redirection_database_stage';
7
+
8
+ const RESULT_OK = 'ok';
9
+ const RESULT_ERROR = 'error';
10
+
11
+ const STATUS_OK = 'ok';
12
+ const STATUS_NEED_INSTALL = 'need-install';
13
+ const STATUS_NEED_UPDATING = 'need-update';
14
+ const STATUS_FINISHED_INSTALL = 'finish-install';
15
+ const STATUS_FINISHED_UPDATING = 'finish-update';
16
+
17
+ private $stage = false;
18
+ private $stages = [];
19
+
20
+ private $status = false;
21
+ private $result = false;
22
+ private $reason = false;
23
+ private $debug = [];
24
+
25
+ public function __construct() {
26
+ $this->status = self::STATUS_OK;
27
+
28
+ if ( $this->needs_installing() ) {
29
+ $this->status = self::STATUS_NEED_INSTALL;
30
+ } elseif ( $this->needs_updating() ) {
31
+ $this->status = self::STATUS_NEED_UPDATING;
32
+ }
33
+
34
+ $info = get_option( self::DB_UPGRADE_STAGE );
35
+ if ( $info ) {
36
+ $this->stage = isset( $info['stage'] ) ? $info['stage'] : false;
37
+ $this->stages = isset( $info['stages'] ) ? $info['stages'] : [];
38
+ $this->status = isset( $info['status'] ) ? $info['status'] : false;
39
+ }
40
+ }
41
+
42
+ /**
43
+ * Does the database need install
44
+ *
45
+ * @return bool true if needs installing, false otherwise
46
+ */
47
+ public function needs_installing() {
48
+ $settings = red_get_options();
49
+
50
+ if ( $settings['database'] === '' && $this->get_old_version() === false ) {
51
+ return true;
52
+ }
53
+
54
+ return false;
55
+ }
56
+
57
+ /**
58
+ * Does the current database need updating to the target
59
+ *
60
+ * @return bool true if needs updating, false otherwise
61
+ */
62
+ public function needs_updating() {
63
+ // We need updating if we don't need to install, and the current version is less than target version
64
+ if ( $this->needs_installing() === false && version_compare( $this->get_current_version(), REDIRECTION_DB_VERSION, '<' ) ) {
65
+ return true;
66
+ }
67
+
68
+ // Also if we're still in the process of upgrading
69
+ if ( $this->get_current_stage() ) {
70
+ return true;
71
+ }
72
+
73
+ return false;
74
+ }
75
+
76
+ /**
77
+ * Get current database version
78
+ *
79
+ * @return string Current database version
80
+ */
81
+ public function get_current_version() {
82
+ $settings = red_get_options();
83
+
84
+ if ( $settings['database'] !== '' ) {
85
+ return $settings['database'];
86
+ } elseif ( $this->get_old_version() !== false ) {
87
+ $version = $this->get_old_version();
88
+
89
+ // Upgrade the old value
90
+ red_set_options( array( 'database' => $version ) );
91
+ delete_option( self::OLD_DB_VERSION );
92
+ return $version;
93
+ }
94
+
95
+ return '';
96
+ }
97
+
98
+ private function get_old_version() {
99
+ return get_option( self::OLD_DB_VERSION );
100
+ }
101
+
102
+ /**
103
+ * Does the current database support a particular version
104
+ *
105
+ * @param string $version Target version
106
+ * @return bool true if supported, false otherwise
107
+ */
108
+ public function does_support( $version ) {
109
+ return version_compare( $this->get_current_version(), $version, 'ge' );
110
+ }
111
+
112
+ public function is_error() {
113
+ return $this->result === self::RESULT_ERROR;
114
+ }
115
+
116
+ public function set_error( $error ) {
117
+ global $wpdb;
118
+
119
+ $this->result = self::RESULT_ERROR;
120
+ $this->reason = str_replace( "\t", ' ', $error );
121
+
122
+ if ( $wpdb->last_error ) {
123
+ $this->debug[] = $wpdb->last_error;
124
+ }
125
+
126
+ $latest = Red_Database::get_latest_database();
127
+ $this->debug = array_merge( $this->debug, $latest->get_table_schema() );
128
+ }
129
+
130
+ public function set_ok( $reason ) {
131
+ $this->reason = $reason;
132
+ $this->result = self::RESULT_OK;
133
+ $this->debug = [];
134
+ }
135
+
136
+ /**
137
+ * Stop current upgrade
138
+ */
139
+ public function stop_update() {
140
+ $this->stage = false;
141
+ $this->stages = [];
142
+ $this->debug = [];
143
+
144
+ delete_option( self::DB_UPGRADE_STAGE );
145
+ }
146
+
147
+ public function finish() {
148
+ $this->stop_update();
149
+
150
+ if ( $this->status === self::STATUS_NEED_INSTALL ) {
151
+ $this->status = self::STATUS_FINISHED_INSTALL;
152
+ } elseif ( $this->status === self::STATUS_NEED_UPDATING ) {
153
+ $this->status = self::STATUS_FINISHED_UPDATING;
154
+ }
155
+ }
156
+
157
+ /**
158
+ * Get current upgrade stage
159
+ * @return string|bool Current stage name, or false if not upgrading
160
+ */
161
+ public function get_current_stage() {
162
+ return $this->stage;
163
+ }
164
+
165
+ /**
166
+ * Move current stage on to the next
167
+ */
168
+ public function set_next_stage() {
169
+ $stage = $this->get_current_stage();
170
+
171
+ if ( $stage ) {
172
+ $stage = $this->get_next_stage( $stage );
173
+
174
+ // Save next position
175
+ if ( $stage ) {
176
+ $this->set_stage( $stage );
177
+ } else {
178
+ $this->finish();
179
+ }
180
+ }
181
+ }
182
+
183
+ /**
184
+ * Get current upgrade status
185
+ *
186
+ * @return array Database status array
187
+ */
188
+ public function get_json() {
189
+ // Base information
190
+ $result = [
191
+ 'status' => $this->status,
192
+ 'inProgress' => $this->stage !== false,
193
+ ];
194
+
195
+ // Add on version status
196
+ if ( $this->status === self::STATUS_NEED_INSTALL || $this->status === self::STATUS_NEED_UPDATING ) {
197
+ $result = array_merge( $result, $this->get_version_upgrade() );
198
+ }
199
+
200
+ if ( $this->status == self::STATUS_NEED_INSTALL ) {
201
+ $result['api'] = [
202
+ REDIRECTION_API_JSON => red_get_rest_api( REDIRECTION_API_JSON ),
203
+ REDIRECTION_API_JSON_INDEX => red_get_rest_api( REDIRECTION_API_JSON_INDEX ),
204
+ REDIRECTION_API_JSON_RELATIVE => red_get_rest_api( REDIRECTION_API_JSON_RELATIVE ),
205
+ ];
206
+ }
207
+
208
+ // Add on upgrade status
209
+ if ( $this->is_error() ) {
210
+ $result = array_merge( $result, $this->get_version_upgrade(), $this->get_progress_status(), $this->get_error_status() );
211
+ } elseif ( $result['inProgress'] ) {
212
+ $result = array_merge( $result, $this->get_progress_status() );
213
+ } elseif ( $this->status === self::STATUS_FINISHED_INSTALL || $this->status === self::STATUS_FINISHED_UPDATING ) {
214
+ $result['complete'] = 100;
215
+ $result['reason'] = $this->reason;
216
+ }
217
+
218
+ return $result;
219
+ }
220
+
221
+ private function get_error_status() {
222
+ return [
223
+ 'reason' => $this->reason,
224
+ 'result' => self::RESULT_ERROR,
225
+ 'debug' => $this->debug,
226
+ ];
227
+ }
228
+
229
+ private function get_progress_status() {
230
+ $complete = 0;
231
+
232
+ if ( $this->stage ) {
233
+ $complete = round( ( array_search( $this->stage, $this->stages, true ) / count( $this->stages ) ) * 100, 1 );
234
+ }
235
+
236
+ return [
237
+ 'complete' => $complete,
238
+ 'result' => self::RESULT_OK,
239
+ 'reason' => $this->reason,
240
+ ];
241
+ }
242
+
243
+ private function get_version_upgrade() {
244
+ return [
245
+ 'current' => $this->get_current_version() ? $this->get_current_version() : '-',
246
+ 'next' => REDIRECTION_DB_VERSION,
247
+ 'time' => microtime( true ),
248
+ ];
249
+ }
250
+
251
+ /**
252
+ * Set the status information for a database upgrade
253
+ */
254
+ public function start_install( array $upgrades ) {
255
+ $this->set_stages( $upgrades );
256
+ $this->status = self::STATUS_NEED_INSTALL;
257
+ }
258
+
259
+ public function start_upgrade( array $upgrades ) {
260
+ $this->set_stages( $upgrades );
261
+ $this->status = self::STATUS_NEED_UPDATING;
262
+ }
263
+
264
+ private function set_stages( array $upgrades ) {
265
+ $this->stages = [];
266
+
267
+ foreach ( $upgrades as $upgrade ) {
268
+ $upgrader = Red_Database_Upgrader::get( $upgrade );
269
+ $this->stages = array_merge( $this->stages, array_keys( $upgrader->get_stages() ) );
270
+ }
271
+
272
+ if ( count( $this->stages ) > 0 ) {
273
+ $this->set_stage( $this->stages[0] );
274
+ }
275
+ }
276
+
277
+ public function set_stage( $stage ) {
278
+ $this->stage = $stage;
279
+ $this->save_details();
280
+ }
281
+
282
+ private function save_details() {
283
+ update_option( self::DB_UPGRADE_STAGE, [
284
+ 'stage' => $this->stage,
285
+ 'stages' => $this->stages,
286
+ 'status' => $this->status,
287
+ ] );
288
+ }
289
+
290
+ private function get_next_stage( $stage ) {
291
+ $database = new Red_Database();
292
+ $upgraders = $database->get_upgrades_for_version( $this->get_current_version(), $this->get_current_stage() );
293
+ $upgrader = Red_Database_Upgrader::get( $upgraders[0] );
294
+
295
+ // Where are we in this?
296
+ $pos = array_search( $this->stage, $this->stages, true );
297
+
298
+ if ( $pos === count( $this->stages ) - 1 ) {
299
+ $this->save_db_version( REDIRECTION_DB_VERSION );
300
+ return false;
301
+ }
302
+
303
+ // Set current DB version
304
+ $current_stages = array_keys( $upgrader->get_stages() );
305
+
306
+ if ( array_search( $this->stage, $current_stages, true ) === count( $current_stages ) - 1 ) {
307
+ $this->save_db_version( $upgraders[1]['version'] );
308
+ }
309
+
310
+ // Move on to next in current version
311
+ return $this->stages[ $pos + 1 ];
312
+ }
313
+
314
+ private function save_db_version( $version ) {
315
+ red_set_options( array( 'database' => $version ) );
316
+ delete_option( self::OLD_DB_VERSION );
317
+ }
318
+ }
database/database-upgrader.php ADDED
@@ -0,0 +1,94 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ abstract class Red_Database_Upgrader {
4
+ /**
5
+ * Return an array of all the stages for an upgrade
6
+ *
7
+ * @return array stage name => reason
8
+ */
9
+ abstract public function get_stages();
10
+
11
+ public function get_reason( $stage ) {
12
+ $stages = $this->get_stages();
13
+
14
+ if ( isset( $stages[ $stage ] ) ) {
15
+ return $stages[ $stage ];
16
+ }
17
+
18
+ return 'Unknown';
19
+ }
20
+
21
+ /**
22
+ * Run a particular stage on the current upgrader
23
+ *
24
+ * @return Red_Database_Status
25
+ */
26
+ public function perform_stage( Red_Database_Status $status ) {
27
+ global $wpdb;
28
+
29
+ $stage = $status->get_current_stage();
30
+ if ( $this->has_stage( $stage ) && method_exists( $this, $stage ) ) {
31
+ try {
32
+ $this->$stage( $wpdb );
33
+ $status->set_ok( $this->get_reason( $stage ) );
34
+ } catch ( Exception $e ) {
35
+ $status->set_error( $e->getMessage() );
36
+ }
37
+ } else {
38
+ $status->set_error( 'No stage found for upgrade ' . $stage );
39
+ }
40
+ }
41
+
42
+ /**
43
+ * Returns the current database charset
44
+ *
45
+ * @return string Database charset
46
+ */
47
+ public function get_charset() {
48
+ global $wpdb;
49
+
50
+ $charset_collate = '';
51
+ if ( ! empty( $wpdb->charset ) ) {
52
+ $charset_collate = "DEFAULT CHARACTER SET $wpdb->charset";
53
+ }
54
+
55
+ if ( ! empty( $wpdb->collate ) ) {
56
+ $charset_collate .= " COLLATE=$wpdb->collate";
57
+ }
58
+
59
+ return $charset_collate;
60
+ }
61
+
62
+ /**
63
+ * Performs a $wpdb->query, and throws an exception if an error occurs
64
+ *
65
+ * @return bool true if query is performed ok, otherwise an exception is thrown
66
+ */
67
+ protected function do_query( $wpdb, $sql ) {
68
+ // These are known queries without user input
69
+ // phpcs:ignore
70
+ $result = $wpdb->query( $sql );
71
+
72
+ if ( $result === false ) {
73
+ /* translators: 1: SQL string */
74
+ throw new Exception( sprintf( __( 'Failed to perform query "%s"' ), $sql ) );
75
+ }
76
+
77
+ return true;
78
+ }
79
+
80
+ /**
81
+ * Load a database upgrader class
82
+ *
83
+ * @return object Database upgrader
84
+ */
85
+ public static function get( $version ) {
86
+ include_once dirname( __FILE__ ) . '/schema/' . str_replace( [ '..', '/' ], '', $version['file'] );
87
+
88
+ return new $version['class'];
89
+ }
90
+
91
+ private function has_stage( $stage ) {
92
+ return in_array( $stage, array_keys( $this->get_stages() ), true );
93
+ }
94
+ }
database/database.php ADDED
@@ -0,0 +1,146 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ include_once dirname( __FILE__ ) . '/database-status.php';
4
+ include_once dirname( __FILE__ ) . '/database-upgrader.php';
5
+
6
+ class Red_Database {
7
+ /**
8
+ * Get all upgrades for a database version
9
+ *
10
+ * @return array Array of versions from self::get_upgrades()
11
+ */
12
+ public function get_upgrades_for_version( $current_version, $current_stage ) {
13
+ if ( $current_version === '' ) {
14
+ return [ [
15
+ 'version' => REDIRECTION_DB_VERSION,
16
+ 'file' => 'latest.php',
17
+ 'class' => 'Red_Latest_Database',
18
+ ] ];
19
+ }
20
+
21
+ $upgraders = [];
22
+ $found = false;
23
+
24
+ foreach ( $this->get_upgrades() as $upgrade ) {
25
+ if ( ! $found ) {
26
+ $upgrader = Red_Database_Upgrader::get( $upgrade );
27
+
28
+ $stage_present = in_array( $current_stage, array_keys( $upgrader->get_stages() ), true );
29
+ $same_version = $current_stage === false && version_compare( $upgrade['version'], $current_version, 'g' );
30
+
31
+ if ( $stage_present || $same_version ) {
32
+ $found = true;
33
+ }
34
+ }
35
+
36
+ if ( $found ) {
37
+ $upgraders[] = $upgrade;
38
+ }
39
+ }
40
+
41
+ return $upgraders;
42
+ }
43
+
44
+ /**
45
+ * Apply a particular upgrade stage
46
+ *
47
+ * @return mixed Result for upgrade
48
+ */
49
+ public function apply_upgrade( Red_Database_Status $status ) {
50
+ $upgraders = $this->get_upgrades_for_version( $status->get_current_version(), $status->get_current_stage() );
51
+
52
+ if ( count( $upgraders ) === 0 ) {
53
+ return new WP_Error( 'redirect', 'No upgrades found for version ' . $status->get_current_version() );
54
+ }
55
+
56
+ if ( $status->get_current_stage() === false ) {
57
+ if ( $status->needs_installing() ) {
58
+ $status->start_install( $upgraders );
59
+ } else {
60
+ $status->start_upgrade( $upgraders );
61
+ }
62
+ }
63
+
64
+ // Look at first upgrade
65
+ $upgrader = Red_Database_Upgrader::get( $upgraders[0] );
66
+
67
+ // Perform the upgrade
68
+ $upgrader->perform_stage( $status );
69
+
70
+ if ( ! $status->is_error() ) {
71
+ $status->set_next_stage();
72
+ }
73
+ }
74
+
75
+ public static function apply_to_sites( $callback ) {
76
+ if ( is_network_admin() ) {
77
+ array_map( function( $site ) use ( $callback ) {
78
+ switch_to_blog( $site->blog_id );
79
+
80
+ $callback();
81
+
82
+ restore_current_blog();
83
+ }, get_sites() );
84
+
85
+ return;
86
+ }
87
+
88
+ $callback();
89
+ }
90
+
91
+ /**
92
+ * Get latest database installer
93
+ *
94
+ * @return object Red_Latest_Database
95
+ */
96
+ public static function get_latest_database() {
97
+ include_once dirname( __FILE__ ) . '/schema/latest.php';
98
+
99
+ return new Red_Latest_Database();
100
+ }
101
+
102
+ /**
103
+ * List of all upgrades and their associated file
104
+ *
105
+ * @return array Database upgrade array
106
+ */
107
+ public function get_upgrades() {
108
+ return [
109
+ [
110
+ 'version' => '2.0.1',
111
+ 'file' => '201.php',
112
+ 'class' => 'Red_Database_201',
113
+ ],
114
+ [
115
+ 'version' => '2.1.16',
116
+ 'file' => '216.php',
117
+ 'class' => 'Red_Database_216',
118
+ ],
119
+ [
120
+ 'version' => '2.2',
121
+ 'file' => '220.php',
122
+ 'class' => 'Red_Database_220',
123
+ ],
124
+ [
125
+ 'version' => '2.3.1',
126
+ 'file' => '231.php',
127
+ 'class' => 'Red_Database_231',
128
+ ],
129
+ [
130
+ 'version' => '2.3.2',
131
+ 'file' => '232.php',
132
+ 'class' => 'Red_Database_232',
133
+ ],
134
+ [
135
+ 'version' => '2.3.3',
136
+ 'file' => '233.php',
137
+ 'class' => 'Red_Database_233',
138
+ ],
139
+ [
140
+ 'version' => '2.4',
141
+ 'file' => '240.php',
142
+ 'class' => 'Red_Database_240',
143
+ ],
144
+ ];
145
+ }
146
+ }
database/schema/201.php ADDED
@@ -0,0 +1,14 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_201 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'add_title_201' => 'Add titles to redirects',
8
+ ];
9
+ }
10
+
11
+ protected function add_title_201( $wpdb ) {
12
+ return $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD `title` varchar(50) NULL" );
13
+ }
14
+ }
database/schema/216.php ADDED
@@ -0,0 +1,26 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_216 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'add_group_indices_216' => 'Add indices to groups',
8
+ 'add_redirect_indices_216' => 'Add indices to redirects',
9
+ ];
10
+ }
11
+
12
+ protected function add_group_indices_216( $wpdb ) {
13
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_groups` ADD INDEX(module_id)" );
14
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_groups` ADD INDEX(status)" );
15
+
16
+ return true;
17
+ }
18
+
19
+ protected function add_redirect_indices_216( $wpdb ) {
20
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD INDEX(url(191))" );
21
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD INDEX(status)" );
22
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD INDEX(regex)" );
23
+
24
+ return true;
25
+ }
26
+ }
database/schema/220.php ADDED
@@ -0,0 +1,26 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_220 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'add_group_indices_220' => 'Add group indices to redirects',
8
+ 'add_log_indices_220' => 'Add indices to logs',
9
+ ];
10
+ }
11
+
12
+ protected function add_group_indices_220( $wpdb ) {
13
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD INDEX `group_idpos` (`group_id`,`position`)" );
14
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` ADD INDEX `group` (`group_id`)" );
15
+ return true;
16
+ }
17
+
18
+ protected function add_log_indices_220( $wpdb ) {
19
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` ADD INDEX `created` (`created`)" );
20
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` ADD INDEX `redirection_id` (`redirection_id`)" );
21
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` ADD INDEX `ip` (`ip`)" );
22
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` ADD INDEX `group_id` (`group_id`)" );
23
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` ADD INDEX `module_id` (`module_id`)" );
24
+ return true;
25
+ }
26
+ }
database/schema/231.php ADDED
@@ -0,0 +1,37 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_231 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'remove_404_module_231' => 'Remove 404 module',
8
+ 'create_404_table_231' => 'Create 404 table',
9
+ ];
10
+ }
11
+
12
+ protected function remove_404_module_231( $wpdb ) {
13
+ return $this->do_query( $wpdb, "UPDATE {$wpdb->prefix}redirection_groups SET module_id=1 WHERE module_id=3" );
14
+ }
15
+
16
+ protected function create_404_table_231( $wpdb ) {
17
+ $this->do_query( $wpdb, $this->get_404_table( $wpdb ) );
18
+ }
19
+
20
+ private function get_404_table( $wpdb ) {
21
+ $charset_collate = $this->get_charset();
22
+
23
+ return "CREATE TABLE `{$wpdb->prefix}redirection_404` (
24
+ `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
25
+ `created` datetime NOT NULL,
26
+ `url` varchar(255) NOT NULL DEFAULT '',
27
+ `agent` varchar(255) DEFAULT NULL,
28
+ `referrer` varchar(255) DEFAULT NULL,
29
+ `ip` int(10) unsigned NOT NULL,
30
+ PRIMARY KEY (`id`),
31
+ KEY `created` (`created`),
32
+ KEY `url` (`url`(191)),
33
+ KEY `ip` (`ip`),
34
+ KEY `referrer` (`referrer`(191))
35
+ ) $charset_collate";
36
+ }
37
+ }
database/schema/232.php ADDED
@@ -0,0 +1,15 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_232 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'remove_modules_232' => 'Remove module table',
8
+ ];
9
+ }
10
+
11
+ protected function remove_modules_232( $wpdb ) {
12
+ $this->do_query( $wpdb, "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_modules" );
13
+ return true;
14
+ }
15
+ }
database/schema/233.php ADDED
@@ -0,0 +1,17 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ // Note: not localised as the messages aren't important enough
4
+ class Red_Database_233 extends Red_Database_Upgrader {
5
+ public function get_stages() {
6
+ return [
7
+ 'fix_invalid_groups_233' => 'Migrate any groups with invalid module ID',
8
+ ];
9
+ }
10
+
11
+ protected function fix_invalid_groups_233( $wpdb ) {
12
+ $this->do_query( $wpdb, "UPDATE {$wpdb->prefix}redirection_groups SET module_id=1 WHERE module_id > 2" );
13
+
14
+ $latest = Red_Database::get_latest_database();
15
+ return $latest->create_groups( $wpdb );
16
+ }
17
+ }
database/schema/240.php ADDED
@@ -0,0 +1,35 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ class Red_Database_240 extends Red_Database_Upgrader {
4
+ public function get_stages() {
5
+ return [
6
+ 'expand_log_ip_column_240' => 'Expand IP size in logs to support IPv6',
7
+ 'convert_int_ip_to_varchar_240' => 'Convert integer IP values to support IPv6',
8
+ 'swap_ip_column_240' => 'Swap IPv4 for IPv6',
9
+ 'add_missing_index_240' => 'Add missing IP index to 404 logs',
10
+ 'convert_title_to_text_240' => 'Expand size of redirect titles',
11
+ ];
12
+ }
13
+
14
+ protected function expand_log_ip_column_240( $wpdb ) {
15
+ return $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_logs` CHANGE `ip` `ip` VARCHAR(45) DEFAULT NULL" );
16
+ }
17
+
18
+ protected function convert_int_ip_to_varchar_240( $wpdb ) {
19
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_404` ADD `ipaddress` VARCHAR(45) DEFAULT NULL AFTER `ip`" );
20
+ return $this->do_query( $wpdb, "UPDATE {$wpdb->prefix}redirection_404 SET ipaddress=INET_NTOA(ip)" );
21
+ }
22
+
23
+ protected function swap_ip_column_240( $wpdb ) {
24
+ $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_404` DROP `ip`" );
25
+ return $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_404` CHANGE `ipaddress` `ip` VARCHAR(45) DEFAULT NULL" );
26
+ }
27
+
28
+ protected function add_missing_index_240( $wpdb ) {
29
+ return $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_404` ADD INDEX `ip` (`ip`)" );
30
+ }
31
+
32
+ protected function convert_title_to_text_240( $wpdb ) {
33
+ return $this->do_query( $wpdb, "ALTER TABLE `{$wpdb->prefix}redirection_items` CHANGE `title` `title` text" );
34
+ }
35
+ }
database/schema/latest.php ADDED
@@ -0,0 +1,247 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?php
2
+
3
+ /**
4
+ * Latest database schema
5
+ */
6
+ class Red_Latest_Database extends Red_Database_Upgrader {
7
+ public function get_stages() {
8
+ return [
9
+ 'create_tables' => __( 'Install Redirection tables', 'redirection' ),
10
+ 'create_groups' => __( 'Create basic data', 'redirection' ),
11
+ ];
12
+ }
13
+
14
+ /**
15
+ * Install the latest database
16
+ *
17
+ * @return bool|WP_Error true if installed, WP_Error otherwise
18
+ */
19
+ public function install() {
20
+ global $wpdb;
21
+
22
+ foreach ( $this->get_stages() as $stage => $info ) {
23
+ $result = $this->$stage( $wpdb );
24
+
25
+ if ( is_wp_error( $result ) ) {
26
+ if ( $wpdb->last_error ) {
27
+ $result->add_data( $wpdb->last_error );
28
+ }
29
+
30
+ return $result;
31
+ }
32
+ }
33
+
34
+ red_set_options( array( 'database' => REDIRECTION_DB_VERSION ) );
35
+ return true;
36
+ }
37
+
38
+ /**
39
+ * Remove the database and any options (including unused ones)
40
+ */
41
+ public function remove() {
42
+ global $wpdb;
43
+
44
+ $wpdb->query( "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_items" );
45
+ $wpdb->query( "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_logs" );
46
+ $wpdb->query( "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_groups" );
47
+ $wpdb->query( "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_modules" );
48
+ $wpdb->query( "DROP TABLE IF EXISTS {$wpdb->prefix}redirection_404" );
49
+
50
+ delete_option( 'redirection_lookup' );
51
+ delete_option( 'redirection_post' );
52
+ delete_option( 'redirection_root' );
53
+ delete_option( 'redirection_index' );
54
+ delete_option( 'redirection_options' );
55
+ delete_option( Red_Database_Status::OLD_DB_VERSION );
56
+ }
57
+
58
+ /**
59
+ * Return any tables that are missing from the database
60
+ *
61
+ * @return array Array of missing table names
62
+ */
63
+ public function get_missing_tables() {
64
+ global $wpdb;
65
+
66
+ $tables = array_keys( $this->get_all_tables() );
67
+ $missing = [];
68
+
69
+ foreach ( $tables as $table ) {
70
+ $result = $wpdb->query( $wpdb->prepare( 'SHOW TABLES LIKE %s', $table ) );
71
+
72
+ if ( intval( $result, 10 ) !== 1 ) {
73
+ $missing[] = $table;
74
+ }
75
+ }
76
+
77
+ return $missing;
78
+ }
79
+
80
+ /**
81
+ * Get table schema for latest database tables
82
+ *
83
+ * @return array Database schema array
84
+ */
85
+ public function get_table_schema() {
86
+ global $wpdb;
87
+
88
+ $tables = array_keys( $this->get_all_tables() );
89
+ $show = array();
90
+
91
+ foreach ( $tables as $table ) {
92
+ // These are known queries without user input
93
+ // phpcs:ignore
94
+ $row = $wpdb->get_row( 'SHOW CREATE TABLE ' . $table, ARRAY_N );
95
+
96
+ if ( $row ) {
97
+ $show = array_merge( $show, explode( "\n", $row[1] ) );
98
+ $show[] = '';
99
+ } else {
100
+ /* translators: 1: table name */
101
+ $show[] = sprintf( __( 'Table "%s" is missing', 'redirection' ), $table );
102
+ }
103
+ }
104
+
105
+ return $show;
106
+ }
107
+
108
+ /**
109
+ * Return array of table names and table schema
110
+ *
111
+ * @return array
112
+ */
113
+ public function get_all_tables() {
114
+ global $wpdb;
115
+
116
+ $charset_collate = $this->get_charset();
117
+
118
+ return array(
119
+ "{$wpdb->prefix}redirection_items" => $this->create_items_sql( $wpdb->prefix, $charset_collate ),
120
+ "{$wpdb->prefix}redirection_groups" => $this->create_groups_sql( $wpdb->prefix, $charset_collate ),
121
+ "{$wpdb->prefix}redirection_logs" => $this->create_log_sql( $wpdb->prefix, $charset_collate ),
122
+ "{$wpdb->prefix}redirection_404" => $this->create_404_sql( $wpdb->prefix, $charset_collate ),
123
+ );
124
+ }
125
+
126
+ /**
127
+ * Creates default group information
128
+ */
129
+ public function create_groups( $wpdb ) {
130
+ $defaults = [
131
+ [
132
+ 'name' => __( 'Redirections', 'redirection' ),
133
+ 'module_id' => 1,
134
+ 'position' => 0,
135
+ ],
136
+ [
137
+ 'name' => __( 'Modified Posts', 'redirection' ),
138
+ 'module_id' => 1,
139
+ 'position' => 1,
140
+ ],
141
+ ];
142
+
143
+ $existing_groups = $wpdb->get_var( "SELECT COUNT(*) FROM {$wpdb->prefix}redirection_groups" );
144
+
145
+ // Default groups
146
+ if ( intval( $existing_groups, 10 ) === 0 ) {
147
+ $wpdb->insert( $wpdb->prefix . 'redirection_groups', $defaults[0] );
148
+ $wpdb->insert( $wpdb->prefix . 'redirection_groups', $defaults[1] );
149
+ }
150
+
151
+ $group = $wpdb->get_row( "SELECT * FROM {$wpdb->prefix}redirection_groups LIMIT 1" );
152
+ if ( $group ) {
153
+ red_set_options( array( 'last_group_id' => $group->id ) );
154
+ }
155
+
156
+ return true;
157
+ }
158
+
159
+ /**
160
+ * Creates all the tables
161
+ */
162
+ public function create_tables( $wpdb ) {
163
+ global $wpdb;
164
+
165
+ foreach ( $this->get_all_tables() as $table => $sql ) {
166
+ $sql = preg_replace( '/[ \t]{2,}/', '', $sql );
167
+ $this->do_query( $wpdb, $sql );
168
+ }
169
+
170
+ return true;
171
+ }
172
+
173
+ private function create_items_sql( $prefix, $charset_collate ) {
174
+ return "CREATE TABLE IF NOT EXISTS `{$prefix}redirection_items` (
175
+ `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
176
+ `url` mediumtext NOT NULL,
177
+ `regex` int(11) unsigned NOT NULL DEFAULT '0',
178
+ `position` int(11) unsigned NOT NULL DEFAULT '0',
179
+ `last_count` int(10) unsigned NOT NULL DEFAULT '0',
180
+ `last_access` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
181
+ `group_id` int(11) NOT NULL DEFAULT '0',
182
+ `status` enum('enabled','disabled') NOT NULL DEFAULT 'enabled',
183
+ `action_type` varchar(20) NOT NULL,
184
+ `action_code` int(11) unsigned NOT NULL,
185
+ `action_data` mediumtext,
186
+ `match_type` varchar(20) NOT NULL,
187
+ `title` text,
188
+ PRIMARY KEY (`id`),
189
+ KEY `url` (`url`(191)),
190
+ KEY `status` (`status`),
191
+ KEY `regex` (`regex`),
192
+ KEY `group_idpos` (`group_id`,`position`),
193
+ KEY `group` (`group_id`)
194
+ ) $charset_collate";
195
+ }
196
+
197
+ private function create_groups_sql( $prefix, $charset_collate ) {
198
+ return "CREATE TABLE IF NOT EXISTS `{$prefix}redirection_groups` (
199
+ `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
200
+ `name` varchar(50) NOT NULL,
201
+ `tracking` int(11) NOT NULL DEFAULT '1',
202
+ `module_id` int(11) unsigned NOT NULL DEFAULT '0',
203
+ `status` enum('enabled','disabled') NOT NULL DEFAULT 'enabled',
204
+ `position` int(11) unsigned NOT NULL DEFAULT '0',
205
+ PRIMARY KEY (`id`),
206
+ KEY `module_id` (`module_id`),
207
+ KEY `status` (`status`)
208
+ ) $charset_collate";
209
+ }
210
+
211
+ private function create_log_sql( $prefix, $charset_collate ) {
212
+ return "CREATE TABLE IF NOT EXISTS `{$prefix}redirection_logs` (
213
+ `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
214
+ `created` datetime NOT NULL,
215
+ `url` mediumtext NOT NULL,
216
+ `sent_to` mediumtext,
217
+ `agent` mediumtext NOT NULL,
218
+ `referrer` mediumtext,
219
+ `redirection_id` int(11) unsigned DEFAULT NULL,
220
+ `ip` varchar(45) DEFAULT NULL,
221
+ `module_id` int(11) unsigned NOT NULL,
222
+ `group_id` int(11) unsigned DEFAULT NULL,
223
+ PRIMARY KEY (`id`),
224
+ KEY `created` (`created`),
225
+ KEY `redirection_id` (`redirection_id`),
226
+ KEY `ip` (`ip`),
227
+ KEY `group_id` (`group_id`),
228
+ KEY `module_id` (`module_id`)
229
+ ) $charset_collate";
230
+ }
231
+
232
+ private function create_404_sql( $prefix, $charset_collate ) {
233
+ return "CREATE TABLE IF NOT EXISTS `{$prefix}redirection_404` (
234
+ `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
235
+ `created` datetime NOT NULL,
236
+ `url` varchar(255) NOT NULL DEFAULT '',
237
+ `agent` varchar(255) DEFAULT NULL,
238
+ `referrer` varchar(255) DEFAULT NULL,
239
+ `ip` varchar(45) DEFAULT NULL,
240
+ PRIMARY KEY (`id`),
241
+ KEY `created` (`created`),
242
+ KEY `url` (`url`(191)),
243
+ KEY `referrer` (`referrer`(191)),
244
+ KEY `ip` (`ip`)
245
+ ) $charset_collate";
246
+ }
247
+ }
fileio/apache.php CHANGED
@@ -4,10 +4,8 @@ class Red_Apache_File extends Red_FileIO {
4
  public function force_download() {
5
  parent::force_download();
6
 
7
- $filename = 'redirection-' . date_i18n( get_option( 'date_format' ) ) . '.htaccess';
8
-
9
  header( 'Content-Type: application/octet-stream' );
10
- header( 'Content-Disposition: attachment; filename="' . $filename . '"' );
11
  }
12
 
13
  public function get_data( array $items, array $groups ) {
4
  public function force_download() {
5
  parent::force_download();
6
 
 
 
7
  header( 'Content-Type: application/octet-stream' );
8
+ header( 'Content-Disposition: attachment; filename="' . $this->export_filename( 'htaccess' ) . '"' );
9
  }
10
 
11
  public function get_data( array $items, array $groups ) {
fileio/csv.php CHANGED
@@ -9,10 +9,8 @@ class Red_Csv_File extends Red_FileIO {
9
  public function force_download() {
10
  parent::force_download();
11
 
12
- $filename = 'redirection-' . date_i18n( get_option( 'date_format' ) ) . '.csv';
13
-
14
  header( 'Content-Type: text/csv' );
15
- header( 'Content-Disposition: attachment; filename="' . $filename . '"' );
16
  }
17
 
18
  public function get_data( array $items, array $groups ) {
9
  public function force_download() {
10
  parent::force_download();
11
 
 
 
12
  header( 'Content-Type: text/csv' );
13
+ header( 'Content-Disposition: attachment; filename="' . $this->export_filename( 'csv' ) . '"' );
14
  }
15
 
16
  public function get_data( array $items, array $groups ) {
fileio/json.php CHANGED
@@ -4,10 +4,8 @@ class Red_Json_File extends Red_FileIO {
4
  public function force_download() {
5
  parent::force_download();
6
 
7
- $filename = 'redirection-' . date_i18n( get_option( 'date_format' ) ) . '.json';
8
-
9
  header( 'Content-Type: application/json' );
10
- header( 'Content-Disposition: attachment; filename="' . $filename . '"' );
11
  }
12
 
13
  public function get_data( array $items, array $groups ) {
4
  public function force_download() {
5
  parent::force_download();
6
 
 
 
7
  header( 'Content-Type: application/json' );
8
+ header( 'Content-Disposition: attachment; filename="' . $this->export_filename( 'json' ) . '"' );
9
  }
10
 
11
  public function get_data( array $items, array $groups ) {
fileio/nginx.php CHANGED
@@ -4,10 +4,8 @@ class Red_Nginx_File extends Red_FileIO {
4
  public function force_download() {
5
  parent::force_download();
6
 
7
- $filename = 'redirection-' . date_i18n( get_option( 'date_format' ) ) . '.nginx';
8
-
9
  header( 'Content-Type: application/octet-stream' );
10
- header( 'Content-Disposition: attachment; filename="' . $filename . '"' );
11
  }
12
 
13
  public function get_data( array $items, array $groups ) {
@@ -22,7 +20,9 @@ class Red_Nginx_File extends Red_FileIO {
22
 
23
  $parts = array();
24
  foreach ( $items as $item ) {
25
- $parts[] = $this->get_nginx_item( $item );
 
 
26
  }
27
 
28
  $lines = array_merge( $lines, array_filter( $parts ) );
4
  public function force_download() {
5
  parent::force_download();
6
 
 
 
7
  header( 'Content-Type: application/octet-stream' );
8
+ header( 'Content-Disposition: attachment; filename="' . $this->export_filename( 'nginx' ) . '"' );
9
  }
10
 
11
  public function get_data( array $items, array $groups ) {
20
 
21
  $parts = array();
22
  foreach ( $items as $item ) {
23
+ if ( $item->is_enabled() ) {
24
+ $parts[] = $this->get_nginx_item( $item );
25
+ }
26
  }
27
 
28
  $lines = array_merge( $lines, array_filter( $parts ) );
locale/json/redirection-de_DE.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":[""],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":[""],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":[""],"Enter role or capability value":[""],"Role":[""],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"The target URL you want to redirect to if matched":[""],"(beta)":[""],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":[""],"Force HTTPS":[""],"GDPR / Privacy information":[""],"Add New":[""],"Please logout and login again.":[""],"URL and role/capability":[""],"URL and server":[""],"Form request":["Formularanfrage"],"Relative /wp-json/":["Relativ /wp-json/"],"Proxy over Admin AJAX":["Proxy über Admin AJAX"],"Default /wp-json/":["Standard /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Akzeptiere Sprache"],"Header value":["Wert im Header "],"Header name":["Header Name "],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress Filter Name "],"Filter Name":["Filter Name"],"Cookie value":[""],"Cookie name":[""],"Cookie":[""],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":[""],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":[""],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API is working at %s":[""],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"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":[""],"Unknown Useragent":[""],"Device":[""],"Operating System":["Betriebssystem"],"Browser":["Browser"],"Engine":[""],"Useragent":[""],"Agent":[""],"No IP logging":["Keine IP-Protokollierung"],"Full IP logging":["Vollständige IP-Protokollierung"],"Anonymize IP (mask last part)":["Anonymisiere IP (maskiere letzten Teil)"],"Monitor changes to %(type)s":["Änderungen überwachen für %(type)s"],"IP Logging":["IP-Protokollierung"],"(select IP logging level)":["(IP-Protokollierungsstufe wählen)"],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Referrer / User Agent":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":[""],"Area":[""],"Timezone":[""],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":[""],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."],"Never cache":[""],"An hour":["Eine Stunde"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Möchtest du wirklich von %s importieren?"],"Plugin Importers":["Plugin Importer"],"The following redirect plugins were detected on your site and can be imported from.":["Folgende Redirect Plugins, von denen importiert werden kann, wurden auf deiner Website gefunden."],"total = ":["Total = "],"Import from %s":["Import von %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Es wurden Probleme mit den Datenbanktabellen festgestellt. Besuche bitte die <a href=\"%s\">Support Seite</a> für mehr Details."],"Redirection not installed properly":["Redirection wurde nicht korrekt installiert"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Delete 404s":[""],"Delete all from IP %s":[""],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":["Redirection konnte nicht geladen werden"],"Unable to create group":[""],"Failed to fix database tables":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":[""],"The data on this page has expired, please reload.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress hat keine Antwort zurückgegeben. Dies könnte bedeuten, dass ein Fehler aufgetreten ist oder dass die Anfrage blockiert wurde. Bitte überprüfe Deinen Server error_log."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Füge diese Angaben in deinem Bericht {{strong}} zusammen mit einer Beschreibung dessen ein, was du getan hast{{/ strong}}."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Lädt, bitte warte..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection funktioniert nicht. Versuche, Deinen Browser-Cache zu löschen und diese Seite neu zu laden."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":["E-Mail"],"Important details":["Wichtige Details"],"Need help?":["Hilfe benötigt?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":["410 - Entfernt"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"Apache Module":["Apache Modul"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":[""],"Import to group":["Importiere in Gruppe"],"Import a CSV, .htaccess, or JSON file.":["Importiere eine CSV, .htaccess oder JSON Datei."],"Click 'Add File' or drag and drop here.":["Klicke auf 'Datei hinzufügen' oder Drag & Drop hier."],"Add File":["Datei hinzufügen"],"File selected":["Datei ausgewählt"],"Importing":["Importiere"],"Finished importing":["Importieren beendet"],"Total redirects imported:":["Umleitungen importiert:"],"Double-check the file is the correct format!":["Überprüfe, ob die Datei das richtige Format hat!"],"OK":["OK"],"Close":["Schließen"],"All imports will be appended to the current database.":["Alle Importe werden der aktuellen Datenbank hinzugefügt."],"Export":["Exportieren"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":[""],"Everything":["Alles"],"WordPress redirects":["WordPress Weiterleitungen"],"Apache redirects":["Apache Weiterleitungen"],"Nginx redirects":["Nginx Weiterleitungen"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":[""],"Redirection JSON":[""],"View":["Anzeigen"],"Log files can be exported from the log pages.":["Protokolldateien können aus den Protokollseiten exportiert werden."],"Import/Export":["Import/Export"],"Logs":["Protokolldateien"],"404 errors":["404 Fehler"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":[""],"Support 💰":["Unterstützen 💰"],"Redirection saved":["Umleitung gespeichert"],"Log deleted":["Log gelöscht"],"Settings saved":["Einstellungen gespeichert"],"Group saved":["Gruppe gespeichert"],"Are you sure you want to delete this item?":["Bist du sicher, dass du diesen Eintrag löschen möchtest?","Bist du sicher, dass du diese Einträge löschen möchtest?"],"pass":[""],"All groups":["Alle Gruppen"],"301 - Moved Permanently":["301- Dauerhaft verschoben"],"302 - Found":["302 - Gefunden"],"307 - Temporary Redirect":["307 - Zeitweise Umleitung"],"308 - Permanent Redirect":["308 - Dauerhafte Umleitung"],"401 - Unauthorized":["401 - Unautorisiert"],"404 - Not Found":["404 - Nicht gefunden"],"Title":["Titel"],"When matched":[""],"with HTTP code":["mit HTTP Code"],"Show advanced options":["Zeige erweiterte Optionen"],"Matched Target":["Passendes Ziel"],"Unmatched Target":["Unpassendes Ziel"],"Saving...":["Speichern..."],"View notice":["Hinweis anzeigen"],"Invalid source URL":["Ungültige Quell URL"],"Invalid redirect action":["Ungültige Umleitungsaktion"],"Invalid redirect matcher":[""],"Unable to add new redirect":[""],"Something went wrong 🙁":["Etwas ist schiefgelaufen 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Ich habe versucht, etwas zu tun und es ging schief. Es kann eine vorübergehendes Problem sein und wenn du es nochmal probierst, könnte es funktionieren - toll!"],"Log entries (%d max)":["Log Einträge (%d max)"],"Search by IP":["Suche nach IP"],"Select bulk action":[""],"Bulk Actions":[""],"Apply":["Anwenden"],"First page":["Erste Seite"],"Prev page":["Vorige Seite"],"Current Page":["Aktuelle Seite"],"of %(page)s":["von %(Seite)n"],"Next page":["Nächste Seite"],"Last page":["Letzte Seite"],"%s item":["%s Eintrag","%s Einträge"],"Select All":["Alle auswählen"],"Sorry, something went wrong loading the data - please try again":["Entschuldigung, etwas ist beim Laden der Daten schief gelaufen - bitte versuche es erneut"],"No results":["Keine Ergebnisse"],"Delete the logs - are you sure?":["Logs löschen - bist du sicher?"],"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.":["Einmal gelöscht, sind deine aktuellen Logs nicht mehr verfügbar. Du kannst einen Zeitplan zur Löschung in den Redirection Einstellungen setzen, wenn du dies automatisch machen möchtest."],"Yes! Delete the logs":["Ja! Lösche die Logs"],"No! Don't delete the logs":["Nein! Lösche die Logs nicht"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Melde dich für den kleinen Redirection Newsletter an - ein gelegentlicher Newsletter über neue Features und Änderungen am Plugin. Ideal, wenn du Beta Änderungen testen möchtest, bevor diese erscheinen."],"Your email address:":["Deine E-Mail Adresse:"],"You've supported this plugin - thank you!":["Du hast dieses Plugin bereits unterstützt - vielen Dank!"],"You get useful software and I get to carry on making it better.":["Du erhältst nützliche Software und ich komme dazu, sie besser zu machen."],"Forever":["Dauerhaft"],"Delete the plugin - are you sure?":["Plugin löschen - bist du sicher?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Löschen des Plugins entfernt alle deine Weiterleitungen, Logs und Einstellungen. Tu dies, falls du das Plugin dauerhaft entfernen möchtest oder um das Plugin zurückzusetzen."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Einmal gelöscht, werden deine Weiterleitungen nicht mehr funktionieren. Falls sie es dennoch tun sollten, leere bitte deinen Browser Cache."],"Yes! Delete the plugin":["Ja! Lösche das Plugin"],"No! Don't delete the plugin":["Nein! Lösche das Plugin nicht"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Verwalte alle 301-Umleitungen und 404-Fehler."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."],"Redirection Support":["Unleitung Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Auswählen dieser Option löscht alle Umleitungen, alle Logs, und alle Optionen, die mit dem Umleitungs-Plugin verbunden sind. Stelle sicher, das du das wirklich möchtest."],"Delete Redirection":["Umleitung löschen"],"Upload":["Hochladen"],"Import":["Importieren"],"Update":["Aktualisieren"],"Auto-generate URL":["Selbsterstellte URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"],"RSS Token":["RSS Token"],"404 Logs":["404-Logs"],"(time to keep logs for)":["(Dauer, für die die Logs behalten werden)"],"Redirect Logs":["Umleitungs-Logs"],"I'm a nice person and I have helped support the author of this plugin":["Ich bin eine nette Person und ich helfe dem Autor des Plugins"],"Plugin Support":["Plugin Support"],"Options":["Optionen"],"Two months":["zwei Monate"],"A month":["ein Monat"],"A week":["eine Woche"],"A day":["einen Tag"],"No logs":["Keine Logs"],"Delete All":["Alle löschen"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Benutze Gruppen, um deine Umleitungen zu ordnen. Gruppen werden einem Modul zugeordnet, dies beeinflusst, wie die Umleitungen in der jeweiligen Gruppe funktionieren. Falls du unsicher bist, bleib beim WordPress-Modul."],"Add Group":["Gruppe hinzufügen"],"Search":["Suchen"],"Groups":["Gruppen"],"Save":["Speichern"],"Group":["Gruppe"],"Match":["Passend"],"Add new redirection":["Eine neue Weiterleitung hinzufügen"],"Cancel":["Abbrechen"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Einstellungen"],"Error (404)":["Fehler (404)"],"Pass-through":["Durchreichen"],"Redirect to random post":["Umleitung zu zufälligen Beitrag"],"Redirect to URL":["Umleitung zur URL"],"Invalid group when creating redirect":["Ungültige Gruppe für die Erstellung der Umleitung"],"IP":["IP"],"Source URL":["URL-Quelle"],"Date":["Zeitpunkt"],"Add Redirect":["Umleitung hinzufügen"],"All modules":["Alle Module"],"View Redirects":["Weiterleitungen anschauen"],"Module":["Module"],"Redirects":["Umleitungen"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Treffer zurücksetzen"],"Enable":["Aktivieren"],"Disable":["Deaktivieren"],"Delete":["Löschen"],"Edit":["Bearbeiten"],"Last Access":["Letzter Zugriff"],"Hits":["Treffer"],"URL":["URL"],"Type":["Typ"],"Modified Posts":["Geänderte Beiträge"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL und User-Agent"],"Target URL":["Ziel-URL"],"URL only":["Nur URL"],"Regex":["Regex"],"Referrer":["Vermittler"],"URL and referrer":["URL und Vermittler"],"Logged Out":["Ausgeloggt"],"Logged In":["Eingeloggt"],"URL and login status":["URL- und Loginstatus"]}
1
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":[""],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":[""],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":[""],"Enter role or capability value":[""],"Role":[""],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":[""],"The target URL you want to redirect to if matched":[""],"(beta)":[""],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":[""],"Force HTTPS":[""],"GDPR / Privacy information":[""],"Add New":[""],"Please logout and login again.":[""],"URL and role/capability":[""],"URL and server":[""],"Relative /wp-json/":["Relativ /wp-json/"],"Default /wp-json/":["Standard /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":["Akzeptiere Sprache"],"Header value":["Wert im Header "],"Header name":["Header Name "],"HTTP Header":["HTTP Header"],"WordPress filter name":["WordPress Filter Name "],"Filter Name":["Filter Name"],"Cookie value":[""],"Cookie name":[""],"Cookie":[""],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":[""],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":[""],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":[""],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API is working at %s":[""],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"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":[""],"Unknown Useragent":[""],"Device":[""],"Operating System":["Betriebssystem"],"Browser":["Browser"],"Engine":[""],"Useragent":[""],"Agent":[""],"No IP logging":["Keine IP-Protokollierung"],"Full IP logging":["Vollständige IP-Protokollierung"],"Anonymize IP (mask last part)":["Anonymisiere IP (maskiere letzten Teil)"],"Monitor changes to %(type)s":["Änderungen überwachen für %(type)s"],"IP Logging":["IP-Protokollierung"],"(select IP logging level)":["(IP-Protokollierungsstufe wählen)"],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Referrer / User Agent":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":[""],"Area":[""],"Timezone":[""],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":[""],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."],"Never cache":[""],"An hour":["Eine Stunde"],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Möchtest du wirklich von %s importieren?"],"Plugin Importers":["Plugin Importer"],"The following redirect plugins were detected on your site and can be imported from.":["Folgende Redirect Plugins, von denen importiert werden kann, wurden auf deiner Website gefunden."],"total = ":["Total = "],"Import from %s":["Import von %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Es wurden Probleme mit den Datenbanktabellen festgestellt. Besuche bitte die <a href=\"%s\">Support Seite</a> für mehr Details."],"Redirection not installed properly":["Redirection wurde nicht korrekt installiert"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Delete 404s":[""],"Delete all from IP %s":[""],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":["Redirection konnte nicht geladen werden"],"Unable to create group":[""],"Failed to fix database tables":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":[""],"The data on this page has expired, please reload.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":["WordPress hat keine Antwort zurückgegeben. Dies könnte bedeuten, dass ein Fehler aufgetreten ist oder dass die Anfrage blockiert wurde. Bitte überprüfe Deinen Server error_log."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Füge diese Angaben in deinem Bericht {{strong}} zusammen mit einer Beschreibung dessen ein, was du getan hast{{/ strong}}."],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":["Lädt, bitte warte..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection funktioniert nicht. Versuche, Deinen Browser-Cache zu löschen und diese Seite neu zu laden."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":["E-Mail"],"Important details":["Wichtige Details"],"Need help?":["Hilfe benötigt?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":["410 - Entfernt"],"Position":["Position"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"Apache Module":["Apache Modul"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":[""],"Import to group":["Importiere in Gruppe"],"Import a CSV, .htaccess, or JSON file.":["Importiere eine CSV, .htaccess oder JSON Datei."],"Click 'Add File' or drag and drop here.":["Klicke auf 'Datei hinzufügen' oder Drag & Drop hier."],"Add File":["Datei hinzufügen"],"File selected":["Datei ausgewählt"],"Importing":["Importiere"],"Finished importing":["Importieren beendet"],"Total redirects imported:":["Umleitungen importiert:"],"Double-check the file is the correct format!":["Überprüfe, ob die Datei das richtige Format hat!"],"OK":["OK"],"Close":["Schließen"],"All imports will be appended to the current database.":["Alle Importe werden der aktuellen Datenbank hinzugefügt."],"Export":["Exportieren"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":[""],"Everything":["Alles"],"WordPress redirects":["WordPress Weiterleitungen"],"Apache redirects":["Apache Weiterleitungen"],"Nginx redirects":["Nginx Weiterleitungen"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":[""],"Redirection JSON":[""],"View":["Anzeigen"],"Log files can be exported from the log pages.":["Protokolldateien können aus den Protokollseiten exportiert werden."],"Import/Export":["Import/Export"],"Logs":["Protokolldateien"],"404 errors":["404 Fehler"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":[""],"Support 💰":["Unterstützen 💰"],"Redirection saved":["Umleitung gespeichert"],"Log deleted":["Log gelöscht"],"Settings saved":["Einstellungen gespeichert"],"Group saved":["Gruppe gespeichert"],"Are you sure you want to delete this item?":["Bist du sicher, dass du diesen Eintrag löschen möchtest?","Bist du sicher, dass du diese Einträge löschen möchtest?"],"pass":[""],"All groups":["Alle Gruppen"],"301 - Moved Permanently":["301- Dauerhaft verschoben"],"302 - Found":["302 - Gefunden"],"307 - Temporary Redirect":["307 - Zeitweise Umleitung"],"308 - Permanent Redirect":["308 - Dauerhafte Umleitung"],"401 - Unauthorized":["401 - Unautorisiert"],"404 - Not Found":["404 - Nicht gefunden"],"Title":["Titel"],"When matched":[""],"with HTTP code":["mit HTTP Code"],"Show advanced options":["Zeige erweiterte Optionen"],"Matched Target":["Passendes Ziel"],"Unmatched Target":["Unpassendes Ziel"],"Saving...":["Speichern..."],"View notice":["Hinweis anzeigen"],"Invalid source URL":["Ungültige Quell URL"],"Invalid redirect action":["Ungültige Umleitungsaktion"],"Invalid redirect matcher":[""],"Unable to add new redirect":[""],"Something went wrong 🙁":["Etwas ist schiefgelaufen 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Ich habe versucht, etwas zu tun und es ging schief. Es kann eine vorübergehendes Problem sein und wenn du es nochmal probierst, könnte es funktionieren - toll!"],"Log entries (%d max)":["Log Einträge (%d max)"],"Search by IP":["Suche nach IP"],"Select bulk action":[""],"Bulk Actions":[""],"Apply":["Anwenden"],"First page":["Erste Seite"],"Prev page":["Vorige Seite"],"Current Page":["Aktuelle Seite"],"of %(page)s":["von %(Seite)n"],"Next page":["Nächste Seite"],"Last page":["Letzte Seite"],"%s item":["%s Eintrag","%s Einträge"],"Select All":["Alle auswählen"],"Sorry, something went wrong loading the data - please try again":["Entschuldigung, etwas ist beim Laden der Daten schief gelaufen - bitte versuche es erneut"],"No results":["Keine Ergebnisse"],"Delete the logs - are you sure?":["Logs löschen - bist du sicher?"],"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.":["Einmal gelöscht, sind deine aktuellen Logs nicht mehr verfügbar. Du kannst einen Zeitplan zur Löschung in den Redirection Einstellungen setzen, wenn du dies automatisch machen möchtest."],"Yes! Delete the logs":["Ja! Lösche die Logs"],"No! Don't delete the logs":["Nein! Lösche die Logs nicht"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":[""],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Melde dich für den kleinen Redirection Newsletter an - ein gelegentlicher Newsletter über neue Features und Änderungen am Plugin. Ideal, wenn du Beta Änderungen testen möchtest, bevor diese erscheinen."],"Your email address:":["Deine E-Mail Adresse:"],"You've supported this plugin - thank you!":["Du hast dieses Plugin bereits unterstützt - vielen Dank!"],"You get useful software and I get to carry on making it better.":["Du erhältst nützliche Software und ich komme dazu, sie besser zu machen."],"Forever":["Dauerhaft"],"Delete the plugin - are you sure?":["Plugin löschen - bist du sicher?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Löschen des Plugins entfernt alle deine Weiterleitungen, Logs und Einstellungen. Tu dies, falls du das Plugin dauerhaft entfernen möchtest oder um das Plugin zurückzusetzen."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Einmal gelöscht, werden deine Weiterleitungen nicht mehr funktionieren. Falls sie es dennoch tun sollten, leere bitte deinen Browser Cache."],"Yes! Delete the plugin":["Ja! Lösche das Plugin"],"No! Don't delete the plugin":["Nein! Lösche das Plugin nicht"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Verwalte alle 301-Umleitungen und 404-Fehler."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."],"Redirection Support":["Unleitung Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Auswählen dieser Option löscht alle Umleitungen, alle Logs, und alle Optionen, die mit dem Umleitungs-Plugin verbunden sind. Stelle sicher, das du das wirklich möchtest."],"Delete Redirection":["Umleitung löschen"],"Upload":["Hochladen"],"Import":["Importieren"],"Update":["Aktualisieren"],"Auto-generate URL":["Selbsterstellte URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"],"RSS Token":["RSS Token"],"404 Logs":["404-Logs"],"(time to keep logs for)":["(Dauer, für die die Logs behalten werden)"],"Redirect Logs":["Umleitungs-Logs"],"I'm a nice person and I have helped support the author of this plugin":["Ich bin eine nette Person und ich helfe dem Autor des Plugins"],"Plugin Support":["Plugin Support"],"Options":["Optionen"],"Two months":["zwei Monate"],"A month":["ein Monat"],"A week":["eine Woche"],"A day":["einen Tag"],"No logs":["Keine Logs"],"Delete All":["Alle löschen"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Benutze Gruppen, um deine Umleitungen zu ordnen. Gruppen werden einem Modul zugeordnet, dies beeinflusst, wie die Umleitungen in der jeweiligen Gruppe funktionieren. Falls du unsicher bist, bleib beim WordPress-Modul."],"Add Group":["Gruppe hinzufügen"],"Search":["Suchen"],"Groups":["Gruppen"],"Save":["Speichern"],"Group":["Gruppe"],"Match":["Passend"],"Add new redirection":["Eine neue Weiterleitung hinzufügen"],"Cancel":["Abbrechen"],"Download":["Download"],"Redirection":["Redirection"],"Settings":["Einstellungen"],"Error (404)":["Fehler (404)"],"Pass-through":["Durchreichen"],"Redirect to random post":["Umleitung zu zufälligen Beitrag"],"Redirect to URL":["Umleitung zur URL"],"Invalid group when creating redirect":["Ungültige Gruppe für die Erstellung der Umleitung"],"IP":["IP"],"Source URL":["URL-Quelle"],"Date":["Zeitpunkt"],"Add Redirect":["Umleitung hinzufügen"],"All modules":["Alle Module"],"View Redirects":["Weiterleitungen anschauen"],"Module":["Module"],"Redirects":["Umleitungen"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Treffer zurücksetzen"],"Enable":["Aktivieren"],"Disable":["Deaktivieren"],"Delete":["Löschen"],"Edit":["Bearbeiten"],"Last Access":["Letzter Zugriff"],"Hits":["Treffer"],"URL":["URL"],"Type":["Typ"],"Modified Posts":["Geänderte Beiträge"],"Redirections":["Redirections"],"User Agent":["User Agent"],"URL and user agent":["URL und User-Agent"],"Target URL":["Ziel-URL"],"URL only":["Nur URL"],"Regex":["Regex"],"Referrer":["Vermittler"],"URL and referrer":["URL und Vermittler"],"Logged Out":["Ausgeloggt"],"Logged In":["Eingeloggt"],"URL and login status":["URL- und Loginstatus"]}
locale/json/redirection-en_AU.json ADDED
@@ -0,0 +1 @@
 
1
+ {"":[],"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"],"Unsupported PHP":["Unsupported PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Relative /wp-json/":["Relative /wp-json/"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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
- {"":[],"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"],"Unsupported PHP":["Unsupported PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Form request":["Form request"],"Relative /wp-json/":["Relative /wp-json/"],"Proxy over Admin AJAX":["Proxy over Admin AJAX"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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
+ {"":[],"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"],"Unsupported PHP":["Unsupported PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Relative /wp-json/":["Relative /wp-json/"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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_GB.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Form request":["Form request"],"Relative /wp-json/":["Relative /wp-json/"],"Proxy over Admin AJAX":["Proxy over Admin Ajax"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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":["User Agent Error"],"Unknown Useragent":["Unknown User Agent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["User Agent"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":["Timezone"],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["Bin"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin"],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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
+ {"":[],"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"],"Unsupported PHP":["Unsupported PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Relative /wp-json/":["Relative /wp-json/"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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":["User Agent Error"],"Unknown Useragent":["Unknown User Agent"],"Device":["Device"],"Operating System":["Operating System"],"Browser":["Browser"],"Engine":["Engine"],"Useragent":["User Agent"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"Geo IP Error":["Geo IP Error"],"Something went wrong obtaining this information":["Something went wrong obtaining this information"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed."],"No details are known for this address.":["No details are known for this address."],"Geo IP":["Geo IP"],"City":["City"],"Area":["Area"],"Timezone":["Timezone"],"Geo Location":["Geo Location"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["Bin"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":["Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":["If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!"],"Never cache":["Never cache"],"An hour":["An hour"],"Redirect Cache":["Redirect Cache"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"],"Are you sure you want to import from %s?":["Are you sure you want to import from %s?"],"Plugin Importers":["Plugin Importers"],"The following redirect plugins were detected on your site and can be imported from.":["The following redirect plugins were detected on your site and can be imported from."],"total = ":["total = "],"Import from %s":["Import from %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin"],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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 ADDED
@@ -0,0 +1 @@
 
1
+ {"":[],"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"],"Unsupported PHP":["Unsupported PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."],"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"],"The target URL you want to redirect to if matched":["The target URL you want to redirect to if matched"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"],"Force HTTPS":["Force HTTPS"],"GDPR / Privacy information":["GDPR / Privacy information"],"Add New":["Add New"],"Please logout and login again.":["Please logout and login again."],"URL and role/capability":["URL and role/capability"],"URL and server":["URL and server"],"Relative /wp-json/":["Relative /wp-json/"],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"],"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"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."],"{{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."],"None of the suggestions helped":["None of the suggestions helped"],"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 is working at %s":["WordPress REST API is working at %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API is not working so routes not checked"],"Redirection routes are working":["Redirection routes are working"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"],"Redirection routes":["Redirection routes"],"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"],"Referrer / User Agent":["Referrer / User Agent"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."],"Redirection not installed properly":["Redirection not installed properly"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"],"Default WordPress \"old slugs\"":["Default WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":["Create associated redirect (added to end of URL)"],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":["<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below."],"⚡️ Magic fix ⚡️":["⚡️ Magic fix ⚡️"],"Plugin Status":["Plugin Status"],"Custom":["Custom"],"Mobile":["Mobile"],"Feed Readers":["Feed Readers"],"Libraries":["Libraries"],"URL Monitor Changes":["URL Monitor Changes"],"Save changes to this group":["Save changes to this group"],"For example \"/amp\"":["For example \"/amp\""],"URL Monitor":["URL Monitor"],"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"],"Failed to fix database tables":["Failed to fix database tables"],"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."],"The data on this page has expired, please reload.":["The data on this page has expired, please reload."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."],"Create Issue":["Create Issue"],"Email":["Email"],"Important details":["Important details"],"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"],"Apache Module":["Apache Module"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["All imports will be appended to the current database."],"Export":["Export"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["View"],"Log files can be exported from the log pages.":["Log files can be exported from the log pages."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"],"Log entries (%d max)":["Log entries (%d max)"],"Search by IP":["Search by IP"],"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 want to test beta changes before release.":["Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."],"Your email address:":["Your email address:"],"You've supported this plugin - thank you!":["You've supported this plugin - thank you!"],"You get useful software and I get to carry on making it better.":["You get useful software and I get to carry on making it better."],"Forever":["Forever"],"Delete the plugin - are you sure?":["Delete the plugin - are you sure?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."],"Yes! Delete the plugin":["Yes! Delete the plugin"],"No! Don't delete the plugin":["No! Don't delete the plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Manage all your 301 redirects and monitor 404 errors."],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}."],"Redirection Support":["Redirection Support"],"Support":["Support"],"404s":["404s"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do."],"Delete Redirection":["Delete Redirection"],"Upload":["Upload"],"Import":["Import"],"Update":["Update"],"Auto-generate URL":["Auto-generate URL"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"],"RSS Token":["RSS Token"],"404 Logs":["404 Logs"],"(time to keep logs for)":["(time to keep logs for)"],"Redirect Logs":["Redirect Logs"],"I'm a nice person and I have helped support the author of this plugin":["I'm a nice person and I have helped support the author of this plugin."],"Plugin Support":["Plugin Support"],"Options":["Options"],"Two months":["Two months"],"A month":["A month"],"A week":["A week"],"A day":["A day"],"No logs":["No logs"],"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"],"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"],"All modules":["All modules"],"View Redirects":["View Redirects"],"Module":["Module"],"Redirects":["Redirects"],"Name":["Name"],"Filter":["Filter"],"Reset hits":["Reset hits"],"Enable":["Enable"],"Disable":["Disable"],"Delete":["Delete"],"Edit":["Edit"],"Last Access":["Last Access"],"Hits":["Hits"],"URL":["URL"],"Type":["Type"],"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"],"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
- {"":[],"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"],"Unsupported PHP":["PHP no compatible"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requiere PHP v%1$1s, estás usando v%2$2s. Este plugin dejará de funcionar en la próxima versión."],"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":["Si 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"],"The target URL you want to redirect to if matched":["La URL de destino a la que quieres redirigir si coincide"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forzar redirección de HTTP a HTTPs. Antes de activarlo asegúrate de que HTTPS funciona"],"Force HTTPS":["Forzar HTTPS"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"Add New":["Añadir nueva"],"Please logout and login again.":["Cierra sesión y vuelve a entrar, por favor."],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Form request":["Petición de formulario"],"Relative /wp-json/":["/wp-json/ relativo"],"Proxy over Admin AJAX":["Proxy sobre Admin AJAX"],"Default /wp-json/":["/wp-json/ por defecto"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Si no puedes hacer que funcione nada entonces Redirection puede tener dificultades para comunicarse con tu servidor. Puedes intentar cambiar manualmente este ajuste:"],"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"],"Raw /index.php?rest_route=/":["Sin modificar /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress devolvió un mensaje inesperado. Esto podría deberse a que tu REST API no funciona, o por otro plugin o tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection no puede conectar con tu REST API{{/link}}. Si la has desactivado entonces necesitarás activarla."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Un software de seguridad podría estar bloqueando Redirection{{/link}}. Deberías configurarlo para permitir peticiones de la REST API."],"{{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."],"None of the suggestions helped":["Ninguna de las sugerencias ha ayudado"],"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 is working at %s":["La REST API de WordPress está funcionando en %s"],"WordPress REST API":["REST API de WordPress"],"REST API is not working so routes not checked":["La REST API no está funcionando, así que las rutas no se comprueban"],"Redirection routes are working":["Las rutas de redirección están funcionando"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection no aparece en las rutas de tu REST API. ¿La has desactivado con un plugin?"],"Redirection routes":["Rutas de redirección"],"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"],"Referrer / User Agent":["Procedencia / Agente de usuario"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Se han detectado problemas en las tablas de tu base de datos. Por favor, visita la <a href=\"%s\">página de soporte</a> para más detalles."],"Redirection not installed properly":["Redirection no está instalado correctamente"],"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"],"Failed to fix database tables":["Fallo al reparar las tablas de la base de datos"],"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"],"The data on this page has expired, please reload.":["Los datos de esta página han caducado, por favor, recarga."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Tu servidor devolvió un error de 403 Prohibido, que podría indicar que se bloqueó la petición. ¿Estás usando un cortafuegos o un plugin de seguridad?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Incluye estos detalles en tu informe {strong}}junto con una descripción de lo que estabas haciendo{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Si es un problema nuevo entonces, por favor, o {{strong}}crea un aviso de nuevo problema{{/strong}} o envía un {{strong}}correo electrónico{{/strong}}. Incluye una descripción de lo que estabas tratando de hacer y de los importantes detalles listados abajo. Por favor, incluye una captura de pantalla."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Important details":["Detalles importantes"],"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"],"Apache Module":["Módulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Introduce la ruta completa y el nombre del archivo si quieres que Redirection actualice automáticamente tu {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Todas las importaciones se añadirán a la base de datos actual."],"Export":["Exportar"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection (que contenga todas las redirecciones y grupos)."],"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"],"Redirection JSON":["JSON de Redirection"],"View":["Ver"],"Log files can be exported from the log pages.":["Los archivos de registro se pueden exportar desde las páginas de registro."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Estaba tratando de hacer algo cuando ocurrió un fallo. Puede ser un problema temporal, y si lo intentas hacer de nuevo puede que funcione - ¡genial! "],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Search by IP":["Buscar por IP"],"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 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"],"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"],"All modules":["Todos los módulos"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filter":["Filtro"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Eliminar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Type":["Tipo"],"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"],"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
+ {"":[],"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"],"Unsupported PHP":["PHP no compatible"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection requiere PHP v%1$1s, estás usando v%2$2s. Este plugin dejará de funcionar en la próxima versión."],"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":["Si 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"],"The target URL you want to redirect to if matched":["La URL de destino a la que quieres redirigir si coincide"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forzar redirección de HTTP a HTTPs. Antes de activarlo asegúrate de que HTTPS funciona"],"Force HTTPS":["Forzar HTTPS"],"GDPR / Privacy information":["Información de RGPD / Provacidad"],"Add New":["Añadir nueva"],"Please logout and login again.":["Cierra sesión y vuelve a entrar, por favor."],"URL and role/capability":["URL y perfil/capacidad"],"URL and server":["URL y servidor"],"Relative /wp-json/":["/wp-json/ relativo"],"Default /wp-json/":["/wp-json/ por defecto"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Si no puedes hacer que funcione nada entonces Redirection puede tener dificultades para comunicarse con tu servidor. Puedes intentar cambiar manualmente este ajuste:"],"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"],"Raw /index.php?rest_route=/":["Sin modificar /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress devolvió un mensaje inesperado. Esto podría deberse a que tu REST API no funciona, o por otro plugin o tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection no puede conectar con tu REST API{{/link}}. Si la has desactivado entonces necesitarás activarla."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Un software de seguridad podría estar bloqueando Redirection{{/link}}. Deberías configurarlo para permitir peticiones de la REST API."],"{{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."],"None of the suggestions helped":["Ninguna de las sugerencias ha ayudado"],"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 is working at %s":["La REST API de WordPress está funcionando en %s"],"WordPress REST API":["REST API de WordPress"],"REST API is not working so routes not checked":["La REST API no está funcionando, así que las rutas no se comprueban"],"Redirection routes are working":["Las rutas de redirección están funcionando"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection no aparece en las rutas de tu REST API. ¿La has desactivado con un plugin?"],"Redirection routes":["Rutas de redirección"],"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"],"Referrer / User Agent":["Procedencia / Agente de usuario"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Se han detectado problemas en las tablas de tu base de datos. Por favor, visita la <a href=\"%s\">página de soporte</a> para más detalles."],"Redirection not installed properly":["Redirection no está instalado correctamente"],"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"],"Failed to fix database tables":["Fallo al reparar las tablas de la base de datos"],"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"],"The data on this page has expired, please reload.":["Los datos de esta página han caducado, por favor, recarga."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Tu servidor devolvió un error de 403 Prohibido, que podría indicar que se bloqueó la petición. ¿Estás usando un cortafuegos o un plugin de seguridad?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Incluye estos detalles en tu informe {strong}}junto con una descripción de lo que estabas haciendo{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Si es un problema nuevo entonces, por favor, o {{strong}}crea un aviso de nuevo problema{{/strong}} o envía un {{strong}}correo electrónico{{/strong}}. Incluye una descripción de lo que estabas tratando de hacer y de los importantes detalles listados abajo. Por favor, incluye una captura de pantalla."],"Create Issue":["Crear aviso de problema"],"Email":["Correo electrónico"],"Important details":["Detalles importantes"],"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"],"Apache Module":["Módulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Introduce la ruta completa y el nombre del archivo si quieres que Redirection actualice automáticamente tu {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Todas las importaciones se añadirán a la base de datos actual."],"Export":["Exportar"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exporta a CSV, .htaccess de Apache, Nginx o JSON de Redirection (que contenga todas las redirecciones y grupos)."],"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"],"Redirection JSON":["JSON de Redirection"],"View":["Ver"],"Log files can be exported from the log pages.":["Los archivos de registro se pueden exportar desde las páginas de registro."],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Estaba tratando de hacer algo cuando ocurrió un fallo. Puede ser un problema temporal, y si lo intentas hacer de nuevo puede que funcione - ¡genial! "],"Log entries (%d max)":["Entradas del registro (máximo %d)"],"Search by IP":["Buscar por IP"],"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 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"],"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"],"All modules":["Todos los módulos"],"View Redirects":["Ver redirecciones"],"Module":["Módulo"],"Redirects":["Redirecciones"],"Name":["Nombre"],"Filter":["Filtro"],"Reset hits":["Restablecer aciertos"],"Enable":["Activar"],"Disable":["Desactivar"],"Delete":["Eliminar"],"Edit":["Editar"],"Last Access":["Último acceso"],"Hits":["Hits"],"URL":["URL"],"Type":["Tipo"],"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"],"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
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":["PHP non supporté"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection nécessite PHP v%1$1s, vous utilisez %2$2s. Cette extension arrêtera de fonctionner à partir de la prochaine version."],"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 ailleur"],"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"],"The target URL you want to redirect to if matched":["L’URL cible vers laquelle vous voulez rediriger si elle a été trouvée."],"(beta)":["(bêta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forcer une redirection de HTTP vers HTTPS. Veuillez vous assurer que votre HTTPS fonctionne avant de l’activer."],"Force HTTPS":["Forcer HTTPS"],"GDPR / Privacy information":["RGPD/information de confidentialité"],"Add New":["Ajouter une nouvelle"],"Please logout and login again.":["Veuillez vous déconnecter puis vous connecter à nouveau."],"URL and role/capability":["URL et rôle/capacité"],"URL and server":["URL et serveur"],"Form request":["Formulaire de demande"],"Relative /wp-json/":["/wp-json/ relatif"],"Proxy over Admin AJAX":["Proxy sur Admin AJAX"],"Default /wp-json/":["/wp-json/ par défaut"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Si vous ne pouvez pas faire fonctionne quoi que ce soit alors l’extension Redirection doit rencontrer des difficultés à communiquer avec votre serveur. Vous pouvez essayer de modifier ces réglages manuellement :"],"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"],"Raw /index.php?rest_route=/":["/index.php?rest_route=/ brut"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress a renvoyé un message inattendu. Cela peut être causé par votre API REST non fonctionnelle, ou par une autre extension ou thème."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}L’extension Redirection ne peut pas communiquer avec l’API REST{{/link}}. Si vous l’avez désactivée alors vous devriez l’activer à nouveau."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Un programme de sécurité peut bloquer Redirection{{/link}}. Veuillez le configurer pour qu’il autorise les requêtes de l’API REST."],"{{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."],"None of the suggestions helped":["Aucune de ces suggestions n’a aidé"],"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 is working at %s":["L’API REST WordPress fonctionne à %s"],"WordPress REST API":["API REST WordPress"],"REST API is not working so routes not checked":["L’API REST ne fonctionne pas. Les routes n’ont pas été vérifiées."],"Redirection routes are working":["Les redirections fonctionnent"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection n’apparait pas dans vos routes de l’API REST. L’avez-vous désactivée avec une extension ?"],"Redirection routes":["Routes de redirection"],"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":["Monitorer les modifications de %(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"],"Referrer / User Agent":["Référent / Agent utilisateur"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Des problèmes ont été détectés avec les tables de votre base de données. Veuillez visiter la <a href=\"%s\">page de support</a> pour plus de détails."],"Redirection not installed properly":["Redirection n’est pas correctement installé"],"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"],"Failed to fix database tables":["La réparation des tables de la base de données a échoué."],"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."],"The data on this page has expired, please reload.":["Les données de cette page ont expiré, veuillez la recharger."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Votre serveur renvoie une erreur 403 Forbidden indiquant que la requête pourrait avoir été bloquée. Utilisez-vous un firewall ou une extension de sécurité ?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Incluez ces détails dans votre rapport {{strong}}avec une description de ce que vous {{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Si cela est un nouveau problème veuillez soit {{strong}}créer un nouveau ticket{{/strong}}, soit l’envoyer par {{strong}}e-mail{{/strong}}. Mettez-y une description de ce que vous essayiez de faire et les détails importants listés ci-dessous. Veuillez inclure une capture d’écran."],"Create Issue":["Créer un rapport"],"Email":["E-mail"],"Important details":["Informations importantes"],"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é."],"Apache Module":["Module Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Saisissez le chemin complet et le nom de fichier si vous souhaitez que Redirection mette à jour automatiquement votre {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Tous les imports seront ajoutés à la base de données actuelle."],"Export":["Exporter"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exporter en CSV, Apache .htaccess, Nginx, ou en fichier de redirection JSON (qui contiendra toutes les redirections et les groupes)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["Visualiser"],"Log files can be exported from the log pages.":["Les fichier de journal peuvent être exportés depuis les pages du journal."],"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é 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["J’essayais de faire une chose et ça a mal tourné. C’est peut-être un problème temporaire et si vous essayez à nouveau, cela pourrait fonctionner, c’est génial !"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Search by IP":["Rechercher par IP"],"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 want to test beta changes before release.":["Inscrivez-vous à la minuscule newsletter de Redirection. Avec quelques envois seulement, cette newsletter vous informe sur les nouvelles fonctionnalités et les modifications apportées à l’extension. La solution idéale si vous voulez tester les versions bêta."],"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 la 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"],"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"],"All modules":["Tous les modules"],"View Redirects":["Voir les redirections"],"Module":["Module"],"Redirects":["Redirections"],"Name":["Nom"],"Filter":["Filtre"],"Reset hits":["Réinitialiser les vues"],"Enable":["Activer"],"Disable":["Désactiver"],"Delete":["Supprimer"],"Edit":["Modifier"],"Last Access":["Dernier accès"],"Hits":["Vues"],"URL":["URL"],"Type":["Type"],"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"],"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
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":["PHP non supporté"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection nécessite PHP v%1$1s, vous utilisez %2$2s. Cette extension arrêtera de fonctionner à partir de la prochaine version."],"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 ailleur"],"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"],"The target URL you want to redirect to if matched":["L’URL cible vers laquelle vous voulez rediriger si elle a été trouvée."],"(beta)":["(bêta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forcer une redirection de HTTP vers HTTPS. Veuillez vous assurer que votre HTTPS fonctionne avant de l’activer."],"Force HTTPS":["Forcer HTTPS"],"GDPR / Privacy information":["RGPD/information de confidentialité"],"Add New":["Ajouter une nouvelle"],"Please logout and login again.":["Veuillez vous déconnecter puis vous connecter à nouveau."],"URL and role/capability":["URL et rôle/capacité"],"URL and server":["URL et serveur"],"Relative /wp-json/":["/wp-json/ relatif"],"Default /wp-json/":["/wp-json/ par défaut"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Si vous ne pouvez pas faire fonctionne quoi que ce soit alors l’extension Redirection doit rencontrer des difficultés à communiquer avec votre serveur. Vous pouvez essayer de modifier ces réglages manuellement :"],"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"],"Raw /index.php?rest_route=/":["/index.php?rest_route=/ brut"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress a renvoyé un message inattendu. Cela peut être causé par votre API REST non fonctionnelle, ou par une autre extension ou thème."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}L’extension Redirection ne peut pas communiquer avec l’API REST{{/link}}. Si vous l’avez désactivée alors vous devriez l’activer à nouveau."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Un programme de sécurité peut bloquer Redirection{{/link}}. Veuillez le configurer pour qu’il autorise les requêtes de l’API REST."],"{{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."],"None of the suggestions helped":["Aucune de ces suggestions n’a aidé"],"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 is working at %s":["L’API REST WordPress fonctionne à %s"],"WordPress REST API":["API REST WordPress"],"REST API is not working so routes not checked":["L’API REST ne fonctionne pas. Les routes n’ont pas été vérifiées."],"Redirection routes are working":["Les redirections fonctionnent"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection n’apparait pas dans vos routes de l’API REST. L’avez-vous désactivée avec une extension ?"],"Redirection routes":["Routes de redirection"],"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":["Monitorer les modifications de %(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"],"Referrer / User Agent":["Référent / Agent utilisateur"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Des problèmes ont été détectés avec les tables de votre base de données. Veuillez visiter la <a href=\"%s\">page de support</a> pour plus de détails."],"Redirection not installed properly":["Redirection n’est pas correctement installé"],"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"],"Failed to fix database tables":["La réparation des tables de la base de données a échoué."],"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."],"The data on this page has expired, please reload.":["Les données de cette page ont expiré, veuillez la recharger."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Votre serveur renvoie une erreur 403 Forbidden indiquant que la requête pourrait avoir été bloquée. Utilisez-vous un firewall ou une extension de sécurité ?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Incluez ces détails dans votre rapport {{strong}}avec une description de ce que vous {{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Si cela est un nouveau problème veuillez soit {{strong}}créer un nouveau ticket{{/strong}}, soit l’envoyer par {{strong}}e-mail{{/strong}}. Mettez-y une description de ce que vous essayiez de faire et les détails importants listés ci-dessous. Veuillez inclure une capture d’écran."],"Create Issue":["Créer un rapport"],"Email":["E-mail"],"Important details":["Informations importantes"],"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é."],"Apache Module":["Module Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Saisissez le chemin complet et le nom de fichier si vous souhaitez que Redirection mette à jour automatiquement votre {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Tous les imports seront ajoutés à la base de données actuelle."],"Export":["Exporter"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exporter en CSV, Apache .htaccess, Nginx, ou en fichier de redirection JSON (qui contiendra toutes les redirections et les groupes)."],"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"],"Redirection JSON":["Redirection JSON"],"View":["Visualiser"],"Log files can be exported from the log pages.":["Les fichier de journal peuvent être exportés depuis les pages du journal."],"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é 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["J’essayais de faire une chose et ça a mal tourné. C’est peut-être un problème temporaire et si vous essayez à nouveau, cela pourrait fonctionner, c’est génial !"],"Log entries (%d max)":["Entrées du journal (100 max.)"],"Search by IP":["Rechercher par IP"],"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 want to test beta changes before release.":["Inscrivez-vous à la minuscule newsletter de Redirection. Avec quelques envois seulement, cette newsletter vous informe sur les nouvelles fonctionnalités et les modifications apportées à l’extension. La solution idéale si vous voulez tester les versions bêta."],"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 la 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"],"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"],"All modules":["Tous les modules"],"View Redirects":["Voir les redirections"],"Module":["Module"],"Redirects":["Redirections"],"Name":["Nom"],"Filter":["Filtre"],"Reset hits":["Réinitialiser les vues"],"Enable":["Activer"],"Disable":["Désactiver"],"Delete":["Supprimer"],"Edit":["Modifier"],"Last Access":["Dernier accès"],"Hits":["Vues"],"URL":["URL"],"Type":["Type"],"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"],"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-it_IT.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":["Problema"],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Trovato"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["Errore"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":[""],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":["Server"],"Enter role or capability value":[""],"Role":["Ruolo"],"Match against this browser referrer text":[""],"Match against this browser user agent":["Confronta con questo browser user agent"],"The relative URL you want to redirect from":["L'URL relativo dal quale vuoi creare una redirezione"],"The target URL you want to redirect to if matched":[""],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forza un reindirizzamento da HTTP a HTTPS. Verifica che HTTPS funzioni correttamente prima di abilitarlo"],"Force HTTPS":["Forza HTTPS"],"GDPR / Privacy information":[""],"Add New":["Aggiungi Nuovo"],"Please logout and login again.":[""],"URL and role/capability":["URL e ruolo/permesso"],"URL and server":["URL e server"],"Form request":[""],"Relative /wp-json/":[""],"Proxy over Admin AJAX":[""],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Valore dell'header"],"Header name":[""],"HTTP Header":["Header HTTP"],"WordPress filter name":[""],"Filter Name":[""],"Cookie value":["Valore cookie"],"Cookie name":["Nome cookie"],"Cookie":["Cookie"],"clearing your cache.":["cancellazione della tua cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL e cookie"],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API is working at %s":[""],"WordPress REST API":[""],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":[""],"https://johngodley.com":[""],"Useragent Error":[""],"Unknown Useragent":["Useragent sconosciuto"],"Device":["Periferica"],"Operating System":["Sistema operativo"],"Browser":["Browser"],"Engine":[""],"Useragent":["Useragent"],"Agent":[""],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":["Anonimizza IP (maschera l'ultima parte)"],"Monitor changes to %(type)s":[""],"IP Logging":[""],"(select IP logging level)":[""],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Referrer / User Agent":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":["Città"],"Area":["Area"],"Timezone":["Fuso orario"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":[""],"Redirection not installed properly":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Delete 404s":[""],"Delete all from IP %s":[""],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Unable to create group":[""],"Failed to fix database tables":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":["Pulisci la cache del tuo browser e ricarica questa pagina"],"The data on this page has expired, please reload.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":[""],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":[""],"Important details":[""],"Need help?":["Hai bisogno di aiuto?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":[""],"Position":["Posizione"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"Apache Module":["Modulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Inserisci il percorso completo e il nome del file se vuoi che Redirection aggiorni automaticamente il tuo {{code}}.htaccess{{/code}}."],"Import to group":["Importa nel gruppo"],"Import a CSV, .htaccess, or JSON file.":["Importa un file CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Premi 'Aggiungi File' o trascina e rilascia qui."],"Add File":["Aggiungi File"],"File selected":["File selezionato"],"Importing":["Importazione"],"Finished importing":["Importazione finita"],"Total redirects imported:":["Totale redirect importati"],"Double-check the file is the correct format!":["Controlla che il file sia nel formato corretto!"],"OK":["OK"],"Close":["Chiudi"],"All imports will be appended to the current database.":["Tutte le importazioni verranno aggiunte al database corrente."],"Export":["Esporta"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Esporta in CSV, Apache .htaccess, Nginx, o Redirection JSON (che contiene tutte le redirezioni e i gruppi)."],"Everything":["Tutto"],"WordPress redirects":["Redirezioni di WordPress"],"Apache redirects":["Redirezioni Apache"],"Nginx redirects":["Redirezioni nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":[""],"Redirection JSON":[""],"View":[""],"Log files can be exported from the log pages.":[""],"Import/Export":["Importa/Esporta"],"Logs":[""],"404 errors":["Errori 404"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":[""],"Support 💰":["Supporta 💰"],"Redirection saved":["Redirezione salvata"],"Log deleted":["Log eliminato"],"Settings saved":["Impostazioni salvate"],"Group saved":["Gruppo salvato"],"Are you sure you want to delete this item?":["Sei sicuro di voler eliminare questo oggetto?","Sei sicuro di voler eliminare questi oggetti?"],"pass":[""],"All groups":["Tutti i gruppi"],"301 - Moved Permanently":["301 - Spostato in maniera permanente"],"302 - Found":["302 - Trovato"],"307 - Temporary Redirect":["307 - Redirezione temporanea"],"308 - Permanent Redirect":["308 - Redirezione permanente"],"401 - Unauthorized":["401 - Non autorizzato"],"404 - Not Found":["404 - Non trovato"],"Title":["Titolo"],"When matched":["Quando corrisponde"],"with HTTP code":["Con codice HTTP"],"Show advanced options":["Mostra opzioni avanzate"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Salvataggio..."],"View notice":["Vedi la notifica"],"Invalid source URL":["URL di origine non valido"],"Invalid redirect action":["Azione di redirezione non valida"],"Invalid redirect matcher":[""],"Unable to add new redirect":["Impossibile aggiungere una nuova redirezione"],"Something went wrong 🙁":["Qualcosa è andato storto 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Ho cercato di fare una cosa e non ha funzionato. Potrebbe essere un problema temporaneo, se provi nuovamente potrebbe funzionare - grande!\nI was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it could work - great!"],"Log entries (%d max)":[""],"Search by IP":["Cerca per IP"],"Select bulk action":["Seleziona l'azione di massa"],"Bulk Actions":["Azioni di massa"],"Apply":["Applica"],"First page":["Prima pagina"],"Prev page":["Pagina precedente"],"Current Page":["Pagina corrente"],"of %(page)s":[""],"Next page":["Prossima pagina"],"Last page":["Ultima pagina"],"%s item":["%s oggetto","%s oggetti"],"Select All":["Seleziona tutto"],"Sorry, something went wrong loading the data - please try again":["Qualcosa è andato storto leggendo i dati - riprova"],"No results":["Nessun risultato"],"Delete the logs - are you sure?":["Cancella i log - sei sicuro?"],"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 volta eliminati i log correnti non saranno più disponibili. Puoi impostare una pianificazione di eliminazione dalle opzioni di Redirection se desideri eseguire automaticamente questa operazione."],"Yes! Delete the logs":["Sì! Cancella i log"],"No! Don't delete the logs":["No! Non cancellare i log"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vuoi essere informato sulle modifiche a Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e i cambiamenti al plugin. Ideale si vuoi provare le modifiche in beta prima del rilascio."],"Your email address:":["Il tuo indirizzo email:"],"You've supported this plugin - thank you!":["Hai già supportato questo plugin - grazie!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Per sempre"],"Delete the plugin - are you sure?":["Cancella il plugin - sei sicuro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Cancellando questo plugin verranno rimossi tutti i reindirizzamenti, i log e le impostazioni. Fallo se vuoi rimuovere il plugin o se vuoi reimpostare il plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Dopo averle elimininati, i tuoi reindirizzamenti smetteranno di funzionare. Se sembra che continuino a funzionare cancella la cache del tuo browser."],"Yes! Delete the plugin":["Sì! Cancella il plugin"],"No! Don't delete the plugin":["No! Non cancellare il plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestisci tutti i redirect 301 and controlla tutti gli errori 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."],"Redirection Support":["Forum di supporto Redirection"],"Support":["Supporto"],"404s":["404"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selezionando questa opzione tutti i reindirizzamenti, i log e qualunque altra opzione associata con Redirection verranno cancellati. Assicurarsi che questo è proprio ciò che si vuole fare."],"Delete Redirection":["Rimuovi Redirection"],"Upload":["Carica"],"Import":["Importa"],"Update":["Aggiorna"],"Auto-generate URL":["Genera URL automaticamente"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registro 404"],"(time to keep logs for)":["(per quanto tempo conservare i log)"],"Redirect Logs":["Registro redirezioni"],"I'm a nice person and I have helped support the author of this plugin":["Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"],"Plugin Support":["Supporto del plugin"],"Options":["Opzioni"],"Two months":["Due mesi"],"A month":["Un mese"],"A week":["Una settimana"],"A day":["Un giorno"],"No logs":["Nessun log"],"Delete All":["Elimina tutto"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilizza i gruppi per organizzare i tuoi redirect. I gruppi vengono assegnati a un modulo, il che influenza come funzionano i redirect in ciascun gruppo. Se non sei sicuro, scegli il modulo WordPress."],"Add Group":["Aggiungi gruppo"],"Search":["Cerca"],"Groups":["Gruppi"],"Save":["Salva"],"Group":["Gruppo"],"Match":["Match"],"Add new redirection":["Aggiungi un nuovo reindirizzamento"],"Cancel":["Annulla"],"Download":["Scaricare"],"Redirection":["Redirection"],"Settings":["Impostazioni"],"Error (404)":["Errore (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Reindirizza a un post a caso"],"Redirect to URL":["Reindirizza a URL"],"Invalid group when creating redirect":["Gruppo non valido nella creazione del redirect"],"IP":["IP"],"Source URL":["URL di partenza"],"Date":["Data"],"Add Redirect":["Aggiungi una redirezione"],"All modules":["Tutti i moduli"],"View Redirects":["Mostra i redirect"],"Module":["Modulo"],"Redirects":["Reindirizzamenti"],"Name":["Nome"],"Filter":["Filtro"],"Reset hits":[""],"Enable":["Attiva"],"Disable":["Disattiva"],"Delete":["Cancella"],"Edit":["Modifica"],"Last Access":["Ultimo accesso"],"Hits":["Visite"],"URL":["URL"],"Type":["Tipo"],"Modified Posts":["Post modificati"],"Redirections":["Reindirizzamenti"],"User Agent":["User agent"],"URL and user agent":["URL e user agent"],"Target URL":["URL di arrivo"],"URL only":["solo URL"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL e referrer"],"Logged Out":[""],"Logged In":[""],"URL and login status":["status URL e login"]}
1
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":["Problema"],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":["Trovato"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["Errore"],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":[""],"Target":[""],"URL is not being redirected with Redirection":[""],"URL is being redirected with Redirection":[""],"Unable to load details":[""],"Enter server URL to match against":[""],"Server":["Server"],"Enter role or capability value":[""],"Role":["Ruolo"],"Match against this browser referrer text":[""],"Match against this browser user agent":["Confronta con questo browser user agent"],"The relative URL you want to redirect from":["L'URL relativo dal quale vuoi creare una redirezione"],"The target URL you want to redirect to if matched":[""],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Forza un reindirizzamento da HTTP a HTTPS. Verifica che HTTPS funzioni correttamente prima di abilitarlo"],"Force HTTPS":["Forza HTTPS"],"GDPR / Privacy information":[""],"Add New":["Aggiungi Nuovo"],"Please logout and login again.":[""],"URL and role/capability":["URL e ruolo/permesso"],"URL and server":["URL e server"],"Relative /wp-json/":[""],"Default /wp-json/":["Default /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":[""],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Valore dell'header"],"Header name":[""],"HTTP Header":["Header HTTP"],"WordPress filter name":[""],"Filter Name":[""],"Cookie value":["Valore cookie"],"Cookie name":["Nome cookie"],"Cookie":["Cookie"],"clearing your cache.":["cancellazione della tua cache."],"If you are using a caching system such as Cloudflare then please read this: ":["Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL e cookie"],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":[""],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":[""],"Unable to load Redirection ☹️":[""],"WordPress REST API is working at %s":[""],"WordPress REST API":[""],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":[""],"https://johngodley.com":[""],"Useragent Error":[""],"Unknown Useragent":["Useragent sconosciuto"],"Device":["Periferica"],"Operating System":["Sistema operativo"],"Browser":["Browser"],"Engine":[""],"Useragent":["Useragent"],"Agent":[""],"No IP logging":[""],"Full IP logging":[""],"Anonymize IP (mask last part)":["Anonimizza IP (maschera l'ultima parte)"],"Monitor changes to %(type)s":[""],"IP Logging":[""],"(select IP logging level)":[""],"Geo Info":[""],"Agent Info":[""],"Filter by IP":[""],"Referrer / User Agent":[""],"Geo IP Error":[""],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":[""],"Geo IP":[""],"City":["Città"],"Area":["Area"],"Timezone":["Fuso orario"],"Geo Location":[""],"Powered by {{link}}redirect.li{{/link}}":[""],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":[""],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":[""],"Plugin Importers":[""],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":[""],"Redirection not installed properly":[""],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":[""],"Custom":[""],"Mobile":[""],"Feed Readers":[""],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":[""],"Delete 404s":[""],"Delete all from IP %s":[""],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Unable to create group":[""],"Failed to fix database tables":[""],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":[""],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":[""],"The following tables are missing:":[""],"All tables present":[""],"Cached Redirection detected":[""],"Please clear your browser cache and reload this page.":["Pulisci la cache del tuo browser e ricarica questa pagina"],"The data on this page has expired, please reload.":[""],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":[""],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":[""],"Important details":[""],"Need help?":["Hai bisogno di aiuto?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":[""],"410 - Gone":[""],"Position":["Posizione"],"Used to auto-generate a URL if no URL is given. Use the special tags {{code}}$dec${{/code}} or {{code}}$hex${{/code}} to insert a unique ID instead":[""],"Apache Module":["Modulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Inserisci il percorso completo e il nome del file se vuoi che Redirection aggiorni automaticamente il tuo {{code}}.htaccess{{/code}}."],"Import to group":["Importa nel gruppo"],"Import a CSV, .htaccess, or JSON file.":["Importa un file CSV, .htaccess o JSON."],"Click 'Add File' or drag and drop here.":["Premi 'Aggiungi File' o trascina e rilascia qui."],"Add File":["Aggiungi File"],"File selected":["File selezionato"],"Importing":["Importazione"],"Finished importing":["Importazione finita"],"Total redirects imported:":["Totale redirect importati"],"Double-check the file is the correct format!":["Controlla che il file sia nel formato corretto!"],"OK":["OK"],"Close":["Chiudi"],"All imports will be appended to the current database.":["Tutte le importazioni verranno aggiunte al database corrente."],"Export":["Esporta"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Esporta in CSV, Apache .htaccess, Nginx, o Redirection JSON (che contiene tutte le redirezioni e i gruppi)."],"Everything":["Tutto"],"WordPress redirects":["Redirezioni di WordPress"],"Apache redirects":["Redirezioni Apache"],"Nginx redirects":["Redirezioni nginx"],"CSV":["CSV"],"Apache .htaccess":[".htaccess Apache"],"Nginx rewrite rules":[""],"Redirection JSON":[""],"View":[""],"Log files can be exported from the log pages.":[""],"Import/Export":["Importa/Esporta"],"Logs":[""],"404 errors":["Errori 404"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":[""],"Support 💰":["Supporta 💰"],"Redirection saved":["Redirezione salvata"],"Log deleted":["Log eliminato"],"Settings saved":["Impostazioni salvate"],"Group saved":["Gruppo salvato"],"Are you sure you want to delete this item?":["Sei sicuro di voler eliminare questo oggetto?","Sei sicuro di voler eliminare questi oggetti?"],"pass":[""],"All groups":["Tutti i gruppi"],"301 - Moved Permanently":["301 - Spostato in maniera permanente"],"302 - Found":["302 - Trovato"],"307 - Temporary Redirect":["307 - Redirezione temporanea"],"308 - Permanent Redirect":["308 - Redirezione permanente"],"401 - Unauthorized":["401 - Non autorizzato"],"404 - Not Found":["404 - Non trovato"],"Title":["Titolo"],"When matched":["Quando corrisponde"],"with HTTP code":["Con codice HTTP"],"Show advanced options":["Mostra opzioni avanzate"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Salvataggio..."],"View notice":["Vedi la notifica"],"Invalid source URL":["URL di origine non valido"],"Invalid redirect action":["Azione di redirezione non valida"],"Invalid redirect matcher":[""],"Unable to add new redirect":["Impossibile aggiungere una nuova redirezione"],"Something went wrong 🙁":["Qualcosa è andato storto 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Ho cercato di fare una cosa e non ha funzionato. Potrebbe essere un problema temporaneo, se provi nuovamente potrebbe funzionare - grande!\nI was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it could work - great!"],"Log entries (%d max)":[""],"Search by IP":["Cerca per IP"],"Select bulk action":["Seleziona l'azione di massa"],"Bulk Actions":["Azioni di massa"],"Apply":["Applica"],"First page":["Prima pagina"],"Prev page":["Pagina precedente"],"Current Page":["Pagina corrente"],"of %(page)s":[""],"Next page":["Pagina successiva"],"Last page":["Ultima pagina"],"%s item":["%s oggetto","%s oggetti"],"Select All":["Seleziona tutto"],"Sorry, something went wrong loading the data - please try again":["Qualcosa è andato storto leggendo i dati - riprova"],"No results":["Nessun risultato"],"Delete the logs - are you sure?":["Cancella i log - sei sicuro?"],"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 volta eliminati i log correnti non saranno più disponibili. Puoi impostare una pianificazione di eliminazione dalle opzioni di Redirection se desideri eseguire automaticamente questa operazione."],"Yes! Delete the logs":["Sì! Cancella i log"],"No! Don't delete the logs":["No! Non cancellare i log"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."],"Newsletter":["Newsletter"],"Want to keep up to date with changes to Redirection?":["Vuoi essere informato sulle modifiche a Redirection?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e i cambiamenti al plugin. Ideale si vuoi provare le modifiche in beta prima del rilascio."],"Your email address:":["Il tuo indirizzo email:"],"You've supported this plugin - thank you!":["Hai già supportato questo plugin - grazie!"],"You get useful software and I get to carry on making it better.":[""],"Forever":["Per sempre"],"Delete the plugin - are you sure?":["Cancella il plugin - sei sicuro?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Cancellando questo plugin verranno rimossi tutti i reindirizzamenti, i log e le impostazioni. Fallo se vuoi rimuovere il plugin o se vuoi reimpostare il plugin."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Dopo averle elimininati, i tuoi reindirizzamenti smetteranno di funzionare. Se sembra che continuino a funzionare cancella la cache del tuo browser."],"Yes! Delete the plugin":["Sì! Cancella il plugin"],"No! Don't delete the plugin":["No! Non cancellare il plugin"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Gestisci tutti i redirect 301 and controlla tutti gli errori 404"],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."],"Redirection Support":["Forum di supporto Redirection"],"Support":["Supporto"],"404s":["404"],"Log":["Log"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Selezionando questa opzione tutti i reindirizzamenti, i log e qualunque altra opzione associata con Redirection verranno cancellati. Assicurarsi che questo è proprio ciò che si vuole fare."],"Delete Redirection":["Rimuovi Redirection"],"Upload":["Carica"],"Import":["Importa"],"Update":["Aggiorna"],"Auto-generate URL":["Genera URL automaticamente"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"],"RSS Token":["Token RSS"],"404 Logs":["Registro 404"],"(time to keep logs for)":["(per quanto tempo conservare i log)"],"Redirect Logs":["Registro redirezioni"],"I'm a nice person and I have helped support the author of this plugin":["Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"],"Plugin Support":["Supporto del plugin"],"Options":["Opzioni"],"Two months":["Due mesi"],"A month":["Un mese"],"A week":["Una settimana"],"A day":["Un giorno"],"No logs":["Nessun log"],"Delete All":["Elimina tutto"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Utilizza i gruppi per organizzare i tuoi redirect. I gruppi vengono assegnati a un modulo, il che influenza come funzionano i redirect in ciascun gruppo. Se non sei sicuro, scegli il modulo WordPress."],"Add Group":["Aggiungi gruppo"],"Search":["Cerca"],"Groups":["Gruppi"],"Save":["Salva"],"Group":["Gruppo"],"Match":[""],"Add new redirection":["Aggiungi un nuovo reindirizzamento"],"Cancel":["Annulla"],"Download":["Scaricare"],"Redirection":["Redirection"],"Settings":["Impostazioni"],"Error (404)":["Errore (404)"],"Pass-through":["Pass-through"],"Redirect to random post":["Reindirizza a un post a caso"],"Redirect to URL":["Reindirizza a URL"],"Invalid group when creating redirect":["Gruppo non valido nella creazione del redirect"],"IP":["IP"],"Source URL":["URL di partenza"],"Date":["Data"],"Add Redirect":["Aggiungi una redirezione"],"All modules":["Tutti i moduli"],"View Redirects":["Mostra i redirect"],"Module":["Modulo"],"Redirects":["Reindirizzamenti"],"Name":["Nome"],"Filter":["Filtro"],"Reset hits":[""],"Enable":["Attiva"],"Disable":["Disattiva"],"Delete":["Cancella"],"Edit":["Modifica"],"Last Access":["Ultimo accesso"],"Hits":["Visite"],"URL":["URL"],"Type":["Tipo"],"Modified Posts":["Post modificati"],"Redirections":["Reindirizzamenti"],"User Agent":["User agent"],"URL and user agent":["URL e user agent"],"Target URL":["URL di arrivo"],"URL only":["solo URL"],"Regex":["Regex"],"Referrer":["Referrer"],"URL and referrer":["URL e referrer"],"Logged Out":[""],"Logged In":[""],"URL and login status":["status URL e login"]}
locale/json/redirection-ja.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["エラー"],"Enter full URL, including http:// or https://":["http:// や https:// を含めた完全な URL を入力してください"],"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.":["ブラウザーが URL をキャッシュすることがあり、想定どおりに動作しているか確認が難しい場合があります。きちんとリダイレクトが機能しているかチェックするにはこちらを利用してください。"],"Redirect Tester":["リダイレクトテスター"],"Target":["ターゲット"],"URL is not being redirected with Redirection":["URL は Redirection によってリダイレクトされません"],"URL is being redirected with Redirection":["URL は Redirection によってリダイレクトされます"],"Unable to load details":["詳細のロードに失敗しました"],"Enter server URL to match against":["一致するサーバーの URL を入力"],"Server":["サーバー"],"Enter role or capability value":["権限グループまたは権限の値を入力"],"Role":["権限グループ"],"Match against this browser referrer text":["このブラウザーリファラーテキストと一致"],"Match against this browser user agent":["このブラウザーユーザーエージェントに一致"],"The relative URL you want to redirect from":["リダイレクト元となる相対 URL"],"The target URL you want to redirect to if matched":["一致した場合にリダイレクトさせたいターゲット URL"],"(beta)":["(ベータ)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["HTTP から HTTPS へのリダイレクトを矯正します。有効化前にはで正しくサイトが HTTPS で動くことを確認してください。"],"Force HTTPS":["強制 HTTPS"],"GDPR / Privacy information":["GDPR / 個人情報"],"Add New":["新規追加"],"Please logout and login again.":["再度ログインし直してください。"],"URL and role/capability":["URL と権限グループ / 権限"],"URL and server":["URL とサーバー"],"Form request":["フォームリクエスト"],"Relative /wp-json/":["相対 /wp-json/"],"Proxy over Admin AJAX":[""],"Default /wp-json/":["デフォルト /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["動作が正常にできていない場合、 Redirection がサーバーと連携するのが困難な状態と考えられます。設定を手動で変更することが可能です :"],"Site and home protocol":["サイト URL とホーム URL のプロトコル"],"Site and home are consistent":["サイト URL とホーム URL は一致しています"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["HTTP ヘッダーを PHP に通せるかどうかはサーバーの設定によります。詳しくはお使いのホスティング会社にお問い合わせください。"],"Accept Language":["Accept Language"],"Header value":["ヘッダー値"],"Header name":["ヘッダー名"],"HTTP Header":["HTTP ヘッダー"],"WordPress filter name":["WordPress フィルター名"],"Filter Name":["フィルター名"],"Cookie value":["Cookie 値"],"Cookie name":["Cookie 名"],"Cookie":["Cookie"],"clearing your cache.":["キャッシュを削除"],"If you are using a caching system such as Cloudflare then please read this: ":["Cloudflare などのキャッシュシステムをお使いの場合こちらをお読みください :"],"URL and HTTP header":["URL と HTTP ヘッダー"],"URL and custom filter":["URL とカスタムフィルター"],"URL and cookie":["URL と Cookie"],"404 deleted":["404 deleted"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Redirection の REST API の使い方 - 必要な場合以外は変更しないでください"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress が予期しないエラーを返却しました。これは REST API が動いていないか、他のプラグインやテーマによって起こされている可能性があります。"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["{{link}}プラグインステータス{{/link}} をご覧ください。問題を特定でき、問題を修正できるかもしれません。"],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection は REST API との通信に失敗しました。{{/link}} もし無効化している場合、有効化する必要があります。"],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}セキュリティソフトが Redirectin をブロックしている可能性があります。{{/link}} REST API リクエストを許可するために設定を行う必要があります。"],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}キャッシュソフト{{/link}} 特に Cloudflare は間違ったキャッシュを行うことがあります。すべてのキャッシュをクリアしてみてください。"],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}一時的に他のプラグインを無効化してください。{{/link}} 多くの問題はこれで解決します。"],"None of the suggestions helped":["これらの提案では解決しませんでした"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["<a href=\"https://redirection.me/support/problems/\">よくある問題一覧</a> をご覧ください。"],"Unable to load Redirection ☹️":["Redirection のロードに失敗しました☹️"],"WordPress REST API is working at %s":["WordPress REST API は次の URL でアクセス可能です: %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API が動作していないためルートはチェックされません"],"Redirection routes are working":["Redirection ルートは正常に動作しています"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection が REST API ルート上にないようです。プラグインなどを使用して REST API を無効化しましたか ?"],"Redirection routes":["Redirection ルート"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["サイト上の WordPress REST API は無効化されています。Redirection の動作のためには再度有効化する必要があります。"],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["ユーザーエージェントエラー"],"Unknown Useragent":["不明なユーザーエージェント"],"Device":["デバイス"],"Operating System":["オペレーティングシステム"],"Browser":["ブラウザー"],"Engine":["エンジン"],"Useragent":["ユーザーエージェント"],"Agent":["エージェント"],"No IP logging":["IP ロギングなし"],"Full IP logging":["フル IP ロギング"],"Anonymize IP (mask last part)":["匿名 IP (最後の部分をマスクする)"],"Monitor changes to %(type)s":["%(type) の変更を監視する"],"IP Logging":["IP ロギング"],"(select IP logging level)":["(IP のログレベルを選択)"],"Geo Info":["位置情報"],"Agent Info":["エージェントの情報"],"Filter by IP":["IP でフィルター"],"Referrer / User Agent":["リファラー / User Agent"],"Geo IP Error":["位置情報エラー"],"Something went wrong obtaining this information":["この情報の取得中に問題が発生しました。"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["これはプライベートネットワーク内からの IP です。家庭もしくは職場ネットワークからのアクセスであり、これ以上の情報を表示することはできません。"],"No details are known for this address.":["このアドレスには詳細がありません"],"Geo IP":["ジオ IP"],"City":["市区町村"],"Area":["エリア"],"Timezone":["タイムゾーン"],"Geo Location":["位置情報"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["ゴミ箱"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Redirection の使用には WordPress REST API が有効化されている必要があります。REST API が無効化されていると Redirection を使用することができません。"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Redirection プラグインの詳しい使い方については <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.":["Redirection の完全なドキュメントは {{site}}https://redirection.me{{/site}} で参照できます。問題がある場合はまず、{{faq}}FAQ{{/faq}} をチェックしてください。"],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["バグを報告したい場合、こちらの {{report}}バグ報告{{/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!":["公開されているリポジトリに投稿したくない情報を提示したいときは、その内容を可能な限りの詳細な情報を記した上で {{email}}メール{{/email}} を送ってください。"],"Never cache":["キャッシュしない"],"An hour":["1時間"],"Redirect Cache":["リダイレクトキャッシュ"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["301 URL リダイレクトをキャッシュする長さ (\"Expires\" HTTP ヘッダー)"],"Are you sure you want to import from %s?":["本当に %s からインポートしますか ?"],"Plugin Importers":["インポートプラグイン"],"The following redirect plugins were detected on your site and can be imported from.":["サイト上より今プラグインにインポートできる以下のリダイレクトプラグインが見つかりました。"],"total = ":["全数 ="],"Import from %s":["%s からインポート"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["データベースのテーブルに問題があります。詳しくは、<a href=\"%s\">support page</a> を御覧ください。"],"Redirection not installed properly":["Redirection がきちんとインストールされていません"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":["初期設定の WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["マジック修正ボタンが効かない場合、エラーを読み自分で修正する必要があります。もしくは下の「助けが必要」セクションをお読みください。"],"⚡️ Magic fix ⚡️":["⚡️マジック修正⚡️"],"Plugin Status":["プラグインステータス"],"Custom":["カスタム"],"Mobile":["モバイル"],"Feed Readers":["フィード読者"],"Libraries":["ライブラリ"],"URL Monitor Changes":["変更を監視する URL"],"Save changes to this group":["このグループへの変更を保存"],"For example \"/amp\"":["例: \"/amp\""],"URL Monitor":["URL モニター"],"Delete 404s":["404を削除"],"Delete all from IP %s":["すべての IP %s からのものを削除"],"Delete all matching \"%s\"":["すべての \"%s\" に一致するものを削除"],"Your server has rejected the request for being too big. You will need to change it to continue.":["大きすぎるリクエストのためサーバーがリクエストを拒否しました。進めるには変更する必要があります。"],"Also check if your browser is able to load <code>redirection.js</code>:":["また <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.":["CloudFlare, OVH などのキャッシュプラグイン・サービスを使用してページをキャッシュしている場合、キャッシュをクリアしてみてください。"],"Unable to load Redirection":["Redirection のロードに失敗しました"],"Unable to create group":["グループの作成に失敗しました"],"Failed to fix database tables":["データベーステーブルの修正に失敗しました"],"Post monitor group is valid":["投稿モニターグループは有効です"],"Post monitor group is invalid":["投稿モニターグループが無効です"],"Post monitor group":["投稿モニターグループ"],"All redirects have a valid group":["すべてのリダイレクトは有効なグループになっています"],"Redirects with invalid groups detected":["無効なグループのリダイレクトが検出されました"],"Valid redirect group":["有効なリダイレクトグループ"],"Valid groups detected":["有効なグループが検出されました"],"No valid groups, so you will not be able to create any redirects":["有効なグループがない場合、新規のリダイレクトを追加することはできません。"],"Valid groups":["有効なグループ"],"Database tables":["データベーステーブル"],"The following tables are missing:":["次のテーブルが不足しています:"],"All tables present":["すべてのテーブルが存在しています"],"Cached Redirection detected":["キャッシュされた Redirection が検知されました"],"Please clear your browser cache and reload this page.":["ブラウザーのキャッシュをクリアしてページを再読込してください。"],"The data on this page has expired, please reload.":["このページのデータが期限切れになりました。再読込してください。"],"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 WordPress が応答しません。これはエラーが発生したかリクエストがブロックされたことを示しています。サーバーの error_log を確認してください。"],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["サーバーが 403 (閲覧禁止) エラーを返しました。これはリクエストがブロックされてしまった可能性があることを示しています。ファイアウォールやセキュリティプラグインを使用していますか?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":["もしこの原因が Redirection だと思うのであれば Issue を作成してください。"],"This may be caused by another plugin - look at your browser's error console for more details.":["この原因は他のプラグインが原因で起こっている可能性があります - 詳細を見るにはブラウザーの開発者ツールを使用してください。"],"Loading, please wait...":["ロード中です。お待ち下さい…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV ファイルフォーマット{{/strong}}: {{code}}ソース URL、 ターゲット URL{{/code}} - またこれらも使用可能です: {{code}}正規表現,、http コード{{/code}} ({{code}}正規表現{{/code}} - 0 = no, 1 = yes)"],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection が動きません。ブラウザーのキャッシュを削除しページを再読込してみてください。"],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["もしこれが助けにならない場合、ブラウザーのコンソールを開き {{link}新しい\n issue{{/link}} を詳細とともに作成してください。"],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["もし未知の問題を発見したなら、{{strong}}issue を作成{{/strong}} するか {{strong}}メール{{/strong}} を送信してください。その際には何をしようとして発生したのかという説明や下に表示されている「重要な詳細」を含めてください。また、スクリーンショットもお願いします。"],"Create Issue":["Issue を作成"],"Email":["メール"],"Important details":["重要な詳細"],"Need help?":["ヘルプが必要ですか?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["サポートはあくまで時間があるときにのみ提供されることになり、必ず提供されると保証することは出来ないことに注意してください。また有料サポートは受け付けていません。"],"Pos":["Pos"],"410 - Gone":["410 - 消滅"],"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":["URL が指定されていない場合に URL を自動生成するために使用されます。{{code}}$dec${{/code}} もしくは {{code}}$hex${{/code}} のような特別なタグが一意の ID を作るために挿入されます。"],"Apache Module":["Apache モジュール"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["{{code}}.htaccess{{/code} を自動的にアップデートさせたい場合、完全なパスとファイルネームを入力してください。"],"Import to group":["グループにインポート"],"Import a CSV, .htaccess, or JSON file.":["CSV や .htaccess、JSON ファイルをインポート"],"Click 'Add File' or drag and drop here.":["「新規追加」をクリックしここにドラッグアンドドロップしてください。"],"Add File":["ファイルを追加"],"File selected":["選択されたファイル"],"Importing":["インポート中"],"Finished importing":["インポートが完了しました"],"Total redirects imported:":["インポートされたリダイレクト数: "],"Double-check the file is the correct format!":["ファイルが正しい形式かもう一度チェックしてください。"],"OK":["OK"],"Close":["閉じる"],"All imports will be appended to the current database.":["すべてのインポートは現在のデータベースに追加されます。"],"Export":["エクスポート"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["CSV, Apache .htaccess, Nginx, or Redirection JSON へエクスポート (すべての形式はすべてのリダイレクトとグループを含んでいます)"],"Everything":["すべて"],"WordPress redirects":["WordPress リダイレクト"],"Apache redirects":["Apache リダイレクト"],"Nginx redirects":["Nginx リダイレクト"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx のリライトルール"],"Redirection JSON":["Redirection JSON"],"View":["表示"],"Log files can be exported from the log pages.":["ログファイルはログページにてエクスポート出来ます。"],"Import/Export":["インポート / エクスポート"],"Logs":["ログ"],"404 errors":["404 エラー"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["{{code}}%s{{/code}} をメンションし、何をしたかの説明をお願いします"],"I'd like to support some more.":["もっとサポートがしたいです。"],"Support 💰":["サポート💰"],"Redirection saved":["リダイレクトが保存されました"],"Log deleted":["ログが削除されました"],"Settings saved":["設定が保存されました"],"Group saved":["グループが保存されました"],"Are you sure you want to delete this item?":[["本当に削除してもよろしいですか?"]],"pass":["パス"],"All groups":["すべてのグループ"],"301 - Moved Permanently":["301 - 恒久的に移動"],"302 - Found":["302 - 発見"],"307 - Temporary Redirect":["307 - 一時リダイレクト"],"308 - Permanent Redirect":["308 - 恒久リダイレクト"],"401 - Unauthorized":["401 - 認証が必要"],"404 - Not Found":["404 - 未検出"],"Title":["タイトル"],"When matched":["マッチした時"],"with HTTP code":["次の HTTP コードと共に"],"Show advanced options":["高度な設定を表示"],"Matched Target":["見つかったターゲット"],"Unmatched Target":["ターゲットが見つかりません"],"Saving...":["保存中…"],"View notice":["通知を見る"],"Invalid source URL":["不正な元 URL"],"Invalid redirect action":["不正なリダイレクトアクション"],"Invalid redirect matcher":["不正なリダイレクトマッチャー"],"Unable to add new redirect":["新しいリダイレクトの追加に失敗しました"],"Something went wrong 🙁":["問題が発生しました"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["何かをしようとして問題が発生しました。 それは一時的な問題である可能性があるので、再試行を試してみてください。"],"Log entries (%d max)":["ログ (最大 %d)"],"Search by IP":["IP による検索"],"Select bulk action":["一括操作を選択"],"Bulk Actions":["一括操作"],"Apply":["適応"],"First page":["最初のページ"],"Prev page":["前のページ"],"Current Page":["現在のページ"],"of %(page)s":["%(page)s"],"Next page":["次のページ"],"Last page":["最後のページ"],"%s item":[["%s 個のアイテム"]],"Select All":["すべて選択"],"Sorry, something went wrong loading the data - please try again":["データのロード中に問題が発生しました - もう一度お試しください"],"No results":["結果なし"],"Delete the logs - are you sure?":["本当にログを消去しますか ?"],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":["ログを消去すると復元することは出来ません。もしこの操作を自動的に実行させたい場合、Redirection の設定から削除スケジュールを設定することが出来ます。"],"Yes! Delete the logs":["ログを消去する"],"No! Don't delete the logs":["ログを消去しない"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["登録ありがとうございます ! 登録へ戻る場合は {{a}}こちら{{/a}} をクリックしてください。"],"Newsletter":["ニュースレター"],"Want to keep up to date with changes to Redirection?":["リダイレクトの変更を最新の状態に保ちたいですか ?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Redirection ニュースレターにサインアップ - このプラグインの新機能や変更点などについての小規模のニュースレターです。リリース前のベータ版をテストするのに理想的です。"],"Your email address:":["メールアドレス: "],"You've supported this plugin - thank you!":["あなたは既にこのプラグインをサポート済みです - ありがとうございます !"],"You get useful software and I get to carry on making it better.":["あなたはいくつかの便利なソフトウェアを手に入れ、私はそれをより良くするために続けます。"],"Forever":["永久に"],"Delete the plugin - are you sure?":["本当にプラグインを削除しますか ?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["プラグインを消去するとすべてのリダイレクト、ログ、設定が削除されます。プラグインを消したい場合、もしくはプラグインをリセットしたい時にこれを実行してください。"],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["リダイレクトを削除するとリダイレクト機能は機能しなくなります。削除後でもまだ機能しているように見えるのならば、ブラウザーのキャッシュを削除してみてください。"],"Yes! Delete the plugin":["プラグインを消去する"],"No! Don't delete the plugin":["プラグインを消去しない"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["すべての 301 リダイレクトを管理し、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 プラグインは無料でお使いいただけます。しかし、開発にはかなりの時間と労力がかかっており、{{strong}}少額の寄付{{/strong}} でも開発を助けていただけると嬉しいです。"],"Redirection Support":["Redirection を応援する"],"Support":["サポート"],"404s":["404 エラー"],"Log":["ログ"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["個のオプションを選択すると、リディレクションプラグインに関するすべての転送ルール・ログ・設定を削除します。本当にこの操作を行って良いか、再度確認してください。"],"Delete Redirection":["転送ルールを削除"],"Upload":["アップロード"],"Import":["インポート"],"Update":["更新"],"Auto-generate URL":["URL を自動生成 "],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["リディレクションログ RSS にフィードリーダーからアクセスするための固有トークン (空白にしておけば自動生成します)"],"RSS Token":["RSS トークン"],"404 Logs":["404 ログ"],"(time to keep logs for)":["(ログの保存期間)"],"Redirect Logs":["転送ログ"],"I'm a nice person and I have helped support the author of this plugin":["このプラグインの作者に対する援助を行いました"],"Plugin Support":["プラグインサポート"],"Options":["設定"],"Two months":["2ヶ月"],"A month":["1ヶ月"],"A week":["1週間"],"A day":["1日"],"No logs":["ログなし"],"Delete All":["すべてを削除"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["グループを使って転送をグループ化しましょう。グループはモジュールに割り当てられ、グループ内の転送に影響します。はっきりわからない場合は WordPress モジュールのみを使ってください。"],"Add Group":["グループを追加"],"Search":["検索"],"Groups":["グループ"],"Save":["保存"],"Group":["グループ"],"Match":["一致条件"],"Add new redirection":["新しい転送ルールを追加"],"Cancel":["キャンセル"],"Download":["ダウンロード"],"Redirection":["Redirection"],"Settings":["設定"],"Error (404)":["エラー (404)"],"Pass-through":["通過"],"Redirect to random post":["ランダムな記事へ転送"],"Redirect to URL":["URL へ転送"],"Invalid group when creating redirect":["転送ルールを作成する際に無効なグループが指定されました"],"IP":["IP"],"Source URL":["ソース URL"],"Date":["日付"],"Add Redirect":["転送ルールを追加"],"All modules":["すべてのモジュール"],"View Redirects":["転送ルールを表示"],"Module":["モジュール"],"Redirects":["転送ルール"],"Name":["名称"],"Filter":["フィルター"],"Reset hits":["訪問数をリセット"],"Enable":["有効化"],"Disable":["無効化"],"Delete":["削除"],"Edit":["編集"],"Last Access":["前回のアクセス"],"Hits":["ヒット数"],"URL":["URL"],"Type":["タイプ"],"Modified Posts":["編集済みの投稿"],"Redirections":["転送ルール"],"User Agent":["ユーザーエージェント"],"URL and user agent":["URL およびユーザーエージェント"],"Target URL":["ターゲット URL"],"URL only":["URL のみ"],"Regex":["正規表現"],"Referrer":["リファラー"],"URL and referrer":["URL およびリファラー"],"Logged Out":["ログアウト中"],"Logged In":["ログイン中"],"URL and login status":["URL およびログイン状態"]}
1
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":["エラー"],"Enter full URL, including http:// or https://":["http:// や https:// を含めた完全な URL を入力してください"],"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.":["ブラウザーが URL をキャッシュすることがあり、想定どおりに動作しているか確認が難しい場合があります。きちんとリダイレクトが機能しているかチェックするにはこちらを利用してください。"],"Redirect Tester":["リダイレクトテスター"],"Target":["ターゲット"],"URL is not being redirected with Redirection":["URL は Redirection によってリダイレクトされません"],"URL is being redirected with Redirection":["URL は Redirection によってリダイレクトされます"],"Unable to load details":["詳細のロードに失敗しました"],"Enter server URL to match against":["一致するサーバーの URL を入力"],"Server":["サーバー"],"Enter role or capability value":["権限グループまたは権限の値を入力"],"Role":["権限グループ"],"Match against this browser referrer text":["このブラウザーリファラーテキストと一致"],"Match against this browser user agent":["このブラウザーユーザーエージェントに一致"],"The relative URL you want to redirect from":["リダイレクト元となる相対 URL"],"The target URL you want to redirect to if matched":["一致した場合にリダイレクトさせたいターゲット URL"],"(beta)":["(ベータ)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["HTTP から HTTPS へのリダイレクトを矯正します。有効化前にはで正しくサイトが HTTPS で動くことを確認してください。"],"Force HTTPS":["強制 HTTPS"],"GDPR / Privacy information":["GDPR / 個人情報"],"Add New":["新規追加"],"Please logout and login again.":["再度ログインし直してください。"],"URL and role/capability":["URL と権限グループ / 権限"],"URL and server":["URL とサーバー"],"Relative /wp-json/":["相対 /wp-json/"],"Default /wp-json/":["デフォルト /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["動作が正常にできていない場合、 Redirection がサーバーと連携するのが困難な状態と考えられます。設定を手動で変更することが可能です :"],"Site and home protocol":["サイト URL とホーム URL のプロトコル"],"Site and home are consistent":["サイト URL とホーム URL は一致しています"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["HTTP ヘッダーを PHP に通せるかどうかはサーバーの設定によります。詳しくはお使いのホスティング会社にお問い合わせください。"],"Accept Language":["Accept Language"],"Header value":["ヘッダー値"],"Header name":["ヘッダー名"],"HTTP Header":["HTTP ヘッダー"],"WordPress filter name":["WordPress フィルター名"],"Filter Name":["フィルター名"],"Cookie value":["Cookie 値"],"Cookie name":["Cookie 名"],"Cookie":["Cookie"],"clearing your cache.":["キャッシュを削除"],"If you are using a caching system such as Cloudflare then please read this: ":["Cloudflare などのキャッシュシステムをお使いの場合こちらをお読みください :"],"URL and HTTP header":["URL と HTTP ヘッダー"],"URL and custom filter":["URL とカスタムフィルター"],"URL and cookie":["URL と Cookie"],"404 deleted":["404 deleted"],"Raw /index.php?rest_route=/":["Raw /index.php?rest_route=/"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Redirection の REST API の使い方 - 必要な場合以外は変更しないでください"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress が予期しないエラーを返却しました。これは REST API が動いていないか、他のプラグインやテーマによって起こされている可能性があります。"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["{{link}}プラグインステータス{{/link}} をご覧ください。問題を特定でき、問題を修正できるかもしれません。"],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection は REST API との通信に失敗しました。{{/link}} もし無効化している場合、有効化する必要があります。"],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}セキュリティソフトが Redirectin をブロックしている可能性があります。{{/link}} REST API リクエストを許可するために設定を行う必要があります。"],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}キャッシュソフト{{/link}} 特に Cloudflare は間違ったキャッシュを行うことがあります。すべてのキャッシュをクリアしてみてください。"],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}一時的に他のプラグインを無効化してください。{{/link}} 多くの問題はこれで解決します。"],"None of the suggestions helped":["これらの提案では解決しませんでした"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["<a href=\"https://redirection.me/support/problems/\">よくある問題一覧</a> をご覧ください。"],"Unable to load Redirection ☹️":["Redirection のロードに失敗しました☹️"],"WordPress REST API is working at %s":["WordPress REST API は次の URL でアクセス可能です: %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API が動作していないためルートはチェックされません"],"Redirection routes are working":["Redirection ルートは正常に動作しています"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection が REST API ルート上にないようです。プラグインなどを使用して REST API を無効化しましたか ?"],"Redirection routes":["Redirection ルート"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["サイト上の WordPress REST API は無効化されています。Redirection の動作のためには再度有効化する必要があります。"],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["ユーザーエージェントエラー"],"Unknown Useragent":["不明なユーザーエージェント"],"Device":["デバイス"],"Operating System":["オペレーティングシステム"],"Browser":["ブラウザー"],"Engine":["エンジン"],"Useragent":["ユーザーエージェント"],"Agent":["エージェント"],"No IP logging":["IP ロギングなし"],"Full IP logging":["フル IP ロギング"],"Anonymize IP (mask last part)":["匿名 IP (最後の部分をマスクする)"],"Monitor changes to %(type)s":["%(type)sの変更を監視"],"IP Logging":["IP ロギング"],"(select IP logging level)":["(IP のログレベルを選択)"],"Geo Info":["位置情報"],"Agent Info":["エージェントの情報"],"Filter by IP":["IP でフィルター"],"Referrer / User Agent":["リファラー / User Agent"],"Geo IP Error":["位置情報エラー"],"Something went wrong obtaining this information":["この情報の取得中に問題が発生しました。"],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":["これはプライベートネットワーク内からの IP です。家庭もしくは職場ネットワークからのアクセスであり、これ以上の情報を表示することはできません。"],"No details are known for this address.":["このアドレスには詳細がありません"],"Geo IP":["ジオ IP"],"City":["市区町村"],"Area":["エリア"],"Timezone":["タイムゾーン"],"Geo Location":["位置情報"],"Powered by {{link}}redirect.li{{/link}}":["Powered by {{link}}redirect.li{{/link}}"],"Trash":["ゴミ箱"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Redirection の使用には WordPress REST API が有効化されている必要があります。REST API が無効化されていると Redirection を使用することができません。"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Redirection プラグインの詳しい使い方については <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.":["Redirection の完全なドキュメントは {{site}}https://redirection.me{{/site}} で参照できます。問題がある場合はまず、{{faq}}FAQ{{/faq}} をチェックしてください。"],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["バグを報告したい場合、こちらの {{report}}バグ報告{{/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!":["公開されているリポジトリに投稿したくない情報を提示したいときは、その内容を可能な限りの詳細な情報を記した上で {{email}}メール{{/email}} を送ってください。"],"Never cache":["キャッシュしない"],"An hour":["1時間"],"Redirect Cache":["リダイレクトキャッシュ"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["301 URL リダイレクトをキャッシュする長さ (\"Expires\" HTTP ヘッダー)"],"Are you sure you want to import from %s?":["本当に %s からインポートしますか ?"],"Plugin Importers":["インポートプラグイン"],"The following redirect plugins were detected on your site and can be imported from.":["サイト上より今プラグインにインポートできる以下のリダイレクトプラグインが見つかりました。"],"total = ":["全数 ="],"Import from %s":["%s からインポート"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["データベースのテーブルに問題があります。詳しくは、<a href=\"%s\">support page</a> を御覧ください。"],"Redirection not installed properly":["Redirection がきちんとインストールされていません"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":["初期設定の WordPress \"old slugs\""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["マジック修正ボタンが効かない場合、エラーを読み自分で修正する必要があります。もしくは下の「助けが必要」セクションをお読みください。"],"⚡️ Magic fix ⚡️":["⚡️マジック修正⚡️"],"Plugin Status":["プラグインステータス"],"Custom":["カスタム"],"Mobile":["モバイル"],"Feed Readers":["フィード読者"],"Libraries":["ライブラリ"],"URL Monitor Changes":["変更を監視する URL"],"Save changes to this group":["このグループへの変更を保存"],"For example \"/amp\"":["例: \"/amp\""],"URL Monitor":["URL モニター"],"Delete 404s":["404を削除"],"Delete all from IP %s":["すべての IP %s からのものを削除"],"Delete all matching \"%s\"":["すべての \"%s\" に一致するものを削除"],"Your server has rejected the request for being too big. You will need to change it to continue.":["大きすぎるリクエストのためサーバーがリクエストを拒否しました。進めるには変更する必要があります。"],"Also check if your browser is able to load <code>redirection.js</code>:":["また <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.":["CloudFlare, OVH などのキャッシュプラグイン・サービスを使用してページをキャッシュしている場合、キャッシュをクリアしてみてください。"],"Unable to load Redirection":["Redirection のロードに失敗しました"],"Unable to create group":["グループの作成に失敗しました"],"Failed to fix database tables":["データベーステーブルの修正に失敗しました"],"Post monitor group is valid":["投稿モニターグループは有効です"],"Post monitor group is invalid":["投稿モニターグループが無効です"],"Post monitor group":["投稿モニターグループ"],"All redirects have a valid group":["すべてのリダイレクトは有効なグループになっています"],"Redirects with invalid groups detected":["無効なグループのリダイレクトが検出されました"],"Valid redirect group":["有効なリダイレクトグループ"],"Valid groups detected":["有効なグループが検出されました"],"No valid groups, so you will not be able to create any redirects":["有効なグループがない場合、新規のリダイレクトを追加することはできません。"],"Valid groups":["有効なグループ"],"Database tables":["データベーステーブル"],"The following tables are missing:":["次のテーブルが不足しています:"],"All tables present":["すべてのテーブルが存在しています"],"Cached Redirection detected":["キャッシュされた Redirection が検知されました"],"Please clear your browser cache and reload this page.":["ブラウザーのキャッシュをクリアしてページを再読込してください。"],"The data on this page has expired, please reload.":["このページのデータが期限切れになりました。再読込してください。"],"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 WordPress が応答しません。これはエラーが発生したかリクエストがブロックされたことを示しています。サーバーの error_log を確認してください。"],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["サーバーが 403 (閲覧禁止) エラーを返しました。これはリクエストがブロックされてしまった可能性があることを示しています。ファイアウォールやセキュリティプラグインを使用していますか?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":["もしこの原因が Redirection だと思うのであれば Issue を作成してください。"],"This may be caused by another plugin - look at your browser's error console for more details.":["この原因は他のプラグインが原因で起こっている可能性があります - 詳細を見るにはブラウザーの開発者ツールを使用してください。"],"Loading, please wait...":["ロード中です。お待ち下さい…"],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}}CSV ファイルフォーマット{{/strong}}: {{code}}ソース URL、 ターゲット URL{{/code}} - またこれらも使用可能です: {{code}}正規表現,、http コード{{/code}} ({{code}}正規表現{{/code}} - 0 = no, 1 = yes)"],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection が動きません。ブラウザーのキャッシュを削除しページを再読込してみてください。"],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["もしこれが助けにならない場合、ブラウザーのコンソールを開き {{link}新しい\n issue{{/link}} を詳細とともに作成してください。"],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["もし未知の問題を発見したなら、{{strong}}issue を作成{{/strong}} するか {{strong}}メール{{/strong}} を送信してください。その際には何をしようとして発生したのかという説明や下に表示されている「重要な詳細」を含めてください。また、スクリーンショットもお願いします。"],"Create Issue":["Issue を作成"],"Email":["メール"],"Important details":["重要な詳細"],"Need help?":["ヘルプが必要ですか?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["サポートはあくまで時間があるときにのみ提供されることになり、必ず提供されると保証することは出来ないことに注意してください。また有料サポートは受け付けていません。"],"Pos":["Pos"],"410 - Gone":["410 - 消滅"],"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":["URL が指定されていない場合に URL を自動生成するために使用されます。{{code}}$dec${{/code}} もしくは {{code}}$hex${{/code}} のような特別なタグが一意の ID を作るために挿入されます。"],"Apache Module":["Apache モジュール"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["{{code}}.htaccess{{/code} を自動的にアップデートさせたい場合、完全なパスとファイルネームを入力してください。"],"Import to group":["グループにインポート"],"Import a CSV, .htaccess, or JSON file.":["CSV や .htaccess、JSON ファイルをインポート"],"Click 'Add File' or drag and drop here.":["「新規追加」をクリックしここにドラッグアンドドロップしてください。"],"Add File":["ファイルを追加"],"File selected":["選択されたファイル"],"Importing":["インポート中"],"Finished importing":["インポートが完了しました"],"Total redirects imported:":["インポートされたリダイレクト数: "],"Double-check the file is the correct format!":["ファイルが正しい形式かもう一度チェックしてください。"],"OK":["OK"],"Close":["閉じる"],"All imports will be appended to the current database.":["すべてのインポートは現在のデータベースに追加されます。"],"Export":["エクスポート"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["CSV, Apache .htaccess, Nginx, or Redirection JSON へエクスポート (すべての形式はすべてのリダイレクトとグループを含んでいます)"],"Everything":["すべて"],"WordPress redirects":["WordPress リダイレクト"],"Apache redirects":["Apache リダイレクト"],"Nginx redirects":["Nginx リダイレクト"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Nginx のリライトルール"],"Redirection JSON":["Redirection JSON"],"View":["表示"],"Log files can be exported from the log pages.":["ログファイルはログページにてエクスポート出来ます。"],"Import/Export":["インポート / エクスポート"],"Logs":["ログ"],"404 errors":["404 エラー"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["{{code}}%s{{/code}} をメンションし、何をしたかの説明をお願いします"],"I'd like to support some more.":["もっとサポートがしたいです。"],"Support 💰":["サポート💰"],"Redirection saved":["リダイレクトが保存されました"],"Log deleted":["ログが削除されました"],"Settings saved":["設定が保存されました"],"Group saved":["グループが保存されました"],"Are you sure you want to delete this item?":[["本当に削除してもよろしいですか?"]],"pass":["パス"],"All groups":["すべてのグループ"],"301 - Moved Permanently":["301 - 恒久的に移動"],"302 - Found":["302 - 発見"],"307 - Temporary Redirect":["307 - 一時リダイレクト"],"308 - Permanent Redirect":["308 - 恒久リダイレクト"],"401 - Unauthorized":["401 - 認証が必要"],"404 - Not Found":["404 - 未検出"],"Title":["タイトル"],"When matched":["マッチした時"],"with HTTP code":["次の HTTP コードと共に"],"Show advanced options":["高度な設定を表示"],"Matched Target":["見つかったターゲット"],"Unmatched Target":["ターゲットが見つかりません"],"Saving...":["保存中…"],"View notice":["通知を見る"],"Invalid source URL":["不正な元 URL"],"Invalid redirect action":["不正なリダイレクトアクション"],"Invalid redirect matcher":["不正なリダイレクトマッチャー"],"Unable to add new redirect":["新しいリダイレクトの追加に失敗しました"],"Something went wrong 🙁":["問題が発生しました"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["何かをしようとして問題が発生しました。 それは一時的な問題である可能性があるので、再試行を試してみてください。"],"Log entries (%d max)":["ログ (最大 %d)"],"Search by IP":["IP による検索"],"Select bulk action":["一括操作を選択"],"Bulk Actions":["一括操作"],"Apply":["適応"],"First page":["最初のページ"],"Prev page":["前のページ"],"Current Page":["現在のページ"],"of %(page)s":["%(page)s"],"Next page":["次のページ"],"Last page":["最後のページ"],"%s item":[["%s 個のアイテム"]],"Select All":["すべて選択"],"Sorry, something went wrong loading the data - please try again":["データのロード中に問題が発生しました - もう一度お試しください"],"No results":["結果なし"],"Delete the logs - are you sure?":["本当にログを消去しますか ?"],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":["ログを消去すると復元することは出来ません。もしこの操作を自動的に実行させたい場合、Redirection の設定から削除スケジュールを設定することが出来ます。"],"Yes! Delete the logs":["ログを消去する"],"No! Don't delete the logs":["ログを消去しない"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["登録ありがとうございます ! 登録へ戻る場合は {{a}}こちら{{/a}} をクリックしてください。"],"Newsletter":["ニュースレター"],"Want to keep up to date with changes to Redirection?":["リダイレクトの変更を最新の状態に保ちたいですか ?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Redirection ニュースレターにサインアップ - このプラグインの新機能や変更点などについての小規模のニュースレターです。リリース前のベータ版をテストするのに理想的です。"],"Your email address:":["メールアドレス: "],"You've supported this plugin - thank you!":["あなたは既にこのプラグインをサポート済みです - ありがとうございます !"],"You get useful software and I get to carry on making it better.":["あなたはいくつかの便利なソフトウェアを手に入れ、私はそれをより良くするために続けます。"],"Forever":["永久に"],"Delete the plugin - are you sure?":["本当にプラグインを削除しますか ?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["プラグインを消去するとすべてのリダイレクト、ログ、設定が削除されます。プラグインを消したい場合、もしくはプラグインをリセットしたい時にこれを実行してください。"],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["リダイレクトを削除するとリダイレクト機能は機能しなくなります。削除後でもまだ機能しているように見えるのならば、ブラウザーのキャッシュを削除してみてください。"],"Yes! Delete the plugin":["プラグインを消去する"],"No! Don't delete the plugin":["プラグインを消去しない"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["すべての 301 リダイレクトを管理し、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 プラグインは無料でお使いいただけます。しかし、開発にはかなりの時間と労力がかかっており、{{strong}}少額の寄付{{/strong}} でも開発を助けていただけると嬉しいです。"],"Redirection Support":["Redirection を応援する"],"Support":["サポート"],"404s":["404 エラー"],"Log":["ログ"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["個のオプションを選択すると、リディレクションプラグインに関するすべての転送ルール・ログ・設定を削除します。本当にこの操作を行って良いか、再度確認してください。"],"Delete Redirection":["転送ルールを削除"],"Upload":["アップロード"],"Import":["インポート"],"Update":["更新"],"Auto-generate URL":["URL を自動生成 "],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["リディレクションログ RSS にフィードリーダーからアクセスするための固有トークン (空白にしておけば自動生成します)"],"RSS Token":["RSS トークン"],"404 Logs":["404 ログ"],"(time to keep logs for)":["(ログの保存期間)"],"Redirect Logs":["転送ログ"],"I'm a nice person and I have helped support the author of this plugin":["このプラグインの作者に対する援助を行いました"],"Plugin Support":["プラグインサポート"],"Options":["設定"],"Two months":["2ヶ月"],"A month":["1ヶ月"],"A week":["1週間"],"A day":["1日"],"No logs":["ログなし"],"Delete All":["すべてを削除"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["グループを使って転送をグループ化しましょう。グループはモジュールに割り当てられ、グループ内の転送に影響します。はっきりわからない場合は WordPress モジュールのみを使ってください。"],"Add Group":["グループを追加"],"Search":["検索"],"Groups":["グループ"],"Save":["保存"],"Group":["グループ"],"Match":["一致条件"],"Add new redirection":["新しい転送ルールを追加"],"Cancel":["キャンセル"],"Download":["ダウンロード"],"Redirection":["Redirection"],"Settings":["設定"],"Error (404)":["エラー (404)"],"Pass-through":["通過"],"Redirect to random post":["ランダムな記事へ転送"],"Redirect to URL":["URL へ転送"],"Invalid group when creating redirect":["転送ルールを作成する際に無効なグループが指定されました"],"IP":["IP"],"Source URL":["ソース URL"],"Date":["日付"],"Add Redirect":["転送ルールを追加"],"All modules":["すべてのモジュール"],"View Redirects":["転送ルールを表示"],"Module":["モジュール"],"Redirects":["転送ルール"],"Name":["名称"],"Filter":["フィルター"],"Reset hits":["訪問数をリセット"],"Enable":["有効化"],"Disable":["無効化"],"Delete":["削除"],"Edit":["編集"],"Last Access":["前回のアクセス"],"Hits":["ヒット数"],"URL":["URL"],"Type":["タイプ"],"Modified Posts":["編集済みの投稿"],"Redirections":["転送ルール"],"User Agent":["ユーザーエージェント"],"URL and user agent":["URL およびユーザーエージェント"],"Target URL":["ターゲット URL"],"URL only":["URL のみ"],"Regex":["正規表現"],"Referrer":["リファラー"],"URL and referrer":["URL およびリファラー"],"Logged Out":["ログアウト中"],"Logged In":["ログイン中"],"URL and login status":["URL およびログイン状態"]}
locale/json/redirection-lv.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":[""],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":["Pāradresāciju Testēšana"],"Target":[""],"URL is not being redirected with Redirection":["URL netiek pāradresēts ar šo spraudni"],"URL is being redirected with Redirection":["URL tiek pāradresēts ar šo spraudni"],"Unable to load details":["Neizdevās izgūt informāciju"],"Enter server URL to match against":[""],"Server":["Servera domēns"],"Enter role or capability value":[""],"Role":[""],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":["Relatīvs sākotnējais URL no kura vēlies veikt pāradresāciju"],"The target URL you want to redirect to if matched":["Galamērķa URL, uz kuru Tu vēlies pāradresēt sākotnējo saiti"],"(beta)":["(eksperimentāls)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Piespiedu pāradresācija no HTTP uz HTTPS. Lūdzu pārliecinies, ka Tavai tīmekļa vietnei HTTPS darbojas korekti, pirms šī parametra iespējošanas."],"Force HTTPS":["Piespiedu HTTPS"],"GDPR / Privacy information":["GDPR / Informācija par privātumu"],"Add New":["Pievienot Jaunu"],"Please logout and login again.":["Lūdzu izej no sistēmas, un autorizējies tajā vēlreiz."],"URL and role/capability":[""],"URL and server":["URL un servera domēns"],"Form request":[""],"Relative /wp-json/":[""],"Proxy over Admin AJAX":[""],"Default /wp-json/":[""],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":["Tīmekļa vietnes un sākumlapas URL ir saderīgi"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Galvenes saturs"],"Header name":["Galvenes nosaukums"],"HTTP Header":["HTTP Galvene"],"WordPress filter name":["WordPress filtra nosaukums"],"Filter Name":["Filtra Nosaukums"],"Cookie value":["Sīkdatnes saturs"],"Cookie name":["Sīkdatnes nosaukums"],"Cookie":["Sīkdatne"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":["Ja Tu izmanto kešošanas sistēmu, piemēram \"CloudFlare\", lūdzi izlasi šo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL un sīkdatne"],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":["Neviens no ieteikumiem nelīdzēja"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Lūdzu apskati <a href=\"https://redirection.me/support/problems/\">sarakstu ar biežākajām problēmām</a>."],"Unable to load Redirection ☹️":["Neizdevās ielādēt spraudni \"Pāradresācija\" ☹️"],"WordPress REST API is working at %s":[""],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"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":[""],"Unknown Useragent":["Nezināma Iekārta"],"Device":["Iekārta"],"Operating System":["Operētājsistēma"],"Browser":["Pārlūkprogramma"],"Engine":[""],"Useragent":["Iekārtas dati"],"Agent":[""],"No IP logging":["Bez IP žurnalēšanas"],"Full IP logging":["Pilna IP žurnalēšana"],"Anonymize IP (mask last part)":["Daļēja IP maskēšana"],"Monitor changes to %(type)s":["Pārraudzīt izmaiņas %(type)s saturā"],"IP Logging":["IP Žurnalēšana"],"(select IP logging level)":["(atlasiet IP žurnalēšanas līmeni)"],"Geo Info":[""],"Agent Info":[""],"Filter by IP":["Atlasīt pēc IP"],"Referrer / User Agent":["Ieteicējs / Iekārtas Dati"],"Geo IP Error":["IP Ģeolokācijas Kļūda"],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":["Par šo adresi nav pieejama informācija."],"Geo IP":["IP Ģeolokācija"],"City":["Pilsēta"],"Area":["Reģions"],"Timezone":["Laika Zona"],"Geo Location":["Ģeogr. Atrašanās Vieta"],"Powered by {{link}}redirect.li{{/link}}":["Darbību nodrošina {{link}}redirect.li{{/link}}"],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Ja vēlies ziņot par nepilnību, lūdzu iepazīsties ar {{report}}Ziņošana Par Nepilnībām{{/report}} ceļvedi."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":["Vai tiešām vēlies importēt datus no %s?"],"Plugin Importers":["Importēšana no citiem Spraudņiem"],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":[""],"Redirection not installed properly":["Pāradresētājs nav pareizi uzstādīts"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":["Spraudņa Statuss"],"Custom":[""],"Mobile":[""],"Feed Readers":["Jaunumu Plūsmas lasītāji"],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":["URL Pārraudzība"],"Delete 404s":["Dzēst 404 kļūdas"],"Delete all from IP %s":["Dzēst visu par IP %s"],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Unable to create group":["Nav iespējams izveidot grupu"],"Failed to fix database tables":["Neizdevās izlabot tabulas datubāzē"],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":["Konstatētas derīgas grupas"],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Tabulas datubāzē"],"The following tables are missing:":["Iztrūkst šādas tabulas:"],"All tables present":["Visas tabulas ir pieejamas"],"Cached Redirection detected":["Konstatēta kešatmiņā saglabāta pāradresācija"],"Please clear your browser cache and reload this page.":["Lūdzu iztīri savas pārlūkprogrammas kešatmiņu un pārlādē šo lapu."],"The data on this page has expired, please reload.":["Dati šajā lapā ir novecojuši. Lūdzu pārlādē to."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":[""],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":[""],"Important details":[""],"Need help?":["Nepieciešama palīdzība?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":["Secība"],"410 - Gone":["410 - Aizvākts"],"Position":["Pozīcija"],"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":[""],"Apache Module":[""],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":[""],"Import to group":[""],"Import a CSV, .htaccess, or JSON file.":[""],"Click 'Add File' or drag and drop here.":[""],"Add File":[""],"File selected":[""],"Importing":[""],"Finished importing":[""],"Total redirects imported:":[""],"Double-check the file is the correct format!":[""],"OK":["Labi"],"Close":["Aizvērt"],"All imports will be appended to the current database.":[""],"Export":["Eksportēšana"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":[""],"Everything":[""],"WordPress redirects":[""],"Apache redirects":[""],"Nginx redirects":[""],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":[""],"Redirection JSON":["Pāradresētāja JSON"],"View":["Skatīt"],"Log files can be exported from the log pages.":[""],"Import/Export":["Importēt/Eksportēt"],"Logs":["Žurnalēšana"],"404 errors":["404 kļūdas"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":["Es vēlos sniegt papildus atbalstu."],"Support 💰":["Atbalstīt! 💰"],"Redirection saved":[""],"Log deleted":[""],"Settings saved":["Uzstādījumi tika saglabāti"],"Group saved":["Grupa tika saglabāta"],"Are you sure you want to delete this item?":["Vai tiešām vēlies dzēst šo vienību (-as)?","Vai tiešām vēlies dzēst šīs vienības?","Vai tiešām vēlies dzēst šīs vienības?"],"pass":[""],"All groups":["Visas grupas"],"301 - Moved Permanently":["301 - Pārvietots Pavisam"],"302 - Found":["302 - Atrasts"],"307 - Temporary Redirect":["307 - Pagaidu Pāradresācija"],"308 - Permanent Redirect":["308 - Galēja Pāradresācija"],"401 - Unauthorized":["401 - Nav Autorizējies"],"404 - Not Found":["404 - Nav Atrasts"],"Title":["Nosaukums"],"When matched":[""],"with HTTP code":["ar HTTP kodu"],"Show advanced options":["Rādīt papildu iespējas"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Saglabā izmaiņas..."],"View notice":[""],"Invalid source URL":[""],"Invalid redirect action":[""],"Invalid redirect matcher":[""],"Unable to add new redirect":[""],"Something went wrong 🙁":["Kaut kas nogāja greizi 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":[""],"Log entries (%d max)":[""],"Search by IP":["Meklēt pēc IP"],"Select bulk action":["Izvēlies lielapjoma darbību"],"Bulk Actions":["Lielapjoma Darbības"],"Apply":["Pielietot"],"First page":["Pirmā lapa"],"Prev page":["Iepriekšējā lapa"],"Current Page":[""],"of %(page)s":[""],"Next page":["Nākošā lapa"],"Last page":["Pēdējā lapa"],"%s item":["%s vienība","%s vienības","%s vienības"],"Select All":["Iezīmēt Visu"],"Sorry, something went wrong loading the data - please try again":[""],"No results":[""],"Delete the logs - are you sure?":[""],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":[""],"Yes! Delete the logs":["Jā! Dzēst žurnālus"],"No! Don't delete the logs":["Nē! Nedzēst žurnālus"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Jaunāko ziņu Abonēšana"],"Want to keep up to date with changes to Redirection?":["Vai vēlies pirmais uzzināt par jaunākajām izmaiņām \"Pāradresācija\" spraudnī?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":[""],"Your email address:":["Tava e-pasta adrese:"],"You've supported this plugin - thank you!":["Tu esi atbalstījis šo spraudni - paldies Tev!"],"You get useful software and I get to carry on making it better.":["Tu saņem noderīgu programmatūru, un es turpinu to padarīt labāku."],"Forever":["Mūžīgi"],"Delete the plugin - are you sure?":["Spraudņa dzēšana - vai tiešām vēlies to darīt?"],"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.":["Dzēšot šo spraudni, tiks nodzēstas visas Tevis izveidotās pāradresācijas, žurnalētie dati un spraudņa uzstādījumi. Dari to tikai tad, ja vēlies aizvākt spraudni pavisam, vai arī veikt tā pilnīgu atiestatīšanu."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Tikko spraudnis tiks nodzēsts, visas caur to uzstādītās pāradresācijas pārstās darboties. Gadījumā, ja tās šķietami turpina darboties, iztīri pārlūkprogrammas kešatmiņu."],"Yes! Delete the plugin":["Jā! Dzēst šo spraudni"],"No! Don't delete the plugin":["Nē! Nedzēst šo spraudni"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Spraudnis \"Pāradresācija\" ir paredzēts bezmaksas lietošanai - dzīve ir vienkārši lieliska! Tā attīstīšanai ir veltīts daudz laika, un arī Tu vari sniegt atbalstu spraudņa tālākai attīstībai, {{strong}}veicot mazu ziedojumu{{/strong}}."],"Redirection Support":[""],"Support":["Atbalsts"],"404s":[""],"Log":[""],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":[""],"Upload":["Augšupielādēt"],"Import":["Importēt"],"Update":["Saglabāt Izmaiņas"],"Auto-generate URL":["URL Autom. Izveide"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Unikāls identifikators, kas ļauj jaunumu plūsmas lasītājiem piekļūt Pāradresāciju žurnāla RSS (atstāj tukšu, lai to izveidotu automātiski)"],"RSS Token":["RSS Identifikators"],"404 Logs":["404 Žurnalēšana"],"(time to keep logs for)":["(laiks, cik ilgi paturēt ierakstus žurnālā)"],"Redirect Logs":["Pāradresāciju Žurnalēšana"],"I'm a nice person and I have helped support the author of this plugin":["Esmu foršs cilvēks, jo jau piedalījos šī spraudņa autora atbalstīšanā."],"Plugin Support":["Spraudņa Atbalstīšana"],"Options":["Uzstādījumi"],"Two months":["Divus mēnešus"],"A month":["Mēnesi"],"A week":["Nedēļu"],"A day":["Dienu"],"No logs":["Bez žurnalēšanas"],"Delete All":["Dzēst Visu"],"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.":["Izmanto grupas, lai organizētu uzstādītās pāradresācijas. Grupas tiek piesaistītas modulim, kas nosaka, pēc kādiem darbības principiem (metodes) pāradresācijas konkrētajā grupā ir jāveic."],"Add Group":["Pievienot grupu"],"Search":["Meklēt"],"Groups":["Grupas"],"Save":["Saglabāt"],"Group":["Grupa"],"Match":[""],"Add new redirection":[""],"Cancel":["Atcelt"],"Download":["Lejupielādēt"],"Redirection":["Pāradresētājs"],"Settings":["Iestatījumi"],"Error (404)":[""],"Pass-through":[""],"Redirect to random post":["Pāradresēt uz nejauši izvēlētu rakstu"],"Redirect to URL":["Pāradresēt uz URL"],"Invalid group when creating redirect":[""],"IP":["IP"],"Source URL":["Sākotnējais URL"],"Date":["Datums"],"Add Redirect":["Pievienot Pāradresāciju"],"All modules":[""],"View Redirects":["Skatīt pāradresācijas"],"Module":["Modulis"],"Redirects":["Pāradresācijas"],"Name":["Nosaukums"],"Filter":["Atlasīt"],"Reset hits":["Atiestatīt Izpildes"],"Enable":["Ieslēgt"],"Disable":["Atslēgt"],"Delete":["Dzēst"],"Edit":["Labot"],"Last Access":["Pēdējā piekļuve"],"Hits":["Izpildes"],"URL":["URL"],"Type":["Veids"],"Modified Posts":["Izmainītie Raksti"],"Redirections":["Pāradresācijas"],"User Agent":["Programmatūras Dati"],"URL and user agent":["URL un iekārtas dati"],"Target URL":["Galamērķa URL"],"URL only":["tikai URL"],"Regex":["Regulārā Izteiksme"],"Referrer":["Ieteicējs (Referrer)"],"URL and referrer":["URL un ieteicējs (referrer)"],"Logged Out":["Ja nav autorizējies"],"Logged In":["Ja autorizējies"],"URL and login status":["URL un autorizācijas statuss"]}
1
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":[""],"Good":[""],"Check":[""],"Check Redirect":[""],"Check redirect for: {{code}}%s{{/code}}":[""],"What does this mean?":[""],"Not using Redirection":[""],"Using Redirection":[""],"Found":[""],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":[""],"Expected":[""],"Error":[""],"Enter full URL, including http:// or https://":[""],"Sometimes your browser can cache a URL, making it hard to know if it's working as expected. Use this to check a URL to see how it is really redirecting.":[""],"Redirect Tester":["Pāradresāciju Testēšana"],"Target":[""],"URL is not being redirected with Redirection":["URL netiek pāradresēts ar šo spraudni"],"URL is being redirected with Redirection":["URL tiek pāradresēts ar šo spraudni"],"Unable to load details":["Neizdevās izgūt informāciju"],"Enter server URL to match against":[""],"Server":["Servera domēns"],"Enter role or capability value":[""],"Role":[""],"Match against this browser referrer text":[""],"Match against this browser user agent":[""],"The relative URL you want to redirect from":["Relatīvs sākotnējais URL no kura vēlies veikt pāradresāciju"],"The target URL you want to redirect to if matched":["Galamērķa URL, uz kuru Tu vēlies pāradresēt sākotnējo saiti"],"(beta)":["(eksperimentāls)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Piespiedu pāradresācija no HTTP uz HTTPS. Lūdzu pārliecinies, ka Tavai tīmekļa vietnei HTTPS darbojas korekti, pirms šī parametra iespējošanas."],"Force HTTPS":["Piespiedu HTTPS"],"GDPR / Privacy information":["GDPR / Informācija par privātumu"],"Add New":["Pievienot Jaunu"],"Please logout and login again.":["Lūdzu izej no sistēmas, un autorizējies tajā vēlreiz."],"URL and role/capability":[""],"URL and server":["URL un servera domēns"],"Relative /wp-json/":[""],"Default /wp-json/":[""],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":[""],"Site and home protocol":[""],"Site and home are consistent":["Tīmekļa vietnes un sākumlapas URL ir saderīgi"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":[""],"Accept Language":[""],"Header value":["Galvenes saturs"],"Header name":["Galvenes nosaukums"],"HTTP Header":["HTTP Galvene"],"WordPress filter name":["WordPress filtra nosaukums"],"Filter Name":["Filtra Nosaukums"],"Cookie value":["Sīkdatnes saturs"],"Cookie name":["Sīkdatnes nosaukums"],"Cookie":["Sīkdatne"],"clearing your cache.":[""],"If you are using a caching system such as Cloudflare then please read this: ":["Ja Tu izmanto kešošanas sistēmu, piemēram \"CloudFlare\", lūdzi izlasi šo:"],"URL and HTTP header":[""],"URL and custom filter":[""],"URL and cookie":["URL un sīkdatne"],"404 deleted":[""],"Raw /index.php?rest_route=/":[""],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":[""],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":[""],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":[""],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":[""],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":[""],"{{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.":[""],"None of the suggestions helped":["Neviens no ieteikumiem nelīdzēja"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Lūdzu apskati <a href=\"https://redirection.me/support/problems/\">sarakstu ar biežākajām problēmām</a>."],"Unable to load Redirection ☹️":["Neizdevās ielādēt spraudni \"Pāradresācija\" ☹️"],"WordPress REST API is working at %s":[""],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":[""],"Redirection routes are working":[""],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":[""],"Redirection routes":[""],"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":[""],"Unknown Useragent":["Nezināma Iekārta"],"Device":["Iekārta"],"Operating System":["Operētājsistēma"],"Browser":["Pārlūkprogramma"],"Engine":[""],"Useragent":["Iekārtas dati"],"Agent":[""],"No IP logging":["Bez IP žurnalēšanas"],"Full IP logging":["Pilna IP žurnalēšana"],"Anonymize IP (mask last part)":["Daļēja IP maskēšana"],"Monitor changes to %(type)s":["Pārraudzīt izmaiņas %(type)s saturā"],"IP Logging":["IP Žurnalēšana"],"(select IP logging level)":["(atlasiet IP žurnalēšanas līmeni)"],"Geo Info":[""],"Agent Info":[""],"Filter by IP":["Atlasīt pēc IP"],"Referrer / User Agent":["Ieteicējs / Iekārtas Dati"],"Geo IP Error":["IP Ģeolokācijas Kļūda"],"Something went wrong obtaining this information":[""],"This is an IP from a private network. This means it is located inside a home or business network and no more information can be displayed.":[""],"No details are known for this address.":["Par šo adresi nav pieejama informācija."],"Geo IP":["IP Ģeolokācija"],"City":["Pilsēta"],"Area":["Reģions"],"Timezone":["Laika Zona"],"Geo Location":["Ģeogr. Atrašanās Vieta"],"Powered by {{link}}redirect.li{{/link}}":["Darbību nodrošina {{link}}redirect.li{{/link}}"],"Trash":[""],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":[""],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":[""],"https://redirection.me/":["https://redirection.me/"],"Full documentation for Redirection can be found at {{site}}https://redirection.me{{/site}}. If you have a problem please check the {{faq}}FAQ{{/faq}} first.":[""],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Ja vēlies ziņot par nepilnību, lūdzu iepazīsties ar {{report}}Ziņošana Par Nepilnībām{{/report}} ceļvedi."],"If you want to submit information that you don't want in a public repository then send it directly via {{email}}email{{/email}} - include as much information as you can!":[""],"Never cache":[""],"An hour":[""],"Redirect Cache":[""],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":[""],"Are you sure you want to import from %s?":["Vai tiešām vēlies importēt datus no %s?"],"Plugin Importers":["Importēšana no citiem Spraudņiem"],"The following redirect plugins were detected on your site and can be imported from.":[""],"total = ":[""],"Import from %s":[""],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":[""],"Redirection not installed properly":["Pāradresētājs nav pareizi uzstādīts"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":[""],"Create associated redirect (added to end of URL)":[""],"<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again.":[""],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":[""],"⚡️ Magic fix ⚡️":[""],"Plugin Status":["Spraudņa Statuss"],"Custom":[""],"Mobile":[""],"Feed Readers":["Jaunumu Plūsmas lasītāji"],"Libraries":[""],"URL Monitor Changes":[""],"Save changes to this group":[""],"For example \"/amp\"":[""],"URL Monitor":["URL Pārraudzība"],"Delete 404s":["Dzēst 404 kļūdas"],"Delete all from IP %s":["Dzēst visu par IP %s"],"Delete all matching \"%s\"":[""],"Your server has rejected the request for being too big. You will need to change it to continue.":[""],"Also check if your browser is able to load <code>redirection.js</code>:":[""],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":[""],"Unable to load Redirection":[""],"Unable to create group":["Nav iespējams izveidot grupu"],"Failed to fix database tables":["Neizdevās izlabot tabulas datubāzē"],"Post monitor group is valid":[""],"Post monitor group is invalid":[""],"Post monitor group":[""],"All redirects have a valid group":[""],"Redirects with invalid groups detected":[""],"Valid redirect group":[""],"Valid groups detected":["Konstatētas derīgas grupas"],"No valid groups, so you will not be able to create any redirects":[""],"Valid groups":[""],"Database tables":["Tabulas datubāzē"],"The following tables are missing:":["Iztrūkst šādas tabulas:"],"All tables present":["Visas tabulas ir pieejamas"],"Cached Redirection detected":["Konstatēta kešatmiņā saglabāta pāradresācija"],"Please clear your browser cache and reload this page.":["Lūdzu iztīri savas pārlūkprogrammas kešatmiņu un pārlādē šo lapu."],"The data on this page has expired, please reload.":["Dati šajā lapā ir novecojuši. Lūdzu pārlādē to."],"WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log.":[""],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":[""],"If you think Redirection is at fault then create an issue.":[""],"This may be caused by another plugin - look at your browser's error console for more details.":[""],"Loading, please wait...":[""],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":[""],"Redirection is not working. Try clearing your browser cache and reloading this page.":[""],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":[""],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":[""],"Create Issue":[""],"Email":[""],"Important details":[""],"Need help?":["Nepieciešama palīdzība?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":[""],"Pos":["Secība"],"410 - Gone":["410 - Aizvākts"],"Position":["Pozīcija"],"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":[""],"Apache Module":[""],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":[""],"Import to group":[""],"Import a CSV, .htaccess, or JSON file.":[""],"Click 'Add File' or drag and drop here.":[""],"Add File":[""],"File selected":[""],"Importing":[""],"Finished importing":[""],"Total redirects imported:":[""],"Double-check the file is the correct format!":[""],"OK":["Labi"],"Close":["Aizvērt"],"All imports will be appended to the current database.":[""],"Export":["Eksportēšana"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":[""],"Everything":[""],"WordPress redirects":[""],"Apache redirects":[""],"Nginx redirects":[""],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":[""],"Redirection JSON":["Pāradresētāja JSON"],"View":["Skatīt"],"Log files can be exported from the log pages.":[""],"Import/Export":["Importēt/Eksportēt"],"Logs":["Žurnalēšana"],"404 errors":["404 kļūdas"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":[""],"I'd like to support some more.":["Es vēlos sniegt papildus atbalstu."],"Support 💰":["Atbalstīt! 💰"],"Redirection saved":[""],"Log deleted":[""],"Settings saved":["Uzstādījumi tika saglabāti"],"Group saved":["Grupa tika saglabāta"],"Are you sure you want to delete this item?":["Vai tiešām vēlies dzēst šo vienību (-as)?","Vai tiešām vēlies dzēst šīs vienības?","Vai tiešām vēlies dzēst šīs vienības?"],"pass":[""],"All groups":["Visas grupas"],"301 - Moved Permanently":["301 - Pārvietots Pavisam"],"302 - Found":["302 - Atrasts"],"307 - Temporary Redirect":["307 - Pagaidu Pāradresācija"],"308 - Permanent Redirect":["308 - Galēja Pāradresācija"],"401 - Unauthorized":["401 - Nav Autorizējies"],"404 - Not Found":["404 - Nav Atrasts"],"Title":["Nosaukums"],"When matched":[""],"with HTTP code":["ar HTTP kodu"],"Show advanced options":["Rādīt papildu iespējas"],"Matched Target":[""],"Unmatched Target":[""],"Saving...":["Saglabā izmaiņas..."],"View notice":[""],"Invalid source URL":[""],"Invalid redirect action":[""],"Invalid redirect matcher":[""],"Unable to add new redirect":[""],"Something went wrong 🙁":["Kaut kas nogāja greizi 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":[""],"Log entries (%d max)":[""],"Search by IP":["Meklēt pēc IP"],"Select bulk action":["Izvēlies lielapjoma darbību"],"Bulk Actions":["Lielapjoma Darbības"],"Apply":["Pielietot"],"First page":["Pirmā lapa"],"Prev page":["Iepriekšējā lapa"],"Current Page":[""],"of %(page)s":[""],"Next page":["Nākošā lapa"],"Last page":["Pēdējā lapa"],"%s item":["%s vienība","%s vienības","%s vienības"],"Select All":["Iezīmēt Visu"],"Sorry, something went wrong loading the data - please try again":[""],"No results":[""],"Delete the logs - are you sure?":[""],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":[""],"Yes! Delete the logs":["Jā! Dzēst žurnālus"],"No! Don't delete the logs":["Nē! Nedzēst žurnālus"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":[""],"Newsletter":["Jaunāko ziņu Abonēšana"],"Want to keep up to date with changes to Redirection?":["Vai vēlies pirmais uzzināt par jaunākajām izmaiņām \"Pāradresācija\" spraudnī?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":[""],"Your email address:":["Tava e-pasta adrese:"],"You've supported this plugin - thank you!":["Tu esi atbalstījis šo spraudni - paldies Tev!"],"You get useful software and I get to carry on making it better.":["Tu saņem noderīgu programmatūru, un es turpinu to padarīt labāku."],"Forever":["Mūžīgi"],"Delete the plugin - are you sure?":["Spraudņa dzēšana - vai tiešām vēlies to darīt?"],"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.":["Dzēšot šo spraudni, tiks nodzēstas visas Tevis izveidotās pāradresācijas, žurnalētie dati un spraudņa uzstādījumi. Dari to tikai tad, ja vēlies aizvākt spraudni pavisam, vai arī veikt tā pilnīgu atiestatīšanu."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["Tikko spraudnis tiks nodzēsts, visas caur to uzstādītās pāradresācijas pārstās darboties. Gadījumā, ja tās šķietami turpina darboties, iztīri pārlūkprogrammas kešatmiņu."],"Yes! Delete the plugin":["Jā! Dzēst šo spraudni"],"No! Don't delete the plugin":["Nē! Nedzēst šo spraudni"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":[""],"Redirection is free to use - life is wonderful and lovely! It has required a great deal of time and effort to develop and you can help support this development by {{strong}}making a small donation{{/strong}}.":["Spraudnis \"Pāradresācija\" ir paredzēts bezmaksas lietošanai - dzīve ir vienkārši lieliska! Tā attīstīšanai ir veltīts daudz laika, un arī Tu vari sniegt atbalstu spraudņa tālākai attīstībai, {{strong}}veicot mazu ziedojumu{{/strong}}."],"Redirection Support":[""],"Support":["Atbalsts"],"404s":[""],"Log":[""],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":[""],"Delete Redirection":[""],"Upload":["Augšupielādēt"],"Import":["Importēt"],"Update":["Saglabāt Izmaiņas"],"Auto-generate URL":["URL Autom. Izveide"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Unikāls identifikators, kas ļauj jaunumu plūsmas lasītājiem piekļūt Pāradresāciju žurnāla RSS (atstāj tukšu, lai to izveidotu automātiski)"],"RSS Token":["RSS Identifikators"],"404 Logs":["404 Žurnalēšana"],"(time to keep logs for)":["(laiks, cik ilgi paturēt ierakstus žurnālā)"],"Redirect Logs":["Pāradresāciju Žurnalēšana"],"I'm a nice person and I have helped support the author of this plugin":["Esmu foršs cilvēks, jo jau piedalījos šī spraudņa autora atbalstīšanā."],"Plugin Support":["Spraudņa Atbalstīšana"],"Options":["Uzstādījumi"],"Two months":["Divus mēnešus"],"A month":["Mēnesi"],"A week":["Nedēļu"],"A day":["Dienu"],"No logs":["Bez žurnalēšanas"],"Delete All":["Dzēst Visu"],"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.":["Izmanto grupas, lai organizētu uzstādītās pāradresācijas. Grupas tiek piesaistītas modulim, kas nosaka, pēc kādiem darbības principiem (metodes) pāradresācijas konkrētajā grupā ir jāveic."],"Add Group":["Pievienot grupu"],"Search":["Meklēt"],"Groups":["Grupas"],"Save":["Saglabāt"],"Group":["Grupa"],"Match":[""],"Add new redirection":[""],"Cancel":["Atcelt"],"Download":["Lejupielādēt"],"Redirection":["Pāradresētājs"],"Settings":["Iestatījumi"],"Error (404)":[""],"Pass-through":[""],"Redirect to random post":["Pāradresēt uz nejauši izvēlētu rakstu"],"Redirect to URL":["Pāradresēt uz URL"],"Invalid group when creating redirect":[""],"IP":["IP"],"Source URL":["Sākotnējais URL"],"Date":["Datums"],"Add Redirect":["Pievienot Pāradresāciju"],"All modules":[""],"View Redirects":["Skatīt pāradresācijas"],"Module":["Modulis"],"Redirects":["Pāradresācijas"],"Name":["Nosaukums"],"Filter":["Atlasīt"],"Reset hits":["Atiestatīt Izpildes"],"Enable":["Ieslēgt"],"Disable":["Atslēgt"],"Delete":["Dzēst"],"Edit":["Labot"],"Last Access":["Pēdējā piekļuve"],"Hits":["Izpildes"],"URL":["URL"],"Type":["Veids"],"Modified Posts":["Izmainītie Raksti"],"Redirections":["Pāradresācijas"],"User Agent":["Programmatūras Dati"],"URL and user agent":["URL un iekārtas dati"],"Target URL":["Galamērķa URL"],"URL only":["tikai URL"],"Regex":["Regulārā Izteiksme"],"Referrer":["Ieteicējs (Referrer)"],"URL and referrer":["URL un ieteicējs (referrer)"],"Logged Out":["Ja nav autorizējies"],"Logged In":["Ja autorizējies"],"URL and login status":["URL un autorizācijas statuss"]}
locale/json/redirection-pt_BR.json CHANGED
@@ -1 +1 @@
1
- {"":[],"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"],"Unsupported PHP":["PHP sem suporte"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["O Redirection requer PHP v%1$1s, você está usando v%2$2s. Este plugin vai parar de funcionar a partir da próxima versão."],"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"],"The target URL you want to redirect to if matched":["O URL de destino para qual você quer redirecionar, se houver correspondência"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Força o redirecionamento de HTTP para HTTPS. Antes de ativar, verifique se o HTTPS está funcionando"],"Force HTTPS":["Forçar HTTPS"],"GDPR / Privacy information":["GDPR / Informações sobre privacidade (em inglês)"],"Add New":["Adicionar novo"],"Please logout and login again.":["Desconecte-se da sua conta e acesse novamente."],"URL and role/capability":["URL e função/capacidade"],"URL and server":["URL e servidor"],"Form request":["Solicitação via formulário"],"Relative /wp-json/":["/wp-json/ relativo"],"Proxy over Admin AJAX":["Proxy via Admin AJAX"],"Default /wp-json/":["/wp-json/ padrão"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Se nada funcionar, talvez o Redirection não esteja conseguindo se comunicar com o servidor. Você pode tentar alterar manualmente esta configuração:"],"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"],"Raw /index.php?rest_route=/":["/index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["O WordPress retornou uma mensagem inesperada. Isso pode ter sido causado por sua API REST não funcionar ou por outro plugin ou tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}O Redirection não consegue se comunicar com a API REST{{/link}}. Se ela foi desativada, será preciso reativá-la."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Um programa de segurança pode estar bloqueando o Redirection{{/link}}. Configure-o para permitir solicitações da API REST."],"{{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."],"None of the suggestions helped":["Nenhuma das sugestões ajudou"],"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 is working at %s":["A API REST do WordPress está funcionando em %s"],"WordPress REST API":["A API REST do WordPress"],"REST API is not working so routes not checked":["A API REST não está funcionado, por isso as rotas não foram verificadas"],"Redirection routes are working":["As rotas do Redirection estão funcionando"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["O Redirection não aparece nas rotas da API REST. Você a desativou com um plugin?"],"Redirection routes":["Rotas do Redirection"],"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"],"Referrer / User Agent":["Referenciador / Agente de usuário"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Foram detectados problemas com suas tabelas do banco de dados. Visite a <a href=\"%s\">página de suporte</a> para obter mais detalhes."],"Redirection not installed properly":["O Redirection não foi instalado adequadamente"],"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"],"Failed to fix database tables":["Falha ao corrigir tabelas do banco de dados"],"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."],"The data on this page has expired, please reload.":["Os dados nesta página expiraram, por favor recarregue."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Seu servidor retornou um erro 403 Proibido, que pode indicar que a solicitação foi bloqueada. Você está usando um firewall ou um plugin de segurança?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Inclua esses detalhes em seu relatório {{strong}}juntamente com uma descrição do que você estava fazendo{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Se isso é um novo problema, {{strong}}crie um novo chamado{{/strong}} ou envie-o por {{strong}}e-mail{{/strong}}. Inclua a descrição do que você estava tentando fazer e detalhes importantes listados abaixo. Inclua uma captura da tela."],"Create Issue":["Criar chamado"],"Email":["E-mail"],"Important details":["Detalhes importantes"],"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"],"Apache Module":["Módulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Digite o caminho completo e o nome do arquivo se quiser que o Redirection atualize o {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Todas as importações serão anexadas ao banco de dados atual."],"Export":["Exportar"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exportar para CSV, .htaccess do Apache, Nginx, ou JSON do Redirection (que contém todos os redirecionamentos e grupos)."],"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"],"Redirection JSON":["JSON do Redirection"],"View":["Ver"],"Log files can be exported from the log pages.":["Arquivos de registro podem ser exportados nas páginas de registro."],"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 correspondido"],"Unmatched Target":["Destino 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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Eu estava tentando fazer uma coisa e deu errado. Pode ser um problema temporário e se você tentar novamente, pode funcionar - ótimo!"],"Log entries (%d max)":["Entradas do registro (máx %d)"],"Search by IP":["Pesquisar por IP"],"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 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":["Grupo"],"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"],"All modules":["Todos os módulos"],"View Redirects":["Ver redirecionamentos"],"Module":["Módulo"],"Redirects":["Redirecionamentos"],"Name":["Nome"],"Filter":["Filtrar"],"Reset hits":["Redefinir acessos"],"Enable":["Ativar"],"Disable":["Desativar"],"Delete":["Excluir"],"Edit":["Editar"],"Last Access":["Último Acesso"],"Hits":["Acessos"],"URL":["URL"],"Type":["Tipo"],"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"],"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
+ {"":[],"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"],"Unsupported PHP":["PHP sem suporte"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["O Redirection requer PHP v%1$1s, você está usando v%2$2s. Este plugin vai parar de funcionar a partir da próxima versão."],"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"],"The target URL you want to redirect to if matched":["O URL de destino para qual você quer redirecionar, se houver correspondência"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Força o redirecionamento de HTTP para HTTPS. Antes de ativar, verifique se o HTTPS está funcionando"],"Force HTTPS":["Forçar HTTPS"],"GDPR / Privacy information":["GDPR / Informações sobre privacidade (em inglês)"],"Add New":["Adicionar novo"],"Please logout and login again.":["Desconecte-se da sua conta e acesse novamente."],"URL and role/capability":["URL e função/capacidade"],"URL and server":["URL e servidor"],"Relative /wp-json/":["/wp-json/ relativo"],"Default /wp-json/":["/wp-json/ padrão"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Se nada funcionar, talvez o Redirection não esteja conseguindo se comunicar com o servidor. Você pode tentar alterar manualmente esta configuração:"],"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"],"Raw /index.php?rest_route=/":["/index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["O WordPress retornou uma mensagem inesperada. Isso pode ter sido causado por sua API REST não funcionar ou por outro plugin ou tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}O Redirection não consegue se comunicar com a API REST{{/link}}. Se ela foi desativada, será preciso reativá-la."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Um programa de segurança pode estar bloqueando o Redirection{{/link}}. Configure-o para permitir solicitações da API REST."],"{{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."],"None of the suggestions helped":["Nenhuma das sugestões ajudou"],"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 is working at %s":["A API REST do WordPress está funcionando em %s"],"WordPress REST API":["A API REST do WordPress"],"REST API is not working so routes not checked":["A API REST não está funcionado, por isso as rotas não foram verificadas"],"Redirection routes are working":["As rotas do Redirection estão funcionando"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["O Redirection não aparece nas rotas da API REST. Você a desativou com um plugin?"],"Redirection routes":["Rotas do Redirection"],"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"],"Referrer / User Agent":["Referenciador / Agente de usuário"],"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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Foram detectados problemas com suas tabelas do banco de dados. Visite a <a href=\"%s\">página de suporte</a> para obter mais detalhes."],"Redirection not installed properly":["O Redirection não foi instalado adequadamente"],"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"],"Failed to fix database tables":["Falha ao corrigir tabelas do banco de dados"],"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."],"The data on this page has expired, please reload.":["Os dados nesta página expiraram, por favor recarregue."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Seu servidor retornou um erro 403 Proibido, que pode indicar que a solicitação foi bloqueada. Você está usando um firewall ou um plugin de segurança?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Inclua esses detalhes em seu relatório {{strong}}juntamente com uma descrição do que você estava fazendo{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Se isso é um novo problema, {{strong}}crie um novo chamado{{/strong}} ou envie-o por {{strong}}e-mail{{/strong}}. Inclua a descrição do que você estava tentando fazer e detalhes importantes listados abaixo. Inclua uma captura da tela."],"Create Issue":["Criar chamado"],"Email":["E-mail"],"Important details":["Detalhes importantes"],"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"],"Apache Module":["Módulo Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Digite o caminho completo e o nome do arquivo se quiser que o Redirection atualize o {{code}}.htaccess{{/code}}."],"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"],"All imports will be appended to the current database.":["Todas as importações serão anexadas ao banco de dados atual."],"Export":["Exportar"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exportar para CSV, .htaccess do Apache, Nginx, ou JSON do Redirection (que contém todos os redirecionamentos e grupos)."],"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"],"Redirection JSON":["JSON do Redirection"],"View":["Ver"],"Log files can be exported from the log pages.":["Arquivos de registro podem ser exportados nas páginas de registro."],"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 correspondido"],"Unmatched Target":["Destino 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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Eu estava tentando fazer uma coisa e deu errado. Pode ser um problema temporário e se você tentar novamente, pode funcionar - ótimo!"],"Log entries (%d max)":["Entradas do registro (máx %d)"],"Search by IP":["Pesquisar por IP"],"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 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":["Grupo"],"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"],"All modules":["Todos os módulos"],"View Redirects":["Ver redirecionamentos"],"Module":["Módulo"],"Redirects":["Redirecionamentos"],"Name":["Nome"],"Filter":["Filtrar"],"Reset hits":["Redefinir acessos"],"Enable":["Ativar"],"Disable":["Desativar"],"Delete":["Excluir"],"Edit":["Editar"],"Last Access":["Último Acesso"],"Hits":["Acessos"],"URL":["URL"],"Type":["Tipo"],"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"],"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-ru_RU.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"Please do not try and redirect all your 404s - this is not a good thing to do.":[""],"Only the 404 page type is currently supported.":[""],"Page Type":[""],"Enter IP addresses (one per line)":[""],"Describe the purpose of this redirect (optional)":[""],"418 - I'm a teapot":[""],"403 - Forbidden":[""],"400 - Bad Request":[""],"304 - Not Modified":[""],"303 - See Other":[""],"Do nothing (ignore)":[""],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":[""],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"Group by IP":[""],"Group by URL":[""],"No grouping":[""],"Ignore URL":[""],"Block IP":[""],"Redirect All":[""],"Count":[""],"URL and WordPress page type":[""],"URL and IP":[""],"Problem":["Проблема"],"Good":["Хорошо"],"Check":["Проверка"],"Check Redirect":["Проверка перенаправления"],"Check redirect for: {{code}}%s{{/code}}":["Проверка перенаправления для: {{code}}%s{{/code}}"],"What does this mean?":["Что это значит?"],"Not using Redirection":["Не используется перенаправление"],"Using Redirection":["Использование перенаправления"],"Found":["Найдено"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} на {{code}}%(url)s{{/code}}"],"Expected":["Ожидается"],"Error":["Ошибка"],"Enter full URL, including http:// or https://":["Введите полный URL-адрес, включая http:// или 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.":["Иногда ваш браузер может кэшировать URL-адрес, поэтому трудно понять, работает ли он так, как ожидалось. Используйте это, чтобы проверить URL-адрес, чтобы увидеть, как он действительно перенаправляется."],"Redirect Tester":["Тестирование перенаправлений"],"Target":["Цель"],"URL is not being redirected with Redirection":["URL-адрес не перенаправляется с помощью Redirection"],"URL is being redirected with Redirection":["URL-адрес перенаправлен с помощью Redirection"],"Unable to load details":["Не удается загрузить сведения"],"Enter server URL to match against":["Введите URL-адрес сервера для совпадений"],"Server":["Сервер"],"Enter role or capability value":["Введите значение роли или возможности"],"Role":["Роль"],"Match against this browser referrer text":["Совпадение с текстом реферера браузера"],"Match against this browser user agent":["Сопоставить с этим пользовательским агентом обозревателя"],"The relative URL you want to redirect from":["Относительный URL-адрес, с которого требуется перенаправить"],"The target URL you want to redirect to if matched":["Целевой URL-адрес, который требуется перенаправить в случае совпадения"],"(beta)":["(бета)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Принудительное перенаправление с HTTP на HTTPS. Пожалуйста, убедитесь, что ваш HTTPS работает, прежде чем включить"],"Force HTTPS":["Принудительное HTTPS"],"GDPR / Privacy information":["GDPR / Информация о конфиденциальности"],"Add New":["Добавить новое"],"Please logout and login again.":["Пожалуйста, выйдите и войдите снова."],"URL and role/capability":["URL-адрес и роль/возможности"],"URL and server":["URL и сервер"],"Form request":["Форма запроса"],"Relative /wp-json/":["Относительный /wp-json/"],"Proxy over Admin AJAX":["Прокси поверх Админ AJAX"],"Default /wp-json/":["По умолчанию /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Если вы не можете получить что-либо, то Redirection может столкнуться с трудностями при общении с вашим сервером. Вы можете вручную изменить этот параметр:"],"Site and home protocol":["Протокол сайта и домашней"],"Site and home are consistent":["Сайт и домашняя страница соответствуют"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Заметьте, что вы должны передать HTTP заголовки в PHP. Обратитесь за поддержкой к своему хостинг-провайдеру, если вам требуется помощь."],"Accept Language":["заголовок Accept Language"],"Header value":["Значение заголовка"],"Header name":["Имя заголовка"],"HTTP Header":["Заголовок HTTP"],"WordPress filter name":["Имя фильтра WordPress"],"Filter Name":["Название фильтра"],"Cookie value":["Значение куки"],"Cookie name":["Имя куки"],"Cookie":["Куки"],"clearing your cache.":["очистка кеша."],"If you are using a caching system such as Cloudflare then please read this: ":["Если вы используете систему кэширования, такую как cloudflare, пожалуйста, прочитайте это: "],"URL and HTTP header":["URL-адрес и заголовок HTTP"],"URL and custom filter":["URL-адрес и пользовательский фильтр"],"URL and cookie":["URL и куки"],"404 deleted":["404 удалено"],"Raw /index.php?rest_route=/":["Только /index.php?rest_route=/"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Как Redirection использует REST API - не изменяются, если это необходимо"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress вернул неожиданное сообщение. Это может быть вызвано тем, что REST API не работает, или другим плагином или темой."],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Взгляните на{{link}}статус плагина{{/link}}. Возможно, он сможет определить и \"волшебно исправить\" проблемы."],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection не может соединиться с REST API{{/link}}.Если вы отключили его, то вам нужно будет включить его."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}} Программное обеспечение безопасности может блокировать Redirection{{/link}}. Необходимо настроить, чтобы разрешить запросы REST API."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Кэширование программного обеспечения{{/link}},в частности Cloudflare, может кэшировать неправильные вещи. Попробуйте очистить все кэши."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}} Пожалуйста, временно отключите другие плагины! {{/ link}} Это устраняет множество проблем."],"None of the suggestions helped":["Ни одно из предложений не помогло"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Пожалуйста, обратитесь к <a href=\"https://redirection.me/support/problems/\">списку распространенных проблем</a>."],"Unable to load Redirection ☹️":["Не удается загрузить Redirection ☹ ️"],"WordPress REST API is working at %s":["WordPress REST API работает в %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API не работает, поэтому маршруты не проверены"],"Redirection routes are working":["Маршруты перенаправления работают"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Перенаправление не отображается в маршрутах REST API. Вы отключили его с плагином?"],"Redirection routes":["Маршруты перенаправления"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Ваш WordPress REST API был отключен. Вам нужно будет включить его для продолжения работы Redirection"],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["Ошибка пользовательского агента"],"Unknown Useragent":["Неизвестный агент пользователя"],"Device":["Устройство"],"Operating System":["Операционная система"],"Browser":["Браузер"],"Engine":["Движок"],"Useragent":["Пользовательский агент"],"Agent":["Агент"],"No IP logging":["Не протоколировать IP"],"Full IP logging":["Полное протоколирование IP-адресов"],"Anonymize IP (mask last part)":["Анонимизировать IP (маска последняя часть)"],"Monitor changes to %(type)s":["Отслеживание изменений в %(type)s"],"IP Logging":["Протоколирование IP"],"(select IP logging level)":["(Выберите уровень ведения протокола по IP)"],"Geo Info":["Географическая информация"],"Agent Info":["Информация о агенте"],"Filter by IP":["Фильтровать по IP"],"Referrer / User Agent":["Пользователь / Агент пользователя"],"Geo IP Error":["Ошибка GeoIP"],"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.":["Это IP из частной сети. Это означает, что он находится внутри домашней или бизнес-сети, и больше информации не может быть отображено."],"No details are known for this address.":["Сведения об этом адресе не известны."],"Geo IP":["GeoIP"],"City":["Город"],"Area":["Область"],"Timezone":["Часовой пояс"],"Geo Location":["Геолокация"],"Powered by {{link}}redirect.li{{/link}}":["Работает на {{link}}redirect.li{{/link}}"],"Trash":["Корзина"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Обратите внимание, что Redirection требует WordPress REST API для включения. Если вы отключили это, то вы не сможете использовать Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Вы можете найти полную документацию об использовании Redirection на <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.":["Полную документацию по Redirection можно найти на {{site}}https://redirection.me{{/site}}. Если у вас возникли проблемы, пожалуйста, проверьте сперва {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Если вы хотите сообщить об ошибке, пожалуйста, прочитайте инструкцию {{report}} отчеты об ошибках {{/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!":["Если вы хотите отправить информацию, которую вы не хотите в публичный репозиторий, отправьте ее напрямую через {{email}} email {{/e-mail}} - укажите как можно больше информации!"],"Never cache":["Не кэшировать"],"An hour":["Час"],"Redirect Cache":["Перенаправление кэша"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Как долго кэшировать перенаправленные 301 URL-адреса (через \"истекает\" HTTP заголовок)"],"Are you sure you want to import from %s?":["Вы действительно хотите импортировать из %s ?"],"Plugin Importers":["Импортеры плагина"],"The following redirect plugins were detected on your site and can be imported from.":["Следующие плагины перенаправления были обнаружены на вашем сайте и могут быть импортированы из."],"total = ":["всего = "],"Import from %s":["Импортировать из %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Обнаружены проблемы с таблицами базы данных. Пожалуйста, посетите <a href=\"%s\">страницу поддержки</a> для более подробной информации."],"Redirection not installed properly":["Redirection установлен не правильно"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":[""],"Default WordPress \"old slugs\"":["\"Старые ярлыки\" WordPress по умолчанию"],"Create associated redirect (added to end of URL)":["Создание связанного перенаправления (Добавлено в конец 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> не определен. Это обычно означает, что другой плагин блокирует Redirection от загрузки. Пожалуйста, отключите все плагины и повторите попытку."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Если волшебная кнопка не работает, то вы должны посмотреть ошибку и решить, сможете ли вы исправить это вручную, иначе следуйте в раздел ниже \"Нужна помощь\"."],"⚡️ Magic fix ⚡️":["⚡️ Волшебное исправление ⚡️"],"Plugin Status":["Статус плагина"],"Custom":["Пользовательский"],"Mobile":["Мобильный"],"Feed Readers":["Читатели ленты"],"Libraries":["Библиотеки"],"URL Monitor Changes":["URL-адрес монитор изменений"],"Save changes to this group":["Сохранить изменения в этой группе"],"For example \"/amp\"":["Например \"/amp\""],"URL Monitor":["Монитор URL"],"Delete 404s":["Удалить 404"],"Delete all from IP %s":["Удалить все с IP %s"],"Delete all matching \"%s\"":["Удалить все совпадения \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Ваш сервер отклонил запрос потому что он слишком большой. Для продолжения потребуется изменить его."],"Also check if your browser is able to load <code>redirection.js</code>:":["Также проверьте, может ли ваш браузер загрузить <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.":["Если вы используете плагин кэширования страниц или услугу (cloudflare, OVH и т.д.), то вы также можете попробовать очистить кэш."],"Unable to load Redirection":["Не удается загрузить Redirection"],"Unable to create group":["Невозможно создать группу"],"Failed to fix database tables":["Не удалось исправить таблицы базы данных"],"Post monitor group is valid":["Группа мониторинга сообщений действительна"],"Post monitor group is invalid":["Группа мониторинга постов недействительна."],"Post monitor group":["Группа отслеживания сообщений"],"All redirects have a valid group":["Все перенаправления имеют допустимую группу"],"Redirects with invalid groups detected":["Перенаправление с недопустимыми группами обнаружены"],"Valid redirect group":["Допустимая группа для перенаправления"],"Valid groups detected":["Обнаружены допустимые группы"],"No valid groups, so you will not be able to create any redirects":["Нет допустимых групп, поэтому вы не сможете создавать перенаправления"],"Valid groups":["Допустимые группы"],"Database tables":["Таблицы базы данных"],"The following tables are missing:":["Следующие таблицы отсутствуют:"],"All tables present":["Все таблицы в наличии"],"Cached Redirection detected":["Обнаружено кэшированное перенаправление"],"Please clear your browser cache and reload this page.":["Очистите кеш браузера и перезагрузите эту страницу."],"The data on this page has expired, please reload.":["Данные на этой странице истекли, пожалуйста, перезагрузите."],"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 не вернул ответ. Это может означать, что произошла ошибка или что запрос был заблокирован. Пожалуйста, проверьте ваш error_log сервера."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Ваш сервер вернул ошибку 403 (доступ запрещен), что означает что запрос был заблокирован. Возможно причина в том, что вы используете фаерволл или плагин безопасности? Возможно mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Включите эти сведения в отчет {{strong}} вместе с описанием того, что вы делали{{/strong}}."],"If you think Redirection is at fault then create an issue.":["Если вы считаете, что ошибка в Redirection, то создайте тикет о проблеме."],"This may be caused by another plugin - look at your browser's error console for more details.":["Это может быть вызвано другим плагином-посмотрите на консоль ошибок вашего браузера для более подробной информации."],"Loading, please wait...":["Загрузка, пожалуйста подождите..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}} Формат CSV-файла {{/strong}}: {code}} исходный URL, целевой URL {{/code}}-и может быть опционально сопровождаться {{code}} Regex, http кодом {{/code}} ({{code}}regex{{/code}}-0 для НЕТ, 1 для ДА)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection не работает. Попробуйте очистить кэш браузера и перезагрузить эту страницу."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Если это не поможет, откройте консоль ошибок браузера и создайте {{link}} новую заявку {{/link}} с деталями."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Если это новая проблема, пожалуйста, либо {{strong}} создайте новую заявку{{/strong}} или отправьте ее по{{strong}} электронной почте{{/strong}}. Напишите описание того, что вы пытаетесь сделать, и важные детали, перечисленные ниже. Пожалуйста, включите скриншот."],"Create Issue":["Создать тикет о проблеме"],"Email":["Электронная почта"],"Important details":["Важные детали"],"Need help?":["Нужна помощь?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Обратите внимание, что любая поддержка предоставляется по мере доступности и не гарантируется. Я не предоставляю платной поддержки."],"Pos":["Pos"],"410 - Gone":["410 - Удалено"],"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":["Используется для автоматического создания URL-адреса, если URL-адрес не указан. Используйте специальные теги {{code}} $ dec $ {{code}} или {{code}} $ hex $ {{/ code}}, чтобы вместо этого вставить уникальный идентификатор"],"Apache Module":["Модуль Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Введите полный путь и имя файла, если вы хотите, чтобы перенаправление автоматически обновляло ваш {{code}}. Htaccess {{code}}."],"Import to group":["Импорт в группу"],"Import a CSV, .htaccess, or JSON file.":["Импортируйте файл CSV, .htaccess или JSON."],"Click 'Add File' or drag and drop here.":["Нажмите «Добавить файл» или перетащите сюда."],"Add File":["Добавить файл"],"File selected":["Выбран файл"],"Importing":["Импортирование"],"Finished importing":["Импорт завершен"],"Total redirects imported:":["Всего импортировано перенаправлений:"],"Double-check the file is the correct format!":["Дважды проверьте правильность формата файла!"],"OK":["OK"],"Close":["Закрыть"],"All imports will be appended to the current database.":["Все импортируемые компоненты будут добавлены в текущую базу данных."],"Export":["Экспорт"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Экспорт в CSV, Apache. htaccess, nginx или Redirection JSON (который содержит все перенаправления и группы)."],"Everything":["Все"],"WordPress redirects":["Перенаправления WordPress"],"Apache redirects":["перенаправления Apache"],"Nginx redirects":["перенаправления NGINX"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Правила перезаписи nginx"],"Redirection JSON":["Перенаправление JSON"],"View":["Вид"],"Log files can be exported from the log pages.":["Файлы логов можно экспортировать из страниц логов."],"Import/Export":["Импорт/Экспорт"],"Logs":["Журналы"],"404 errors":["404 ошибки"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Пожалуйста, укажите {{code}} %s {{/code}}, и объясните, что вы делали в то время"],"I'd like to support some more.":["Мне хотелось бы поддержать чуть больше."],"Support 💰":["Поддержка 💰"],"Redirection saved":["Перенаправление сохранено"],"Log deleted":["Лог удален"],"Settings saved":["Настройки сохранены"],"Group saved":["Группа сохранена"],"Are you sure you want to delete this item?":["Вы действительно хотите удалить этот пункт?","Вы действительно хотите удалить этот пункт?","Вы действительно хотите удалить этот пункт?"],"pass":["проход"],"All groups":["Все группы"],"301 - Moved Permanently":["301 - Переехал навсегда"],"302 - Found":["302 - Найдено"],"307 - Temporary Redirect":["307 - Временное перенаправление"],"308 - Permanent Redirect":["308 - Постоянное перенаправление"],"401 - Unauthorized":["401 - Не авторизованы"],"404 - Not Found":["404 - Страница не найдена"],"Title":["Название"],"When matched":["При совпадении"],"with HTTP code":["с кодом HTTP"],"Show advanced options":["Показать расширенные параметры"],"Matched Target":["Совпавшие цели"],"Unmatched Target":["Несовпавшая цель"],"Saving...":["Сохранение..."],"View notice":["Просмотреть уведомление"],"Invalid source URL":["Неверный исходный URL"],"Invalid redirect action":["Неверное действие перенаправления"],"Invalid redirect matcher":["Неверное совпадение перенаправления"],"Unable to add new redirect":["Не удалось добавить новое перенаправление"],"Something went wrong 🙁":["Что-то пошло не так 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Я пытался что-то сделать, и все пошло не так. Это может быть временная проблема, и если вы попробуете еще раз, это может сработать - здорово!"],"Log entries (%d max)":["Журнал записей (%d максимум)"],"Search by IP":["Поиск по IP"],"Select bulk action":["Выберите массовое действие"],"Bulk Actions":["Массовые действия"],"Apply":["Применить"],"First page":["Первая страница"],"Prev page":["Предыдущая страница"],"Current Page":["Текущая страница"],"of %(page)s":["из %(page)s"],"Next page":["Следующая страница"],"Last page":["Последняя страница"],"%s item":["%s элемент","%s элемента","%s элементов"],"Select All":["Выбрать всё"],"Sorry, something went wrong loading the data - please try again":["Извините, что-то пошло не так при загрузке данных-пожалуйста, попробуйте еще раз"],"No results":["Нет результатов"],"Delete the logs - are you sure?":["Удалить журналы - вы уверены?"],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":["После удаления текущие журналы больше не будут доступны. Если требуется сделать это автоматически, можно задать расписание удаления из параметров перенаправления."],"Yes! Delete the logs":["Да! Удалить журналы"],"No! Don't delete the logs":["Нет! Не удаляйте журналы"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Благодарим за подписку! {{a}} Нажмите здесь {{/ a}}, если вам нужно вернуться к своей подписке."],"Newsletter":["Новости"],"Want to keep up to date with changes to Redirection?":["Хотите быть в курсе изменений в плагине?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Подпишитесь на маленький информационный бюллетень Redirection - информационный бюллетень о новых функциях и изменениях в плагине с небольшим количеством сообщений. Идеально, если вы хотите протестировать бета-версии до выпуска."],"Your email address:":["Ваш адрес электронной почты:"],"You've supported this plugin - thank you!":["Вы поддерживаете этот плагин - спасибо!"],"You get useful software and I get to carry on making it better.":["Вы получаете полезное программное обеспечение, и я продолжаю делать его лучше."],"Forever":["Всегда"],"Delete the plugin - are you sure?":["Удалить плагин-вы уверены?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Удаление плагина удалит все ваши перенаправления, журналы и настройки. Сделайте это, если вы хотите удалить плагин, или если вы хотите сбросить плагин."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["После удаления перенаправления перестанут работать. Если они, кажется, продолжают работать, пожалуйста, очистите кэш браузера."],"Yes! Delete the plugin":["Да! Удалить плагин"],"No! Don't delete the plugin":["Нет! Не удаляйте плагин"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Управляйте всеми 301-перенаправлениями и отслеживайте ошибки 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 является бесплатным для использования - жизнь чудесна и прекрасна! Это потребовало много времени и усилий для развития, и вы можете помочь поддержать эту разработку {{strong}} сделав небольшое пожертвование {{/strong}}."],"Redirection Support":["Поддержка перенаправления"],"Support":["Поддержка"],"404s":["404"],"Log":["Журнал"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Выбор данной опции удалит все настроенные перенаправления, все журналы и все другие настройки, связанные с данным плагином. Убедитесь, что это именно то, чего вы желаете."],"Delete Redirection":["Удалить перенаправление"],"Upload":["Загрузить"],"Import":["Импортировать"],"Update":["Обновить"],"Auto-generate URL":["Автоматическое создание URL-адреса"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Уникальный токен, позволяющий читателям получить доступ к RSS журнала Redirection (оставьте пустым, чтобы автоматически генерировать)"],"RSS Token":["RSS-токен"],"404 Logs":["404 Журналы"],"(time to keep logs for)":["(время хранения журналов для)"],"Redirect Logs":["Перенаправление журналов"],"I'm a nice person and I have helped support the author of this plugin":["Я хороший человек, и я помог поддержать автора этого плагина"],"Plugin Support":["Поддержка плагина"],"Options":["Опции"],"Two months":["Два месяца"],"A month":["Месяц"],"A week":["Неделя"],"A day":["День"],"No logs":["Нет записей"],"Delete All":["Удалить все"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Используйте группы для организации редиректов. Группы назначаются модулю, который определяет как будут работать перенаправления в этой группе. Если не уверены - используйте модуль WordPress."],"Add Group":["Добавить группу"],"Search":["Поиск"],"Groups":["Группы"],"Save":["Сохранить"],"Group":["Группа"],"Match":["Совпадение"],"Add new redirection":["Добавить новое перенаправление"],"Cancel":["Отменить"],"Download":["Скачать"],"Redirection":["Redirection"],"Settings":["Настройки"],"Error (404)":["Ошибка (404)"],"Pass-through":["Прозрачно пропускать"],"Redirect to random post":["Перенаправить на случайную запись"],"Redirect to URL":["Перенаправление на URL"],"Invalid group when creating redirect":["Неправильная группа при создании переадресации"],"IP":["IP"],"Source URL":["Исходный URL"],"Date":["Дата"],"Add Redirect":["Добавить перенаправление"],"All modules":["Все модули"],"View Redirects":["Просмотр перенаправлений"],"Module":["Модуль"],"Redirects":["Редиректы"],"Name":["Имя"],"Filter":["Фильтр"],"Reset hits":["Сбросить показы"],"Enable":["Включить"],"Disable":["Отключить"],"Delete":["Удалить"],"Edit":["Редактировать"],"Last Access":["Последний доступ"],"Hits":["Показы"],"URL":["URL"],"Type":["Тип"],"Modified Posts":["Измененные записи"],"Redirections":["Перенаправления"],"User Agent":["Агент пользователя"],"URL and user agent":["URL-адрес и агент пользователя"],"Target URL":["Целевой URL-адрес"],"URL only":["Только URL-адрес"],"Regex":["Regex"],"Referrer":["Ссылающийся URL"],"URL and referrer":["URL и ссылающийся URL"],"Logged Out":["Выход из системы"],"Logged In":["Вход в систему"],"URL and login status":["Статус URL и входа"]}
1
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":["Неподдерживаемая версия PHP"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":["Redirection требуеи PHP не ниже v%1$1s, у вас - v%2$2s. Следующая версия плагина у вас работать не будет."],"Please do not try and redirect all your 404s - this is not a good thing to do.":["Пожалуйста, не пытайтесь перенаправить все ваши 404, это не лучшее что можно сделать."],"Only the 404 page type is currently supported.":["Сейчас поддерживается только тип страницы 404."],"Page Type":["Тип страницы"],"Enter IP addresses (one per line)":["Введите IP адреса (один на строку)"],"Describe the purpose of this redirect (optional)":["Опишите цель перенаправления (необязательно)"],"418 - I'm a teapot":["418 - Я чайник"],"403 - Forbidden":["403 - Доступ запрещен"],"400 - Bad Request":["400 - Неверный запрос"],"304 - Not Modified":["304 - Без изменений"],"303 - See Other":["303 - Посмотрите другое"],"Do nothing (ignore)":["Ничего не делать (игнорировать)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Показать все"],"Delete all logs for these entries":["Удалить все журналы для этих элементов"],"Delete all logs for this entry":["Удалить все журналы для этого элемента"],"Delete Log Entries":["Удалить записи журнала"],"Group by IP":["Группировка по IP"],"Group by URL":["Группировка по URL"],"No grouping":["Без группировки"],"Ignore URL":["Игнорировать URL"],"Block IP":["Блокировка IP"],"Redirect All":["Перенаправить все"],"Count":["Счетчик"],"URL and WordPress page type":["URL и тип страницы WP"],"URL and IP":["URL и IP"],"Problem":["Проблема"],"Good":["Хорошо"],"Check":["Проверка"],"Check Redirect":["Проверка перенаправления"],"Check redirect for: {{code}}%s{{/code}}":["Проверка перенаправления для: {{code}}%s{{/code}}"],"What does this mean?":["Что это значит?"],"Not using Redirection":["Не используется перенаправление"],"Using Redirection":["Использование перенаправления"],"Found":["Найдено"],"{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}":["{{code}}%(status)d{{/code}} на {{code}}%(url)s{{/code}}"],"Expected":["Ожидается"],"Error":["Ошибка"],"Enter full URL, including http:// or https://":["Введите полный URL-адрес, включая http:// или 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.":["Иногда ваш браузер может кэшировать URL-адрес, поэтому трудно понять, работает ли он так, как ожидалось. Используйте это, чтобы проверить URL-адрес, чтобы увидеть, как он действительно перенаправляется."],"Redirect Tester":["Тестирование перенаправлений"],"Target":["Цель"],"URL is not being redirected with Redirection":["URL-адрес не перенаправляется с помощью Redirection"],"URL is being redirected with Redirection":["URL-адрес перенаправлен с помощью Redirection"],"Unable to load details":["Не удается загрузить сведения"],"Enter server URL to match against":["Введите URL-адрес сервера для совпадений"],"Server":["Сервер"],"Enter role or capability value":["Введите значение роли или возможности"],"Role":["Роль"],"Match against this browser referrer text":["Совпадение с текстом реферера браузера"],"Match against this browser user agent":["Сопоставить с этим пользовательским агентом обозревателя"],"The relative URL you want to redirect from":["Относительный URL-адрес, с которого требуется перенаправить"],"The target URL you want to redirect to if matched":["Целевой URL-адрес, который требуется перенаправить в случае совпадения"],"(beta)":["(бета)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Принудительное перенаправление с HTTP на HTTPS. Пожалуйста, убедитесь, что ваш HTTPS работает, прежде чем включить"],"Force HTTPS":["Принудительное HTTPS"],"GDPR / Privacy information":["GDPR / Информация о конфиденциальности"],"Add New":["Добавить новое"],"Please logout and login again.":["Пожалуйста, выйдите и войдите снова."],"URL and role/capability":["URL-адрес и роль/возможности"],"URL and server":["URL и сервер"],"Relative /wp-json/":["Относительный /wp-json/"],"Default /wp-json/":["По умолчанию /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Если вы не можете получить что-либо, то Redirection может столкнуться с трудностями при общении с вашим сервером. Вы можете вручную изменить этот параметр:"],"Site and home protocol":["Протокол сайта и домашней"],"Site and home are consistent":["Сайт и домашняя страница соответствуют"],"Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this.":["Заметьте, что вы должны передать HTTP заголовки в PHP. Обратитесь за поддержкой к своему хостинг-провайдеру, если вам требуется помощь."],"Accept Language":["заголовок Accept Language"],"Header value":["Значение заголовка"],"Header name":["Имя заголовка"],"HTTP Header":["Заголовок HTTP"],"WordPress filter name":["Имя фильтра WordPress"],"Filter Name":["Название фильтра"],"Cookie value":["Значение куки"],"Cookie name":["Имя куки"],"Cookie":["Куки"],"clearing your cache.":["очистка кеша."],"If you are using a caching system such as Cloudflare then please read this: ":["Если вы используете систему кэширования, такую как cloudflare, пожалуйста, прочитайте это: "],"URL and HTTP header":["URL-адрес и заголовок HTTP"],"URL and custom filter":["URL-адрес и пользовательский фильтр"],"URL and cookie":["URL и куки"],"404 deleted":["404 удалено"],"Raw /index.php?rest_route=/":["Только /index.php?rest_route=/"],"REST API":["REST API"],"How Redirection uses the REST API - don't change unless necessary":["Как Redirection использует REST API - не изменяются, если это необходимо"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress вернул неожиданное сообщение. Это может быть вызвано тем, что REST API не работает, или другим плагином или темой."],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Взгляните на{{link}}статус плагина{{/link}}. Возможно, он сможет определить и \"волшебно исправить\" проблемы."],"{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection не может соединиться с REST API{{/link}}.Если вы отключили его, то вам нужно будет включить его."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}} Программное обеспечение безопасности может блокировать Redirection{{/link}}. Необходимо настроить, чтобы разрешить запросы REST API."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Кэширование программного обеспечения{{/link}},в частности Cloudflare, может кэшировать неправильные вещи. Попробуйте очистить все кэши."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}} Пожалуйста, временно отключите другие плагины! {{/ link}} Это устраняет множество проблем."],"None of the suggestions helped":["Ни одно из предложений не помогло"],"Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>.":["Пожалуйста, обратитесь к <a href=\"https://redirection.me/support/problems/\">списку распространенных проблем</a>."],"Unable to load Redirection ☹️":["Не удается загрузить Redirection ☹ ️"],"WordPress REST API is working at %s":["WordPress REST API работает в %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API не работает, поэтому маршруты не проверены"],"Redirection routes are working":["Маршруты перенаправления работают"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Перенаправление не отображается в маршрутах REST API. Вы отключили его с плагином?"],"Redirection routes":["Маршруты перенаправления"],"Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working":["Ваш WordPress REST API был отключен. Вам нужно будет включить его для продолжения работы Redirection"],"https://johngodley.com":["https://johngodley.com"],"Useragent Error":["Ошибка пользовательского агента"],"Unknown Useragent":["Неизвестный агент пользователя"],"Device":["Устройство"],"Operating System":["Операционная система"],"Browser":["Браузер"],"Engine":["Движок"],"Useragent":["Пользовательский агент"],"Agent":["Агент"],"No IP logging":["Не протоколировать IP"],"Full IP logging":["Полное протоколирование IP-адресов"],"Anonymize IP (mask last part)":["Анонимизировать IP (маска последняя часть)"],"Monitor changes to %(type)s":["Отслеживание изменений в %(type)s"],"IP Logging":["Протоколирование IP"],"(select IP logging level)":["(Выберите уровень ведения протокола по IP)"],"Geo Info":["Географическая информация"],"Agent Info":["Информация о агенте"],"Filter by IP":["Фильтровать по IP"],"Referrer / User Agent":["Пользователь / Агент пользователя"],"Geo IP Error":["Ошибка GeoIP"],"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.":["Это IP из частной сети. Это означает, что он находится внутри домашней или бизнес-сети, и больше информации не может быть отображено."],"No details are known for this address.":["Сведения об этом адресе не известны."],"Geo IP":["GeoIP"],"City":["Город"],"Area":["Область"],"Timezone":["Часовой пояс"],"Geo Location":["Геолокация"],"Powered by {{link}}redirect.li{{/link}}":["Работает на {{link}}redirect.li{{/link}}"],"Trash":["Корзина"],"Please note that Redirection requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Redirection":["Обратите внимание, что Redirection требует WordPress REST API для включения. Если вы отключили это, то вы не сможете использовать Redirection"],"You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site.":["Вы можете найти полную документацию об использовании Redirection на <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.":["Полную документацию по Redirection можно найти на {{site}}https://redirection.me{{/site}}. Если у вас возникли проблемы, пожалуйста, проверьте сперва {{faq}}FAQ{{/faq}}."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Если вы хотите сообщить об ошибке, пожалуйста, прочитайте инструкцию {{report}} отчеты об ошибках {{/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!":["Если вы хотите отправить информацию, которую вы не хотите в публичный репозиторий, отправьте ее напрямую через {{email}} email {{/e-mail}} - укажите как можно больше информации!"],"Never cache":["Не кэшировать"],"An hour":["Час"],"Redirect Cache":["Перенаправление кэша"],"How long to cache redirected 301 URLs (via \"Expires\" HTTP header)":["Как долго кэшировать перенаправленные 301 URL-адреса (через \"истекает\" HTTP заголовок)"],"Are you sure you want to import from %s?":["Вы действительно хотите импортировать из %s ?"],"Plugin Importers":["Импортеры плагина"],"The following redirect plugins were detected on your site and can be imported from.":["Следующие плагины перенаправления были обнаружены на вашем сайте и могут быть импортированы из."],"total = ":["всего = "],"Import from %s":["Импортировать из %s"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Обнаружены проблемы с таблицами базы данных. Пожалуйста, посетите <a href=\"%s\">страницу поддержки</a> для более подробной информации."],"Redirection not installed properly":["Redirection установлен не правильно"],"Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Redirection требует WordPress v%1$1s, вы используете v%2$2s - пожалуйста, обновите ваш WordPress"],"Default WordPress \"old slugs\"":["\"Старые ярлыки\" WordPress по умолчанию"],"Create associated redirect (added to end of URL)":["Создание связанного перенаправления (Добавлено в конец 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> не определен. Это обычно означает, что другой плагин блокирует Redirection от загрузки. Пожалуйста, отключите все плагины и повторите попытку."],"If the magic button doesn't work then you should read the error and see if you can fix it manually, otherwise follow the 'Need help' section below.":["Если волшебная кнопка не работает, то вы должны посмотреть ошибку и решить, сможете ли вы исправить это вручную, иначе следуйте в раздел ниже \"Нужна помощь\"."],"⚡️ Magic fix ⚡️":["⚡️ Волшебное исправление ⚡️"],"Plugin Status":["Статус плагина"],"Custom":["Пользовательский"],"Mobile":["Мобильный"],"Feed Readers":["Читатели ленты"],"Libraries":["Библиотеки"],"URL Monitor Changes":["URL-адрес монитор изменений"],"Save changes to this group":["Сохранить изменения в этой группе"],"For example \"/amp\"":["Например \"/amp\""],"URL Monitor":["Монитор URL"],"Delete 404s":["Удалить 404"],"Delete all from IP %s":["Удалить все с IP %s"],"Delete all matching \"%s\"":["Удалить все совпадения \"%s\""],"Your server has rejected the request for being too big. You will need to change it to continue.":["Ваш сервер отклонил запрос потому что он слишком большой. Для продолжения потребуется изменить его."],"Also check if your browser is able to load <code>redirection.js</code>:":["Также проверьте, может ли ваш браузер загрузить <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.":["Если вы используете плагин кэширования страниц или услугу (cloudflare, OVH и т.д.), то вы также можете попробовать очистить кэш."],"Unable to load Redirection":["Не удается загрузить Redirection"],"Unable to create group":["Невозможно создать группу"],"Failed to fix database tables":["Не удалось исправить таблицы базы данных"],"Post monitor group is valid":["Группа мониторинга сообщений действительна"],"Post monitor group is invalid":["Группа мониторинга постов недействительна."],"Post monitor group":["Группа отслеживания сообщений"],"All redirects have a valid group":["Все перенаправления имеют допустимую группу"],"Redirects with invalid groups detected":["Перенаправление с недопустимыми группами обнаружены"],"Valid redirect group":["Допустимая группа для перенаправления"],"Valid groups detected":["Обнаружены допустимые группы"],"No valid groups, so you will not be able to create any redirects":["Нет допустимых групп, поэтому вы не сможете создавать перенаправления"],"Valid groups":["Допустимые группы"],"Database tables":["Таблицы базы данных"],"The following tables are missing:":["Следующие таблицы отсутствуют:"],"All tables present":["Все таблицы в наличии"],"Cached Redirection detected":["Обнаружено кэшированное перенаправление"],"Please clear your browser cache and reload this page.":["Очистите кеш браузера и перезагрузите эту страницу."],"The data on this page has expired, please reload.":["Данные на этой странице истекли, пожалуйста, перезагрузите."],"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 не вернул ответ. Это может означать, что произошла ошибка или что запрос был заблокирован. Пожалуйста, проверьте ваш error_log сервера."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":["Ваш сервер вернул ошибку 403 (доступ запрещен), что означает что запрос был заблокирован. Возможно причина в том, что вы используете фаерволл или плагин безопасности? Возможно mod_security?"],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Включите эти сведения в отчет {{strong}} вместе с описанием того, что вы делали{{/strong}}."],"If you think Redirection is at fault then create an issue.":["Если вы считаете, что ошибка в Redirection, то создайте тикет о проблеме."],"This may be caused by another plugin - look at your browser's error console for more details.":["Это может быть вызвано другим плагином-посмотрите на консоль ошибок вашего браузера для более подробной информации."],"Loading, please wait...":["Загрузка, пожалуйста подождите..."],"{{strong}}CSV file format{{/strong}}: {{code}}source URL, target URL{{/code}} - and can be optionally followed with {{code}}regex, http code{{/code}} ({{code}}regex{{/code}} - 0 for no, 1 for yes).":["{{strong}} Формат CSV-файла {{/strong}}: {code}} исходный URL, целевой URL {{/code}}-и может быть опционально сопровождаться {{code}} Regex, http кодом {{/code}} ({{code}}regex{{/code}}-0 для НЕТ, 1 для ДА)."],"Redirection is not working. Try clearing your browser cache and reloading this page.":["Redirection не работает. Попробуйте очистить кэш браузера и перезагрузить эту страницу."],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Если это не поможет, откройте консоль ошибок браузера и создайте {{link}} новую заявку {{/link}} с деталями."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Если это новая проблема, пожалуйста, либо {{strong}} создайте новую заявку{{/strong}} или отправьте ее по{{strong}} электронной почте{{/strong}}. Напишите описание того, что вы пытаетесь сделать, и важные детали, перечисленные ниже. Пожалуйста, включите скриншот."],"Create Issue":["Создать тикет о проблеме"],"Email":["Электронная почта"],"Important details":["Важные детали"],"Need help?":["Нужна помощь?"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Обратите внимание, что любая поддержка предоставляется по мере доступности и не гарантируется. Я не предоставляю платной поддержки."],"Pos":["Pos"],"410 - Gone":["410 - Удалено"],"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":["Используется для автоматического создания URL-адреса, если URL-адрес не указан. Используйте специальные теги {{code}} $ dec $ {{code}} или {{code}} $ hex $ {{/ code}}, чтобы вместо этого вставить уникальный идентификатор"],"Apache Module":["Модуль Apache"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Введите полный путь и имя файла, если вы хотите, чтобы перенаправление автоматически обновляло ваш {{code}}. Htaccess {{code}}."],"Import to group":["Импорт в группу"],"Import a CSV, .htaccess, or JSON file.":["Импортируйте файл CSV, .htaccess или JSON."],"Click 'Add File' or drag and drop here.":["Нажмите «Добавить файл» или перетащите сюда."],"Add File":["Добавить файл"],"File selected":["Выбран файл"],"Importing":["Импортирование"],"Finished importing":["Импорт завершен"],"Total redirects imported:":["Всего импортировано перенаправлений:"],"Double-check the file is the correct format!":["Дважды проверьте правильность формата файла!"],"OK":["OK"],"Close":["Закрыть"],"All imports will be appended to the current database.":["Все импортируемые компоненты будут добавлены в текущую базу данных."],"Export":["Экспорт"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Экспорт в CSV, Apache. htaccess, nginx или Redirection JSON (который содержит все перенаправления и группы)."],"Everything":["Все"],"WordPress redirects":["Перенаправления WordPress"],"Apache redirects":["перенаправления Apache"],"Nginx redirects":["перенаправления NGINX"],"CSV":["CSV"],"Apache .htaccess":["Apache .htaccess"],"Nginx rewrite rules":["Правила перезаписи nginx"],"Redirection JSON":["Перенаправление JSON"],"View":["Вид"],"Log files can be exported from the log pages.":["Файлы логов можно экспортировать из страниц логов."],"Import/Export":["Импорт/Экспорт"],"Logs":["Журналы"],"404 errors":["404 ошибки"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Пожалуйста, укажите {{code}} %s {{/code}}, и объясните, что вы делали в то время"],"I'd like to support some more.":["Мне хотелось бы поддержать чуть больше."],"Support 💰":["Поддержка 💰"],"Redirection saved":["Перенаправление сохранено"],"Log deleted":["Лог удален"],"Settings saved":["Настройки сохранены"],"Group saved":["Группа сохранена"],"Are you sure you want to delete this item?":["Вы действительно хотите удалить этот пункт?","Вы действительно хотите удалить этот пункт?","Вы действительно хотите удалить этот пункт?"],"pass":["проход"],"All groups":["Все группы"],"301 - Moved Permanently":["301 - Переехал навсегда"],"302 - Found":["302 - Найдено"],"307 - Temporary Redirect":["307 - Временное перенаправление"],"308 - Permanent Redirect":["308 - Постоянное перенаправление"],"401 - Unauthorized":["401 - Не авторизованы"],"404 - Not Found":["404 - Страница не найдена"],"Title":["Название"],"When matched":["При совпадении"],"with HTTP code":["с кодом HTTP"],"Show advanced options":["Показать расширенные параметры"],"Matched Target":["Совпавшие цели"],"Unmatched Target":["Несовпавшая цель"],"Saving...":["Сохранение..."],"View notice":["Просмотреть уведомление"],"Invalid source URL":["Неверный исходный URL"],"Invalid redirect action":["Неверное действие перенаправления"],"Invalid redirect matcher":["Неверное совпадение перенаправления"],"Unable to add new redirect":["Не удалось добавить новое перенаправление"],"Something went wrong 🙁":["Что-то пошло не так 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Я пытался что-то сделать, и все пошло не так. Это может быть временная проблема, и если вы попробуете еще раз, это может сработать - здорово!"],"Log entries (%d max)":["Журнал записей (%d максимум)"],"Search by IP":["Поиск по IP"],"Select bulk action":["Выберите массовое действие"],"Bulk Actions":["Массовые действия"],"Apply":["Применить"],"First page":["Первая страница"],"Prev page":["Предыдущая страница"],"Current Page":["Текущая страница"],"of %(page)s":["из %(page)s"],"Next page":["Следующая страница"],"Last page":["Последняя страница"],"%s item":["%s элемент","%s элемента","%s элементов"],"Select All":["Выбрать всё"],"Sorry, something went wrong loading the data - please try again":["Извините, что-то пошло не так при загрузке данных-пожалуйста, попробуйте еще раз"],"No results":["Нет результатов"],"Delete the logs - are you sure?":["Удалить журналы - вы уверены?"],"Once deleted your current logs will no longer be available. You can set a delete schedule from the Redirection options if you want to do this automatically.":["После удаления текущие журналы больше не будут доступны. Если требуется сделать это автоматически, можно задать расписание удаления из параметров перенаправления."],"Yes! Delete the logs":["Да! Удалить журналы"],"No! Don't delete the logs":["Нет! Не удаляйте журналы"],"Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription.":["Благодарим за подписку! {{a}} Нажмите здесь {{/ a}}, если вам нужно вернуться к своей подписке."],"Newsletter":["Новости"],"Want to keep up to date with changes to Redirection?":["Хотите быть в курсе изменений в плагине?"],"Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release.":["Подпишитесь на маленький информационный бюллетень Redirection - информационный бюллетень о новых функциях и изменениях в плагине с небольшим количеством сообщений. Идеально, если вы хотите протестировать бета-версии до выпуска."],"Your email address:":["Ваш адрес электронной почты:"],"You've supported this plugin - thank you!":["Вы поддерживаете этот плагин - спасибо!"],"You get useful software and I get to carry on making it better.":["Вы получаете полезное программное обеспечение, и я продолжаю делать его лучше."],"Forever":["Всегда"],"Delete the plugin - are you sure?":["Удалить плагин-вы уверены?"],"Deleting the plugin will remove all your redirections, logs, and settings. Do this if you want to remove the plugin for good, or if you want to reset the plugin.":["Удаление плагина удалит все ваши перенаправления, журналы и настройки. Сделайте это, если вы хотите удалить плагин, или если вы хотите сбросить плагин."],"Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache.":["После удаления перенаправления перестанут работать. Если они, кажется, продолжают работать, пожалуйста, очистите кэш браузера."],"Yes! Delete the plugin":["Да! Удалить плагин"],"No! Don't delete the plugin":["Нет! Не удаляйте плагин"],"John Godley":["John Godley"],"Manage all your 301 redirects and monitor 404 errors":["Управляйте всеми 301-перенаправлениями и отслеживайте ошибки 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 является бесплатным для использования - жизнь чудесна и прекрасна! Это потребовало много времени и усилий для развития, и вы можете помочь поддержать эту разработку {{strong}} сделав небольшое пожертвование {{/strong}}."],"Redirection Support":["Поддержка перенаправления"],"Support":["Поддержка"],"404s":["404"],"Log":["Журнал"],"Selecting this option will delete all redirections, all logs, and any options associated with the Redirection plugin. Make sure this is what you want to do.":["Выбор данной опции удалит все настроенные перенаправления, все журналы и все другие настройки, связанные с данным плагином. Убедитесь, что это именно то, чего вы желаете."],"Delete Redirection":["Удалить перенаправление"],"Upload":["Загрузить"],"Import":["Импортировать"],"Update":["Обновить"],"Auto-generate URL":["Автоматическое создание URL-адреса"],"A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)":["Уникальный токен, позволяющий читателям получить доступ к RSS журнала Redirection (оставьте пустым, чтобы автоматически генерировать)"],"RSS Token":["RSS-токен"],"404 Logs":["404 Журналы"],"(time to keep logs for)":["(время хранения журналов для)"],"Redirect Logs":["Перенаправление журналов"],"I'm a nice person and I have helped support the author of this plugin":["Я хороший человек, и я помог поддержать автора этого плагина"],"Plugin Support":["Поддержка плагина"],"Options":["Опции"],"Two months":["Два месяца"],"A month":["Месяц"],"A week":["Неделя"],"A day":["День"],"No logs":["Нет записей"],"Delete All":["Удалить все"],"Use groups to organise your redirects. Groups are assigned to a module, which affects how the redirects in that group work. If you are unsure then stick to the WordPress module.":["Используйте группы для организации редиректов. Группы назначаются модулю, который определяет как будут работать перенаправления в этой группе. Если не уверены - используйте модуль WordPress."],"Add Group":["Добавить группу"],"Search":["Поиск"],"Groups":["Группы"],"Save":["Сохранить"],"Group":["Группа"],"Match":["Совпадение"],"Add new redirection":["Добавить новое перенаправление"],"Cancel":["Отменить"],"Download":["Скачать"],"Redirection":["Redirection"],"Settings":["Настройки"],"Error (404)":["Ошибка (404)"],"Pass-through":["Прозрачно пропускать"],"Redirect to random post":["Перенаправить на случайную запись"],"Redirect to URL":["Перенаправление на URL"],"Invalid group when creating redirect":["Неправильная группа при создании переадресации"],"IP":["IP"],"Source URL":["Исходный URL"],"Date":["Дата"],"Add Redirect":["Добавить перенаправление"],"All modules":["Все модули"],"View Redirects":["Просмотр перенаправлений"],"Module":["Модуль"],"Redirects":["Редиректы"],"Name":["Имя"],"Filter":["Фильтр"],"Reset hits":["Сбросить показы"],"Enable":["Включить"],"Disable":["Отключить"],"Delete":["Удалить"],"Edit":["Редактировать"],"Last Access":["Последний доступ"],"Hits":["Показы"],"URL":["URL"],"Type":["Тип"],"Modified Posts":["Измененные записи"],"Redirections":["Перенаправления"],"User Agent":["Агент пользователя"],"URL and user agent":["URL-адрес и агент пользователя"],"Target URL":["Целевой URL-адрес"],"URL only":["Только URL-адрес"],"Regex":["Regex"],"Referrer":["Ссылающийся URL"],"URL and referrer":["URL и ссылающийся URL"],"Logged Out":["Выход из системы"],"Logged In":["Вход в систему"],"URL and login status":["Статус URL и входа"]}
locale/json/redirection-sv_SE.json CHANGED
@@ -1 +1 @@
1
- {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":[""],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"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":[""],"304 - Not Modified":["304 – Inte modifierad"],"303 - See Other":[""],"Do nothing (ignore)":["Gör ingenting (ignorera)"],"Target URL when not matched (empty to ignore)":[""],"Target URL when matched (empty to ignore)":[""],"Show All":["Visa alla"],"Delete all logs for these entries":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"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":[""],"URL and WordPress page type":[""],"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}}":[""],"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":[""],"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":["Det gick 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"],"The target URL you want to redirect to if matched":["URL-målet du vill omdirigera till om den matchas"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Tvinga en omdirigering från HTTP till HTTPS. Se till att din HTTPS fungerar innan du aktiverar"],"Force HTTPS":["Tvinga HTTPS"],"GDPR / Privacy information":["GDPR/integritetsinformation"],"Add New":["Lägg till ny"],"Please logout and login again.":["Logga ut och logga in igen."],"URL and role/capability":["URL och roll/behörighet"],"URL and server":["URL och server"],"Form request":["Formulärbegäran"],"Relative /wp-json/":["Relativ /wp-json/"],"Proxy over Admin AJAX":["Proxy över Admin AJAX"],"Default /wp-json/":["Standard /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Om du inte kan få något att fungera kan det hända att Redirection har svårt att kommunicera med din server. Du kan försöka ändra den här inställningen manuellt:"],"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"],"Raw /index.php?rest_route=/":["Rå /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returnerade ett oväntat meddelande. Det här kan orsakas av att ditt REST API inte fungerar eller av ett annat tillägg eller tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection kan inte kommunicera med ditt REST API{{/link}}. Om du har inaktiverat det måste du aktivera det."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Säkerhetsprogram kan eventuellt blockera Redirection{{/link}}. Du måste konfigurera dessa för att tillåta REST API-förfrågningar."],"{{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."],"None of the suggestions helped":["Inget av förslagen hjälpte"],"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 ☹️":["Kunde inte ladda Redirection ☹️"],"WordPress REST API is working at %s":["WordPress REST API arbetar på %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API fungerar inte så flödena kontrolleras inte"],"Redirection routes are working":["Omdirigeringsflödena fungerar"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection finns inte dina REST API-flöden. Har du inaktiverat det med ett tillägg?"],"Redirection routes":["Omdirigeringsflöden"],"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":["Sökmotor"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["Ingen loggning av IP-nummer"],"Full IP logging":["Fullständig loggning av IP-nummer"],"Anonymize IP (mask last part)":["Anonymisera IP-nummer (maska sista delen)"],"Monitor changes to %(type)s":["Övervaka ändringar till %(type)s"],"IP Logging":["Läggning av IP-nummer"],"(select IP logging level)":["(välj loggningsnivå för IP)"],"Geo Info":["Geo-info"],"Agent Info":["Agentinfo"],"Filter by IP":["Filtrera på IP-nummer"],"Referrer / User Agent":["Hänvisare/Användaragent"],"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":["Stad"],"Area":["Region"],"Timezone":["Tidszon"],"Geo Location":["Geo-plats"],"Powered by {{link}}redirect.li{{/link}}":["Drivs av {{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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problem upptäcktes med dina databastabeller. Besök <a href=\"%s\"> supportsidan </a> för mer detaljer."],"Redirection not installed properly":["Redirection har inte installerats ordentligt"],"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-numret %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":["Det gick inte att ladda Redirection"],"Unable to create group":["Det gick inte att skapa grupp"],"Failed to fix database tables":["Det gick inte att korrigera databastabellerna"],"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."],"The data on this page has expired, please reload.":["Datan på denna sida är inte längre aktuell, vänligen ladda om sidan."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Inkludera dessa detaljer i din rapport {{strong}}tillsammans med en beskrivning av vad du gjorde{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Om detta är ett nytt problem, vänligen {{strong}}skapa en ny felrapport{{/strong}} eller skicka rapporten via {{strong}}e-post{{/strong}}. Bifoga en beskrivning av det du försökte göra inklusive de viktiga detaljerna listade nedanför. Vänligen bifoga också en skärmavbild. "],"Create Issue":["Skapa felrapport"],"Email":["E-post"],"Important details":["Viktiga detaljer"],"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"],"Apache Module":["Apache-modul"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Om du vill att Redirection automatiskt ska uppdatera din {{code}}.htaccess{{/code}}, fyll då i hela sökvägen inklusive filnamn."],"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"],"All imports will be appended to the current database.":["All importerade omdirigeringar kommer infogas till den aktuella databasen."],"Export":["Exportera"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exportera till CSV, Apache .htaccess, Nginx, eller JSON omdirigeringar (som innehåller alla omdirigeringar och grupper)."],"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"],"Redirection JSON":["JSON omdirigeringar"],"View":["Visa"],"Log files can be exported from the log pages.":["Loggfiler kan exporteras från loggsidorna."],"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":["Logginlägg raderades"],"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":["Titel"],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Jag försökte göra något, och sen gick det fel. Det kan vara ett tillfälligt problem och om du försöker igen kan det fungera."],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Search by IP":["Sök via IP"],"Select bulk action":["Välj massåtgärd"],"Bulk Actions":["Massåtgärd"],"Apply":["Tillämpa"],"First page":["Första sidan"],"Prev page":["Föregående sida"],"Current Page":["Aktuell 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 want to test beta changes before release.":["Anmäl dig till Redirection-nyhetsbrevet - ett litet nyhetsbrev om nya funktioner och ändringar i tillägget. Det är perfekt om du vill testa kommande förändringar i betaversioner innan en skarp version släpps publikt."],"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! Radera inte 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-nyckel"],"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"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Hämta"],"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"],"All modules":["Alla moduler"],"View Redirects":["Visa omdirigeringar"],"Module":["Modul"],"Redirects":["Omdirigering"],"Name":["Namn"],"Filter":["Filtrera"],"Reset hits":["Nollställ träffar"],"Enable":["Aktivera"],"Disable":["Inaktivera"],"Delete":["Radera"],"Edit":["Redigera"],"Last Access":["Senast använd"],"Hits":["Träffar"],"URL":["URL"],"Type":["Typ"],"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"],"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
+ {"":[],"Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s":[""],"Unsupported PHP":["PHP stöds inte"],"Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version.":[""],"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":[""],"304 - Not Modified":["304 – Inte modifierad"],"303 - See Other":[""],"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":[""],"Delete all logs for this entry":[""],"Delete Log Entries":[""],"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":[""],"URL and WordPress page type":[""],"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}}":[""],"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":["Det gick 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"],"The target URL you want to redirect to if matched":["URL-målet du vill omdirigera till om den matchas"],"(beta)":["(beta)"],"Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling":["Tvinga en omdirigering från HTTP till HTTPS. Se till att din HTTPS fungerar innan du aktiverar"],"Force HTTPS":["Tvinga HTTPS"],"GDPR / Privacy information":["GDPR/integritetsinformation"],"Add New":["Lägg till ny"],"Please logout and login again.":["Logga ut och logga in igen."],"URL and role/capability":["URL och roll/behörighet"],"URL and server":["URL och server"],"Relative /wp-json/":["Relativ /wp-json/"],"Default /wp-json/":["Standard /wp-json/"],"If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:":["Om du inte kan få något att fungera kan det hända att Redirection har svårt att kommunicera med din server. Du kan försöka ändra den här inställningen manuellt:"],"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"],"Raw /index.php?rest_route=/":["Rå /index.php?rest_route=/"],"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"],"WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme.":["WordPress returnerade ett oväntat meddelande. Det här kan orsakas av att ditt REST API inte fungerar eller av ett annat tillägg eller tema."],"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}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it.":["{{link}}Redirection kan inte kommunicera med ditt REST API{{/link}}. Om du har inaktiverat det måste du aktivera det."],"{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests.":["{{link}}Säkerhetsprogram kan eventuellt blockera Redirection{{/link}}. Du måste konfigurera dessa för att tillåta REST API-förfrågningar."],"{{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."],"None of the suggestions helped":["Inget av förslagen hjälpte"],"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 ☹️":["Kunde inte ladda Redirection ☹️"],"WordPress REST API is working at %s":["WordPress REST API arbetar på %s"],"WordPress REST API":["WordPress REST API"],"REST API is not working so routes not checked":["REST API fungerar inte så flödena kontrolleras inte"],"Redirection routes are working":["Omdirigeringsflödena fungerar"],"Redirection does not appear in your REST API routes. Have you disabled it with a plugin?":["Redirection finns inte dina REST API-flöden. Har du inaktiverat det med ett tillägg?"],"Redirection routes":["Omdirigeringsflöden"],"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":["Sökmotor"],"Useragent":["Useragent"],"Agent":["Agent"],"No IP logging":["Ingen loggning av IP-nummer"],"Full IP logging":["Fullständig loggning av IP-nummer"],"Anonymize IP (mask last part)":["Anonymisera IP-nummer (maska sista delen)"],"Monitor changes to %(type)s":["Övervaka ändringar till %(type)s"],"IP Logging":["Läggning av IP-nummer"],"(select IP logging level)":["(välj loggningsnivå för IP)"],"Geo Info":["Geo-info"],"Agent Info":["Agentinfo"],"Filter by IP":["Filtrera på IP-nummer"],"Referrer / User Agent":["Hänvisare/Användaragent"],"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":["Stad"],"Area":["Region"],"Timezone":["Tidszon"],"Geo Location":["Geo-plats"],"Powered by {{link}}redirect.li{{/link}}":["Drivs av {{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"],"Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details.":["Problem upptäcktes med dina databastabeller. Besök <a href=\"%s\"> supportsidan </a> för mer detaljer."],"Redirection not installed properly":["Redirection har inte installerats ordentligt"],"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-numret %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":["Det gick inte att ladda Redirection"],"Unable to create group":["Det gick inte att skapa grupp"],"Failed to fix database tables":["Det gick inte att korrigera databastabellerna"],"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."],"The data on this page has expired, please reload.":["Datan på denna sida är inte längre aktuell, vänligen ladda om sidan."],"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."],"Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?":[""],"Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}.":["Inkludera dessa detaljer i din rapport {{strong}}tillsammans med en beskrivning av vad du gjorde{{/strong}}."],"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."],"If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot.":["Om detta är ett nytt problem, vänligen {{strong}}skapa en ny felrapport{{/strong}} eller skicka rapporten via {{strong}}e-post{{/strong}}. Bifoga en beskrivning av det du försökte göra inklusive de viktiga detaljerna listade nedanför. Vänligen bifoga också en skärmavbild. "],"Create Issue":["Skapa felrapport"],"Email":["E-post"],"Important details":["Viktiga detaljer"],"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"],"Apache Module":["Apache-modul"],"Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}.":["Om du vill att Redirection automatiskt ska uppdatera din {{code}}.htaccess{{/code}}, fyll då i hela sökvägen inklusive filnamn."],"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"],"All imports will be appended to the current database.":["All importerade omdirigeringar kommer infogas till den aktuella databasen."],"Export":["Exportera"],"Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups).":["Exportera till CSV, Apache .htaccess, Nginx, eller JSON omdirigeringar (som innehåller alla omdirigeringar och grupper)."],"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"],"Redirection JSON":["JSON omdirigeringar"],"View":["Visa"],"Log files can be exported from the log pages.":["Loggfiler kan exporteras från loggsidorna."],"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":["Logginlägg raderades"],"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":["Titel"],"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 🙁"],"I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!":["Jag försökte göra något, och sen gick det fel. Det kan vara ett tillfälligt problem och om du försöker igen kan det fungera."],"Log entries (%d max)":["Antal logginlägg per sida (max %d)"],"Search by IP":["Sök via IP"],"Select bulk action":["Välj massåtgärd"],"Bulk Actions":["Massåtgärd"],"Apply":["Tillämpa"],"First page":["Första sidan"],"Prev page":["Föregående sida"],"Current Page":["Aktuell 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 want to test beta changes before release.":["Anmäl dig till Redirection-nyhetsbrevet - ett litet nyhetsbrev om nya funktioner och ändringar i tillägget. Det är perfekt om du vill testa kommande förändringar i betaversioner innan en skarp version släpps publikt."],"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! Radera inte 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-nyckel"],"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"],"Match":["Matcha"],"Add new redirection":["Lägg till ny omdirigering"],"Cancel":["Avbryt"],"Download":["Hämta"],"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"],"All modules":["Alla moduler"],"View Redirects":["Visa omdirigeringar"],"Module":["Modul"],"Redirects":["Omdirigering"],"Name":["Namn"],"Filter":["Filtrera"],"Reset hits":["Nollställ träffar"],"Enable":["Aktivera"],"Disable":["Inaktivera"],"Delete":["Radera"],"Edit":["Redigera"],"Last Access":["Senast använd"],"Hits":["Träffar"],"URL":["URL"],"Type":["Typ"],"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"],"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-de_DE.mo CHANGED
Binary file
locale/redirection-de_DE.po CHANGED
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
@@ -122,27 +122,27 @@ msgstr ""
122
  msgid "Count"
123
  msgstr ""
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr ""
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr ""
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr ""
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
@@ -178,79 +178,79 @@ msgstr ""
178
  msgid "Error"
179
  msgstr ""
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr ""
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr ""
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr ""
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr ""
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr ""
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr ""
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr ""
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr ""
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr ""
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr ""
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr ""
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr ""
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr ""
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr ""
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr ""
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr ""
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr ""
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr ""
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr ""
256
 
@@ -262,26 +262,18 @@ msgstr ""
262
  msgid "Please logout and login again."
263
  msgstr ""
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr ""
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr ""
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "Formularanfrage"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "Relativ /wp-json/"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr "Proxy über Admin AJAX"
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "Standard /wp-json/"
@@ -298,43 +290,43 @@ msgstr ""
298
  msgid "Site and home are consistent"
299
  msgstr ""
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr ""
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Akzeptiere Sprache"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Wert im Header "
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "Header Name "
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "HTTP Header"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "WordPress Filter Name "
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "Filter Name"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr ""
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr ""
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr ""
340
 
@@ -346,19 +338,19 @@ msgstr ""
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr ""
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr ""
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr ""
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr ""
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr ""
364
 
@@ -366,11 +358,11 @@ msgstr ""
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr ""
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr ""
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr ""
376
 
@@ -402,11 +394,11 @@ msgstr ""
402
  msgid "None of the suggestions helped"
403
  msgstr ""
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr ""
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr ""
412
 
@@ -487,15 +479,15 @@ msgstr "Vollständige IP-Protokollierung"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonymisiere IP (maskiere letzten Teil)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr "Änderungen überwachen für %(type)s"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "IP-Protokollierung"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(IP-Protokollierungsstufe wählen)"
501
 
@@ -562,12 +554,12 @@ msgstr ""
562
  msgid "Trash"
563
  msgstr ""
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr ""
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr ""
573
 
@@ -575,15 +567,15 @@ msgstr ""
575
  msgid "https://redirection.me/"
576
  msgstr ""
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."
589
 
@@ -595,11 +587,11 @@ msgstr ""
595
  msgid "An hour"
596
  msgstr "Eine Stunde"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr ""
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "Import von %s"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "Es wurden Probleme mit den Datenbanktabellen festgestellt. Besuche bitte die <a href=\"%s\">Support Seite</a> für mehr Details."
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection wurde nicht korrekt installiert"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr ""
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr ""
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr ""
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr ""
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr ""
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr ""
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr ""
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr ""
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr ""
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr ""
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr ""
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr ""
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr ""
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr ""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr ""
695
 
@@ -709,15 +701,15 @@ msgstr ""
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr ""
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr ""
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr ""
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "Redirection konnte nicht geladen werden"
723
 
@@ -801,15 +793,15 @@ msgstr ""
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr "Füge diese Angaben in deinem Bericht {{strong}} zusammen mit einer Beschreibung dessen ein, was du getan hast{{/ strong}}."
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr ""
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr ""
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "Lädt, bitte warte..."
815
 
@@ -829,7 +821,7 @@ msgstr ""
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr ""
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr ""
835
 
@@ -841,35 +833,35 @@ msgstr "E-Mail"
841
  msgid "Important details"
842
  msgstr "Wichtige Details"
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "Hilfe benötigt?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr ""
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr ""
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr "410 - Entfernt"
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Position"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr ""
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Apache Modul"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr ""
875
 
@@ -913,7 +905,7 @@ msgstr "Überprüfe, ob die Datei das richtige Format hat!"
913
  msgid "OK"
914
  msgstr "OK"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Schließen"
919
 
@@ -993,19 +985,19 @@ msgstr ""
993
  msgid "Support 💰"
994
  msgstr "Unterstützen 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Umleitung gespeichert"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Log gelöscht"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Einstellungen gespeichert"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Gruppe gespeichert"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "Bist du sicher, dass du diesen Eintrag löschen möchtest?"
1016
  msgstr[1] "Bist du sicher, dass du diese Einträge löschen möchtest?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr ""
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "Alle Gruppen"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301- Dauerhaft verschoben"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 - Gefunden"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 - Zeitweise Umleitung"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 - Dauerhafte Umleitung"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 - Unautorisiert"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 - Nicht gefunden"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Titel"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr ""
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "mit HTTP Code"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Zeige erweiterte Optionen"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr "Passendes Ziel"
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr "Unpassendes Ziel"
1073
 
@@ -1104,7 +1096,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1104
  msgstr "Ich habe versucht, etwas zu tun und es ging schief. Es kann eine vorübergehendes Problem sein und wenn du es nochmal probierst, könnte es funktionieren - toll!"
1105
 
1106
  #. translators: maximum number of log entries
1107
- #: redirection-admin.php:205
1108
  msgid "Log entries (%d max)"
1109
  msgstr "Log Einträge (%d max)"
1110
 
@@ -1182,23 +1174,23 @@ msgstr "Ja! Lösche die Logs"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "Nein! Lösche die Logs nicht"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr ""
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "Newsletter"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr ""
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "Melde dich für den kleinen Redirection Newsletter an - ein gelegentlicher Newsletter über neue Features und Änderungen am Plugin. Ideal, wenn du Beta Änderungen testen möchtest, bevor diese erscheinen."
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "Deine E-Mail Adresse:"
1204
 
@@ -1246,7 +1238,7 @@ msgstr "Verwalte alle 301-Umleitungen und 404-Fehler."
1246
  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}}."
1247
  msgstr "Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Unleitung Support"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "Hochladen"
1278
  msgid "Import"
1279
  msgstr "Importieren"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "Aktualisieren"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "Selbsterstellte URL"
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "RSS Token"
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "404-Logs"
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(Dauer, für die die Logs behalten werden)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "Umleitungs-Logs"
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "Ich bin eine nette Person und ich helfe dem Autor des Plugins"
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "Gruppen"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "Speichern"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "Gruppe"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "Passend"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "Eine neue Weiterleitung hinzufügen"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "Abbrechen"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "Download"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "Einstellungen"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "Fehler (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "Durchreichen"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "Umleitung zu zufälligen Beitrag"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "Umleitung zur URL"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "Ungültige Gruppe für die Erstellung der Umleitung"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "URL-Quelle"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "Zeitpunkt"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "Umleitung hinzufügen"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "Name"
1457
  msgid "Filter"
1458
  msgstr "Filter"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "Treffer zurücksetzen"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "Aktivieren"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "Deaktivieren"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "Deaktivieren"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "Löschen"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "Bearbeiten"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "Letzter Zugriff"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "Treffer"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "Typ"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "Geänderte Beiträge"
1507
  msgid "Redirections"
1508
  msgstr "Redirections"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "User Agent"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL und User-Agent"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "Ziel-URL"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "Nur URL"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "Regex"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "Vermittler"
1535
 
1536
- #: matches/referrer.php:10 redirection-strings.php:285
1537
  msgid "URL and referrer"
1538
  msgstr "URL und Vermittler"
1539
 
1540
- #: redirection-strings.php:274
1541
  msgid "Logged Out"
1542
  msgstr "Ausgeloggt"
1543
 
1544
- #: redirection-strings.php:272
1545
  msgid "Logged In"
1546
  msgstr "Eingeloggt"
1547
 
1548
- #: matches/login.php:8 redirection-strings.php:283
1549
  msgid "URL and login status"
1550
  msgstr "URL- und Loginstatus"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
122
  msgid "Count"
123
  msgstr ""
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr ""
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr ""
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr ""
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
178
  msgid "Error"
179
  msgstr ""
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr ""
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr ""
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr ""
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr ""
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr ""
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr ""
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr ""
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr ""
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr ""
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr ""
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr ""
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr ""
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr ""
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr ""
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr ""
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr ""
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr ""
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr ""
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr ""
256
 
262
  msgid "Please logout and login again."
263
  msgstr ""
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr ""
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr ""
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "Relativ /wp-json/"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "Standard /wp-json/"
290
  msgid "Site and home are consistent"
291
  msgstr ""
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr ""
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Akzeptiere Sprache"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Wert im Header "
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "Header Name "
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "HTTP Header"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "WordPress Filter Name "
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "Filter Name"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr ""
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr ""
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr ""
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr ""
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr ""
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr ""
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr ""
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr ""
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr ""
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr ""
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr ""
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr ""
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr ""
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr ""
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonymisiere IP (maskiere letzten Teil)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr "Änderungen überwachen für %(type)s"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "IP-Protokollierung"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(IP-Protokollierungsstufe wählen)"
493
 
554
  msgid "Trash"
555
  msgstr ""
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr ""
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr ""
565
 
567
  msgid "https://redirection.me/"
568
  msgstr ""
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "Die vollständige Dokumentation findest du unter {{site}}https://redirection.me{{/site}}. Solltest du Fragen oder Probleme mit dem Plugin haben, durchsuche bitte zunächst die {{faq}}FAQ{{/faq}}."
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "Wenn du einen Bug mitteilen möchtest, lies bitte zunächst unseren {{report}}Bug Report Leitfaden{{/report}}."
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "Wenn du nicht möchtest, dass deine Nachricht öffentlich sichtbar ist, dann sende sie bitte per {{email}}E-Mail{{/email}} - sende so viele Informationen, wie möglich."
581
 
587
  msgid "An hour"
588
  msgstr "Eine Stunde"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr ""
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "Wie lange weitergeleitete 301 URLs im Cache gehalten werden sollen (per \"Expires\" HTTP header)"
597
 
616
  msgstr "Import von %s"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "Es wurden Probleme mit den Datenbanktabellen festgestellt. Besuche bitte die <a href=\"%s\">Support Seite</a> für mehr Details."
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection wurde nicht korrekt installiert"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr ""
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr ""
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr ""
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr ""
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr ""
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr ""
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr ""
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr ""
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr ""
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr ""
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr ""
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr ""
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr ""
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr ""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr ""
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr ""
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr ""
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr ""
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "Redirection konnte nicht geladen werden"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr "Füge diese Angaben in deinem Bericht {{strong}} zusammen mit einer Beschreibung dessen ein, was du getan hast{{/ strong}}."
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr ""
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr ""
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "Lädt, bitte warte..."
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr ""
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr ""
827
 
833
  msgid "Important details"
834
  msgstr "Wichtige Details"
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "Hilfe benötigt?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr ""
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr ""
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr "410 - Entfernt"
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Position"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr ""
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Apache Modul"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr ""
867
 
905
  msgid "OK"
906
  msgstr "OK"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Schließen"
911
 
985
  msgid "Support 💰"
986
  msgstr "Unterstützen 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Umleitung gespeichert"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Log gelöscht"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Einstellungen gespeichert"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Gruppe gespeichert"
1003
 
1007
  msgstr[0] "Bist du sicher, dass du diesen Eintrag löschen möchtest?"
1008
  msgstr[1] "Bist du sicher, dass du diese Einträge löschen möchtest?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr ""
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "Alle Gruppen"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301- Dauerhaft verschoben"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 - Gefunden"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 - Zeitweise Umleitung"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 - Dauerhafte Umleitung"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 - Unautorisiert"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 - Nicht gefunden"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Titel"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr ""
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "mit HTTP Code"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Zeige erweiterte Optionen"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr "Passendes Ziel"
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr "Unpassendes Ziel"
1065
 
1096
  msgstr "Ich habe versucht, etwas zu tun und es ging schief. Es kann eine vorübergehendes Problem sein und wenn du es nochmal probierst, könnte es funktionieren - toll!"
1097
 
1098
  #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
  msgid "Log entries (%d max)"
1101
  msgstr "Log Einträge (%d max)"
1102
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "Nein! Lösche die Logs nicht"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr ""
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "Newsletter"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr ""
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "Melde dich für den kleinen Redirection Newsletter an - ein gelegentlicher Newsletter über neue Features und Änderungen am Plugin. Ideal, wenn du Beta Änderungen testen möchtest, bevor diese erscheinen."
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "Deine E-Mail Adresse:"
1196
 
1238
  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}}."
1239
  msgstr "Redirection ist kostenlos – das Leben ist wundervoll und schön! Aber: Sehr viel Zeit und Arbeit sind in seine Entwicklung geflossen und falls es sich als nützlich erwiesen hat, kannst du die Entwicklung {{strong}}mit einer kleinen Spende unterstützen{{/strong}}."
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Unleitung Support"
1244
 
1270
  msgid "Import"
1271
  msgstr "Importieren"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "Aktualisieren"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "Selbsterstellte URL"
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "Einzigartiges Token, das RSS-Klienten Zugang zum Umleitung-Log-Feed gewährt. (freilassen, um automatisch zu generieren)"
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "RSS Token"
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "404-Logs"
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(Dauer, für die die Logs behalten werden)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "Umleitungs-Logs"
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "Ich bin eine nette Person und ich helfe dem Autor des Plugins"
1304
 
1352
  msgstr "Gruppen"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "Speichern"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "Gruppe"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "Passend"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "Eine neue Weiterleitung hinzufügen"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "Abbrechen"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "Einstellungen"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "Fehler (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "Durchreichen"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "Umleitung zu zufälligen Beitrag"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "Umleitung zur URL"
1403
 
1406
  msgstr "Ungültige Gruppe für die Erstellung der Umleitung"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "URL-Quelle"
1417
 
1420
  msgstr "Zeitpunkt"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "Umleitung hinzufügen"
1426
 
1449
  msgid "Filter"
1450
  msgstr "Filter"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "Treffer zurücksetzen"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "Aktivieren"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "Deaktivieren"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "Löschen"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "Bearbeiten"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "Letzter Zugriff"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "Treffer"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "Typ"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "Redirections"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "User Agent"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL und User-Agent"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "Ziel-URL"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "Nur URL"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "Regex"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "Vermittler"
1527
 
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
  msgid "URL and referrer"
1530
  msgstr "URL und Vermittler"
1531
 
1532
+ #: redirection-strings.php:272
1533
  msgid "Logged Out"
1534
  msgstr "Ausgeloggt"
1535
 
1536
+ #: redirection-strings.php:270
1537
  msgid "Logged In"
1538
  msgstr "Eingeloggt"
1539
 
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
  msgid "URL and login status"
1542
  msgstr "URL- und Loginstatus"
locale/redirection-en_AU.mo ADDED
Binary file
locale/redirection-en_AU.po ADDED
@@ -0,0 +1,1542 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of Plugins - Redirection - Stable (latest release) in English (Australia)
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: 2018-12-10 22:49:52+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/2.4.0-alpha\n"
11
+ "Language: en_AU\n"
12
+ "Project-Id-Version: Plugins - Redirection - Stable (latest release)\n"
13
+
14
+ #. translators: 1: Site URL, 2: Home URL
15
+ #: models/fixer.php:56
16
+ msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
+ msgstr "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
18
+
19
+ #: redirection-admin.php:377
20
+ msgid "Unsupported PHP"
21
+ msgstr "Unsupported PHP"
22
+
23
+ #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
+ msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
+ msgstr "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
27
+
28
+ #: redirection-strings.php:358
29
+ msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
+ msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
+
32
+ #: redirection-strings.php:357
33
+ msgid "Only the 404 page type is currently supported."
34
+ msgstr "Only the 404 page type is currently supported."
35
+
36
+ #: redirection-strings.php:356
37
+ msgid "Page Type"
38
+ msgstr "Page Type"
39
+
40
+ #: redirection-strings.php:355
41
+ msgid "Enter IP addresses (one per line)"
42
+ msgstr "Enter IP addresses (one per line)"
43
+
44
+ #: redirection-strings.php:309
45
+ msgid "Describe the purpose of this redirect (optional)"
46
+ msgstr "Describe the purpose of this redirect (optional)"
47
+
48
+ #: redirection-strings.php:307
49
+ msgid "418 - I'm a teapot"
50
+ msgstr "418 - I'm a teapot"
51
+
52
+ #: redirection-strings.php:304
53
+ msgid "403 - Forbidden"
54
+ msgstr "403 - Forbidden"
55
+
56
+ #: redirection-strings.php:302
57
+ msgid "400 - Bad Request"
58
+ msgstr "400 - Bad Request"
59
+
60
+ #: redirection-strings.php:299
61
+ msgid "304 - Not Modified"
62
+ msgstr "304 - Not Modified"
63
+
64
+ #: redirection-strings.php:298
65
+ msgid "303 - See Other"
66
+ msgstr "303 - See Other"
67
+
68
+ #: redirection-strings.php:295
69
+ msgid "Do nothing (ignore)"
70
+ msgstr "Do nothing (ignore)"
71
+
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
+ msgid "Target URL when not matched (empty to ignore)"
74
+ msgstr "Target URL when not matched (empty to ignore)"
75
+
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
+ msgid "Target URL when matched (empty to ignore)"
78
+ msgstr "Target URL when matched (empty to ignore)"
79
+
80
+ #: redirection-strings.php:196 redirection-strings.php:201
81
+ msgid "Show All"
82
+ msgstr "Show All"
83
+
84
+ #: redirection-strings.php:193
85
+ msgid "Delete all logs for these entries"
86
+ msgstr "Delete all logs for these entries"
87
+
88
+ #: redirection-strings.php:192 redirection-strings.php:205
89
+ msgid "Delete all logs for this entry"
90
+ msgstr "Delete all logs for this entry"
91
+
92
+ #: redirection-strings.php:191
93
+ msgid "Delete Log Entries"
94
+ msgstr "Delete Log Entries"
95
+
96
+ #: redirection-strings.php:189
97
+ msgid "Group by IP"
98
+ msgstr "Group by IP"
99
+
100
+ #: redirection-strings.php:188
101
+ msgid "Group by URL"
102
+ msgstr "Group by URL"
103
+
104
+ #: redirection-strings.php:187
105
+ msgid "No grouping"
106
+ msgstr "No grouping"
107
+
108
+ #: redirection-strings.php:186 redirection-strings.php:202
109
+ msgid "Ignore URL"
110
+ msgstr "Ignore URL"
111
+
112
+ #: redirection-strings.php:183 redirection-strings.php:198
113
+ msgid "Block IP"
114
+ msgstr "Block IP"
115
+
116
+ #: redirection-strings.php:182 redirection-strings.php:185
117
+ #: redirection-strings.php:195 redirection-strings.php:200
118
+ msgid "Redirect All"
119
+ msgstr "Redirect All"
120
+
121
+ #: redirection-strings.php:174 redirection-strings.php:176
122
+ msgid "Count"
123
+ msgstr "Count"
124
+
125
+ #: matches/page.php:9 redirection-strings.php:290
126
+ msgid "URL and WordPress page type"
127
+ msgstr "URL and WordPress page type"
128
+
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
+ msgid "URL and IP"
131
+ msgstr "URL and IP"
132
+
133
+ #: redirection-strings.php:396
134
+ msgid "Problem"
135
+ msgstr "Problem"
136
+
137
+ #: redirection-strings.php:395
138
+ msgid "Good"
139
+ msgstr "Good"
140
+
141
+ #: redirection-strings.php:385
142
+ msgid "Check"
143
+ msgstr "Check"
144
+
145
+ #: redirection-strings.php:369
146
+ msgid "Check Redirect"
147
+ msgstr "Check Redirect"
148
+
149
+ #: redirection-strings.php:47
150
+ msgid "Check redirect for: {{code}}%s{{/code}}"
151
+ msgstr "Check redirect for: {{code}}%s{{/code}}"
152
+
153
+ #: redirection-strings.php:46
154
+ msgid "What does this mean?"
155
+ msgstr "What does this mean?"
156
+
157
+ #: redirection-strings.php:45
158
+ msgid "Not using Redirection"
159
+ msgstr "Not using Redirection"
160
+
161
+ #: redirection-strings.php:44
162
+ msgid "Using Redirection"
163
+ msgstr "Using Redirection"
164
+
165
+ #: redirection-strings.php:41
166
+ msgid "Found"
167
+ msgstr "Found"
168
+
169
+ #: redirection-strings.php:40 redirection-strings.php:42
170
+ msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
171
+ msgstr "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
172
+
173
+ #: redirection-strings.php:39
174
+ msgid "Expected"
175
+ msgstr "Expected"
176
+
177
+ #: redirection-strings.php:37
178
+ msgid "Error"
179
+ msgstr "Error"
180
+
181
+ #: redirection-strings.php:384
182
+ msgid "Enter full URL, including http:// or https://"
183
+ msgstr "Enter full URL, including http:// or https://"
184
+
185
+ #: redirection-strings.php:382
186
+ 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."
187
+ msgstr "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."
188
+
189
+ #: redirection-strings.php:381
190
+ msgid "Redirect Tester"
191
+ msgstr "Redirect Tester"
192
+
193
+ #: redirection-strings.php:380
194
+ msgid "Target"
195
+ msgstr "Target"
196
+
197
+ #: redirection-strings.php:379
198
+ msgid "URL is not being redirected with Redirection"
199
+ msgstr "URL is not being redirected with Redirection"
200
+
201
+ #: redirection-strings.php:378
202
+ msgid "URL is being redirected with Redirection"
203
+ msgstr "URL is being redirected with Redirection"
204
+
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
+ msgid "Unable to load details"
207
+ msgstr "Unable to load details"
208
+
209
+ #: redirection-strings.php:365
210
+ msgid "Enter server URL to match against"
211
+ msgstr "Enter server URL to match against"
212
+
213
+ #: redirection-strings.php:364
214
+ msgid "Server"
215
+ msgstr "Server"
216
+
217
+ #: redirection-strings.php:363
218
+ msgid "Enter role or capability value"
219
+ msgstr "Enter role or capability value"
220
+
221
+ #: redirection-strings.php:362
222
+ msgid "Role"
223
+ msgstr "Role"
224
+
225
+ #: redirection-strings.php:360
226
+ msgid "Match against this browser referrer text"
227
+ msgstr "Match against this browser referrer text"
228
+
229
+ #: redirection-strings.php:335
230
+ msgid "Match against this browser user agent"
231
+ msgstr "Match against this browser user agent"
232
+
233
+ #: redirection-strings.php:315
234
+ msgid "The relative URL you want to redirect from"
235
+ msgstr "The relative URL you want to redirect from"
236
+
237
+ #: redirection-strings.php:279
238
+ msgid "The target URL you want to redirect to if matched"
239
+ msgstr "The target URL you want to redirect to if matched"
240
+
241
+ #: redirection-strings.php:264
242
+ msgid "(beta)"
243
+ msgstr "(beta)"
244
+
245
+ #: redirection-strings.php:263
246
+ msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
+ msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
+
249
+ #: redirection-strings.php:262
250
+ msgid "Force HTTPS"
251
+ msgstr "Force HTTPS"
252
+
253
+ #: redirection-strings.php:254
254
+ msgid "GDPR / Privacy information"
255
+ msgstr "GDPR / Privacy information"
256
+
257
+ #: redirection-strings.php:121
258
+ msgid "Add New"
259
+ msgstr "Add New"
260
+
261
+ #: redirection-strings.php:6
262
+ msgid "Please logout and login again."
263
+ msgstr "Please logout and login again."
264
+
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
+ msgid "URL and role/capability"
267
+ msgstr "URL and role/capability"
268
+
269
+ #: matches/server.php:9 redirection-strings.php:287
270
+ msgid "URL and server"
271
+ msgstr "URL and server"
272
+
273
+ #: redirection-strings.php:241
274
+ msgid "Relative /wp-json/"
275
+ msgstr "Relative /wp-json/"
276
+
277
+ #: redirection-strings.php:239
278
+ msgid "Default /wp-json/"
279
+ msgstr "Default /wp-json/"
280
+
281
+ #: redirection-strings.php:13
282
+ msgid "If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"
283
+ msgstr "If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"
284
+
285
+ #: models/fixer.php:60
286
+ msgid "Site and home protocol"
287
+ msgstr "Site and home protocol"
288
+
289
+ #: models/fixer.php:53
290
+ msgid "Site and home are consistent"
291
+ msgstr "Site and home are consistent"
292
+
293
+ #: redirection-strings.php:353
294
+ msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
+ msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
296
+
297
+ #: redirection-strings.php:351
298
+ msgid "Accept Language"
299
+ msgstr "Accept Language"
300
+
301
+ #: redirection-strings.php:349
302
+ msgid "Header value"
303
+ msgstr "Header value"
304
+
305
+ #: redirection-strings.php:348
306
+ msgid "Header name"
307
+ msgstr "Header name"
308
+
309
+ #: redirection-strings.php:347
310
+ msgid "HTTP Header"
311
+ msgstr "HTTP Header"
312
+
313
+ #: redirection-strings.php:346
314
+ msgid "WordPress filter name"
315
+ msgstr "WordPress filter name"
316
+
317
+ #: redirection-strings.php:345
318
+ msgid "Filter Name"
319
+ msgstr "Filter Name"
320
+
321
+ #: redirection-strings.php:343
322
+ msgid "Cookie value"
323
+ msgstr "Cookie value"
324
+
325
+ #: redirection-strings.php:342
326
+ msgid "Cookie name"
327
+ msgstr "Cookie name"
328
+
329
+ #: redirection-strings.php:341
330
+ msgid "Cookie"
331
+ msgstr "Cookie"
332
+
333
+ #: redirection-strings.php:115
334
+ msgid "clearing your cache."
335
+ msgstr "clearing your cache."
336
+
337
+ #: redirection-strings.php:114
338
+ msgid "If you are using a caching system such as Cloudflare then please read this: "
339
+ msgstr "If you are using a caching system such as Cloudflare then please read this: "
340
+
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
+ msgid "URL and HTTP header"
343
+ msgstr "URL and HTTP header"
344
+
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
+ msgid "URL and custom filter"
347
+ msgstr "URL and custom filter"
348
+
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
+ msgid "URL and cookie"
351
+ msgstr "URL and cookie"
352
+
353
+ #: redirection-strings.php:402
354
+ msgid "404 deleted"
355
+ msgstr "404 deleted"
356
+
357
+ #: redirection-strings.php:240
358
+ msgid "Raw /index.php?rest_route=/"
359
+ msgstr "Raw /index.php?rest_route=/"
360
+
361
+ #: redirection-strings.php:267
362
+ msgid "REST API"
363
+ msgstr "REST API"
364
+
365
+ #: redirection-strings.php:268
366
+ msgid "How Redirection uses the REST API - don't change unless necessary"
367
+ msgstr "How Redirection uses the REST API - don't change unless necessary"
368
+
369
+ #: redirection-strings.php:10
370
+ msgid "WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."
371
+ msgstr "WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."
372
+
373
+ #: redirection-strings.php:15
374
+ msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
375
+ msgstr "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
376
+
377
+ #: redirection-strings.php:16
378
+ msgid "{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."
379
+ msgstr "{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."
380
+
381
+ #: redirection-strings.php:17
382
+ msgid "{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."
383
+ msgstr "{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."
384
+
385
+ #: redirection-strings.php:18
386
+ msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
387
+ msgstr "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
388
+
389
+ #: redirection-strings.php:19
390
+ msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
391
+ msgstr "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
392
+
393
+ #: redirection-strings.php:20
394
+ msgid "None of the suggestions helped"
395
+ msgstr "None of the suggestions helped"
396
+
397
+ #: redirection-admin.php:445
398
+ msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
+ msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
400
+
401
+ #: redirection-admin.php:439
402
+ msgid "Unable to load Redirection ☹️"
403
+ msgstr "Unable to load Redirection ☹️"
404
+
405
+ #. translators: %s: URL of REST API
406
+ #: models/fixer.php:100
407
+ msgid "WordPress REST API is working at %s"
408
+ msgstr "WordPress REST API is working at %s"
409
+
410
+ #: models/fixer.php:96
411
+ msgid "WordPress REST API"
412
+ msgstr "WordPress REST API"
413
+
414
+ #: models/fixer.php:88
415
+ msgid "REST API is not working so routes not checked"
416
+ msgstr "REST API is not working so routes not checked"
417
+
418
+ #: models/fixer.php:83
419
+ msgid "Redirection routes are working"
420
+ msgstr "Redirection routes are working"
421
+
422
+ #: models/fixer.php:77
423
+ msgid "Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"
424
+ msgstr "Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"
425
+
426
+ #: models/fixer.php:69
427
+ msgid "Redirection routes"
428
+ msgstr "Redirection routes"
429
+
430
+ #: redirection-strings.php:9
431
+ msgid "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
432
+ msgstr "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
433
+
434
+ #. Author URI of the plugin/theme
435
+ msgid "https://johngodley.com"
436
+ msgstr "https://johngodley.com"
437
+
438
+ #: redirection-strings.php:76
439
+ msgid "Useragent Error"
440
+ msgstr "Useragent Error"
441
+
442
+ #: redirection-strings.php:78
443
+ msgid "Unknown Useragent"
444
+ msgstr "Unknown Useragent"
445
+
446
+ #: redirection-strings.php:79
447
+ msgid "Device"
448
+ msgstr "Device"
449
+
450
+ #: redirection-strings.php:80
451
+ msgid "Operating System"
452
+ msgstr "Operating System"
453
+
454
+ #: redirection-strings.php:81
455
+ msgid "Browser"
456
+ msgstr "Browser"
457
+
458
+ #: redirection-strings.php:82
459
+ msgid "Engine"
460
+ msgstr "Engine"
461
+
462
+ #: redirection-strings.php:83
463
+ msgid "Useragent"
464
+ msgstr "Useragent"
465
+
466
+ #: redirection-strings.php:43 redirection-strings.php:84
467
+ msgid "Agent"
468
+ msgstr "Agent"
469
+
470
+ #: redirection-strings.php:236
471
+ msgid "No IP logging"
472
+ msgstr "No IP logging"
473
+
474
+ #: redirection-strings.php:237
475
+ msgid "Full IP logging"
476
+ msgstr "Full IP logging"
477
+
478
+ #: redirection-strings.php:238
479
+ msgid "Anonymize IP (mask last part)"
480
+ msgstr "Anonymise IP (mask last part)"
481
+
482
+ #: redirection-strings.php:246
483
+ msgid "Monitor changes to %(type)s"
484
+ msgstr "Monitor changes to %(type)s"
485
+
486
+ #: redirection-strings.php:252
487
+ msgid "IP Logging"
488
+ msgstr "IP Logging"
489
+
490
+ #: redirection-strings.php:253
491
+ msgid "(select IP logging level)"
492
+ msgstr "(select IP logging level)"
493
+
494
+ #: redirection-strings.php:170 redirection-strings.php:197
495
+ #: redirection-strings.php:208
496
+ msgid "Geo Info"
497
+ msgstr "Geo Info"
498
+
499
+ #: redirection-strings.php:171 redirection-strings.php:209
500
+ msgid "Agent Info"
501
+ msgstr "Agent Info"
502
+
503
+ #: redirection-strings.php:172 redirection-strings.php:210
504
+ msgid "Filter by IP"
505
+ msgstr "Filter by IP"
506
+
507
+ #: redirection-strings.php:166 redirection-strings.php:179
508
+ msgid "Referrer / User Agent"
509
+ msgstr "Referrer / User Agent"
510
+
511
+ #: redirection-strings.php:26
512
+ msgid "Geo IP Error"
513
+ msgstr "Geo IP Error"
514
+
515
+ #: redirection-strings.php:27 redirection-strings.php:38
516
+ #: redirection-strings.php:77
517
+ msgid "Something went wrong obtaining this information"
518
+ msgstr "Something went wrong obtaining this information"
519
+
520
+ #: redirection-strings.php:29
521
+ 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."
522
+ msgstr "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."
523
+
524
+ #: redirection-strings.php:31
525
+ msgid "No details are known for this address."
526
+ msgstr "No details are known for this address."
527
+
528
+ #: redirection-strings.php:28 redirection-strings.php:30
529
+ #: redirection-strings.php:32
530
+ msgid "Geo IP"
531
+ msgstr "Geo IP"
532
+
533
+ #: redirection-strings.php:33
534
+ msgid "City"
535
+ msgstr "City"
536
+
537
+ #: redirection-strings.php:34
538
+ msgid "Area"
539
+ msgstr "Area"
540
+
541
+ #: redirection-strings.php:35
542
+ msgid "Timezone"
543
+ msgstr "Timezone"
544
+
545
+ #: redirection-strings.php:36
546
+ msgid "Geo Location"
547
+ msgstr "Geo Location"
548
+
549
+ #: redirection-strings.php:56
550
+ msgid "Powered by {{link}}redirect.li{{/link}}"
551
+ msgstr "Powered by {{link}}redirect.li{{/link}}"
552
+
553
+ #: redirection-settings.php:22
554
+ msgid "Trash"
555
+ msgstr "Trash"
556
+
557
+ #: redirection-admin.php:444
558
+ msgid "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"
559
+ msgstr "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"
560
+
561
+ #. translators: URL
562
+ #: redirection-admin.php:309
563
+ msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
+ msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
565
+
566
+ #. Plugin URI of the plugin/theme
567
+ msgid "https://redirection.me/"
568
+ msgstr "https://redirection.me/"
569
+
570
+ #: redirection-strings.php:373
571
+ 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."
572
+ msgstr "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."
573
+
574
+ #: redirection-strings.php:374
575
+ msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
+ msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
577
+
578
+ #: redirection-strings.php:376
579
+ 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!"
580
+ msgstr "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!"
581
+
582
+ #: redirection-strings.php:231
583
+ msgid "Never cache"
584
+ msgstr "Never cache"
585
+
586
+ #: redirection-strings.php:232
587
+ msgid "An hour"
588
+ msgstr "An hour"
589
+
590
+ #: redirection-strings.php:265
591
+ msgid "Redirect Cache"
592
+ msgstr "Redirect Cache"
593
+
594
+ #: redirection-strings.php:266
595
+ msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
+ msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
597
+
598
+ #: redirection-strings.php:137
599
+ msgid "Are you sure you want to import from %s?"
600
+ msgstr "Are you sure you want to import from %s?"
601
+
602
+ #: redirection-strings.php:138
603
+ msgid "Plugin Importers"
604
+ msgstr "Plugin Importers"
605
+
606
+ #: redirection-strings.php:139
607
+ msgid "The following redirect plugins were detected on your site and can be imported from."
608
+ msgstr "The following redirect plugins were detected on your site and can be imported from."
609
+
610
+ #: redirection-strings.php:122
611
+ msgid "total = "
612
+ msgstr "total = "
613
+
614
+ #: redirection-strings.php:123
615
+ msgid "Import from %s"
616
+ msgstr "Import from %s"
617
+
618
+ #. translators: URL
619
+ #: redirection-admin.php:392
620
+ msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
+ msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
622
+
623
+ #: redirection-admin.php:395
624
+ msgid "Redirection not installed properly"
625
+ msgstr "Redirection not installed properly"
626
+
627
+ #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
+ msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
+ msgstr "Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"
631
+
632
+ #: models/importer.php:151
633
+ msgid "Default WordPress \"old slugs\""
634
+ msgstr "Default WordPress \"old slugs\""
635
+
636
+ #: redirection-strings.php:245
637
+ msgid "Create associated redirect (added to end of URL)"
638
+ msgstr "Create associated redirect (added to end of URL)"
639
+
640
+ #: redirection-admin.php:447
641
+ msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
+ msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
643
+
644
+ #: redirection-strings.php:393
645
+ 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."
646
+ msgstr "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."
647
+
648
+ #: redirection-strings.php:394
649
+ msgid "⚡️ Magic fix ⚡️"
650
+ msgstr "⚡️ Magic fix ⚡️"
651
+
652
+ #: redirection-strings.php:397
653
+ msgid "Plugin Status"
654
+ msgstr "Plugin Status"
655
+
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
+ msgid "Custom"
658
+ msgstr "Custom"
659
+
660
+ #: redirection-strings.php:337
661
+ msgid "Mobile"
662
+ msgstr "Mobile"
663
+
664
+ #: redirection-strings.php:338
665
+ msgid "Feed Readers"
666
+ msgstr "Feed Readers"
667
+
668
+ #: redirection-strings.php:339
669
+ msgid "Libraries"
670
+ msgstr "Libraries"
671
+
672
+ #: redirection-strings.php:242
673
+ msgid "URL Monitor Changes"
674
+ msgstr "URL Monitor Changes"
675
+
676
+ #: redirection-strings.php:243
677
+ msgid "Save changes to this group"
678
+ msgstr "Save changes to this group"
679
+
680
+ #: redirection-strings.php:244
681
+ msgid "For example \"/amp\""
682
+ msgstr "For example \"/amp\""
683
+
684
+ #: redirection-strings.php:255
685
+ msgid "URL Monitor"
686
+ msgstr "URL Monitor"
687
+
688
+ #: redirection-strings.php:204
689
+ msgid "Delete 404s"
690
+ msgstr "Delete 404s"
691
+
692
+ #: redirection-strings.php:156
693
+ msgid "Delete all from IP %s"
694
+ msgstr "Delete all from IP %s"
695
+
696
+ #: redirection-strings.php:157
697
+ msgid "Delete all matching \"%s\""
698
+ msgstr "Delete all matching \"%s\""
699
+
700
+ #: redirection-strings.php:8
701
+ msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
+ msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
703
+
704
+ #: redirection-admin.php:442
705
+ msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
+ msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
707
+
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
+ msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
+ msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
711
+
712
+ #: redirection-admin.php:361
713
+ msgid "Unable to load Redirection"
714
+ msgstr "Unable to load Redirection"
715
+
716
+ #: models/fixer.php:265
717
+ msgid "Unable to create group"
718
+ msgstr "Unable to create group"
719
+
720
+ #: models/fixer.php:257
721
+ msgid "Failed to fix database tables"
722
+ msgstr "Failed to fix database tables"
723
+
724
+ #: models/fixer.php:40
725
+ msgid "Post monitor group is valid"
726
+ msgstr "Post monitor group is valid"
727
+
728
+ #: models/fixer.php:40
729
+ msgid "Post monitor group is invalid"
730
+ msgstr "Post monitor group is invalid"
731
+
732
+ #: models/fixer.php:38
733
+ msgid "Post monitor group"
734
+ msgstr "Post monitor group"
735
+
736
+ #: models/fixer.php:34
737
+ msgid "All redirects have a valid group"
738
+ msgstr "All redirects have a valid group"
739
+
740
+ #: models/fixer.php:34
741
+ msgid "Redirects with invalid groups detected"
742
+ msgstr "Redirects with invalid groups detected"
743
+
744
+ #: models/fixer.php:32
745
+ msgid "Valid redirect group"
746
+ msgstr "Valid redirect group"
747
+
748
+ #: models/fixer.php:28
749
+ msgid "Valid groups detected"
750
+ msgstr "Valid groups detected"
751
+
752
+ #: models/fixer.php:28
753
+ msgid "No valid groups, so you will not be able to create any redirects"
754
+ msgstr "No valid groups, so you will not be able to create any redirects"
755
+
756
+ #: models/fixer.php:26
757
+ msgid "Valid groups"
758
+ msgstr "Valid groups"
759
+
760
+ #: models/fixer.php:23
761
+ msgid "Database tables"
762
+ msgstr "Database tables"
763
+
764
+ #: models/database.php:317
765
+ msgid "The following tables are missing:"
766
+ msgstr "The following tables are missing:"
767
+
768
+ #: models/database.php:317
769
+ msgid "All tables present"
770
+ msgstr "All tables present"
771
+
772
+ #: redirection-strings.php:112
773
+ msgid "Cached Redirection detected"
774
+ msgstr "Cached Redirection detected"
775
+
776
+ #: redirection-strings.php:113
777
+ msgid "Please clear your browser cache and reload this page."
778
+ msgstr "Please clear your browser cache and reload this page."
779
+
780
+ #: redirection-strings.php:4
781
+ msgid "The data on this page has expired, please reload."
782
+ msgstr "The data on this page has expired, please reload."
783
+
784
+ #: redirection-strings.php:5
785
+ 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."
786
+ msgstr "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."
787
+
788
+ #: redirection-strings.php:7
789
+ msgid "Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"
790
+ msgstr "Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"
791
+
792
+ #: redirection-strings.php:25
793
+ msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
+ msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
795
+
796
+ #: redirection-admin.php:446
797
+ msgid "If you think Redirection is at fault then create an issue."
798
+ msgstr "If you think Redirection is at fault then create an issue."
799
+
800
+ #: redirection-admin.php:440
801
+ msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
+ msgstr "This may be caused by another plugin - look at your browser's error console for more details."
803
+
804
+ #: redirection-admin.php:432
805
+ msgid "Loading, please wait..."
806
+ msgstr "Loading, please wait..."
807
+
808
+ #: redirection-strings.php:142
809
+ 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)."
810
+ msgstr "{{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)."
811
+
812
+ #: redirection-strings.php:117
813
+ msgid "Redirection is not working. Try clearing your browser cache and reloading this page."
814
+ msgstr "Redirection is not working. Try clearing your browser cache and reloading this page."
815
+
816
+ #: redirection-strings.php:119
817
+ msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
818
+ msgstr "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
819
+
820
+ #: redirection-strings.php:21
821
+ msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
+ msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
823
+
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
+ msgid "Create Issue"
826
+ msgstr "Create Issue"
827
+
828
+ #: redirection-strings.php:23
829
+ msgid "Email"
830
+ msgstr "Email"
831
+
832
+ #: redirection-strings.php:24
833
+ msgid "Important details"
834
+ msgstr "Important details"
835
+
836
+ #: redirection-strings.php:372
837
+ msgid "Need help?"
838
+ msgstr "Need help?"
839
+
840
+ #: redirection-strings.php:375
841
+ msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
+ msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
843
+
844
+ #: redirection-strings.php:324
845
+ msgid "Pos"
846
+ msgstr "Pos"
847
+
848
+ #: redirection-strings.php:306
849
+ msgid "410 - Gone"
850
+ msgstr "410 - Gone"
851
+
852
+ #: redirection-strings.php:314
853
+ msgid "Position"
854
+ msgstr "Position"
855
+
856
+ #: redirection-strings.php:259
857
+ 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"
858
+ msgstr "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"
859
+
860
+ #: redirection-strings.php:260
861
+ msgid "Apache Module"
862
+ msgstr "Apache Module"
863
+
864
+ #: redirection-strings.php:261
865
+ msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
+ msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
867
+
868
+ #: redirection-strings.php:124
869
+ msgid "Import to group"
870
+ msgstr "Import to group"
871
+
872
+ #: redirection-strings.php:125
873
+ msgid "Import a CSV, .htaccess, or JSON file."
874
+ msgstr "Import a CSV, .htaccess, or JSON file."
875
+
876
+ #: redirection-strings.php:126
877
+ msgid "Click 'Add File' or drag and drop here."
878
+ msgstr "Click 'Add File' or drag and drop here."
879
+
880
+ #: redirection-strings.php:127
881
+ msgid "Add File"
882
+ msgstr "Add File"
883
+
884
+ #: redirection-strings.php:128
885
+ msgid "File selected"
886
+ msgstr "File selected"
887
+
888
+ #: redirection-strings.php:131
889
+ msgid "Importing"
890
+ msgstr "Importing"
891
+
892
+ #: redirection-strings.php:132
893
+ msgid "Finished importing"
894
+ msgstr "Finished importing"
895
+
896
+ #: redirection-strings.php:133
897
+ msgid "Total redirects imported:"
898
+ msgstr "Total redirects imported:"
899
+
900
+ #: redirection-strings.php:134
901
+ msgid "Double-check the file is the correct format!"
902
+ msgstr "Double-check the file is the correct format!"
903
+
904
+ #: redirection-strings.php:135
905
+ msgid "OK"
906
+ msgstr "OK"
907
+
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
+ msgid "Close"
910
+ msgstr "Close"
911
+
912
+ #: redirection-strings.php:141
913
+ msgid "All imports will be appended to the current database."
914
+ msgstr "All imports will be appended to the current database."
915
+
916
+ #: redirection-strings.php:143 redirection-strings.php:163
917
+ msgid "Export"
918
+ msgstr "Export"
919
+
920
+ #: redirection-strings.php:144
921
+ msgid "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."
922
+ msgstr "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."
923
+
924
+ #: redirection-strings.php:145
925
+ msgid "Everything"
926
+ msgstr "Everything"
927
+
928
+ #: redirection-strings.php:146
929
+ msgid "WordPress redirects"
930
+ msgstr "WordPress redirects"
931
+
932
+ #: redirection-strings.php:147
933
+ msgid "Apache redirects"
934
+ msgstr "Apache redirects"
935
+
936
+ #: redirection-strings.php:148
937
+ msgid "Nginx redirects"
938
+ msgstr "Nginx redirects"
939
+
940
+ #: redirection-strings.php:149
941
+ msgid "CSV"
942
+ msgstr "CSV"
943
+
944
+ #: redirection-strings.php:150
945
+ msgid "Apache .htaccess"
946
+ msgstr "Apache .htaccess"
947
+
948
+ #: redirection-strings.php:151
949
+ msgid "Nginx rewrite rules"
950
+ msgstr "Nginx rewrite rules"
951
+
952
+ #: redirection-strings.php:152
953
+ msgid "Redirection JSON"
954
+ msgstr "Redirection JSON"
955
+
956
+ #: redirection-strings.php:153
957
+ msgid "View"
958
+ msgstr "View"
959
+
960
+ #: redirection-strings.php:155
961
+ msgid "Log files can be exported from the log pages."
962
+ msgstr "Log files can be exported from the log pages."
963
+
964
+ #: redirection-strings.php:52 redirection-strings.php:107
965
+ msgid "Import/Export"
966
+ msgstr "Import/Export"
967
+
968
+ #: redirection-strings.php:108
969
+ msgid "Logs"
970
+ msgstr "Logs"
971
+
972
+ #: redirection-strings.php:109
973
+ msgid "404 errors"
974
+ msgstr "404 errors"
975
+
976
+ #: redirection-strings.php:120
977
+ msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
978
+ msgstr "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
979
+
980
+ #: redirection-strings.php:220
981
+ msgid "I'd like to support some more."
982
+ msgstr "I'd like to support some more."
983
+
984
+ #: redirection-strings.php:223
985
+ msgid "Support 💰"
986
+ msgstr "Support 💰"
987
+
988
+ #: redirection-strings.php:398
989
+ msgid "Redirection saved"
990
+ msgstr "Redirection saved"
991
+
992
+ #: redirection-strings.php:399
993
+ msgid "Log deleted"
994
+ msgstr "Log deleted"
995
+
996
+ #: redirection-strings.php:400
997
+ msgid "Settings saved"
998
+ msgstr "Settings saved"
999
+
1000
+ #: redirection-strings.php:401
1001
+ msgid "Group saved"
1002
+ msgstr "Group saved"
1003
+
1004
+ #: redirection-strings.php:85
1005
+ msgid "Are you sure you want to delete this item?"
1006
+ msgid_plural "Are you sure you want to delete these items?"
1007
+ msgstr[0] "Are you sure you want to delete this item?"
1008
+ msgstr[1] "Are you sure you want to delete these items?"
1009
+
1010
+ #: redirection-strings.php:371
1011
+ msgid "pass"
1012
+ msgstr "pass"
1013
+
1014
+ #: redirection-strings.php:331
1015
+ msgid "All groups"
1016
+ msgstr "All groups"
1017
+
1018
+ #: redirection-strings.php:296
1019
+ msgid "301 - Moved Permanently"
1020
+ msgstr "301 - Moved Permanently"
1021
+
1022
+ #: redirection-strings.php:297
1023
+ msgid "302 - Found"
1024
+ msgstr "302 - Found"
1025
+
1026
+ #: redirection-strings.php:300
1027
+ msgid "307 - Temporary Redirect"
1028
+ msgstr "307 - Temporary Redirect"
1029
+
1030
+ #: redirection-strings.php:301
1031
+ msgid "308 - Permanent Redirect"
1032
+ msgstr "308 - Permanent Redirect"
1033
+
1034
+ #: redirection-strings.php:303
1035
+ msgid "401 - Unauthorized"
1036
+ msgstr "401 - Unauthorised"
1037
+
1038
+ #: redirection-strings.php:305
1039
+ msgid "404 - Not Found"
1040
+ msgstr "404 - Not Found"
1041
+
1042
+ #: redirection-strings.php:308
1043
+ msgid "Title"
1044
+ msgstr "Title"
1045
+
1046
+ #: redirection-strings.php:311
1047
+ msgid "When matched"
1048
+ msgstr "When matched"
1049
+
1050
+ #: redirection-strings.php:312
1051
+ msgid "with HTTP code"
1052
+ msgstr "with HTTP code"
1053
+
1054
+ #: redirection-strings.php:321
1055
+ msgid "Show advanced options"
1056
+ msgstr "Show advanced options"
1057
+
1058
+ #: redirection-strings.php:274
1059
+ msgid "Matched Target"
1060
+ msgstr "Matched Target"
1061
+
1062
+ #: redirection-strings.php:276
1063
+ msgid "Unmatched Target"
1064
+ msgstr "Unmatched Target"
1065
+
1066
+ #: redirection-strings.php:57 redirection-strings.php:58
1067
+ msgid "Saving..."
1068
+ msgstr "Saving..."
1069
+
1070
+ #: redirection-strings.php:55
1071
+ msgid "View notice"
1072
+ msgstr "View notice"
1073
+
1074
+ #: models/redirect.php:560
1075
+ msgid "Invalid source URL"
1076
+ msgstr "Invalid source URL"
1077
+
1078
+ #: models/redirect.php:488
1079
+ msgid "Invalid redirect action"
1080
+ msgstr "Invalid redirect action"
1081
+
1082
+ #: models/redirect.php:482
1083
+ msgid "Invalid redirect matcher"
1084
+ msgstr "Invalid redirect matcher"
1085
+
1086
+ #: models/redirect.php:195
1087
+ msgid "Unable to add new redirect"
1088
+ msgstr "Unable to add new redirect"
1089
+
1090
+ #: redirection-strings.php:12 redirection-strings.php:116
1091
+ msgid "Something went wrong 🙁"
1092
+ msgstr "Something went wrong 🙁"
1093
+
1094
+ #: redirection-strings.php:11
1095
+ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1096
+ msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1097
+
1098
+ #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
+ msgid "Log entries (%d max)"
1101
+ msgstr "Log entries (%d max)"
1102
+
1103
+ #: redirection-strings.php:74
1104
+ msgid "Search by IP"
1105
+ msgstr "Search by IP"
1106
+
1107
+ #: redirection-strings.php:69
1108
+ msgid "Select bulk action"
1109
+ msgstr "Select bulk action"
1110
+
1111
+ #: redirection-strings.php:70
1112
+ msgid "Bulk Actions"
1113
+ msgstr "Bulk Actions"
1114
+
1115
+ #: redirection-strings.php:71
1116
+ msgid "Apply"
1117
+ msgstr "Apply"
1118
+
1119
+ #: redirection-strings.php:62
1120
+ msgid "First page"
1121
+ msgstr "First page"
1122
+
1123
+ #: redirection-strings.php:63
1124
+ msgid "Prev page"
1125
+ msgstr "Prev page"
1126
+
1127
+ #: redirection-strings.php:64
1128
+ msgid "Current Page"
1129
+ msgstr "Current Page"
1130
+
1131
+ #: redirection-strings.php:65
1132
+ msgid "of %(page)s"
1133
+ msgstr "of %(page)s"
1134
+
1135
+ #: redirection-strings.php:66
1136
+ msgid "Next page"
1137
+ msgstr "Next page"
1138
+
1139
+ #: redirection-strings.php:67
1140
+ msgid "Last page"
1141
+ msgstr "Last page"
1142
+
1143
+ #: redirection-strings.php:68
1144
+ msgid "%s item"
1145
+ msgid_plural "%s items"
1146
+ msgstr[0] "%s item"
1147
+ msgstr[1] "%s items"
1148
+
1149
+ #: redirection-strings.php:61
1150
+ msgid "Select All"
1151
+ msgstr "Select All"
1152
+
1153
+ #: redirection-strings.php:73
1154
+ msgid "Sorry, something went wrong loading the data - please try again"
1155
+ msgstr "Sorry, something went wrong loading the data - please try again"
1156
+
1157
+ #: redirection-strings.php:72
1158
+ msgid "No results"
1159
+ msgstr "No results"
1160
+
1161
+ #: redirection-strings.php:159
1162
+ msgid "Delete the logs - are you sure?"
1163
+ msgstr "Delete the logs - are you sure?"
1164
+
1165
+ #: redirection-strings.php:160
1166
+ 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."
1167
+ msgstr "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."
1168
+
1169
+ #: redirection-strings.php:161
1170
+ msgid "Yes! Delete the logs"
1171
+ msgstr "Yes! Delete the logs"
1172
+
1173
+ #: redirection-strings.php:162
1174
+ msgid "No! Don't delete the logs"
1175
+ msgstr "No! Don't delete the logs"
1176
+
1177
+ #: redirection-strings.php:388
1178
+ msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
+ msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1180
+
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
+ msgid "Newsletter"
1183
+ msgstr "Newsletter"
1184
+
1185
+ #: redirection-strings.php:390
1186
+ msgid "Want to keep up to date with changes to Redirection?"
1187
+ msgstr "Want to keep up to date with changes to Redirection?"
1188
+
1189
+ #: redirection-strings.php:391
1190
+ msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
+ msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1192
+
1193
+ #: redirection-strings.php:392
1194
+ msgid "Your email address:"
1195
+ msgstr "Your email address:"
1196
+
1197
+ #: redirection-strings.php:219
1198
+ msgid "You've supported this plugin - thank you!"
1199
+ msgstr "You've supported this plugin - thank you!"
1200
+
1201
+ #: redirection-strings.php:222
1202
+ msgid "You get useful software and I get to carry on making it better."
1203
+ msgstr "You get useful software and I get to carry on making it better."
1204
+
1205
+ #: redirection-strings.php:230 redirection-strings.php:235
1206
+ msgid "Forever"
1207
+ msgstr "Forever"
1208
+
1209
+ #: redirection-strings.php:211
1210
+ msgid "Delete the plugin - are you sure?"
1211
+ msgstr "Delete the plugin - are you sure?"
1212
+
1213
+ #: redirection-strings.php:212
1214
+ 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."
1215
+ msgstr "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."
1216
+
1217
+ #: redirection-strings.php:213
1218
+ msgid "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
1219
+ msgstr "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
1220
+
1221
+ #: redirection-strings.php:214
1222
+ msgid "Yes! Delete the plugin"
1223
+ msgstr "Yes! Delete the plugin"
1224
+
1225
+ #: redirection-strings.php:215
1226
+ msgid "No! Don't delete the plugin"
1227
+ msgstr "No! Don't delete the plugin"
1228
+
1229
+ #. Author of the plugin/theme
1230
+ msgid "John Godley"
1231
+ msgstr "John Godley"
1232
+
1233
+ #. Description of the plugin/theme
1234
+ msgid "Manage all your 301 redirects and monitor 404 errors"
1235
+ msgstr "Manage all your 301 redirects and monitor 404 errors."
1236
+
1237
+ #: redirection-strings.php:221
1238
+ 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}}."
1239
+ msgstr "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}}."
1240
+
1241
+ #: redirection-admin.php:310
1242
+ msgid "Redirection Support"
1243
+ msgstr "Redirection Support"
1244
+
1245
+ #: redirection-strings.php:54 redirection-strings.php:111
1246
+ msgid "Support"
1247
+ msgstr "Support"
1248
+
1249
+ #: redirection-strings.php:51
1250
+ msgid "404s"
1251
+ msgstr "404s"
1252
+
1253
+ #: redirection-strings.php:50
1254
+ msgid "Log"
1255
+ msgstr "Log"
1256
+
1257
+ #: redirection-strings.php:217
1258
+ 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."
1259
+ msgstr "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."
1260
+
1261
+ #: redirection-strings.php:216
1262
+ msgid "Delete Redirection"
1263
+ msgstr "Delete Redirection"
1264
+
1265
+ #: redirection-strings.php:129
1266
+ msgid "Upload"
1267
+ msgstr "Upload"
1268
+
1269
+ #: redirection-strings.php:140
1270
+ msgid "Import"
1271
+ msgstr "Import"
1272
+
1273
+ #: redirection-strings.php:269
1274
+ msgid "Update"
1275
+ msgstr "Update"
1276
+
1277
+ #: redirection-strings.php:258
1278
+ msgid "Auto-generate URL"
1279
+ msgstr "Auto-generate URL"
1280
+
1281
+ #: redirection-strings.php:257
1282
+ msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
+ msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1284
+
1285
+ #: redirection-strings.php:256
1286
+ msgid "RSS Token"
1287
+ msgstr "RSS Token"
1288
+
1289
+ #: redirection-strings.php:250
1290
+ msgid "404 Logs"
1291
+ msgstr "404 Logs"
1292
+
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
+ msgid "(time to keep logs for)"
1295
+ msgstr "(time to keep logs for)"
1296
+
1297
+ #: redirection-strings.php:248
1298
+ msgid "Redirect Logs"
1299
+ msgstr "Redirect Logs"
1300
+
1301
+ #: redirection-strings.php:247
1302
+ msgid "I'm a nice person and I have helped support the author of this plugin"
1303
+ msgstr "I'm a nice person and I have helped support the author of this plugin."
1304
+
1305
+ #: redirection-strings.php:224
1306
+ msgid "Plugin Support"
1307
+ msgstr "Plugin Support"
1308
+
1309
+ #: redirection-strings.php:53 redirection-strings.php:110
1310
+ msgid "Options"
1311
+ msgstr "Options"
1312
+
1313
+ #: redirection-strings.php:229
1314
+ msgid "Two months"
1315
+ msgstr "Two months"
1316
+
1317
+ #: redirection-strings.php:228
1318
+ msgid "A month"
1319
+ msgstr "A month"
1320
+
1321
+ #: redirection-strings.php:227 redirection-strings.php:234
1322
+ msgid "A week"
1323
+ msgstr "A week"
1324
+
1325
+ #: redirection-strings.php:226 redirection-strings.php:233
1326
+ msgid "A day"
1327
+ msgstr "A day"
1328
+
1329
+ #: redirection-strings.php:225
1330
+ msgid "No logs"
1331
+ msgstr "No logs"
1332
+
1333
+ #: redirection-strings.php:158 redirection-strings.php:194
1334
+ #: redirection-strings.php:199
1335
+ msgid "Delete All"
1336
+ msgstr "Delete All"
1337
+
1338
+ #: redirection-strings.php:94
1339
+ 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."
1340
+ msgstr "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."
1341
+
1342
+ #: redirection-strings.php:93
1343
+ msgid "Add Group"
1344
+ msgstr "Add Group"
1345
+
1346
+ #: redirection-strings.php:75
1347
+ msgid "Search"
1348
+ msgstr "Search"
1349
+
1350
+ #: redirection-strings.php:49 redirection-strings.php:106
1351
+ msgid "Groups"
1352
+ msgstr "Groups"
1353
+
1354
+ #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
+ msgid "Save"
1357
+ msgstr "Save"
1358
+
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
+ msgid "Group"
1361
+ msgstr "Group"
1362
+
1363
+ #: redirection-strings.php:310
1364
+ msgid "Match"
1365
+ msgstr "Match"
1366
+
1367
+ #: redirection-strings.php:332
1368
+ msgid "Add new redirection"
1369
+ msgstr "Add new redirection"
1370
+
1371
+ #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
+ msgid "Cancel"
1374
+ msgstr "Cancel"
1375
+
1376
+ #: redirection-strings.php:154
1377
+ msgid "Download"
1378
+ msgstr "Download"
1379
+
1380
+ #. Plugin Name of the plugin/theme
1381
+ msgid "Redirection"
1382
+ msgstr "Redirection"
1383
+
1384
+ #: redirection-admin.php:158
1385
+ msgid "Settings"
1386
+ msgstr "Settings"
1387
+
1388
+ #: redirection-strings.php:294
1389
+ msgid "Error (404)"
1390
+ msgstr "Error (404)"
1391
+
1392
+ #: redirection-strings.php:293
1393
+ msgid "Pass-through"
1394
+ msgstr "Pass-through"
1395
+
1396
+ #: redirection-strings.php:292
1397
+ msgid "Redirect to random post"
1398
+ msgstr "Redirect to random post"
1399
+
1400
+ #: redirection-strings.php:291
1401
+ msgid "Redirect to URL"
1402
+ msgstr "Redirect to URL"
1403
+
1404
+ #: models/redirect.php:550
1405
+ msgid "Invalid group when creating redirect"
1406
+ msgstr "Invalid group when creating redirect"
1407
+
1408
+ #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
+ msgid "IP"
1411
+ msgstr "IP"
1412
+
1413
+ #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
+ msgid "Source URL"
1416
+ msgstr "Source URL"
1417
+
1418
+ #: redirection-strings.php:164 redirection-strings.php:177
1419
+ msgid "Date"
1420
+ msgstr "Date"
1421
+
1422
+ #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
+ msgid "Add Redirect"
1425
+ msgstr "Add Redirect"
1426
+
1427
+ #: redirection-strings.php:92
1428
+ msgid "All modules"
1429
+ msgstr "All modules"
1430
+
1431
+ #: redirection-strings.php:98
1432
+ msgid "View Redirects"
1433
+ msgstr "View Redirects"
1434
+
1435
+ #: redirection-strings.php:88 redirection-strings.php:102
1436
+ msgid "Module"
1437
+ msgstr "Module"
1438
+
1439
+ #: redirection-strings.php:48 redirection-strings.php:87
1440
+ msgid "Redirects"
1441
+ msgstr "Redirects"
1442
+
1443
+ #: redirection-strings.php:86 redirection-strings.php:95
1444
+ #: redirection-strings.php:101
1445
+ msgid "Name"
1446
+ msgstr "Name"
1447
+
1448
+ #: redirection-strings.php:59
1449
+ msgid "Filter"
1450
+ msgstr "Filter"
1451
+
1452
+ #: redirection-strings.php:330
1453
+ msgid "Reset hits"
1454
+ msgstr "Reset hits"
1455
+
1456
+ #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
+ msgid "Enable"
1459
+ msgstr "Enable"
1460
+
1461
+ #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
+ msgid "Disable"
1464
+ msgstr "Disable"
1465
+
1466
+ #: redirection-strings.php:89 redirection-strings.php:97
1467
+ #: redirection-strings.php:168 redirection-strings.php:169
1468
+ #: redirection-strings.php:181 redirection-strings.php:184
1469
+ #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
+ msgid "Delete"
1472
+ msgstr "Delete"
1473
+
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
+ msgid "Edit"
1476
+ msgstr "Edit"
1477
+
1478
+ #: redirection-strings.php:326
1479
+ msgid "Last Access"
1480
+ msgstr "Last Access"
1481
+
1482
+ #: redirection-strings.php:325
1483
+ msgid "Hits"
1484
+ msgstr "Hits"
1485
+
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
+ msgid "URL"
1488
+ msgstr "URL"
1489
+
1490
+ #: redirection-strings.php:322
1491
+ msgid "Type"
1492
+ msgstr "Type"
1493
+
1494
+ #: models/database.php:139
1495
+ msgid "Modified Posts"
1496
+ msgstr "Modified Posts"
1497
+
1498
+ #: models/database.php:138 models/group.php:148 redirection-strings.php:105
1499
+ msgid "Redirections"
1500
+ msgstr "Redirections"
1501
+
1502
+ #: redirection-strings.php:334
1503
+ msgid "User Agent"
1504
+ msgstr "User Agent"
1505
+
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
+ msgid "URL and user agent"
1508
+ msgstr "URL and user agent"
1509
+
1510
+ #: redirection-strings.php:278
1511
+ msgid "Target URL"
1512
+ msgstr "Target URL"
1513
+
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
+ msgid "URL only"
1516
+ msgstr "URL only"
1517
+
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
+ msgid "Regex"
1522
+ msgstr "Regex"
1523
+
1524
+ #: redirection-strings.php:359
1525
+ msgid "Referrer"
1526
+ msgstr "Referrer"
1527
+
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
+ msgid "URL and referrer"
1530
+ msgstr "URL and referrer"
1531
+
1532
+ #: redirection-strings.php:272
1533
+ msgid "Logged Out"
1534
+ msgstr "Logged Out"
1535
+
1536
+ #: redirection-strings.php:270
1537
+ msgid "Logged In"
1538
+ msgstr "Logged In"
1539
+
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
+ msgid "URL and login status"
1542
+ msgstr "URL and login status"
locale/redirection-en_CA.mo CHANGED
Binary file
locale/redirection-en_CA.po CHANGED
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr "Unsupported PHP"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Only the 404 page type is currently supported."
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr "Page Type"
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Enter IP addresses (one per line)"
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe the purpose of this redirect (optional)"
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - I'm a teapot"
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Forbidden"
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Bad Request"
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Not Modified"
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr "303 - See Other"
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr "Do nothing (ignore)"
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "Target URL when not matched (empty to ignore)"
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "Target URL when matched (empty to ignore)"
79
 
@@ -122,27 +122,27 @@ msgstr "Redirect All"
122
  msgid "Count"
123
  msgstr "Count"
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr "URL and WordPress page type"
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr "URL and IP"
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr "Problem"
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr "Good"
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr "Check"
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr "Check Redirect"
148
 
@@ -178,79 +178,79 @@ msgstr "Expected"
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Enter full URL, including http:// or https://"
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr "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."
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr "Redirect Tester"
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr "Target"
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL is not being redirected with Redirection"
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL is being redirected with Redirection"
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr "Unable to load details"
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr "Enter server URL to match against"
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr "Enter role or capability value"
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "Role"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr "Match against this browser referrer text"
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "Match against this browser user agent"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "The relative URL you want to redirect from"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "The target URL you want to redirect to if matched"
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "Force HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / Privacy information"
256
 
@@ -262,26 +262,18 @@ msgstr "Add New"
262
  msgid "Please logout and login again."
263
  msgstr "Please logout and login again."
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL and role/capability"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL and server"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "Form request"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "Relative /wp-json/"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr "Proxy over Admin AJAX"
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "Default /wp-json/"
@@ -298,43 +290,43 @@ msgstr "Site and home protocol"
298
  msgid "Site and home are consistent"
299
  msgstr "Site and home are consistent"
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Accept Language"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Header value"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "Header name"
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "HTTP Header"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "WordPress filter name"
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "Filter Name"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Cookie value"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Cookie name"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "clearing your cache."
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "If you are using a caching system such as Cloudflare then please read this: "
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr "URL and HTTP header"
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr "URL and custom filter"
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL and cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr "404 deleted"
364
 
@@ -366,11 +358,11 @@ msgstr "404 deleted"
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr "Raw /index.php?rest_route=/"
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "REST API"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr "How Redirection uses the REST API - don't change unless necessary"
376
 
@@ -402,11 +394,11 @@ msgstr "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so
402
  msgid "None of the suggestions helped"
403
  msgstr "None of the suggestions helped"
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr "Unable to load Redirection ☹️"
412
 
@@ -487,15 +479,15 @@ msgstr "Full IP logging"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonymize IP (mask last part)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr "Monitor changes to %(type)s"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "IP Logging"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(select IP logging level)"
501
 
@@ -562,12 +554,12 @@ msgstr "Powered by {{link}}redirect.li{{/link}}"
562
  msgid "Trash"
563
  msgstr "Trash"
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr "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"
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
573
 
@@ -575,15 +567,15 @@ msgstr "You can find full documentation about using Redirection on the <a href=\
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "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."
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "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!"
589
 
@@ -595,11 +587,11 @@ msgstr "Never cache"
595
  msgid "An hour"
596
  msgstr "An hour"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr "Redirect Cache"
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "Import from %s"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection not installed properly"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr "Default WordPress \"old slugs\""
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr "Create associated redirect (added to end of URL)"
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr "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."
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr "⚡️ Magic fix ⚡️"
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr "Plugin Status"
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr "Custom"
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr "Mobile"
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr "Feed Readers"
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr "Libraries"
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr "URL Monitor Changes"
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr "Save changes to this group"
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr "For example \"/amp\""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr "URL Monitor"
695
 
@@ -709,15 +701,15 @@ msgstr "Delete all matching \"%s\""
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "Unable to load Redirection"
723
 
@@ -801,15 +793,15 @@ msgstr "Your server returned a 403 Forbidden error which may indicate the reques
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr "If you think Redirection is at fault then create an issue."
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr "This may be caused by another plugin - look at your browser's error console for more details."
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "Loading, please wait..."
815
 
@@ -829,7 +821,7 @@ msgstr "If that doesn't help, open your browser's error console and create a {{l
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr "Create Issue"
835
 
@@ -841,35 +833,35 @@ msgstr "Email"
841
  msgid "Important details"
842
  msgstr "Important details"
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "Need help?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr "Pos"
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr "410 - Gone"
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Position"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr "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"
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Apache Module"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
875
 
@@ -913,7 +905,7 @@ msgstr "Double-check the file is the correct format!"
913
  msgid "OK"
914
  msgstr "OK"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Close"
919
 
@@ -993,19 +985,19 @@ msgstr "I'd like to support some more."
993
  msgid "Support 💰"
994
  msgstr "Support 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Redirection saved"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Log deleted"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Settings saved"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Group saved"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "Are you sure you want to delete this item?"
1016
  msgstr[1] "Are you sure you want to delete these items?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr "pass"
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "All groups"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301 - Moved Permanently"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 - Found"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 - Temporary Redirect"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 - Permanent Redirect"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 - Unauthorized"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 - Not Found"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Title"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr "When matched"
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "with HTTP code"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Show advanced options"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr "Matched Target"
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr "Unmatched Target"
1073
 
@@ -1104,7 +1096,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1104
  msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1105
 
1106
  #. translators: maximum number of log entries
1107
- #: redirection-admin.php:205
1108
  msgid "Log entries (%d max)"
1109
  msgstr "Log entries (%d max)"
1110
 
@@ -1182,23 +1174,23 @@ msgstr "Yes! Delete the logs"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "No! Don't delete the logs"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "Newsletter"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr "Want to keep up to date with changes to Redirection?"
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "Your email address:"
1204
 
@@ -1246,7 +1238,7 @@ msgstr "Manage all your 301 redirects and monitor 404 errors."
1246
  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}}."
1247
  msgstr "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}}."
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Redirection Support"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "Upload"
1278
  msgid "Import"
1279
  msgstr "Import"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "Update"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "Auto-generate URL"
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "RSS Token"
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "404 Logs"
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(time to keep logs for)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "Redirect Logs"
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "I'm a nice person and I have helped support the author of this plugin."
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "Groups"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "Save"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "Group"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "Match"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "Add new redirection"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "Cancel"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "Download"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "Settings"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "Error (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "Pass-through"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "Redirect to random post"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "Redirect to URL"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "Invalid group when creating redirect"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "Source URL"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "Date"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "Add Redirect"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "Name"
1457
  msgid "Filter"
1458
  msgstr "Filter"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "Reset hits"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "Enable"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "Disable"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "Disable"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "Delete"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "Edit"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "Last Access"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "Hits"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "Type"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "Modified Posts"
1507
  msgid "Redirections"
1508
  msgstr "Redirections"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "User Agent"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL and user agent"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "Target URL"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "URL only"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "Regex"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "Referrer"
1535
 
1536
- #: matches/referrer.php:10 redirection-strings.php:285
1537
  msgid "URL and referrer"
1538
  msgstr "URL and referrer"
1539
 
1540
- #: redirection-strings.php:274
1541
  msgid "Logged Out"
1542
  msgstr "Logged Out"
1543
 
1544
- #: redirection-strings.php:272
1545
  msgid "Logged In"
1546
  msgstr "Logged In"
1547
 
1548
- #: matches/login.php:8 redirection-strings.php:283
1549
  msgid "URL and login status"
1550
  msgstr "URL and login status"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr "Unsupported PHP"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Only the 404 page type is currently supported."
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr "Page Type"
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Enter IP addresses (one per line)"
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe the purpose of this redirect (optional)"
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - I'm a teapot"
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Forbidden"
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Bad Request"
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Not Modified"
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr "303 - See Other"
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr "Do nothing (ignore)"
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "Target URL when not matched (empty to ignore)"
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "Target URL when matched (empty to ignore)"
79
 
122
  msgid "Count"
123
  msgstr "Count"
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr "URL and WordPress page type"
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr "URL and IP"
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr "Problem"
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr "Good"
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr "Check"
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr "Check Redirect"
148
 
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Enter full URL, including http:// or https://"
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr "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."
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr "Redirect Tester"
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr "Target"
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL is not being redirected with Redirection"
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL is being redirected with Redirection"
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr "Unable to load details"
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr "Enter server URL to match against"
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr "Enter role or capability value"
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "Role"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr "Match against this browser referrer text"
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "Match against this browser user agent"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "The relative URL you want to redirect from"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "The target URL you want to redirect to if matched"
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "Force HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / Privacy information"
256
 
262
  msgid "Please logout and login again."
263
  msgstr "Please logout and login again."
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL and role/capability"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL and server"
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "Relative /wp-json/"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "Default /wp-json/"
290
  msgid "Site and home are consistent"
291
  msgstr "Site and home are consistent"
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Accept Language"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Header value"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "Header name"
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "HTTP Header"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "WordPress filter name"
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "Filter Name"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Cookie value"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Cookie name"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "If you are using a caching system such as Cloudflare then please read this: "
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr "URL and HTTP header"
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr "URL and custom filter"
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL and cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr "404 deleted"
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr "Raw /index.php?rest_route=/"
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "REST API"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr "How Redirection uses the REST API - don't change unless necessary"
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr "None of the suggestions helped"
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr "Unable to load Redirection ☹️"
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonymize IP (mask last part)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr "Monitor changes to %(type)s"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "IP Logging"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(select IP logging level)"
493
 
554
  msgid "Trash"
555
  msgstr "Trash"
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr "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"
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "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."
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "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!"
581
 
587
  msgid "An hour"
588
  msgstr "An hour"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr "Redirect Cache"
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
597
 
616
  msgstr "Import from %s"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection not installed properly"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr "Default WordPress \"old slugs\""
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr "Create associated redirect (added to end of URL)"
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr "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."
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr "⚡️ Magic fix ⚡️"
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr "Plugin Status"
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr "Custom"
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr "Mobile"
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr "Feed Readers"
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr "Libraries"
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr "URL Monitor Changes"
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr "Save changes to this group"
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr "For example \"/amp\""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr "URL Monitor"
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "Unable to load Redirection"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr "If you think Redirection is at fault then create an issue."
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr "This may be caused by another plugin - look at your browser's error console for more details."
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "Loading, please wait..."
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr "Create Issue"
827
 
833
  msgid "Important details"
834
  msgstr "Important details"
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "Need help?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr "Pos"
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr "410 - Gone"
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Position"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr "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"
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Apache Module"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
867
 
905
  msgid "OK"
906
  msgstr "OK"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Close"
911
 
985
  msgid "Support 💰"
986
  msgstr "Support 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Redirection saved"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Log deleted"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Settings saved"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Group saved"
1003
 
1007
  msgstr[0] "Are you sure you want to delete this item?"
1008
  msgstr[1] "Are you sure you want to delete these items?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr "pass"
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "All groups"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301 - Moved Permanently"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 - Found"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 - Temporary Redirect"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 - Permanent Redirect"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 - Unauthorized"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 - Not Found"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Title"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr "When matched"
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "with HTTP code"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Show advanced options"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr "Matched Target"
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr "Unmatched Target"
1065
 
1096
  msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1097
 
1098
  #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
  msgid "Log entries (%d max)"
1101
  msgstr "Log entries (%d max)"
1102
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "No! Don't delete the logs"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "Newsletter"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr "Want to keep up to date with changes to Redirection?"
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "Your email address:"
1196
 
1238
  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}}."
1239
  msgstr "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}}."
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Redirection Support"
1244
 
1270
  msgid "Import"
1271
  msgstr "Import"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "Update"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "Auto-generate URL"
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "RSS Token"
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "404 Logs"
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(time to keep logs for)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "Redirect Logs"
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "I'm a nice person and I have helped support the author of this plugin."
1304
 
1352
  msgstr "Groups"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "Save"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "Group"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "Match"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "Add new redirection"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "Cancel"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "Settings"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "Error (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "Pass-through"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "Redirect to random post"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "Redirect to URL"
1403
 
1406
  msgstr "Invalid group when creating redirect"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "Source URL"
1417
 
1420
  msgstr "Date"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "Add Redirect"
1426
 
1449
  msgid "Filter"
1450
  msgstr "Filter"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "Reset hits"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "Enable"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "Disable"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "Delete"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "Edit"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "Last Access"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "Hits"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "Type"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "Redirections"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "User Agent"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL and user agent"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "Target URL"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "URL only"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "Regex"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "Referrer"
1527
 
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
  msgid "URL and referrer"
1530
  msgstr "URL and referrer"
1531
 
1532
+ #: redirection-strings.php:272
1533
  msgid "Logged Out"
1534
  msgstr "Logged Out"
1535
 
1536
+ #: redirection-strings.php:270
1537
  msgid "Logged In"
1538
  msgstr "Logged In"
1539
 
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
  msgid "URL and login status"
1542
  msgstr "URL and login status"
locale/redirection-en_GB.mo CHANGED
Binary file
locale/redirection-en_GB.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: 2018-11-03 15:18:59+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -14,66 +14,66 @@ msgstr ""
14
  #. translators: 1: Site URL, 2: Home URL
15
  #: models/fixer.php:56
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
- msgstr ""
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
- msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
- msgstr ""
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Only the 404 page type is currently supported."
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr "Page Type"
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Enter IP addresses (one per line)"
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe the purpose of this redirect (optional)"
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - I'm a teapot"
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Forbidden"
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Bad Request"
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Not Modified"
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr "303 - See Other"
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr "Do nothing (ignore)"
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "Target URL when not matched (empty to ignore)"
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "Target URL when matched (empty to ignore)"
79
 
@@ -122,27 +122,27 @@ msgstr "Redirect All"
122
  msgid "Count"
123
  msgstr "Count"
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr "URL and WordPress page type"
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr "URL and IP"
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr "Problem"
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr "Good"
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr "Check"
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr "Check Redirect"
148
 
@@ -178,79 +178,79 @@ msgstr "Expected"
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Enter full URL, including http:// or https://"
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr "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."
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr "Redirect Tester"
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr "Target"
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL is not being redirected with Redirection"
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL is being redirected with Redirection"
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr "Unable to load details"
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr "Enter server URL to match against"
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr "Enter role or capability value"
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "Role"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr "Match against this browser referrer text"
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "Match against this browser user agent"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "The relative URL you want to redirect from"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "The target URL you want to redirect to if matched"
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "Force HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / Privacy information"
256
 
@@ -262,26 +262,18 @@ msgstr "Add New"
262
  msgid "Please logout and login again."
263
  msgstr "Please logout and login again."
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL and role/capability"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL and server"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "Form request"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "Relative /wp-json/"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr "Proxy over Admin Ajax"
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "Default /wp-json/"
@@ -298,43 +290,43 @@ msgstr "Site and home protocol"
298
  msgid "Site and home are consistent"
299
  msgstr "Site and home are consistent"
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Accept Language"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Header value"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "Header name"
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "HTTP Header"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "WordPress filter name"
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "Filter Name"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Cookie value"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Cookie name"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "clearing your cache."
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "If you are using a caching system such as Cloudflare then please read this: "
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr "URL and HTTP header"
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr "URL and custom filter"
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL and cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr "404 deleted"
364
 
@@ -366,11 +358,11 @@ msgstr "404 deleted"
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr "Raw /index.php?rest_route=/"
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "REST API"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr "How Redirection uses the REST API - don't change unless necessary"
376
 
@@ -402,11 +394,11 @@ msgstr "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so
402
  msgid "None of the suggestions helped"
403
  msgstr "None of the suggestions helped"
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr "Unable to load Redirection ☹️"
412
 
@@ -487,15 +479,15 @@ msgstr "Full IP logging"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonymise IP (mask last part)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr "Monitor changes to %(type)s"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "IP Logging"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(select IP logging level)"
501
 
@@ -562,12 +554,12 @@ msgstr "Powered by {{link}}redirect.li{{/link}}"
562
  msgid "Trash"
563
  msgstr "Bin"
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr "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"
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
573
 
@@ -575,15 +567,15 @@ msgstr "You can find full documentation about using Redirection on the <a href=\
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "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."
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "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!"
589
 
@@ -595,11 +587,11 @@ msgstr "Never cache"
595
  msgid "An hour"
596
  msgstr "An hour"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr "Redirect Cache"
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "Import from %s"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection not installed properly"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr "Default WordPress \"old slugs\""
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr "Create associated redirect (added to end of URL)"
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr "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."
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr "⚡️ Magic fix ⚡️"
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr "Plugin Status"
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr "Custom"
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr "Mobile"
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr "Feed Readers"
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr "Libraries"
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr "URL Monitor Changes"
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr "Save changes to this group"
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr "For example \"/amp\""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr "URL Monitor"
695
 
@@ -709,15 +701,15 @@ msgstr "Delete all matching \"%s\""
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "Unable to load Redirection"
723
 
@@ -801,15 +793,15 @@ msgstr "Your server returned a 403 Forbidden error which may indicate the reques
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr "If you think Redirection is at fault then create an issue."
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr "This may be caused by another plugin - look at your browser's error console for more details."
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "Loading, please wait..."
815
 
@@ -829,7 +821,7 @@ msgstr "If that doesn't help, open your browser's error console and create a {{l
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr "Create Issue"
835
 
@@ -841,35 +833,35 @@ msgstr "Email"
841
  msgid "Important details"
842
  msgstr "Important details"
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "Need help?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr "Pos"
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr "410 - Gone"
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Position"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr "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"
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Apache Module"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
875
 
@@ -913,7 +905,7 @@ msgstr "Double-check the file is the correct format!"
913
  msgid "OK"
914
  msgstr "OK"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Close"
919
 
@@ -993,19 +985,19 @@ msgstr "I'd like to support some more."
993
  msgid "Support 💰"
994
  msgstr "Support 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Redirection saved"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Log deleted"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Settings saved"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Group saved"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "Are you sure you want to delete this item?"
1016
  msgstr[1] "Are you sure you want to delete these items?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr "pass"
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "All groups"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301 - Moved Permanently"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 - Found"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 - Temporary Redirect"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 - Permanent Redirect"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 - Unauthorized"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 - Not Found"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Title"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr "When matched"
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "with HTTP code"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Show advanced options"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr "Matched Target"
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr "Unmatched Target"
1073
 
@@ -1104,7 +1096,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1104
  msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1105
 
1106
  #. translators: maximum number of log entries
1107
- #: redirection-admin.php:205
1108
  msgid "Log entries (%d max)"
1109
  msgstr "Log entries (%d max)"
1110
 
@@ -1182,23 +1174,23 @@ msgstr "Yes! Delete the logs"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "No! Don't delete the logs"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "Newsletter"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr "Want to keep up to date with changes to Redirection?"
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "Your email address:"
1204
 
@@ -1246,7 +1238,7 @@ msgstr "Manage all your 301 redirects and monitor 404 errors"
1246
  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}}."
1247
  msgstr "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}}."
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Redirection Support"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "Upload"
1278
  msgid "Import"
1279
  msgstr "Import"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "Update"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "Auto-generate URL"
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "RSS Token"
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "404 Logs"
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(time to keep logs for)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "Redirect Logs"
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "I'm a nice person and I have helped support the author of this plugin"
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "Groups"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "Save"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "Group"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "Match"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "Add new redirection"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "Cancel"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "Download"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "Settings"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "Error (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "Pass-through"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "Redirect to random post"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "Redirect to URL"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "Invalid group when creating redirect"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "Source URL"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "Date"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "Add Redirect"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "Name"
1457
  msgid "Filter"
1458
  msgstr "Filter"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "Reset hits"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "Enable"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "Disable"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "Disable"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "Delete"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "Edit"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "Last Access"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "Hits"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "Type"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "Modified Posts"
1507
  msgid "Redirections"
1508
  msgstr "Redirections"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "User Agent"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL and user agent"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "Target URL"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "URL only"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "Regex"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "Referrer"
1535
 
1536
- #: matches/referrer.php:10 redirection-strings.php:285
1537
  msgid "URL and referrer"
1538
  msgstr "URL and referrer"
1539
 
1540
- #: redirection-strings.php:274
1541
  msgid "Logged Out"
1542
  msgstr "Logged Out"
1543
 
1544
- #: redirection-strings.php:272
1545
  msgid "Logged In"
1546
  msgstr "Logged In"
1547
 
1548
- #: matches/login.php:8 redirection-strings.php:283
1549
  msgid "URL and login status"
1550
  msgstr "URL and login status"
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: 2018-11-27 08:09:28+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
14
  #. translators: 1: Site URL, 2: Home URL
15
  #: models/fixer.php:56
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
+ msgstr "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
+ msgstr "Unsupported PHP"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
+ msgstr "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Only the 404 page type is currently supported."
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr "Page Type"
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Enter IP addresses (one per line)"
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe the purpose of this redirect (optional)"
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - I'm a teapot"
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Forbidden"
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Bad Request"
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Not Modified"
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr "303 - See Other"
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr "Do nothing (ignore)"
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "Target URL when not matched (empty to ignore)"
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "Target URL when matched (empty to ignore)"
79
 
122
  msgid "Count"
123
  msgstr "Count"
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr "URL and WordPress page type"
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr "URL and IP"
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr "Problem"
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr "Good"
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr "Check"
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr "Check Redirect"
148
 
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Enter full URL, including http:// or https://"
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr "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."
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr "Redirect Tester"
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr "Target"
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL is not being redirected with Redirection"
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL is being redirected with Redirection"
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr "Unable to load details"
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr "Enter server URL to match against"
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr "Enter role or capability value"
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "Role"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr "Match against this browser referrer text"
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "Match against this browser user agent"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "The relative URL you want to redirect from"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "The target URL you want to redirect to if matched"
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "Force HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / Privacy information"
256
 
262
  msgid "Please logout and login again."
263
  msgstr "Please logout and login again."
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL and role/capability"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL and server"
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "Relative /wp-json/"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "Default /wp-json/"
290
  msgid "Site and home are consistent"
291
  msgstr "Site and home are consistent"
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Accept Language"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Header value"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "Header name"
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "HTTP Header"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "WordPress filter name"
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "Filter Name"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Cookie value"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Cookie name"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "If you are using a caching system such as Cloudflare then please read this: "
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr "URL and HTTP header"
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr "URL and custom filter"
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL and cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr "404 deleted"
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr "Raw /index.php?rest_route=/"
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "REST API"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr "How Redirection uses the REST API - don't change unless necessary"
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr "None of the suggestions helped"
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr "Unable to load Redirection ☹️"
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonymise IP (mask last part)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr "Monitor changes to %(type)s"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "IP Logging"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(select IP logging level)"
493
 
554
  msgid "Trash"
555
  msgstr "Bin"
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr "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"
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "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."
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "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!"
581
 
587
  msgid "An hour"
588
  msgstr "An hour"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr "Redirect Cache"
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
597
 
616
  msgstr "Import from %s"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection not installed properly"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr "Default WordPress \"old slugs\""
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr "Create associated redirect (added to end of URL)"
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr "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."
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr "⚡️ Magic fix ⚡️"
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr "Plugin Status"
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr "Custom"
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr "Mobile"
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr "Feed Readers"
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr "Libraries"
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr "URL Monitor Changes"
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr "Save changes to this group"
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr "For example \"/amp\""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr "URL Monitor"
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "Unable to load Redirection"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr "If you think Redirection is at fault then create an issue."
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr "This may be caused by another plugin - look at your browser's error console for more details."
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "Loading, please wait..."
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr "Create Issue"
827
 
833
  msgid "Important details"
834
  msgstr "Important details"
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "Need help?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr "Pos"
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr "410 - Gone"
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Position"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr "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"
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Apache Module"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
867
 
905
  msgid "OK"
906
  msgstr "OK"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Close"
911
 
985
  msgid "Support 💰"
986
  msgstr "Support 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Redirection saved"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Log deleted"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Settings saved"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Group saved"
1003
 
1007
  msgstr[0] "Are you sure you want to delete this item?"
1008
  msgstr[1] "Are you sure you want to delete these items?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr "pass"
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "All groups"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301 - Moved Permanently"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 - Found"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 - Temporary Redirect"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 - Permanent Redirect"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 - Unauthorized"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 - Not Found"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Title"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr "When matched"
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "with HTTP code"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Show advanced options"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr "Matched Target"
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr "Unmatched Target"
1065
 
1096
  msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1097
 
1098
  #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
  msgid "Log entries (%d max)"
1101
  msgstr "Log entries (%d max)"
1102
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "No! Don't delete the logs"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "Newsletter"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr "Want to keep up to date with changes to Redirection?"
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "Your email address:"
1196
 
1238
  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}}."
1239
  msgstr "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}}."
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Redirection Support"
1244
 
1270
  msgid "Import"
1271
  msgstr "Import"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "Update"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "Auto-generate URL"
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "RSS Token"
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "404 Logs"
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(time to keep logs for)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "Redirect Logs"
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "I'm a nice person and I have helped support the author of this plugin"
1304
 
1352
  msgstr "Groups"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "Save"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "Group"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "Match"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "Add new redirection"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "Cancel"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "Settings"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "Error (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "Pass-through"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "Redirect to random post"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "Redirect to URL"
1403
 
1406
  msgstr "Invalid group when creating redirect"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "Source URL"
1417
 
1420
  msgstr "Date"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "Add Redirect"
1426
 
1449
  msgid "Filter"
1450
  msgstr "Filter"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "Reset hits"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "Enable"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "Disable"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "Delete"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "Edit"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "Last Access"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "Hits"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "Type"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "Redirections"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "User Agent"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL and user agent"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "Target URL"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "URL only"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "Regex"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "Referrer"
1527
 
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
  msgid "URL and referrer"
1530
  msgstr "URL and referrer"
1531
 
1532
+ #: redirection-strings.php:272
1533
  msgid "Logged Out"
1534
  msgstr "Logged Out"
1535
 
1536
+ #: redirection-strings.php:270
1537
  msgid "Logged In"
1538
  msgstr "Logged In"
1539
 
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
  msgid "URL and login status"
1542
  msgstr "URL and login status"
locale/redirection-en_NZ.mo ADDED
Binary file
locale/redirection-en_NZ.po ADDED
@@ -0,0 +1,1542 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of Plugins - Redirection - Stable (latest release) in English (New Zealand)
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: 2018-12-10 22:48:57+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/2.4.0-alpha\n"
11
+ "Language: en_NZ\n"
12
+ "Project-Id-Version: Plugins - Redirection - Stable (latest release)\n"
13
+
14
+ #. translators: 1: Site URL, 2: Home URL
15
+ #: models/fixer.php:56
16
+ msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
+ msgstr "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
18
+
19
+ #: redirection-admin.php:377
20
+ msgid "Unsupported PHP"
21
+ msgstr "Unsupported PHP"
22
+
23
+ #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
+ msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
+ msgstr "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
27
+
28
+ #: redirection-strings.php:358
29
+ msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
+ msgstr "Please do not try and redirect all your 404s - this is not a good thing to do."
31
+
32
+ #: redirection-strings.php:357
33
+ msgid "Only the 404 page type is currently supported."
34
+ msgstr "Only the 404 page type is currently supported."
35
+
36
+ #: redirection-strings.php:356
37
+ msgid "Page Type"
38
+ msgstr "Page Type"
39
+
40
+ #: redirection-strings.php:355
41
+ msgid "Enter IP addresses (one per line)"
42
+ msgstr "Enter IP addresses (one per line)"
43
+
44
+ #: redirection-strings.php:309
45
+ msgid "Describe the purpose of this redirect (optional)"
46
+ msgstr "Describe the purpose of this redirect (optional)"
47
+
48
+ #: redirection-strings.php:307
49
+ msgid "418 - I'm a teapot"
50
+ msgstr "418 - I'm a teapot"
51
+
52
+ #: redirection-strings.php:304
53
+ msgid "403 - Forbidden"
54
+ msgstr "403 - Forbidden"
55
+
56
+ #: redirection-strings.php:302
57
+ msgid "400 - Bad Request"
58
+ msgstr "400 - Bad Request"
59
+
60
+ #: redirection-strings.php:299
61
+ msgid "304 - Not Modified"
62
+ msgstr "304 - Not Modified"
63
+
64
+ #: redirection-strings.php:298
65
+ msgid "303 - See Other"
66
+ msgstr "303 - See Other"
67
+
68
+ #: redirection-strings.php:295
69
+ msgid "Do nothing (ignore)"
70
+ msgstr "Do nothing (ignore)"
71
+
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
+ msgid "Target URL when not matched (empty to ignore)"
74
+ msgstr "Target URL when not matched (empty to ignore)"
75
+
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
+ msgid "Target URL when matched (empty to ignore)"
78
+ msgstr "Target URL when matched (empty to ignore)"
79
+
80
+ #: redirection-strings.php:196 redirection-strings.php:201
81
+ msgid "Show All"
82
+ msgstr "Show All"
83
+
84
+ #: redirection-strings.php:193
85
+ msgid "Delete all logs for these entries"
86
+ msgstr "Delete all logs for these entries"
87
+
88
+ #: redirection-strings.php:192 redirection-strings.php:205
89
+ msgid "Delete all logs for this entry"
90
+ msgstr "Delete all logs for this entry"
91
+
92
+ #: redirection-strings.php:191
93
+ msgid "Delete Log Entries"
94
+ msgstr "Delete Log Entries"
95
+
96
+ #: redirection-strings.php:189
97
+ msgid "Group by IP"
98
+ msgstr "Group by IP"
99
+
100
+ #: redirection-strings.php:188
101
+ msgid "Group by URL"
102
+ msgstr "Group by URL"
103
+
104
+ #: redirection-strings.php:187
105
+ msgid "No grouping"
106
+ msgstr "No grouping"
107
+
108
+ #: redirection-strings.php:186 redirection-strings.php:202
109
+ msgid "Ignore URL"
110
+ msgstr "Ignore URL"
111
+
112
+ #: redirection-strings.php:183 redirection-strings.php:198
113
+ msgid "Block IP"
114
+ msgstr "Block IP"
115
+
116
+ #: redirection-strings.php:182 redirection-strings.php:185
117
+ #: redirection-strings.php:195 redirection-strings.php:200
118
+ msgid "Redirect All"
119
+ msgstr "Redirect All"
120
+
121
+ #: redirection-strings.php:174 redirection-strings.php:176
122
+ msgid "Count"
123
+ msgstr "Count"
124
+
125
+ #: matches/page.php:9 redirection-strings.php:290
126
+ msgid "URL and WordPress page type"
127
+ msgstr "URL and WordPress page type"
128
+
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
+ msgid "URL and IP"
131
+ msgstr "URL and IP"
132
+
133
+ #: redirection-strings.php:396
134
+ msgid "Problem"
135
+ msgstr "Problem"
136
+
137
+ #: redirection-strings.php:395
138
+ msgid "Good"
139
+ msgstr "Good"
140
+
141
+ #: redirection-strings.php:385
142
+ msgid "Check"
143
+ msgstr "Check"
144
+
145
+ #: redirection-strings.php:369
146
+ msgid "Check Redirect"
147
+ msgstr "Check Redirect"
148
+
149
+ #: redirection-strings.php:47
150
+ msgid "Check redirect for: {{code}}%s{{/code}}"
151
+ msgstr "Check redirect for: {{code}}%s{{/code}}"
152
+
153
+ #: redirection-strings.php:46
154
+ msgid "What does this mean?"
155
+ msgstr "What does this mean?"
156
+
157
+ #: redirection-strings.php:45
158
+ msgid "Not using Redirection"
159
+ msgstr "Not using Redirection"
160
+
161
+ #: redirection-strings.php:44
162
+ msgid "Using Redirection"
163
+ msgstr "Using Redirection"
164
+
165
+ #: redirection-strings.php:41
166
+ msgid "Found"
167
+ msgstr "Found"
168
+
169
+ #: redirection-strings.php:40 redirection-strings.php:42
170
+ msgid "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
171
+ msgstr "{{code}}%(status)d{{/code}} to {{code}}%(url)s{{/code}}"
172
+
173
+ #: redirection-strings.php:39
174
+ msgid "Expected"
175
+ msgstr "Expected"
176
+
177
+ #: redirection-strings.php:37
178
+ msgid "Error"
179
+ msgstr "Error"
180
+
181
+ #: redirection-strings.php:384
182
+ msgid "Enter full URL, including http:// or https://"
183
+ msgstr "Enter full URL, including http:// or https://"
184
+
185
+ #: redirection-strings.php:382
186
+ 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."
187
+ msgstr "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."
188
+
189
+ #: redirection-strings.php:381
190
+ msgid "Redirect Tester"
191
+ msgstr "Redirect Tester"
192
+
193
+ #: redirection-strings.php:380
194
+ msgid "Target"
195
+ msgstr "Target"
196
+
197
+ #: redirection-strings.php:379
198
+ msgid "URL is not being redirected with Redirection"
199
+ msgstr "URL is not being redirected with Redirection"
200
+
201
+ #: redirection-strings.php:378
202
+ msgid "URL is being redirected with Redirection"
203
+ msgstr "URL is being redirected with Redirection"
204
+
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
+ msgid "Unable to load details"
207
+ msgstr "Unable to load details"
208
+
209
+ #: redirection-strings.php:365
210
+ msgid "Enter server URL to match against"
211
+ msgstr "Enter server URL to match against"
212
+
213
+ #: redirection-strings.php:364
214
+ msgid "Server"
215
+ msgstr "Server"
216
+
217
+ #: redirection-strings.php:363
218
+ msgid "Enter role or capability value"
219
+ msgstr "Enter role or capability value"
220
+
221
+ #: redirection-strings.php:362
222
+ msgid "Role"
223
+ msgstr "Role"
224
+
225
+ #: redirection-strings.php:360
226
+ msgid "Match against this browser referrer text"
227
+ msgstr "Match against this browser referrer text"
228
+
229
+ #: redirection-strings.php:335
230
+ msgid "Match against this browser user agent"
231
+ msgstr "Match against this browser user agent"
232
+
233
+ #: redirection-strings.php:315
234
+ msgid "The relative URL you want to redirect from"
235
+ msgstr "The relative URL you want to redirect from"
236
+
237
+ #: redirection-strings.php:279
238
+ msgid "The target URL you want to redirect to if matched"
239
+ msgstr "The target URL you want to redirect to if matched"
240
+
241
+ #: redirection-strings.php:264
242
+ msgid "(beta)"
243
+ msgstr "(beta)"
244
+
245
+ #: redirection-strings.php:263
246
+ msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
+ msgstr "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
248
+
249
+ #: redirection-strings.php:262
250
+ msgid "Force HTTPS"
251
+ msgstr "Force HTTPS"
252
+
253
+ #: redirection-strings.php:254
254
+ msgid "GDPR / Privacy information"
255
+ msgstr "GDPR / Privacy information"
256
+
257
+ #: redirection-strings.php:121
258
+ msgid "Add New"
259
+ msgstr "Add New"
260
+
261
+ #: redirection-strings.php:6
262
+ msgid "Please logout and login again."
263
+ msgstr "Please logout and login again."
264
+
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
+ msgid "URL and role/capability"
267
+ msgstr "URL and role/capability"
268
+
269
+ #: matches/server.php:9 redirection-strings.php:287
270
+ msgid "URL and server"
271
+ msgstr "URL and server"
272
+
273
+ #: redirection-strings.php:241
274
+ msgid "Relative /wp-json/"
275
+ msgstr "Relative /wp-json/"
276
+
277
+ #: redirection-strings.php:239
278
+ msgid "Default /wp-json/"
279
+ msgstr "Default /wp-json/"
280
+
281
+ #: redirection-strings.php:13
282
+ msgid "If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"
283
+ msgstr "If you are unable to get anything working then Redirection may have difficulty communicating with your server. You can try manually changing this setting:"
284
+
285
+ #: models/fixer.php:60
286
+ msgid "Site and home protocol"
287
+ msgstr "Site and home protocol"
288
+
289
+ #: models/fixer.php:53
290
+ msgid "Site and home are consistent"
291
+ msgstr "Site and home are consistent"
292
+
293
+ #: redirection-strings.php:353
294
+ msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
+ msgstr "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
296
+
297
+ #: redirection-strings.php:351
298
+ msgid "Accept Language"
299
+ msgstr "Accept Language"
300
+
301
+ #: redirection-strings.php:349
302
+ msgid "Header value"
303
+ msgstr "Header value"
304
+
305
+ #: redirection-strings.php:348
306
+ msgid "Header name"
307
+ msgstr "Header name"
308
+
309
+ #: redirection-strings.php:347
310
+ msgid "HTTP Header"
311
+ msgstr "HTTP Header"
312
+
313
+ #: redirection-strings.php:346
314
+ msgid "WordPress filter name"
315
+ msgstr "WordPress filter name"
316
+
317
+ #: redirection-strings.php:345
318
+ msgid "Filter Name"
319
+ msgstr "Filter Name"
320
+
321
+ #: redirection-strings.php:343
322
+ msgid "Cookie value"
323
+ msgstr "Cookie value"
324
+
325
+ #: redirection-strings.php:342
326
+ msgid "Cookie name"
327
+ msgstr "Cookie name"
328
+
329
+ #: redirection-strings.php:341
330
+ msgid "Cookie"
331
+ msgstr "Cookie"
332
+
333
+ #: redirection-strings.php:115
334
+ msgid "clearing your cache."
335
+ msgstr "clearing your cache."
336
+
337
+ #: redirection-strings.php:114
338
+ msgid "If you are using a caching system such as Cloudflare then please read this: "
339
+ msgstr "If you are using a caching system such as Cloudflare then please read this: "
340
+
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
+ msgid "URL and HTTP header"
343
+ msgstr "URL and HTTP header"
344
+
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
+ msgid "URL and custom filter"
347
+ msgstr "URL and custom filter"
348
+
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
+ msgid "URL and cookie"
351
+ msgstr "URL and cookie"
352
+
353
+ #: redirection-strings.php:402
354
+ msgid "404 deleted"
355
+ msgstr "404 deleted"
356
+
357
+ #: redirection-strings.php:240
358
+ msgid "Raw /index.php?rest_route=/"
359
+ msgstr "Raw /index.php?rest_route=/"
360
+
361
+ #: redirection-strings.php:267
362
+ msgid "REST API"
363
+ msgstr "REST API"
364
+
365
+ #: redirection-strings.php:268
366
+ msgid "How Redirection uses the REST API - don't change unless necessary"
367
+ msgstr "How Redirection uses the REST API - don't change unless necessary"
368
+
369
+ #: redirection-strings.php:10
370
+ msgid "WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."
371
+ msgstr "WordPress returned an unexpected message. This could be caused by your REST API not working, or by another plugin or theme."
372
+
373
+ #: redirection-strings.php:15
374
+ msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
375
+ msgstr "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
376
+
377
+ #: redirection-strings.php:16
378
+ msgid "{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."
379
+ msgstr "{{link}}Redirection is unable to talk to your REST API{{/link}}. If you have disabled it then you will need to enable it."
380
+
381
+ #: redirection-strings.php:17
382
+ msgid "{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."
383
+ msgstr "{{link}}Security software may be blocking Redirection{{/link}}. You will need to configure this to allow REST API requests."
384
+
385
+ #: redirection-strings.php:18
386
+ msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
387
+ msgstr "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
388
+
389
+ #: redirection-strings.php:19
390
+ msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
391
+ msgstr "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
392
+
393
+ #: redirection-strings.php:20
394
+ msgid "None of the suggestions helped"
395
+ msgstr "None of the suggestions helped"
396
+
397
+ #: redirection-admin.php:445
398
+ msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
+ msgstr "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
400
+
401
+ #: redirection-admin.php:439
402
+ msgid "Unable to load Redirection ☹️"
403
+ msgstr "Unable to load Redirection ☹️"
404
+
405
+ #. translators: %s: URL of REST API
406
+ #: models/fixer.php:100
407
+ msgid "WordPress REST API is working at %s"
408
+ msgstr "WordPress REST API is working at %s"
409
+
410
+ #: models/fixer.php:96
411
+ msgid "WordPress REST API"
412
+ msgstr "WordPress REST API"
413
+
414
+ #: models/fixer.php:88
415
+ msgid "REST API is not working so routes not checked"
416
+ msgstr "REST API is not working so routes not checked"
417
+
418
+ #: models/fixer.php:83
419
+ msgid "Redirection routes are working"
420
+ msgstr "Redirection routes are working"
421
+
422
+ #: models/fixer.php:77
423
+ msgid "Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"
424
+ msgstr "Redirection does not appear in your REST API routes. Have you disabled it with a plugin?"
425
+
426
+ #: models/fixer.php:69
427
+ msgid "Redirection routes"
428
+ msgstr "Redirection routes"
429
+
430
+ #: redirection-strings.php:9
431
+ msgid "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
432
+ msgstr "Your WordPress REST API has been disabled. You will need to enable it for Redirection to continue working"
433
+
434
+ #. Author URI of the plugin/theme
435
+ msgid "https://johngodley.com"
436
+ msgstr "https://johngodley.com"
437
+
438
+ #: redirection-strings.php:76
439
+ msgid "Useragent Error"
440
+ msgstr "Useragent Error"
441
+
442
+ #: redirection-strings.php:78
443
+ msgid "Unknown Useragent"
444
+ msgstr "Unknown Useragent"
445
+
446
+ #: redirection-strings.php:79
447
+ msgid "Device"
448
+ msgstr "Device"
449
+
450
+ #: redirection-strings.php:80
451
+ msgid "Operating System"
452
+ msgstr "Operating System"
453
+
454
+ #: redirection-strings.php:81
455
+ msgid "Browser"
456
+ msgstr "Browser"
457
+
458
+ #: redirection-strings.php:82
459
+ msgid "Engine"
460
+ msgstr "Engine"
461
+
462
+ #: redirection-strings.php:83
463
+ msgid "Useragent"
464
+ msgstr "Useragent"
465
+
466
+ #: redirection-strings.php:43 redirection-strings.php:84
467
+ msgid "Agent"
468
+ msgstr "Agent"
469
+
470
+ #: redirection-strings.php:236
471
+ msgid "No IP logging"
472
+ msgstr "No IP logging"
473
+
474
+ #: redirection-strings.php:237
475
+ msgid "Full IP logging"
476
+ msgstr "Full IP logging"
477
+
478
+ #: redirection-strings.php:238
479
+ msgid "Anonymize IP (mask last part)"
480
+ msgstr "Anonymise IP (mask last part)"
481
+
482
+ #: redirection-strings.php:246
483
+ msgid "Monitor changes to %(type)s"
484
+ msgstr "Monitor changes to %(type)s"
485
+
486
+ #: redirection-strings.php:252
487
+ msgid "IP Logging"
488
+ msgstr "IP Logging"
489
+
490
+ #: redirection-strings.php:253
491
+ msgid "(select IP logging level)"
492
+ msgstr "(select IP logging level)"
493
+
494
+ #: redirection-strings.php:170 redirection-strings.php:197
495
+ #: redirection-strings.php:208
496
+ msgid "Geo Info"
497
+ msgstr "Geo Info"
498
+
499
+ #: redirection-strings.php:171 redirection-strings.php:209
500
+ msgid "Agent Info"
501
+ msgstr "Agent Info"
502
+
503
+ #: redirection-strings.php:172 redirection-strings.php:210
504
+ msgid "Filter by IP"
505
+ msgstr "Filter by IP"
506
+
507
+ #: redirection-strings.php:166 redirection-strings.php:179
508
+ msgid "Referrer / User Agent"
509
+ msgstr "Referrer / User Agent"
510
+
511
+ #: redirection-strings.php:26
512
+ msgid "Geo IP Error"
513
+ msgstr "Geo IP Error"
514
+
515
+ #: redirection-strings.php:27 redirection-strings.php:38
516
+ #: redirection-strings.php:77
517
+ msgid "Something went wrong obtaining this information"
518
+ msgstr "Something went wrong obtaining this information"
519
+
520
+ #: redirection-strings.php:29
521
+ 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."
522
+ msgstr "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."
523
+
524
+ #: redirection-strings.php:31
525
+ msgid "No details are known for this address."
526
+ msgstr "No details are known for this address."
527
+
528
+ #: redirection-strings.php:28 redirection-strings.php:30
529
+ #: redirection-strings.php:32
530
+ msgid "Geo IP"
531
+ msgstr "Geo IP"
532
+
533
+ #: redirection-strings.php:33
534
+ msgid "City"
535
+ msgstr "City"
536
+
537
+ #: redirection-strings.php:34
538
+ msgid "Area"
539
+ msgstr "Area"
540
+
541
+ #: redirection-strings.php:35
542
+ msgid "Timezone"
543
+ msgstr "Timezone"
544
+
545
+ #: redirection-strings.php:36
546
+ msgid "Geo Location"
547
+ msgstr "Geo Location"
548
+
549
+ #: redirection-strings.php:56
550
+ msgid "Powered by {{link}}redirect.li{{/link}}"
551
+ msgstr "Powered by {{link}}redirect.li{{/link}}"
552
+
553
+ #: redirection-settings.php:22
554
+ msgid "Trash"
555
+ msgstr "Trash"
556
+
557
+ #: redirection-admin.php:444
558
+ msgid "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"
559
+ msgstr "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"
560
+
561
+ #. translators: URL
562
+ #: redirection-admin.php:309
563
+ msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
+ msgstr "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
565
+
566
+ #. Plugin URI of the plugin/theme
567
+ msgid "https://redirection.me/"
568
+ msgstr "https://redirection.me/"
569
+
570
+ #: redirection-strings.php:373
571
+ 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."
572
+ msgstr "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."
573
+
574
+ #: redirection-strings.php:374
575
+ msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
+ msgstr "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
577
+
578
+ #: redirection-strings.php:376
579
+ 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!"
580
+ msgstr "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!"
581
+
582
+ #: redirection-strings.php:231
583
+ msgid "Never cache"
584
+ msgstr "Never cache"
585
+
586
+ #: redirection-strings.php:232
587
+ msgid "An hour"
588
+ msgstr "An hour"
589
+
590
+ #: redirection-strings.php:265
591
+ msgid "Redirect Cache"
592
+ msgstr "Redirect Cache"
593
+
594
+ #: redirection-strings.php:266
595
+ msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
+ msgstr "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
597
+
598
+ #: redirection-strings.php:137
599
+ msgid "Are you sure you want to import from %s?"
600
+ msgstr "Are you sure you want to import from %s?"
601
+
602
+ #: redirection-strings.php:138
603
+ msgid "Plugin Importers"
604
+ msgstr "Plugin Importers"
605
+
606
+ #: redirection-strings.php:139
607
+ msgid "The following redirect plugins were detected on your site and can be imported from."
608
+ msgstr "The following redirect plugins were detected on your site and can be imported from."
609
+
610
+ #: redirection-strings.php:122
611
+ msgid "total = "
612
+ msgstr "total = "
613
+
614
+ #: redirection-strings.php:123
615
+ msgid "Import from %s"
616
+ msgstr "Import from %s"
617
+
618
+ #. translators: URL
619
+ #: redirection-admin.php:392
620
+ msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
+ msgstr "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
622
+
623
+ #: redirection-admin.php:395
624
+ msgid "Redirection not installed properly"
625
+ msgstr "Redirection not installed properly"
626
+
627
+ #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
+ msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
+ msgstr "Redirection requires WordPress v%1s, you are using v%2s - please update your WordPress"
631
+
632
+ #: models/importer.php:151
633
+ msgid "Default WordPress \"old slugs\""
634
+ msgstr "Default WordPress \"old slugs\""
635
+
636
+ #: redirection-strings.php:245
637
+ msgid "Create associated redirect (added to end of URL)"
638
+ msgstr "Create associated redirect (added to end of URL)"
639
+
640
+ #: redirection-admin.php:447
641
+ msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
+ msgstr "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
643
+
644
+ #: redirection-strings.php:393
645
+ 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."
646
+ msgstr "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."
647
+
648
+ #: redirection-strings.php:394
649
+ msgid "⚡️ Magic fix ⚡️"
650
+ msgstr "⚡️ Magic fix ⚡️"
651
+
652
+ #: redirection-strings.php:397
653
+ msgid "Plugin Status"
654
+ msgstr "Plugin Status"
655
+
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
+ msgid "Custom"
658
+ msgstr "Custom"
659
+
660
+ #: redirection-strings.php:337
661
+ msgid "Mobile"
662
+ msgstr "Mobile"
663
+
664
+ #: redirection-strings.php:338
665
+ msgid "Feed Readers"
666
+ msgstr "Feed Readers"
667
+
668
+ #: redirection-strings.php:339
669
+ msgid "Libraries"
670
+ msgstr "Libraries"
671
+
672
+ #: redirection-strings.php:242
673
+ msgid "URL Monitor Changes"
674
+ msgstr "URL Monitor Changes"
675
+
676
+ #: redirection-strings.php:243
677
+ msgid "Save changes to this group"
678
+ msgstr "Save changes to this group"
679
+
680
+ #: redirection-strings.php:244
681
+ msgid "For example \"/amp\""
682
+ msgstr "For example \"/amp\""
683
+
684
+ #: redirection-strings.php:255
685
+ msgid "URL Monitor"
686
+ msgstr "URL Monitor"
687
+
688
+ #: redirection-strings.php:204
689
+ msgid "Delete 404s"
690
+ msgstr "Delete 404s"
691
+
692
+ #: redirection-strings.php:156
693
+ msgid "Delete all from IP %s"
694
+ msgstr "Delete all from IP %s"
695
+
696
+ #: redirection-strings.php:157
697
+ msgid "Delete all matching \"%s\""
698
+ msgstr "Delete all matching \"%s\""
699
+
700
+ #: redirection-strings.php:8
701
+ msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
+ msgstr "Your server has rejected the request for being too big. You will need to change it to continue."
703
+
704
+ #: redirection-admin.php:442
705
+ msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
+ msgstr "Also check if your browser is able to load <code>redirection.js</code>:"
707
+
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
+ msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
+ msgstr "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
711
+
712
+ #: redirection-admin.php:361
713
+ msgid "Unable to load Redirection"
714
+ msgstr "Unable to load Redirection"
715
+
716
+ #: models/fixer.php:265
717
+ msgid "Unable to create group"
718
+ msgstr "Unable to create group"
719
+
720
+ #: models/fixer.php:257
721
+ msgid "Failed to fix database tables"
722
+ msgstr "Failed to fix database tables"
723
+
724
+ #: models/fixer.php:40
725
+ msgid "Post monitor group is valid"
726
+ msgstr "Post monitor group is valid"
727
+
728
+ #: models/fixer.php:40
729
+ msgid "Post monitor group is invalid"
730
+ msgstr "Post monitor group is invalid"
731
+
732
+ #: models/fixer.php:38
733
+ msgid "Post monitor group"
734
+ msgstr "Post monitor group"
735
+
736
+ #: models/fixer.php:34
737
+ msgid "All redirects have a valid group"
738
+ msgstr "All redirects have a valid group"
739
+
740
+ #: models/fixer.php:34
741
+ msgid "Redirects with invalid groups detected"
742
+ msgstr "Redirects with invalid groups detected"
743
+
744
+ #: models/fixer.php:32
745
+ msgid "Valid redirect group"
746
+ msgstr "Valid redirect group"
747
+
748
+ #: models/fixer.php:28
749
+ msgid "Valid groups detected"
750
+ msgstr "Valid groups detected"
751
+
752
+ #: models/fixer.php:28
753
+ msgid "No valid groups, so you will not be able to create any redirects"
754
+ msgstr "No valid groups, so you will not be able to create any redirects"
755
+
756
+ #: models/fixer.php:26
757
+ msgid "Valid groups"
758
+ msgstr "Valid groups"
759
+
760
+ #: models/fixer.php:23
761
+ msgid "Database tables"
762
+ msgstr "Database tables"
763
+
764
+ #: models/database.php:317
765
+ msgid "The following tables are missing:"
766
+ msgstr "The following tables are missing:"
767
+
768
+ #: models/database.php:317
769
+ msgid "All tables present"
770
+ msgstr "All tables present"
771
+
772
+ #: redirection-strings.php:112
773
+ msgid "Cached Redirection detected"
774
+ msgstr "Cached Redirection detected"
775
+
776
+ #: redirection-strings.php:113
777
+ msgid "Please clear your browser cache and reload this page."
778
+ msgstr "Please clear your browser cache and reload this page."
779
+
780
+ #: redirection-strings.php:4
781
+ msgid "The data on this page has expired, please reload."
782
+ msgstr "The data on this page has expired, please reload."
783
+
784
+ #: redirection-strings.php:5
785
+ 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."
786
+ msgstr "WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."
787
+
788
+ #: redirection-strings.php:7
789
+ msgid "Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"
790
+ msgstr "Your server returned a 403 Forbidden error which may indicate the request was blocked. Are you using a firewall or a security plugin like mod_security?"
791
+
792
+ #: redirection-strings.php:25
793
+ msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
+ msgstr "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
795
+
796
+ #: redirection-admin.php:446
797
+ msgid "If you think Redirection is at fault then create an issue."
798
+ msgstr "If you think Redirection is at fault then create an issue."
799
+
800
+ #: redirection-admin.php:440
801
+ msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
+ msgstr "This may be caused by another plugin - look at your browser's error console for more details."
803
+
804
+ #: redirection-admin.php:432
805
+ msgid "Loading, please wait..."
806
+ msgstr "Loading, please wait..."
807
+
808
+ #: redirection-strings.php:142
809
+ 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)."
810
+ msgstr "{{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)."
811
+
812
+ #: redirection-strings.php:117
813
+ msgid "Redirection is not working. Try clearing your browser cache and reloading this page."
814
+ msgstr "Redirection is not working. Try clearing your browser cache and reloading this page."
815
+
816
+ #: redirection-strings.php:119
817
+ msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
818
+ msgstr "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
819
+
820
+ #: redirection-strings.php:21
821
+ msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
+ msgstr "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
823
+
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
+ msgid "Create Issue"
826
+ msgstr "Create Issue"
827
+
828
+ #: redirection-strings.php:23
829
+ msgid "Email"
830
+ msgstr "Email"
831
+
832
+ #: redirection-strings.php:24
833
+ msgid "Important details"
834
+ msgstr "Important details"
835
+
836
+ #: redirection-strings.php:372
837
+ msgid "Need help?"
838
+ msgstr "Need help?"
839
+
840
+ #: redirection-strings.php:375
841
+ msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
+ msgstr "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
843
+
844
+ #: redirection-strings.php:324
845
+ msgid "Pos"
846
+ msgstr "Pos"
847
+
848
+ #: redirection-strings.php:306
849
+ msgid "410 - Gone"
850
+ msgstr "410 - Gone"
851
+
852
+ #: redirection-strings.php:314
853
+ msgid "Position"
854
+ msgstr "Position"
855
+
856
+ #: redirection-strings.php:259
857
+ 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"
858
+ msgstr "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"
859
+
860
+ #: redirection-strings.php:260
861
+ msgid "Apache Module"
862
+ msgstr "Apache Module"
863
+
864
+ #: redirection-strings.php:261
865
+ msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
+ msgstr "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
867
+
868
+ #: redirection-strings.php:124
869
+ msgid "Import to group"
870
+ msgstr "Import to group"
871
+
872
+ #: redirection-strings.php:125
873
+ msgid "Import a CSV, .htaccess, or JSON file."
874
+ msgstr "Import a CSV, .htaccess, or JSON file."
875
+
876
+ #: redirection-strings.php:126
877
+ msgid "Click 'Add File' or drag and drop here."
878
+ msgstr "Click 'Add File' or drag and drop here."
879
+
880
+ #: redirection-strings.php:127
881
+ msgid "Add File"
882
+ msgstr "Add File"
883
+
884
+ #: redirection-strings.php:128
885
+ msgid "File selected"
886
+ msgstr "File selected"
887
+
888
+ #: redirection-strings.php:131
889
+ msgid "Importing"
890
+ msgstr "Importing"
891
+
892
+ #: redirection-strings.php:132
893
+ msgid "Finished importing"
894
+ msgstr "Finished importing"
895
+
896
+ #: redirection-strings.php:133
897
+ msgid "Total redirects imported:"
898
+ msgstr "Total redirects imported:"
899
+
900
+ #: redirection-strings.php:134
901
+ msgid "Double-check the file is the correct format!"
902
+ msgstr "Double-check the file is the correct format!"
903
+
904
+ #: redirection-strings.php:135
905
+ msgid "OK"
906
+ msgstr "OK"
907
+
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
+ msgid "Close"
910
+ msgstr "Close"
911
+
912
+ #: redirection-strings.php:141
913
+ msgid "All imports will be appended to the current database."
914
+ msgstr "All imports will be appended to the current database."
915
+
916
+ #: redirection-strings.php:143 redirection-strings.php:163
917
+ msgid "Export"
918
+ msgstr "Export"
919
+
920
+ #: redirection-strings.php:144
921
+ msgid "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."
922
+ msgstr "Export to CSV, Apache .htaccess, Nginx, or Redirection JSON (which contains all redirects and groups)."
923
+
924
+ #: redirection-strings.php:145
925
+ msgid "Everything"
926
+ msgstr "Everything"
927
+
928
+ #: redirection-strings.php:146
929
+ msgid "WordPress redirects"
930
+ msgstr "WordPress redirects"
931
+
932
+ #: redirection-strings.php:147
933
+ msgid "Apache redirects"
934
+ msgstr "Apache redirects"
935
+
936
+ #: redirection-strings.php:148
937
+ msgid "Nginx redirects"
938
+ msgstr "Nginx redirects"
939
+
940
+ #: redirection-strings.php:149
941
+ msgid "CSV"
942
+ msgstr "CSV"
943
+
944
+ #: redirection-strings.php:150
945
+ msgid "Apache .htaccess"
946
+ msgstr "Apache .htaccess"
947
+
948
+ #: redirection-strings.php:151
949
+ msgid "Nginx rewrite rules"
950
+ msgstr "Nginx rewrite rules"
951
+
952
+ #: redirection-strings.php:152
953
+ msgid "Redirection JSON"
954
+ msgstr "Redirection JSON"
955
+
956
+ #: redirection-strings.php:153
957
+ msgid "View"
958
+ msgstr "View"
959
+
960
+ #: redirection-strings.php:155
961
+ msgid "Log files can be exported from the log pages."
962
+ msgstr "Log files can be exported from the log pages."
963
+
964
+ #: redirection-strings.php:52 redirection-strings.php:107
965
+ msgid "Import/Export"
966
+ msgstr "Import/Export"
967
+
968
+ #: redirection-strings.php:108
969
+ msgid "Logs"
970
+ msgstr "Logs"
971
+
972
+ #: redirection-strings.php:109
973
+ msgid "404 errors"
974
+ msgstr "404 errors"
975
+
976
+ #: redirection-strings.php:120
977
+ msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
978
+ msgstr "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
979
+
980
+ #: redirection-strings.php:220
981
+ msgid "I'd like to support some more."
982
+ msgstr "I'd like to support some more."
983
+
984
+ #: redirection-strings.php:223
985
+ msgid "Support 💰"
986
+ msgstr "Support 💰"
987
+
988
+ #: redirection-strings.php:398
989
+ msgid "Redirection saved"
990
+ msgstr "Redirection saved"
991
+
992
+ #: redirection-strings.php:399
993
+ msgid "Log deleted"
994
+ msgstr "Log deleted"
995
+
996
+ #: redirection-strings.php:400
997
+ msgid "Settings saved"
998
+ msgstr "Settings saved"
999
+
1000
+ #: redirection-strings.php:401
1001
+ msgid "Group saved"
1002
+ msgstr "Group saved"
1003
+
1004
+ #: redirection-strings.php:85
1005
+ msgid "Are you sure you want to delete this item?"
1006
+ msgid_plural "Are you sure you want to delete these items?"
1007
+ msgstr[0] "Are you sure you want to delete this item?"
1008
+ msgstr[1] "Are you sure you want to delete these items?"
1009
+
1010
+ #: redirection-strings.php:371
1011
+ msgid "pass"
1012
+ msgstr "pass"
1013
+
1014
+ #: redirection-strings.php:331
1015
+ msgid "All groups"
1016
+ msgstr "All groups"
1017
+
1018
+ #: redirection-strings.php:296
1019
+ msgid "301 - Moved Permanently"
1020
+ msgstr "301 - Moved Permanently"
1021
+
1022
+ #: redirection-strings.php:297
1023
+ msgid "302 - Found"
1024
+ msgstr "302 - Found"
1025
+
1026
+ #: redirection-strings.php:300
1027
+ msgid "307 - Temporary Redirect"
1028
+ msgstr "307 - Temporary Redirect"
1029
+
1030
+ #: redirection-strings.php:301
1031
+ msgid "308 - Permanent Redirect"
1032
+ msgstr "308 - Permanent Redirect"
1033
+
1034
+ #: redirection-strings.php:303
1035
+ msgid "401 - Unauthorized"
1036
+ msgstr "401 - Unauthorised"
1037
+
1038
+ #: redirection-strings.php:305
1039
+ msgid "404 - Not Found"
1040
+ msgstr "404 - Not Found"
1041
+
1042
+ #: redirection-strings.php:308
1043
+ msgid "Title"
1044
+ msgstr "Title"
1045
+
1046
+ #: redirection-strings.php:311
1047
+ msgid "When matched"
1048
+ msgstr "When matched"
1049
+
1050
+ #: redirection-strings.php:312
1051
+ msgid "with HTTP code"
1052
+ msgstr "with HTTP code"
1053
+
1054
+ #: redirection-strings.php:321
1055
+ msgid "Show advanced options"
1056
+ msgstr "Show advanced options"
1057
+
1058
+ #: redirection-strings.php:274
1059
+ msgid "Matched Target"
1060
+ msgstr "Matched Target"
1061
+
1062
+ #: redirection-strings.php:276
1063
+ msgid "Unmatched Target"
1064
+ msgstr "Unmatched Target"
1065
+
1066
+ #: redirection-strings.php:57 redirection-strings.php:58
1067
+ msgid "Saving..."
1068
+ msgstr "Saving..."
1069
+
1070
+ #: redirection-strings.php:55
1071
+ msgid "View notice"
1072
+ msgstr "View notice"
1073
+
1074
+ #: models/redirect.php:560
1075
+ msgid "Invalid source URL"
1076
+ msgstr "Invalid source URL"
1077
+
1078
+ #: models/redirect.php:488
1079
+ msgid "Invalid redirect action"
1080
+ msgstr "Invalid redirect action"
1081
+
1082
+ #: models/redirect.php:482
1083
+ msgid "Invalid redirect matcher"
1084
+ msgstr "Invalid redirect matcher"
1085
+
1086
+ #: models/redirect.php:195
1087
+ msgid "Unable to add new redirect"
1088
+ msgstr "Unable to add new redirect"
1089
+
1090
+ #: redirection-strings.php:12 redirection-strings.php:116
1091
+ msgid "Something went wrong 🙁"
1092
+ msgstr "Something went wrong 🙁"
1093
+
1094
+ #: redirection-strings.php:11
1095
+ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1096
+ msgstr "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it might work - great!"
1097
+
1098
+ #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
+ msgid "Log entries (%d max)"
1101
+ msgstr "Log entries (%d max)"
1102
+
1103
+ #: redirection-strings.php:74
1104
+ msgid "Search by IP"
1105
+ msgstr "Search by IP"
1106
+
1107
+ #: redirection-strings.php:69
1108
+ msgid "Select bulk action"
1109
+ msgstr "Select bulk action"
1110
+
1111
+ #: redirection-strings.php:70
1112
+ msgid "Bulk Actions"
1113
+ msgstr "Bulk Actions"
1114
+
1115
+ #: redirection-strings.php:71
1116
+ msgid "Apply"
1117
+ msgstr "Apply"
1118
+
1119
+ #: redirection-strings.php:62
1120
+ msgid "First page"
1121
+ msgstr "First page"
1122
+
1123
+ #: redirection-strings.php:63
1124
+ msgid "Prev page"
1125
+ msgstr "Prev page"
1126
+
1127
+ #: redirection-strings.php:64
1128
+ msgid "Current Page"
1129
+ msgstr "Current Page"
1130
+
1131
+ #: redirection-strings.php:65
1132
+ msgid "of %(page)s"
1133
+ msgstr "of %(page)s"
1134
+
1135
+ #: redirection-strings.php:66
1136
+ msgid "Next page"
1137
+ msgstr "Next page"
1138
+
1139
+ #: redirection-strings.php:67
1140
+ msgid "Last page"
1141
+ msgstr "Last page"
1142
+
1143
+ #: redirection-strings.php:68
1144
+ msgid "%s item"
1145
+ msgid_plural "%s items"
1146
+ msgstr[0] "%s item"
1147
+ msgstr[1] "%s items"
1148
+
1149
+ #: redirection-strings.php:61
1150
+ msgid "Select All"
1151
+ msgstr "Select All"
1152
+
1153
+ #: redirection-strings.php:73
1154
+ msgid "Sorry, something went wrong loading the data - please try again"
1155
+ msgstr "Sorry, something went wrong loading the data - please try again"
1156
+
1157
+ #: redirection-strings.php:72
1158
+ msgid "No results"
1159
+ msgstr "No results"
1160
+
1161
+ #: redirection-strings.php:159
1162
+ msgid "Delete the logs - are you sure?"
1163
+ msgstr "Delete the logs - are you sure?"
1164
+
1165
+ #: redirection-strings.php:160
1166
+ 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."
1167
+ msgstr "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."
1168
+
1169
+ #: redirection-strings.php:161
1170
+ msgid "Yes! Delete the logs"
1171
+ msgstr "Yes! Delete the logs"
1172
+
1173
+ #: redirection-strings.php:162
1174
+ msgid "No! Don't delete the logs"
1175
+ msgstr "No! Don't delete the logs"
1176
+
1177
+ #: redirection-strings.php:388
1178
+ msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
+ msgstr "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1180
+
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
+ msgid "Newsletter"
1183
+ msgstr "Newsletter"
1184
+
1185
+ #: redirection-strings.php:390
1186
+ msgid "Want to keep up to date with changes to Redirection?"
1187
+ msgstr "Want to keep up to date with changes to Redirection?"
1188
+
1189
+ #: redirection-strings.php:391
1190
+ msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
+ msgstr "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1192
+
1193
+ #: redirection-strings.php:392
1194
+ msgid "Your email address:"
1195
+ msgstr "Your email address:"
1196
+
1197
+ #: redirection-strings.php:219
1198
+ msgid "You've supported this plugin - thank you!"
1199
+ msgstr "You've supported this plugin - thank you!"
1200
+
1201
+ #: redirection-strings.php:222
1202
+ msgid "You get useful software and I get to carry on making it better."
1203
+ msgstr "You get useful software and I get to carry on making it better."
1204
+
1205
+ #: redirection-strings.php:230 redirection-strings.php:235
1206
+ msgid "Forever"
1207
+ msgstr "Forever"
1208
+
1209
+ #: redirection-strings.php:211
1210
+ msgid "Delete the plugin - are you sure?"
1211
+ msgstr "Delete the plugin - are you sure?"
1212
+
1213
+ #: redirection-strings.php:212
1214
+ 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."
1215
+ msgstr "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."
1216
+
1217
+ #: redirection-strings.php:213
1218
+ msgid "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
1219
+ msgstr "Once deleted your redirections will stop working. If they appear to continue working then please clear your browser cache."
1220
+
1221
+ #: redirection-strings.php:214
1222
+ msgid "Yes! Delete the plugin"
1223
+ msgstr "Yes! Delete the plugin"
1224
+
1225
+ #: redirection-strings.php:215
1226
+ msgid "No! Don't delete the plugin"
1227
+ msgstr "No! Don't delete the plugin"
1228
+
1229
+ #. Author of the plugin/theme
1230
+ msgid "John Godley"
1231
+ msgstr "John Godley"
1232
+
1233
+ #. Description of the plugin/theme
1234
+ msgid "Manage all your 301 redirects and monitor 404 errors"
1235
+ msgstr "Manage all your 301 redirects and monitor 404 errors."
1236
+
1237
+ #: redirection-strings.php:221
1238
+ 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}}."
1239
+ msgstr "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}}."
1240
+
1241
+ #: redirection-admin.php:310
1242
+ msgid "Redirection Support"
1243
+ msgstr "Redirection Support"
1244
+
1245
+ #: redirection-strings.php:54 redirection-strings.php:111
1246
+ msgid "Support"
1247
+ msgstr "Support"
1248
+
1249
+ #: redirection-strings.php:51
1250
+ msgid "404s"
1251
+ msgstr "404s"
1252
+
1253
+ #: redirection-strings.php:50
1254
+ msgid "Log"
1255
+ msgstr "Log"
1256
+
1257
+ #: redirection-strings.php:217
1258
+ 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."
1259
+ msgstr "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."
1260
+
1261
+ #: redirection-strings.php:216
1262
+ msgid "Delete Redirection"
1263
+ msgstr "Delete Redirection"
1264
+
1265
+ #: redirection-strings.php:129
1266
+ msgid "Upload"
1267
+ msgstr "Upload"
1268
+
1269
+ #: redirection-strings.php:140
1270
+ msgid "Import"
1271
+ msgstr "Import"
1272
+
1273
+ #: redirection-strings.php:269
1274
+ msgid "Update"
1275
+ msgstr "Update"
1276
+
1277
+ #: redirection-strings.php:258
1278
+ msgid "Auto-generate URL"
1279
+ msgstr "Auto-generate URL"
1280
+
1281
+ #: redirection-strings.php:257
1282
+ msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
+ msgstr "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1284
+
1285
+ #: redirection-strings.php:256
1286
+ msgid "RSS Token"
1287
+ msgstr "RSS Token"
1288
+
1289
+ #: redirection-strings.php:250
1290
+ msgid "404 Logs"
1291
+ msgstr "404 Logs"
1292
+
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
+ msgid "(time to keep logs for)"
1295
+ msgstr "(time to keep logs for)"
1296
+
1297
+ #: redirection-strings.php:248
1298
+ msgid "Redirect Logs"
1299
+ msgstr "Redirect Logs"
1300
+
1301
+ #: redirection-strings.php:247
1302
+ msgid "I'm a nice person and I have helped support the author of this plugin"
1303
+ msgstr "I'm a nice person and I have helped support the author of this plugin."
1304
+
1305
+ #: redirection-strings.php:224
1306
+ msgid "Plugin Support"
1307
+ msgstr "Plugin Support"
1308
+
1309
+ #: redirection-strings.php:53 redirection-strings.php:110
1310
+ msgid "Options"
1311
+ msgstr "Options"
1312
+
1313
+ #: redirection-strings.php:229
1314
+ msgid "Two months"
1315
+ msgstr "Two months"
1316
+
1317
+ #: redirection-strings.php:228
1318
+ msgid "A month"
1319
+ msgstr "A month"
1320
+
1321
+ #: redirection-strings.php:227 redirection-strings.php:234
1322
+ msgid "A week"
1323
+ msgstr "A week"
1324
+
1325
+ #: redirection-strings.php:226 redirection-strings.php:233
1326
+ msgid "A day"
1327
+ msgstr "A day"
1328
+
1329
+ #: redirection-strings.php:225
1330
+ msgid "No logs"
1331
+ msgstr "No logs"
1332
+
1333
+ #: redirection-strings.php:158 redirection-strings.php:194
1334
+ #: redirection-strings.php:199
1335
+ msgid "Delete All"
1336
+ msgstr "Delete All"
1337
+
1338
+ #: redirection-strings.php:94
1339
+ 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."
1340
+ msgstr "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."
1341
+
1342
+ #: redirection-strings.php:93
1343
+ msgid "Add Group"
1344
+ msgstr "Add Group"
1345
+
1346
+ #: redirection-strings.php:75
1347
+ msgid "Search"
1348
+ msgstr "Search"
1349
+
1350
+ #: redirection-strings.php:49 redirection-strings.php:106
1351
+ msgid "Groups"
1352
+ msgstr "Groups"
1353
+
1354
+ #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
+ msgid "Save"
1357
+ msgstr "Save"
1358
+
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
+ msgid "Group"
1361
+ msgstr "Group"
1362
+
1363
+ #: redirection-strings.php:310
1364
+ msgid "Match"
1365
+ msgstr "Match"
1366
+
1367
+ #: redirection-strings.php:332
1368
+ msgid "Add new redirection"
1369
+ msgstr "Add new redirection"
1370
+
1371
+ #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
+ msgid "Cancel"
1374
+ msgstr "Cancel"
1375
+
1376
+ #: redirection-strings.php:154
1377
+ msgid "Download"
1378
+ msgstr "Download"
1379
+
1380
+ #. Plugin Name of the plugin/theme
1381
+ msgid "Redirection"
1382
+ msgstr "Redirection"
1383
+
1384
+ #: redirection-admin.php:158
1385
+ msgid "Settings"
1386
+ msgstr "Settings"
1387
+
1388
+ #: redirection-strings.php:294
1389
+ msgid "Error (404)"
1390
+ msgstr "Error (404)"
1391
+
1392
+ #: redirection-strings.php:293
1393
+ msgid "Pass-through"
1394
+ msgstr "Pass-through"
1395
+
1396
+ #: redirection-strings.php:292
1397
+ msgid "Redirect to random post"
1398
+ msgstr "Redirect to random post"
1399
+
1400
+ #: redirection-strings.php:291
1401
+ msgid "Redirect to URL"
1402
+ msgstr "Redirect to URL"
1403
+
1404
+ #: models/redirect.php:550
1405
+ msgid "Invalid group when creating redirect"
1406
+ msgstr "Invalid group when creating redirect"
1407
+
1408
+ #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
+ msgid "IP"
1411
+ msgstr "IP"
1412
+
1413
+ #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
+ msgid "Source URL"
1416
+ msgstr "Source URL"
1417
+
1418
+ #: redirection-strings.php:164 redirection-strings.php:177
1419
+ msgid "Date"
1420
+ msgstr "Date"
1421
+
1422
+ #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
+ msgid "Add Redirect"
1425
+ msgstr "Add Redirect"
1426
+
1427
+ #: redirection-strings.php:92
1428
+ msgid "All modules"
1429
+ msgstr "All modules"
1430
+
1431
+ #: redirection-strings.php:98
1432
+ msgid "View Redirects"
1433
+ msgstr "View Redirects"
1434
+
1435
+ #: redirection-strings.php:88 redirection-strings.php:102
1436
+ msgid "Module"
1437
+ msgstr "Module"
1438
+
1439
+ #: redirection-strings.php:48 redirection-strings.php:87
1440
+ msgid "Redirects"
1441
+ msgstr "Redirects"
1442
+
1443
+ #: redirection-strings.php:86 redirection-strings.php:95
1444
+ #: redirection-strings.php:101
1445
+ msgid "Name"
1446
+ msgstr "Name"
1447
+
1448
+ #: redirection-strings.php:59
1449
+ msgid "Filter"
1450
+ msgstr "Filter"
1451
+
1452
+ #: redirection-strings.php:330
1453
+ msgid "Reset hits"
1454
+ msgstr "Reset hits"
1455
+
1456
+ #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
+ msgid "Enable"
1459
+ msgstr "Enable"
1460
+
1461
+ #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
+ msgid "Disable"
1464
+ msgstr "Disable"
1465
+
1466
+ #: redirection-strings.php:89 redirection-strings.php:97
1467
+ #: redirection-strings.php:168 redirection-strings.php:169
1468
+ #: redirection-strings.php:181 redirection-strings.php:184
1469
+ #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
+ msgid "Delete"
1472
+ msgstr "Delete"
1473
+
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
+ msgid "Edit"
1476
+ msgstr "Edit"
1477
+
1478
+ #: redirection-strings.php:326
1479
+ msgid "Last Access"
1480
+ msgstr "Last Access"
1481
+
1482
+ #: redirection-strings.php:325
1483
+ msgid "Hits"
1484
+ msgstr "Hits"
1485
+
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
+ msgid "URL"
1488
+ msgstr "URL"
1489
+
1490
+ #: redirection-strings.php:322
1491
+ msgid "Type"
1492
+ msgstr "Type"
1493
+
1494
+ #: models/database.php:139
1495
+ msgid "Modified Posts"
1496
+ msgstr "Modified Posts"
1497
+
1498
+ #: models/database.php:138 models/group.php:148 redirection-strings.php:105
1499
+ msgid "Redirections"
1500
+ msgstr "Redirections"
1501
+
1502
+ #: redirection-strings.php:334
1503
+ msgid "User Agent"
1504
+ msgstr "User Agent"
1505
+
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
+ msgid "URL and user agent"
1508
+ msgstr "URL and user agent"
1509
+
1510
+ #: redirection-strings.php:278
1511
+ msgid "Target URL"
1512
+ msgstr "Target URL"
1513
+
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
+ msgid "URL only"
1516
+ msgstr "URL only"
1517
+
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
+ msgid "Regex"
1522
+ msgstr "Regex"
1523
+
1524
+ #: redirection-strings.php:359
1525
+ msgid "Referrer"
1526
+ msgstr "Referrer"
1527
+
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
+ msgid "URL and referrer"
1530
+ msgstr "URL and referrer"
1531
+
1532
+ #: redirection-strings.php:272
1533
+ msgid "Logged Out"
1534
+ msgstr "Logged Out"
1535
+
1536
+ #: redirection-strings.php:270
1537
+ msgid "Logged In"
1538
+ msgstr "Logged In"
1539
+
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
+ msgid "URL and login status"
1542
+ msgstr "URL and login status"
locale/redirection-es_ES.mo CHANGED
Binary file
locale/redirection-es_ES.po CHANGED
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr "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"
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr "PHP no compatible"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection requiere PHP v%1$1s, estás usando v%2$2s. Este plugin dejará de funcionar en la próxima versión."
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Por favor, no intentes redirigir todos tus 404s - no es una buena idea."
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "De momento solo es compatible con el tipo 404 de página de error."
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr "Tipo de página"
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Introduce direcciones IP (una por línea)"
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe la finalidad de esta redirección (opcional)"
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - Soy una tetera"
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Prohibido"
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Mala petición"
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr "304 - No modificada"
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr "303 - Ver otra"
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr "No hacer nada (ignorar)"
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "URL de destino cuando no coinciden (vacío para ignorar)"
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "URL de destino cuando coinciden (vacío para ignorar)"
79
 
@@ -122,27 +122,27 @@ msgstr "Redirigir todo"
122
  msgid "Count"
123
  msgstr "Contador"
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr "URL y tipo de página de WordPress"
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr "URL e IP"
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr "Problema"
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr "Bueno"
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr "Comprobar"
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr "Comprobar la redirección"
148
 
@@ -178,79 +178,79 @@ msgstr "Esperado"
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Introduce la URL completa, incluyendo http:// o https://"
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr "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."
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr "Probar redirecciones"
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr "Destino"
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "La URL no está siendo redirigida por Redirection"
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "La URL está siendo redirigida por Redirection"
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr "No se han podido cargar los detalles"
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr "Escribe la URL del servidor que comprobar"
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "Servidor"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr "Escribe el valor de perfil o capacidad"
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "Perfil"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr "Comparar contra el texto de referencia de este navegador"
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "Comparar contra el agente usuario de este navegador"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "La URL relativa desde la que quieres redirigir"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "La URL de destino a la que quieres redirigir si coincide"
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forzar redirección de HTTP a HTTPs. Antes de activarlo asegúrate de que HTTPS funciona"
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "Forzar HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr "Información de RGPD / Provacidad"
256
 
@@ -262,26 +262,18 @@ msgstr "Añadir nueva"
262
  msgid "Please logout and login again."
263
  msgstr "Cierra sesión y vuelve a entrar, por favor."
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL y perfil/capacidad"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL y servidor"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "Petición de formulario"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "/wp-json/ relativo"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr "Proxy sobre Admin AJAX"
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "/wp-json/ por defecto"
@@ -298,43 +290,43 @@ msgstr "Protocolo de portada y el sitio"
298
  msgid "Site and home are consistent"
299
  msgstr "Portada y sitio son consistentes"
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr "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."
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Aceptar idioma"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Valor de cabecera"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "Nombre de cabecera"
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "Cabecera HTTP"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "Nombre del filtro WordPress"
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "Nombre del filtro"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Valor de la cookie"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Nombre de la cookie"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "vaciando tu caché."
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr "URL y cabecera HTTP"
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr "URL y filtro personalizado"
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL y cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr "404 borrado"
364
 
@@ -366,11 +358,11 @@ msgstr "404 borrado"
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr "Sin modificar /index.php?rest_route=/"
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "REST API"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr "Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"
376
 
@@ -402,11 +394,11 @@ msgstr "{{link}}Por favor, ¡desactiva temporalmente otros plugins!{{/link}} Est
402
  msgid "None of the suggestions helped"
403
  msgstr "Ninguna de las sugerencias ha ayudado"
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr "Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr "No se puede cargar Redirection ☹️"
412
 
@@ -487,15 +479,15 @@ msgstr "Registro completo de IP"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonimizar IP (enmascarar la última parte)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr "Monitorizar cambios de %(type)s"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "Registro de IP"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(seleccionar el nivel de registro de IP)"
501
 
@@ -562,12 +554,12 @@ msgstr "Funciona gracias a {{link}}redirect.li{{/link}}"
562
  msgid "Trash"
563
  msgstr "Papelera"
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr "Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr "Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."
573
 
@@ -575,15 +567,15 @@ msgstr "Puedes encontrar la documentación completa sobre el uso de Redirection
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "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}}."
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "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!"
589
 
@@ -595,11 +587,11 @@ msgstr "No cachear nunca"
595
  msgid "An hour"
596
  msgstr "Una hora"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr "Redireccionar caché"
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "Importar de %s"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "Se han detectado problemas en las tablas de tu base de datos. Por favor, visita la <a href=\"%s\">página de soporte</a> para más detalles."
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection no está instalado correctamente"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr "Redirection requiere WordPress v%1s, estás usando v%2s - por favor, actualiza tu WordPress"
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr "\"Viejos slugs\" por defecto de WordPress"
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr "Crea una redirección asociada (añadida al final de la URL)"
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr "<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."
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr "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."
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr "⚡️ Arreglo mágico ⚡️"
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr "Estado del plugin"
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr "Personalizado"
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr "Móvil"
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr "Lectores de feeds"
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr "Bibliotecas"
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr "Monitorizar el cambio de URL"
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr "Guardar los cambios de este grupo"
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr "Por ejemplo \"/amp\""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr "Supervisar URL"
695
 
@@ -709,15 +701,15 @@ msgstr "Borra todo lo que tenga \"%s\""
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr "El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de continuar."
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr "También comprueba si tu navegador puede cargar <code>redirection.js</code>:"
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr "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é."
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "No ha sido posible cargar Redirection"
723
 
@@ -801,15 +793,15 @@ msgstr "Tu servidor devolvió un error de 403 Prohibido, que podría indicar que
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr "Incluye estos detalles en tu informe {strong}}junto con una descripción de lo que estabas haciendo{{/strong}}."
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr "Si crees que es un fallo de Redirection entonces envía un aviso de problema."
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr "Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "Cargando, por favor espera…"
815
 
@@ -829,7 +821,7 @@ msgstr "Si eso no ayuda abre la consola de errores de tu navegador y crea un {{l
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr "Si es un problema nuevo entonces, por favor, o {{strong}}crea un aviso de nuevo problema{{/strong}} o envía un {{strong}}correo electrónico{{/strong}}. Incluye una descripción de lo que estabas tratando de hacer y de los importantes detalles listados abajo. Por favor, incluye una captura de pantalla."
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr "Crear aviso de problema"
835
 
@@ -841,35 +833,35 @@ msgstr "Correo electrónico"
841
  msgid "Important details"
842
  msgstr "Detalles importantes"
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "¿Necesitas ayuda?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr "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."
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr "Pos"
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr "410 - Desaparecido"
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Posición"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr "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"
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Módulo Apache"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr "Introduce la ruta completa y el nombre del archivo si quieres que Redirection actualice automáticamente tu {{code}}.htaccess{{/code}}."
875
 
@@ -913,7 +905,7 @@ msgstr "¡Vuelve a comprobar que el archivo esté en el formato correcto!"
913
  msgid "OK"
914
  msgstr "Aceptar"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Cerrar"
919
 
@@ -993,19 +985,19 @@ msgstr "Me gustaría dar algo más de apoyo."
993
  msgid "Support 💰"
994
  msgstr "Apoyar 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Redirección guardada"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Registro borrado"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Ajustes guardados"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Grupo guardado"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "¿Estás seguro de querer borrar este elemento?"
1016
  msgstr[1] "¿Estás seguro de querer borrar estos elementos?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr "pass"
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "Todos los grupos"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301 - Movido permanentemente"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 - Encontrado"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 - Redirección temporal"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 - Redirección permanente"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 - No autorizado"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 - No encontrado"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Título"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr "Cuando coincide"
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "con el código HTTP"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Mostrar opciones avanzadas"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr "Objetivo coincidente"
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr "Objetivo no coincidente"
1073
 
@@ -1104,7 +1096,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1104
  msgstr "Estaba tratando de hacer algo cuando ocurrió un fallo. Puede ser un problema temporal, y si lo intentas hacer de nuevo puede que funcione - ¡genial! "
1105
 
1106
  #. translators: maximum number of log entries
1107
- #: redirection-admin.php:205
1108
  msgid "Log entries (%d max)"
1109
  msgstr "Entradas del registro (máximo %d)"
1110
 
@@ -1182,23 +1174,23 @@ msgstr "¡Sí! Borra los registros"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "¡No! No borres los registros"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr "¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "Boletín"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr "¿Quieres estar al día de los cambios en Redirection?"
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "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."
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "Tu dirección de correo electrónico:"
1204
 
@@ -1246,7 +1238,7 @@ msgstr "Gestiona todas tus redirecciones 301 y monitoriza tus errores 404"
1246
  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}}."
1247
  msgstr "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}}. "
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Soporte de Redirection"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "Subir"
1278
  msgid "Import"
1279
  msgstr "Importar"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "Actualizar"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "Auto generar URL"
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "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)"
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "Token RSS"
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "Registros 404"
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(tiempo que se mantendrán los registros)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "Registros de redirecciones"
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "Soy una buena persona y he apoyado al autor de este plugin"
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "Grupos"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "Guardar"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "Grupo"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "Coincidencia"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "Añadir nueva redirección"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "Cancelar"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "Descargar"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "Ajustes"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "Error (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "Pasar directo"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "Redirigir a entrada aleatoria"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "Redirigir a URL"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "Grupo no válido a la hora de crear la redirección"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "URL de origen"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "Fecha"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "Añadir redirección"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "Nombre"
1457
  msgid "Filter"
1458
  msgstr "Filtro"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "Restablecer aciertos"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "Activar"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "Desactivar"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "Desactivar"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "Eliminar"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "Editar"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "Último acceso"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "Hits"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "Tipo"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "Entradas modificadas"
1507
  msgid "Redirections"
1508
  msgstr "Redirecciones"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "Agente usuario HTTP"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL y cliente de usuario (user agent)"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "URL de destino"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "Sólo URL"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "Expresión regular"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "Referente"
1535
 
1536
- #: matches/referrer.php:10 redirection-strings.php:285
1537
  msgid "URL and referrer"
1538
  msgstr "URL y referente"
1539
 
1540
- #: redirection-strings.php:274
1541
  msgid "Logged Out"
1542
  msgstr "Desconectado"
1543
 
1544
- #: redirection-strings.php:272
1545
  msgid "Logged In"
1546
  msgstr "Conectado"
1547
 
1548
- #: matches/login.php:8 redirection-strings.php:283
1549
  msgid "URL and login status"
1550
  msgstr "Estado de URL y conexión"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr "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"
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr "PHP no compatible"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection requiere PHP v%1$1s, estás usando v%2$2s. Este plugin dejará de funcionar en la próxima versión."
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Por favor, no intentes redirigir todos tus 404s - no es una buena idea."
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "De momento solo es compatible con el tipo 404 de página de error."
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr "Tipo de página"
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Introduce direcciones IP (una por línea)"
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Describe la finalidad de esta redirección (opcional)"
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - Soy una tetera"
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Prohibido"
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr "400 - Mala petición"
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr "304 - No modificada"
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr "303 - Ver otra"
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr "No hacer nada (ignorar)"
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "URL de destino cuando no coinciden (vacío para ignorar)"
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "URL de destino cuando coinciden (vacío para ignorar)"
79
 
122
  msgid "Count"
123
  msgstr "Contador"
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr "URL y tipo de página de WordPress"
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr "URL e IP"
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr "Problema"
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr "Bueno"
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr "Comprobar"
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr "Comprobar la redirección"
148
 
178
  msgid "Error"
179
  msgstr "Error"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Introduce la URL completa, incluyendo http:// o https://"
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr "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."
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr "Probar redirecciones"
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr "Destino"
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "La URL no está siendo redirigida por Redirection"
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "La URL está siendo redirigida por Redirection"
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr "No se han podido cargar los detalles"
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr "Escribe la URL del servidor que comprobar"
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "Servidor"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr "Escribe el valor de perfil o capacidad"
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "Perfil"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr "Comparar contra el texto de referencia de este navegador"
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "Comparar contra el agente usuario de este navegador"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "La URL relativa desde la que quieres redirigir"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "La URL de destino a la que quieres redirigir si coincide"
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forzar redirección de HTTP a HTTPs. Antes de activarlo asegúrate de que HTTPS funciona"
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "Forzar HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr "Información de RGPD / Provacidad"
256
 
262
  msgid "Please logout and login again."
263
  msgstr "Cierra sesión y vuelve a entrar, por favor."
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL y perfil/capacidad"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL y servidor"
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "/wp-json/ relativo"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "/wp-json/ por defecto"
290
  msgid "Site and home are consistent"
291
  msgstr "Portada y sitio son consistentes"
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr "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."
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Aceptar idioma"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Valor de cabecera"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "Nombre de cabecera"
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "Cabecera HTTP"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "Nombre del filtro WordPress"
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "Nombre del filtro"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Valor de la cookie"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Nombre de la cookie"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "Si estás usando un sistema de caché como Cloudflare entonces, por favor, lee esto:"
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr "URL y cabecera HTTP"
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr "URL y filtro personalizado"
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL y cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr "404 borrado"
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr "Sin modificar /index.php?rest_route=/"
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "REST API"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr "Cómo utiliza Redirection la REST API - no cambiar a no ser que sea necesario"
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr "Ninguna de las sugerencias ha ayudado"
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr "Por favor, consulta la <a href=\"https://redirection.me/support/problems/\">lista de problemas habituales</a>."
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr "No se puede cargar Redirection ☹️"
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonimizar IP (enmascarar la última parte)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr "Monitorizar cambios de %(type)s"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "Registro de IP"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(seleccionar el nivel de registro de IP)"
493
 
554
  msgid "Trash"
555
  msgstr "Papelera"
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr "Ten en cuenta que Redirection requiere que la API REST de WordPress esté activada. Si la has desactivado, no podrás usar Redirection"
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr "Puedes encontrar la documentación completa sobre el uso de Redirection en el sitio de soporte <a href=\"%s\" target=\"_blank\">redirection.me</a>."
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "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}}."
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "Si quieres informar de un fallo, por favor lee la guía {{report}}Informando de fallos{{/report}}"
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "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!"
581
 
587
  msgid "An hour"
588
  msgstr "Una hora"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr "Redireccionar caché"
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "Cuánto tiempo cachear URLs con redirección 301 (mediante la cabecera HTTP \"Expires\")"
597
 
616
  msgstr "Importar de %s"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "Se han detectado problemas en las tablas de tu base de datos. Por favor, visita la <a href=\"%s\">página de soporte</a> para más detalles."
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection no está instalado correctamente"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr "Redirection requiere WordPress v%1s, estás usando v%2s - por favor, actualiza tu WordPress"
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr "\"Viejos slugs\" por defecto de WordPress"
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr "Crea una redirección asociada (añadida al final de la URL)"
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr "<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."
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr "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."
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr "⚡️ Arreglo mágico ⚡️"
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr "Estado del plugin"
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr "Personalizado"
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr "Móvil"
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr "Lectores de feeds"
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr "Bibliotecas"
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr "Monitorizar el cambio de URL"
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr "Guardar los cambios de este grupo"
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr "Por ejemplo \"/amp\""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr "Supervisar URL"
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr "El servidor rechazó la petición por ser demasiado grande. Necesitarás cambiarla antes de continuar."
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr "También comprueba si tu navegador puede cargar <code>redirection.js</code>:"
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr "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é."
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "No ha sido posible cargar Redirection"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr "Incluye estos detalles en tu informe {strong}}junto con una descripción de lo que estabas haciendo{{/strong}}."
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr "Si crees que es un fallo de Redirection entonces envía un aviso de problema."
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr "Esto podría estar provocado por otro plugin - revisa la consola de errores de tu navegador para más detalles."
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "Cargando, por favor espera…"
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr "Si es un problema nuevo entonces, por favor, o {{strong}}crea un aviso de nuevo problema{{/strong}} o envía un {{strong}}correo electrónico{{/strong}}. Incluye una descripción de lo que estabas tratando de hacer y de los importantes detalles listados abajo. Por favor, incluye una captura de pantalla."
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr "Crear aviso de problema"
827
 
833
  msgid "Important details"
834
  msgstr "Detalles importantes"
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "¿Necesitas ayuda?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr "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."
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr "Pos"
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr "410 - Desaparecido"
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Posición"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr "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"
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Módulo Apache"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr "Introduce la ruta completa y el nombre del archivo si quieres que Redirection actualice automáticamente tu {{code}}.htaccess{{/code}}."
867
 
905
  msgid "OK"
906
  msgstr "Aceptar"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Cerrar"
911
 
985
  msgid "Support 💰"
986
  msgstr "Apoyar 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Redirección guardada"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Registro borrado"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Ajustes guardados"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Grupo guardado"
1003
 
1007
  msgstr[0] "¿Estás seguro de querer borrar este elemento?"
1008
  msgstr[1] "¿Estás seguro de querer borrar estos elementos?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr "pass"
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "Todos los grupos"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301 - Movido permanentemente"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 - Encontrado"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 - Redirección temporal"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 - Redirección permanente"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 - No autorizado"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 - No encontrado"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Título"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr "Cuando coincide"
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "con el código HTTP"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Mostrar opciones avanzadas"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr "Objetivo coincidente"
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr "Objetivo no coincidente"
1065
 
1096
  msgstr "Estaba tratando de hacer algo cuando ocurrió un fallo. Puede ser un problema temporal, y si lo intentas hacer de nuevo puede que funcione - ¡genial! "
1097
 
1098
  #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
  msgid "Log entries (%d max)"
1101
  msgstr "Entradas del registro (máximo %d)"
1102
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "¡No! No borres los registros"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr "¡Gracias por suscribirte! {{a}}Haz clic aquí{{/a}} si necesitas volver a tu suscripción."
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "Boletín"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr "¿Quieres estar al día de los cambios en Redirection?"
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "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."
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "Tu dirección de correo electrónico:"
1196
 
1238
  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}}."
1239
  msgstr "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}}. "
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Soporte de Redirection"
1244
 
1270
  msgid "Import"
1271
  msgstr "Importar"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "Actualizar"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "Auto generar URL"
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "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)"
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "Token RSS"
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "Registros 404"
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(tiempo que se mantendrán los registros)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "Registros de redirecciones"
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "Soy una buena persona y he apoyado al autor de este plugin"
1304
 
1352
  msgstr "Grupos"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "Guardar"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "Grupo"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "Coincidencia"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "Añadir nueva redirección"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "Cancelar"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "Ajustes"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "Error (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "Pasar directo"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "Redirigir a entrada aleatoria"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "Redirigir a URL"
1403
 
1406
  msgstr "Grupo no válido a la hora de crear la redirección"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "URL de origen"
1417
 
1420
  msgstr "Fecha"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "Añadir redirección"
1426
 
1449
  msgid "Filter"
1450
  msgstr "Filtro"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "Restablecer aciertos"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "Activar"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "Desactivar"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "Eliminar"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "Editar"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "Último acceso"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "Hits"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "Tipo"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "Redirecciones"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "Agente usuario HTTP"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL y cliente de usuario (user agent)"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "URL de destino"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "Sólo URL"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "Expresión regular"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "Referente"
1527
 
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
  msgid "URL and referrer"
1530
  msgstr "URL y referente"
1531
 
1532
+ #: redirection-strings.php:272
1533
  msgid "Logged Out"
1534
  msgstr "Desconectado"
1535
 
1536
+ #: redirection-strings.php:270
1537
  msgid "Logged In"
1538
  msgstr "Conectado"
1539
 
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
  msgid "URL and login status"
1542
  msgstr "Estado de URL y conexión"
locale/redirection-fr_FR.mo CHANGED
Binary file
locale/redirection-fr_FR.po CHANGED
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr "PHP non supporté"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection nécessite PHP v%1$1s, vous utilisez %2$2s. Cette extension arrêtera de fonctionner à partir de la prochaine version."
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Veuillez ne pas essayer de rediriger toutes vos 404 - ce n’est pas une bonne chose à faire."
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Seul le type de page 404 est actuellement supporté."
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr "Type de page"
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Saisissez les adresses IP (une par ligne)"
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Décrivez le but de cette redirection (facultatif)"
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - Je suis une théière"
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Interdit"
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr "400 - mauvaise requête"
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Non modifié"
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr "303 - Voir ailleur"
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr "Ne rien faire (ignorer)"
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "URL cible si aucune correspondance (laisser vide pour ignorer)"
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "URL cible si il y a une correspondance (laisser vide pour ignorer)"
79
 
@@ -122,27 +122,27 @@ msgstr "Tout rediriger"
122
  msgid "Count"
123
  msgstr "Compter"
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr "URL et type de page WordPress"
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr "URL et IP"
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr "Problème"
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr "Bon"
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr "Vérifier"
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr "Vérifier la redirection"
148
 
@@ -178,79 +178,79 @@ msgstr "Attendu"
178
  msgid "Error"
179
  msgstr "Erreur"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Saisissez l’URL complète, avec http:// ou https://"
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr "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."
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr "Testeur de redirection"
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr "Cible"
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "L’URL n’est pas redirigée avec Redirection."
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "L’URL est redirigée avec Redirection."
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr "Impossible de charger les détails"
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr "Saisissez l’URL du serveur à comparer avec"
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "Serveur"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr "Saisissez la valeur de rôle ou de capacité"
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "Rôle"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr "Correspondance avec ce texte de référence du navigateur"
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "Correspondance avec cet agent utilisateur de navigateur"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "L’URL relative que vous voulez rediriger"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "L’URL cible vers laquelle vous voulez rediriger si elle a été trouvée."
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(bêta)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forcer une redirection de HTTP vers HTTPS. Veuillez vous assurer que votre HTTPS fonctionne avant de l’activer."
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "Forcer HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr "RGPD/information de confidentialité"
256
 
@@ -262,26 +262,18 @@ msgstr "Ajouter une nouvelle"
262
  msgid "Please logout and login again."
263
  msgstr "Veuillez vous déconnecter puis vous connecter à nouveau."
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL et rôle/capacité"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL et serveur"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "Formulaire de demande"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "/wp-json/ relatif"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr "Proxy sur Admin AJAX"
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "/wp-json/ par défaut"
@@ -298,43 +290,43 @@ msgstr "Protocole du site et de l’accueil"
298
  msgid "Site and home are consistent"
299
  msgstr "Le site et l’accueil sont cohérents"
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr "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."
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Accepter la langue"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Valeur de l’en-tête"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "Nom de l’en-tête"
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "En-tête HTTP"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "Nom de filtre WordPress"
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "Nom du filtre"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Valeur du cookie"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Nom du cookie"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "vider votre cache."
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "Si vous utilisez un système de cache comme Cloudflare, veuillez lire ceci : "
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr "URL et en-tête HTTP"
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr "URL et filtre personnalisé"
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL et cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr "404 supprimée"
364
 
@@ -366,11 +358,11 @@ msgstr "404 supprimée"
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr "/index.php?rest_route=/ brut"
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "API REST"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr "Comment Redirection utilise l’API REST - ne pas changer sauf si nécessaire"
376
 
@@ -402,11 +394,11 @@ msgstr "{{link}}Veuillez temporairement désactiver les autres extensions !{{/l
402
  msgid "None of the suggestions helped"
403
  msgstr "Aucune de ces suggestions n’a aidé"
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr "Veuillez lire la <a href=\"https://redirection.me/support/problems/\">liste de problèmes communs</a>."
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr "Impossible de charger Redirection ☹️"
412
 
@@ -487,15 +479,15 @@ msgstr "Connexion avec IP complète"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonymiser l’IP (masquer la dernière partie)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr "Monitorer les modifications de %(type)s"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "Journalisation d’IP"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(sélectionnez le niveau de journalisation des IP)"
501
 
@@ -562,12 +554,12 @@ msgstr "Propulsé par {{link}}redirect.li{{/link}}"
562
  msgid "Trash"
563
  msgstr "Corbeille"
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr "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."
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr "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>."
573
 
@@ -575,15 +567,15 @@ msgstr "Vous pouvez trouver une documentation complète à propos de l’utilisa
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "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}}."
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "Si vous souhaitez signaler un bogue, veuillez lire le guide {{report}}Reporting Bugs {{/report}}."
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "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 !"
589
 
@@ -595,11 +587,11 @@ msgstr "Jamais de cache"
595
  msgid "An hour"
596
  msgstr "Une heure"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr "Cache de redirection"
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "Combien de temps garder les URL redirigées en 301 dans le cache (via l’en-tête HTTP « Expires »)"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "Importer depuis %s"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "Des problèmes ont été détectés avec les tables de votre base de données. Veuillez visiter la <a href=\"%s\">page de support</a> pour plus de détails."
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection n’est pas correctement installé"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr "Redirection nécessite WordPress v%1$1s, vous utilisez v%2$2s - veuillez mettre à jour votre installation WordPress."
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr "« Anciens slugs » de WordPress par défaut"
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr "Créer une redirection associée (ajoutée à la fin de l’URL)"
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr "<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."
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr "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."
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr "⚡️ Correction magique ⚡️"
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr "Statut de l’extension"
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr "Personnalisé"
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr "Mobile"
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr "Lecteurs de flux"
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr "Librairies"
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr "Surveiller la modification des URL"
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr "Enregistrer les modifications apportées à ce groupe"
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr "Par exemple « /amp »"
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr "URL à surveiller"
695
 
@@ -709,15 +701,15 @@ msgstr "Supprimer toutes les correspondances « %s »"
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr "Votre serveur a rejeté la requête car elle est volumineuse. Veuillez la modifier pour continuer."
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr "Vérifiez également si votre navigateur est capable de charger <code>redirection.js</code> :"
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr "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."
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "Impossible de charger Redirection"
723
 
@@ -801,15 +793,15 @@ msgstr "Votre serveur renvoie une erreur 403 Forbidden indiquant que la requête
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr "Incluez ces détails dans votre rapport {{strong}}avec une description de ce que vous {{/strong}}."
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr "Si vous pensez que Redirection est en faute alors créez un rapport."
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr "Cela peut être causé par une autre extension – regardez la console d’erreur de votre navigateur pour plus de détails."
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "Veuillez patienter pendant le chargement…"
815
 
@@ -829,7 +821,7 @@ msgstr "Si cela n’aide pas, ouvrez la console de votre navigateur et ouvrez un
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr "Si cela est un nouveau problème veuillez soit {{strong}}créer un nouveau ticket{{/strong}}, soit l’envoyer par {{strong}}e-mail{{/strong}}. Mettez-y une description de ce que vous essayiez de faire et les détails importants listés ci-dessous. Veuillez inclure une capture d’écran."
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr "Créer un rapport"
835
 
@@ -841,35 +833,35 @@ msgstr "E-mail"
841
  msgid "Important details"
842
  msgstr "Informations importantes"
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "Besoin d’aide ?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr "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."
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr "Pos"
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr "410 – Gone"
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Position"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr "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é."
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Module Apache"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr "Saisissez le chemin complet et le nom de fichier si vous souhaitez que Redirection mette à jour automatiquement votre {{code}}.htaccess{{/code}}."
875
 
@@ -913,7 +905,7 @@ msgstr "Vérifiez à deux fois si le fichier et dans le bon format !"
913
  msgid "OK"
914
  msgstr "OK"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Fermer"
919
 
@@ -993,19 +985,19 @@ msgstr "Je voudrais soutenir un peu plus."
993
  msgid "Support 💰"
994
  msgstr "Support 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Redirection sauvegardée"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Journal supprimé"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Réglages sauvegardés"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Groupe sauvegardé"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "Confirmez-vous la suppression de cet élément ?"
1016
  msgstr[1] "Confirmez-vous la suppression de ces éléments ?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr "Passer"
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "Tous les groupes"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301 - déplacé de façon permanente"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 – trouvé"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 – Redirigé temporairement"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 – Redirigé de façon permanente"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 – Non-autorisé"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 – Introuvable"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Titre"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr "Quand cela correspond"
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "avec code HTTP"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Afficher les options avancées"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr "Cible correspondant"
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr "Cible ne correspondant pas"
1073
 
@@ -1104,7 +1096,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1104
  msgstr "J’essayais de faire une chose et ça a mal tourné. C’est peut-être un problème temporaire et si vous essayez à nouveau, cela pourrait fonctionner, c’est génial !"
1105
 
1106
  #. translators: maximum number of log entries
1107
- #: redirection-admin.php:205
1108
  msgid "Log entries (%d max)"
1109
  msgstr "Entrées du journal (100 max.)"
1110
 
@@ -1182,23 +1174,23 @@ msgstr "Oui ! Supprimer les journaux"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "Non ! Ne pas supprimer les journaux"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr "Merci pour votre abonnement ! {{a}}Cliquez ici{{/a}} si vous souhaitez revenir à votre abonnement."
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "Newsletter"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr "Vous souhaitez être au courant des modifications apportées à Redirection ?"
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "Inscrivez-vous à la minuscule newsletter de Redirection. Avec quelques envois seulement, cette newsletter vous informe sur les nouvelles fonctionnalités et les modifications apportées à l’extension. La solution idéale si vous voulez tester les versions bêta."
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "Votre adresse de messagerie :"
1204
 
@@ -1246,7 +1238,7 @@ msgstr "Gérez toutes vos redirections 301 et surveillez les erreurs 404."
1246
  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}}."
1247
  msgstr "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}}."
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Support de Redirection"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "Mettre en ligne"
1278
  msgid "Import"
1279
  msgstr "Importer"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "Mettre à jour"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "URL auto-générée "
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "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)."
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "Jeton RSS "
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "Journaux des 404 "
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(durée de conservation des journaux)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "Journaux des redirections "
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "Je suis un type bien et j’ai aidé l’auteur de cette extension."
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "Groupes"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "Enregistrer"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "Groupe"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "Correspondant"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "Ajouter une nouvelle redirection"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "Annuler"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "Télécharger"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "Réglages"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "Erreur (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "Outrepasser"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "Rediriger vers un article aléatoire"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "Redirection vers une URL"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "Groupe non valide à la création d’une redirection"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "URL source"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "Date"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "Ajouter une redirection"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "Nom"
1457
  msgid "Filter"
1458
  msgstr "Filtre"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "Réinitialiser les vues"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "Activer"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "Désactiver"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "Désactiver"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "Supprimer"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "Modifier"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "Dernier accès"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "Vues"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "Type"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "Articles modifiés"
1507
  msgid "Redirections"
1508
  msgstr "Redirections"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "Agent utilisateur"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL et agent utilisateur"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "URL cible"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "URL uniquement"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "Regex"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "Référant"
1535
 
1536
- #: matches/referrer.php:10 redirection-strings.php:285
1537
  msgid "URL and referrer"
1538
  msgstr "URL et référent"
1539
 
1540
- #: redirection-strings.php:274
1541
  msgid "Logged Out"
1542
  msgstr "Déconnecté"
1543
 
1544
- #: redirection-strings.php:272
1545
  msgid "Logged In"
1546
  msgstr "Connecté"
1547
 
1548
- #: matches/login.php:8 redirection-strings.php:283
1549
  msgid "URL and login status"
1550
  msgstr "URL et état de connexion"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr "PHP non supporté"
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr "Redirection nécessite PHP v%1$1s, vous utilisez %2$2s. Cette extension arrêtera de fonctionner à partir de la prochaine version."
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr "Veuillez ne pas essayer de rediriger toutes vos 404 - ce n’est pas une bonne chose à faire."
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr "Seul le type de page 404 est actuellement supporté."
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr "Type de page"
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr "Saisissez les adresses IP (une par ligne)"
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr "Décrivez le but de cette redirection (facultatif)"
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr "418 - Je suis une théière"
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr "403 - Interdit"
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr "400 - mauvaise requête"
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr "304 - Non modifié"
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr "303 - Voir ailleur"
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr "Ne rien faire (ignorer)"
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr "URL cible si aucune correspondance (laisser vide pour ignorer)"
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr "URL cible si il y a une correspondance (laisser vide pour ignorer)"
79
 
122
  msgid "Count"
123
  msgstr "Compter"
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr "URL et type de page WordPress"
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr "URL et IP"
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr "Problème"
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr "Bon"
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr "Vérifier"
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr "Vérifier la redirection"
148
 
178
  msgid "Error"
179
  msgstr "Erreur"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "Saisissez l’URL complète, avec http:// ou https://"
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr "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."
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr "Testeur de redirection"
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr "Cible"
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "L’URL n’est pas redirigée avec Redirection."
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "L’URL est redirigée avec Redirection."
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr "Impossible de charger les détails"
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr "Saisissez l’URL du serveur à comparer avec"
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "Serveur"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr "Saisissez la valeur de rôle ou de capacité"
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "Rôle"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr "Correspondance avec ce texte de référence du navigateur"
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "Correspondance avec cet agent utilisateur de navigateur"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "L’URL relative que vous voulez rediriger"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "L’URL cible vers laquelle vous voulez rediriger si elle a été trouvée."
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(bêta)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forcer une redirection de HTTP vers HTTPS. Veuillez vous assurer que votre HTTPS fonctionne avant de l’activer."
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "Forcer HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr "RGPD/information de confidentialité"
256
 
262
  msgid "Please logout and login again."
263
  msgstr "Veuillez vous déconnecter puis vous connecter à nouveau."
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL et rôle/capacité"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL et serveur"
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "/wp-json/ relatif"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "/wp-json/ par défaut"
290
  msgid "Site and home are consistent"
291
  msgstr "Le site et l’accueil sont cohérents"
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr "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."
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Accepter la langue"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Valeur de l’en-tête"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "Nom de l’en-tête"
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "En-tête HTTP"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "Nom de filtre WordPress"
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "Nom du filtre"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Valeur du cookie"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Nom du cookie"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "Si vous utilisez un système de cache comme Cloudflare, veuillez lire ceci : "
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr "URL et en-tête HTTP"
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr "URL et filtre personnalisé"
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL et cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr "404 supprimée"
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr "/index.php?rest_route=/ brut"
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "API REST"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr "Comment Redirection utilise l’API REST - ne pas changer sauf si nécessaire"
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr "Aucune de ces suggestions n’a aidé"
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr "Veuillez lire la <a href=\"https://redirection.me/support/problems/\">liste de problèmes communs</a>."
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr "Impossible de charger Redirection ☹️"
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonymiser l’IP (masquer la dernière partie)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr "Monitorer les modifications de %(type)s"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "Journalisation d’IP"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(sélectionnez le niveau de journalisation des IP)"
493
 
554
  msgid "Trash"
555
  msgstr "Corbeille"
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr "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."
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr "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>."
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "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}}."
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "Si vous souhaitez signaler un bogue, veuillez lire le guide {{report}}Reporting Bugs {{/report}}."
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "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 !"
581
 
587
  msgid "An hour"
588
  msgstr "Une heure"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr "Cache de redirection"
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "Combien de temps garder les URL redirigées en 301 dans le cache (via l’en-tête HTTP « Expires »)"
597
 
616
  msgstr "Importer depuis %s"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "Des problèmes ont été détectés avec les tables de votre base de données. Veuillez visiter la <a href=\"%s\">page de support</a> pour plus de détails."
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection n’est pas correctement installé"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr "Redirection nécessite WordPress v%1$1s, vous utilisez v%2$2s - veuillez mettre à jour votre installation WordPress."
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr "« Anciens slugs » de WordPress par défaut"
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr "Créer une redirection associée (ajoutée à la fin de l’URL)"
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr "<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."
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr "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."
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr "⚡️ Correction magique ⚡️"
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr "Statut de l’extension"
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr "Personnalisé"
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr "Mobile"
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr "Lecteurs de flux"
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr "Librairies"
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr "Surveiller la modification des URL"
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr "Enregistrer les modifications apportées à ce groupe"
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr "Par exemple « /amp »"
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr "URL à surveiller"
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr "Votre serveur a rejeté la requête car elle est volumineuse. Veuillez la modifier pour continuer."
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr "Vérifiez également si votre navigateur est capable de charger <code>redirection.js</code> :"
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr "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."
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "Impossible de charger Redirection"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr "Incluez ces détails dans votre rapport {{strong}}avec une description de ce que vous {{/strong}}."
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr "Si vous pensez que Redirection est en faute alors créez un rapport."
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr "Cela peut être causé par une autre extension – regardez la console d’erreur de votre navigateur pour plus de détails."
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "Veuillez patienter pendant le chargement…"
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr "Si cela est un nouveau problème veuillez soit {{strong}}créer un nouveau ticket{{/strong}}, soit l’envoyer par {{strong}}e-mail{{/strong}}. Mettez-y une description de ce que vous essayiez de faire et les détails importants listés ci-dessous. Veuillez inclure une capture d’écran."
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr "Créer un rapport"
827
 
833
  msgid "Important details"
834
  msgstr "Informations importantes"
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "Besoin d’aide ?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr "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."
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr "Pos"
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr "410 – Gone"
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Position"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr "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é."
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Module Apache"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr "Saisissez le chemin complet et le nom de fichier si vous souhaitez que Redirection mette à jour automatiquement votre {{code}}.htaccess{{/code}}."
867
 
905
  msgid "OK"
906
  msgstr "OK"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Fermer"
911
 
985
  msgid "Support 💰"
986
  msgstr "Support 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Redirection sauvegardée"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Journal supprimé"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Réglages sauvegardés"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Groupe sauvegardé"
1003
 
1007
  msgstr[0] "Confirmez-vous la suppression de cet élément ?"
1008
  msgstr[1] "Confirmez-vous la suppression de ces éléments ?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr "Passer"
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "Tous les groupes"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301 - déplacé de façon permanente"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 – trouvé"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 – Redirigé temporairement"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 – Redirigé de façon permanente"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 – Non-autorisé"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 – Introuvable"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Titre"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr "Quand cela correspond"
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "avec code HTTP"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Afficher les options avancées"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr "Cible correspondant"
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr "Cible ne correspondant pas"
1065
 
1096
  msgstr "J’essayais de faire une chose et ça a mal tourné. C’est peut-être un problème temporaire et si vous essayez à nouveau, cela pourrait fonctionner, c’est génial !"
1097
 
1098
  #. translators: maximum number of log entries
1099
+ #: redirection-admin.php:193
1100
  msgid "Log entries (%d max)"
1101
  msgstr "Entrées du journal (100 max.)"
1102
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "Non ! Ne pas supprimer les journaux"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr "Merci pour votre abonnement ! {{a}}Cliquez ici{{/a}} si vous souhaitez revenir à votre abonnement."
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "Newsletter"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr "Vous souhaitez être au courant des modifications apportées à Redirection ?"
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "Inscrivez-vous à la minuscule newsletter de Redirection. Avec quelques envois seulement, cette newsletter vous informe sur les nouvelles fonctionnalités et les modifications apportées à l’extension. La solution idéale si vous voulez tester les versions bêta."
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "Votre adresse de messagerie :"
1196
 
1238
  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}}."
1239
  msgstr "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}}."
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Support de Redirection"
1244
 
1270
  msgid "Import"
1271
  msgstr "Importer"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "Mettre à jour"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "URL auto-générée "
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "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)."
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "Jeton RSS "
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "Journaux des 404 "
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(durée de conservation des journaux)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "Journaux des redirections "
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "Je suis un type bien et j’ai aidé l’auteur de cette extension."
1304
 
1352
  msgstr "Groupes"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "Enregistrer"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "Groupe"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "Correspondant"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "Ajouter une nouvelle redirection"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "Annuler"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "Réglages"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "Erreur (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "Outrepasser"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "Rediriger vers un article aléatoire"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "Redirection vers une URL"
1403
 
1406
  msgstr "Groupe non valide à la création d’une redirection"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "URL source"
1417
 
1420
  msgstr "Date"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "Ajouter une redirection"
1426
 
1449
  msgid "Filter"
1450
  msgstr "Filtre"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "Réinitialiser les vues"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "Activer"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "Désactiver"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "Supprimer"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "Modifier"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "Dernier accès"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "Vues"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "Type"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "Redirections"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "Agent utilisateur"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL et agent utilisateur"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "URL cible"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "URL uniquement"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "Regex"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "Référant"
1527
 
1528
+ #: matches/referrer.php:10 redirection-strings.php:283
1529
  msgid "URL and referrer"
1530
  msgstr "URL et référent"
1531
 
1532
+ #: redirection-strings.php:272
1533
  msgid "Logged Out"
1534
  msgstr "Déconnecté"
1535
 
1536
+ #: redirection-strings.php:270
1537
  msgid "Logged In"
1538
  msgstr "Connecté"
1539
 
1540
+ #: matches/login.php:8 redirection-strings.php:281
1541
  msgid "URL and login status"
1542
  msgstr "URL et état de connexion"
locale/redirection-it_IT.mo CHANGED
Binary file
locale/redirection-it_IT.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: 2018-10-15 08:33:18+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
@@ -122,27 +122,27 @@ msgstr ""
122
  msgid "Count"
123
  msgstr ""
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr "Problema"
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr ""
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr ""
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
@@ -178,79 +178,79 @@ msgstr ""
178
  msgid "Error"
179
  msgstr "Errore"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr ""
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr ""
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr ""
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr ""
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr ""
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr ""
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr ""
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr ""
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr ""
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "Ruolo"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr ""
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "Confronta con questo browser user agent"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "L'URL relativo dal quale vuoi creare una redirezione"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr ""
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forza un reindirizzamento da HTTP a HTTPS. Verifica che HTTPS funzioni correttamente prima di abilitarlo"
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "Forza HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr ""
256
 
@@ -262,24 +262,16 @@ msgstr "Aggiungi Nuovo"
262
  msgid "Please logout and login again."
263
  msgstr ""
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL e ruolo/permesso"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL e server"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr ""
276
-
277
- #: redirection-strings.php:242
278
- msgid "Relative /wp-json/"
279
- msgstr ""
280
-
281
  #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
  msgstr ""
284
 
285
  #: redirection-strings.php:239
@@ -298,43 +290,43 @@ msgstr ""
298
  msgid "Site and home are consistent"
299
  msgstr ""
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr ""
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr ""
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "Valore dell'header"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr ""
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "Header HTTP"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr ""
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr ""
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Valore cookie"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Nome cookie"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "cancellazione della tua cache."
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr ""
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr ""
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL e cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr ""
364
 
@@ -366,11 +358,11 @@ msgstr ""
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr ""
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "REST API"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr ""
376
 
@@ -402,11 +394,11 @@ msgstr ""
402
  msgid "None of the suggestions helped"
403
  msgstr ""
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr ""
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr ""
412
 
@@ -487,15 +479,15 @@ msgstr ""
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "Anonimizza IP (maschera l'ultima parte)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
  msgstr ""
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr ""
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr ""
501
 
@@ -562,12 +554,12 @@ msgstr ""
562
  msgid "Trash"
563
  msgstr ""
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr ""
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr ""
573
 
@@ -575,15 +567,15 @@ msgstr ""
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr ""
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr ""
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr ""
589
 
@@ -595,11 +587,11 @@ msgstr ""
595
  msgid "An hour"
596
  msgstr ""
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr ""
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr ""
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr ""
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr ""
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr ""
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr ""
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr ""
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr ""
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr ""
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr ""
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr ""
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr ""
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr ""
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr ""
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr ""
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr ""
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr ""
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr ""
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr ""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr ""
695
 
@@ -709,15 +701,15 @@ msgstr ""
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr ""
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr ""
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr ""
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr ""
723
 
@@ -801,15 +793,15 @@ msgstr ""
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr ""
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr ""
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr ""
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr ""
815
 
@@ -829,7 +821,7 @@ msgstr ""
829
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
830
  msgstr ""
831
 
832
- #: redirection-admin.php:462 redirection-strings.php:22
833
  msgid "Create Issue"
834
  msgstr ""
835
 
@@ -841,35 +833,35 @@ msgstr ""
841
  msgid "Important details"
842
  msgstr ""
843
 
844
- #: redirection-strings.php:374
845
  msgid "Need help?"
846
  msgstr "Hai bisogno di aiuto?"
847
 
848
- #: redirection-strings.php:377
849
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
850
  msgstr ""
851
 
852
- #: redirection-strings.php:326
853
  msgid "Pos"
854
  msgstr ""
855
 
856
- #: redirection-strings.php:308
857
  msgid "410 - Gone"
858
  msgstr ""
859
 
860
- #: redirection-strings.php:316
861
  msgid "Position"
862
  msgstr "Posizione"
863
 
864
- #: redirection-strings.php:261
865
  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"
866
  msgstr ""
867
 
868
- #: redirection-strings.php:262
869
  msgid "Apache Module"
870
  msgstr "Modulo Apache"
871
 
872
- #: redirection-strings.php:263
873
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
874
  msgstr "Inserisci il percorso completo e il nome del file se vuoi che Redirection aggiorni automaticamente il tuo {{code}}.htaccess{{/code}}."
875
 
@@ -913,7 +905,7 @@ msgstr "Controlla che il file sia nel formato corretto!"
913
  msgid "OK"
914
  msgstr "OK"
915
 
916
- #: redirection-strings.php:136 redirection-strings.php:322
917
  msgid "Close"
918
  msgstr "Chiudi"
919
 
@@ -993,19 +985,19 @@ msgstr ""
993
  msgid "Support 💰"
994
  msgstr "Supporta 💰"
995
 
996
- #: redirection-strings.php:400
997
  msgid "Redirection saved"
998
  msgstr "Redirezione salvata"
999
 
1000
- #: redirection-strings.php:401
1001
  msgid "Log deleted"
1002
  msgstr "Log eliminato"
1003
 
1004
- #: redirection-strings.php:402
1005
  msgid "Settings saved"
1006
  msgstr "Impostazioni salvate"
1007
 
1008
- #: redirection-strings.php:403
1009
  msgid "Group saved"
1010
  msgstr "Gruppo salvato"
1011
 
@@ -1015,59 +1007,59 @@ msgid_plural "Are you sure you want to delete these items?"
1015
  msgstr[0] "Sei sicuro di voler eliminare questo oggetto?"
1016
  msgstr[1] "Sei sicuro di voler eliminare questi oggetti?"
1017
 
1018
- #: redirection-strings.php:373
1019
  msgid "pass"
1020
  msgstr ""
1021
 
1022
- #: redirection-strings.php:333
1023
  msgid "All groups"
1024
  msgstr "Tutti i gruppi"
1025
 
1026
- #: redirection-strings.php:298
1027
  msgid "301 - Moved Permanently"
1028
  msgstr "301 - Spostato in maniera permanente"
1029
 
1030
- #: redirection-strings.php:299
1031
  msgid "302 - Found"
1032
  msgstr "302 - Trovato"
1033
 
1034
- #: redirection-strings.php:302
1035
  msgid "307 - Temporary Redirect"
1036
  msgstr "307 - Redirezione temporanea"
1037
 
1038
- #: redirection-strings.php:303
1039
  msgid "308 - Permanent Redirect"
1040
  msgstr "308 - Redirezione permanente"
1041
 
1042
- #: redirection-strings.php:305
1043
  msgid "401 - Unauthorized"
1044
  msgstr "401 - Non autorizzato"
1045
 
1046
- #: redirection-strings.php:307
1047
  msgid "404 - Not Found"
1048
  msgstr "404 - Non trovato"
1049
 
1050
- #: redirection-strings.php:310
1051
  msgid "Title"
1052
  msgstr "Titolo"
1053
 
1054
- #: redirection-strings.php:313
1055
  msgid "When matched"
1056
  msgstr "Quando corrisponde"
1057
 
1058
- #: redirection-strings.php:314
1059
  msgid "with HTTP code"
1060
  msgstr "Con codice HTTP"
1061
 
1062
- #: redirection-strings.php:323
1063
  msgid "Show advanced options"
1064
  msgstr "Mostra opzioni avanzate"
1065
 
1066
- #: redirection-strings.php:276
1067
  msgid "Matched Target"
1068
  msgstr ""
1069
 
1070
- #: redirection-strings.php:278
1071
  msgid "Unmatched Target"
1072
  msgstr ""
1073
 
@@ -1106,7 +1098,7 @@ msgstr ""
1106
  "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it could work - great!"
1107
 
1108
  #. translators: maximum number of log entries
1109
- #: redirection-admin.php:205
1110
  msgid "Log entries (%d max)"
1111
  msgstr ""
1112
 
@@ -1144,7 +1136,7 @@ msgstr ""
1144
 
1145
  #: redirection-strings.php:66
1146
  msgid "Next page"
1147
- msgstr "Prossima pagina"
1148
 
1149
  #: redirection-strings.php:67
1150
  msgid "Last page"
@@ -1184,23 +1176,23 @@ msgstr "Sì! Cancella i log"
1184
  msgid "No! Don't delete the logs"
1185
  msgstr "No! Non cancellare i log"
1186
 
1187
- #: redirection-strings.php:390
1188
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1189
  msgstr "Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."
1190
 
1191
- #: redirection-strings.php:389 redirection-strings.php:391
1192
  msgid "Newsletter"
1193
  msgstr "Newsletter"
1194
 
1195
- #: redirection-strings.php:392
1196
  msgid "Want to keep up to date with changes to Redirection?"
1197
  msgstr "Vuoi essere informato sulle modifiche a Redirection?"
1198
 
1199
- #: redirection-strings.php:393
1200
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1201
  msgstr "Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e i cambiamenti al plugin. Ideale si vuoi provare le modifiche in beta prima del rilascio."
1202
 
1203
- #: redirection-strings.php:394
1204
  msgid "Your email address:"
1205
  msgstr "Il tuo indirizzo email:"
1206
 
@@ -1248,7 +1240,7 @@ msgstr "Gestisci tutti i redirect 301 and controlla tutti gli errori 404"
1248
  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}}."
1249
  msgstr "Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."
1250
 
1251
- #: redirection-admin.php:322
1252
  msgid "Redirection Support"
1253
  msgstr "Forum di supporto Redirection"
1254
 
@@ -1280,35 +1272,35 @@ msgstr "Carica"
1280
  msgid "Import"
1281
  msgstr "Importa"
1282
 
1283
- #: redirection-strings.php:271
1284
  msgid "Update"
1285
  msgstr "Aggiorna"
1286
 
1287
- #: redirection-strings.php:260
1288
  msgid "Auto-generate URL"
1289
  msgstr "Genera URL automaticamente"
1290
 
1291
- #: redirection-strings.php:259
1292
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1293
  msgstr "Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"
1294
 
1295
- #: redirection-strings.php:258
1296
  msgid "RSS Token"
1297
  msgstr "Token RSS"
1298
 
1299
- #: redirection-strings.php:252
1300
  msgid "404 Logs"
1301
  msgstr "Registro 404"
1302
 
1303
- #: redirection-strings.php:251 redirection-strings.php:253
1304
  msgid "(time to keep logs for)"
1305
  msgstr "(per quanto tempo conservare i log)"
1306
 
1307
- #: redirection-strings.php:250
1308
  msgid "Redirect Logs"
1309
  msgstr "Registro redirezioni"
1310
 
1311
- #: redirection-strings.php:249
1312
  msgid "I'm a nice person and I have helped support the author of this plugin"
1313
  msgstr "Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"
1314
 
@@ -1362,24 +1354,24 @@ msgid "Groups"
1362
  msgstr "Gruppi"
1363
 
1364
  #: redirection-strings.php:14 redirection-strings.php:103
1365
- #: redirection-strings.php:319
1366
  msgid "Save"
1367
  msgstr "Salva"
1368
 
1369
- #: redirection-strings.php:60 redirection-strings.php:315
1370
  msgid "Group"
1371
  msgstr "Gruppo"
1372
 
1373
- #: redirection-strings.php:312
1374
  msgid "Match"
1375
- msgstr "Match"
1376
 
1377
- #: redirection-strings.php:334
1378
  msgid "Add new redirection"
1379
  msgstr "Aggiungi un nuovo reindirizzamento"
1380
 
1381
  #: redirection-strings.php:104 redirection-strings.php:130
1382
- #: redirection-strings.php:321
1383
  msgid "Cancel"
1384
  msgstr "Annulla"
1385
 
@@ -1391,23 +1383,23 @@ msgstr "Scaricare"
1391
  msgid "Redirection"
1392
  msgstr "Redirection"
1393
 
1394
- #: redirection-admin.php:159
1395
  msgid "Settings"
1396
  msgstr "Impostazioni"
1397
 
1398
- #: redirection-strings.php:296
1399
  msgid "Error (404)"
1400
  msgstr "Errore (404)"
1401
 
1402
- #: redirection-strings.php:295
1403
  msgid "Pass-through"
1404
  msgstr "Pass-through"
1405
 
1406
- #: redirection-strings.php:294
1407
  msgid "Redirect to random post"
1408
  msgstr "Reindirizza a un post a caso"
1409
 
1410
- #: redirection-strings.php:293
1411
  msgid "Redirect to URL"
1412
  msgstr "Reindirizza a URL"
1413
 
@@ -1416,12 +1408,12 @@ msgid "Invalid group when creating redirect"
1416
  msgstr "Gruppo non valido nella creazione del redirect"
1417
 
1418
  #: redirection-strings.php:167 redirection-strings.php:175
1419
- #: redirection-strings.php:180 redirection-strings.php:356
1420
  msgid "IP"
1421
  msgstr "IP"
1422
 
1423
  #: redirection-strings.php:165 redirection-strings.php:173
1424
- #: redirection-strings.php:178 redirection-strings.php:320
1425
  msgid "Source URL"
1426
  msgstr "URL di partenza"
1427
 
@@ -1430,7 +1422,7 @@ msgid "Date"
1430
  msgstr "Data"
1431
 
1432
  #: redirection-strings.php:190 redirection-strings.php:203
1433
- #: redirection-strings.php:207 redirection-strings.php:335
1434
  msgid "Add Redirect"
1435
  msgstr "Aggiungi una redirezione"
1436
 
@@ -1459,17 +1451,17 @@ msgstr "Nome"
1459
  msgid "Filter"
1460
  msgstr "Filtro"
1461
 
1462
- #: redirection-strings.php:332
1463
  msgid "Reset hits"
1464
  msgstr ""
1465
 
1466
  #: redirection-strings.php:90 redirection-strings.php:100
1467
- #: redirection-strings.php:330 redirection-strings.php:372
1468
  msgid "Enable"
1469
  msgstr "Attiva"
1470
 
1471
  #: redirection-strings.php:91 redirection-strings.php:99
1472
- #: redirection-strings.php:331 redirection-strings.php:370
1473
  msgid "Disable"
1474
  msgstr "Disattiva"
1475
 
@@ -1477,27 +1469,27 @@ msgstr "Disattiva"
1477
  #: redirection-strings.php:168 redirection-strings.php:169
1478
  #: redirection-strings.php:181 redirection-strings.php:184
1479
  #: redirection-strings.php:206 redirection-strings.php:218
1480
- #: redirection-strings.php:329 redirection-strings.php:369
1481
  msgid "Delete"
1482
  msgstr "Cancella"
1483
 
1484
- #: redirection-strings.php:96 redirection-strings.php:368
1485
  msgid "Edit"
1486
  msgstr "Modifica"
1487
 
1488
- #: redirection-strings.php:328
1489
  msgid "Last Access"
1490
  msgstr "Ultimo accesso"
1491
 
1492
- #: redirection-strings.php:327
1493
  msgid "Hits"
1494
  msgstr "Visite"
1495
 
1496
- #: redirection-strings.php:325 redirection-strings.php:385
1497
  msgid "URL"
1498
  msgstr "URL"
1499
 
1500
- #: redirection-strings.php:324
1501
  msgid "Type"
1502
  msgstr "Tipo"
1503
 
@@ -1509,44 +1501,44 @@ msgstr "Post modificati"
1509
  msgid "Redirections"
1510
  msgstr "Reindirizzamenti"
1511
 
1512
- #: redirection-strings.php:336
1513
  msgid "User Agent"
1514
  msgstr "User agent"
1515
 
1516
- #: matches/user-agent.php:10 redirection-strings.php:286
1517
  msgid "URL and user agent"
1518
  msgstr "URL e user agent"
1519
 
1520
- #: redirection-strings.php:280
1521
  msgid "Target URL"
1522
  msgstr "URL di arrivo"
1523
 
1524
- #: matches/url.php:7 redirection-strings.php:282
1525
  msgid "URL only"
1526
  msgstr "solo URL"
1527
 
1528
- #: redirection-strings.php:318 redirection-strings.php:342
1529
- #: redirection-strings.php:346 redirection-strings.php:354
1530
- #: redirection-strings.php:363
1531
  msgid "Regex"
1532
  msgstr "Regex"
1533
 
1534
- #: redirection-strings.php:361
1535
  msgid "Referrer"
1536
  msgstr "Referrer"
1537
 
1538
- #: matches/referrer.php:10 redirection-strings.php:285
1539
  msgid "URL and referrer"
1540
  msgstr "URL e referrer"
1541
 
1542
- #: redirection-strings.php:274
1543
  msgid "Logged Out"
1544
  msgstr ""
1545
 
1546
- #: redirection-strings.php:272
1547
  msgid "Logged In"
1548
  msgstr ""
1549
 
1550
- #: matches/login.php:8 redirection-strings.php:283
1551
  msgid "URL and login status"
1552
  msgstr "status URL e login"
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-01-03 18:19:46+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
122
  msgid "Count"
123
  msgstr ""
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr "Problema"
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr ""
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr ""
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
178
  msgid "Error"
179
  msgstr "Errore"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr ""
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr ""
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr ""
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr ""
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr ""
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr ""
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr ""
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr ""
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "Server"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr ""
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "Ruolo"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr ""
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "Confronta con questo browser user agent"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "L'URL relativo dal quale vuoi creare una redirezione"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr ""
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(beta)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "Forza un reindirizzamento da HTTP a HTTPS. Verifica che HTTPS funzioni correttamente prima di abilitarlo"
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "Forza HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr ""
256
 
262
  msgid "Please logout and login again."
263
  msgstr ""
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL e ruolo/permesso"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL e server"
272
 
 
 
 
 
 
 
 
 
273
  #: redirection-strings.php:241
274
+ msgid "Relative /wp-json/"
275
  msgstr ""
276
 
277
  #: redirection-strings.php:239
290
  msgid "Site and home are consistent"
291
  msgstr ""
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr ""
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr ""
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "Valore dell'header"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr ""
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "Header HTTP"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr ""
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr ""
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Valore cookie"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Nome cookie"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "Se stai utilizzando un sistema di caching come Cloudflare, per favore leggi questo:"
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr ""
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr ""
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL e cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr ""
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr ""
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "REST API"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr ""
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr ""
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr ""
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr ""
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "Anonimizza IP (maschera l'ultima parte)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
  msgstr ""
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr ""
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr ""
493
 
554
  msgid "Trash"
555
  msgstr ""
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr ""
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr ""
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr ""
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr ""
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr ""
581
 
587
  msgid "An hour"
588
  msgstr ""
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr ""
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr ""
597
 
616
  msgstr ""
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr ""
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr ""
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr ""
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr ""
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr ""
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr ""
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr ""
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr ""
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr ""
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr ""
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr ""
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr ""
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr ""
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr ""
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr ""
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr ""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr ""
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr ""
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr ""
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr ""
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr ""
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr ""
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr ""
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr ""
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr ""
807
 
821
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
822
  msgstr ""
823
 
824
+ #: redirection-admin.php:450 redirection-strings.php:22
825
  msgid "Create Issue"
826
  msgstr ""
827
 
833
  msgid "Important details"
834
  msgstr ""
835
 
836
+ #: redirection-strings.php:372
837
  msgid "Need help?"
838
  msgstr "Hai bisogno di aiuto?"
839
 
840
+ #: redirection-strings.php:375
841
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
842
  msgstr ""
843
 
844
+ #: redirection-strings.php:324
845
  msgid "Pos"
846
  msgstr ""
847
 
848
+ #: redirection-strings.php:306
849
  msgid "410 - Gone"
850
  msgstr ""
851
 
852
+ #: redirection-strings.php:314
853
  msgid "Position"
854
  msgstr "Posizione"
855
 
856
+ #: redirection-strings.php:259
857
  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"
858
  msgstr ""
859
 
860
+ #: redirection-strings.php:260
861
  msgid "Apache Module"
862
  msgstr "Modulo Apache"
863
 
864
+ #: redirection-strings.php:261
865
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
866
  msgstr "Inserisci il percorso completo e il nome del file se vuoi che Redirection aggiorni automaticamente il tuo {{code}}.htaccess{{/code}}."
867
 
905
  msgid "OK"
906
  msgstr "OK"
907
 
908
+ #: redirection-strings.php:136 redirection-strings.php:320
909
  msgid "Close"
910
  msgstr "Chiudi"
911
 
985
  msgid "Support 💰"
986
  msgstr "Supporta 💰"
987
 
988
+ #: redirection-strings.php:398
989
  msgid "Redirection saved"
990
  msgstr "Redirezione salvata"
991
 
992
+ #: redirection-strings.php:399
993
  msgid "Log deleted"
994
  msgstr "Log eliminato"
995
 
996
+ #: redirection-strings.php:400
997
  msgid "Settings saved"
998
  msgstr "Impostazioni salvate"
999
 
1000
+ #: redirection-strings.php:401
1001
  msgid "Group saved"
1002
  msgstr "Gruppo salvato"
1003
 
1007
  msgstr[0] "Sei sicuro di voler eliminare questo oggetto?"
1008
  msgstr[1] "Sei sicuro di voler eliminare questi oggetti?"
1009
 
1010
+ #: redirection-strings.php:371
1011
  msgid "pass"
1012
  msgstr ""
1013
 
1014
+ #: redirection-strings.php:331
1015
  msgid "All groups"
1016
  msgstr "Tutti i gruppi"
1017
 
1018
+ #: redirection-strings.php:296
1019
  msgid "301 - Moved Permanently"
1020
  msgstr "301 - Spostato in maniera permanente"
1021
 
1022
+ #: redirection-strings.php:297
1023
  msgid "302 - Found"
1024
  msgstr "302 - Trovato"
1025
 
1026
+ #: redirection-strings.php:300
1027
  msgid "307 - Temporary Redirect"
1028
  msgstr "307 - Redirezione temporanea"
1029
 
1030
+ #: redirection-strings.php:301
1031
  msgid "308 - Permanent Redirect"
1032
  msgstr "308 - Redirezione permanente"
1033
 
1034
+ #: redirection-strings.php:303
1035
  msgid "401 - Unauthorized"
1036
  msgstr "401 - Non autorizzato"
1037
 
1038
+ #: redirection-strings.php:305
1039
  msgid "404 - Not Found"
1040
  msgstr "404 - Non trovato"
1041
 
1042
+ #: redirection-strings.php:308
1043
  msgid "Title"
1044
  msgstr "Titolo"
1045
 
1046
+ #: redirection-strings.php:311
1047
  msgid "When matched"
1048
  msgstr "Quando corrisponde"
1049
 
1050
+ #: redirection-strings.php:312
1051
  msgid "with HTTP code"
1052
  msgstr "Con codice HTTP"
1053
 
1054
+ #: redirection-strings.php:321
1055
  msgid "Show advanced options"
1056
  msgstr "Mostra opzioni avanzate"
1057
 
1058
+ #: redirection-strings.php:274
1059
  msgid "Matched Target"
1060
  msgstr ""
1061
 
1062
+ #: redirection-strings.php:276
1063
  msgid "Unmatched Target"
1064
  msgstr ""
1065
 
1098
  "I was trying to do a thing and it went wrong. It may be a temporary issue and if you try again it could work - great!"
1099
 
1100
  #. translators: maximum number of log entries
1101
+ #: redirection-admin.php:193
1102
  msgid "Log entries (%d max)"
1103
  msgstr ""
1104
 
1136
 
1137
  #: redirection-strings.php:66
1138
  msgid "Next page"
1139
+ msgstr "Pagina successiva"
1140
 
1141
  #: redirection-strings.php:67
1142
  msgid "Last page"
1176
  msgid "No! Don't delete the logs"
1177
  msgstr "No! Non cancellare i log"
1178
 
1179
+ #: redirection-strings.php:388
1180
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1181
  msgstr "Grazie per esserti iscritto! {{a}}Clicca qui{{/a}} se vuoi tornare alla tua sottoscrizione."
1182
 
1183
+ #: redirection-strings.php:387 redirection-strings.php:389
1184
  msgid "Newsletter"
1185
  msgstr "Newsletter"
1186
 
1187
+ #: redirection-strings.php:390
1188
  msgid "Want to keep up to date with changes to Redirection?"
1189
  msgstr "Vuoi essere informato sulle modifiche a Redirection?"
1190
 
1191
+ #: redirection-strings.php:391
1192
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1193
  msgstr "Iscriviti alla newsletter di Redirection - una newsletter a basso traffico che riguarda le nuove caratteristiche e i cambiamenti al plugin. Ideale si vuoi provare le modifiche in beta prima del rilascio."
1194
 
1195
+ #: redirection-strings.php:392
1196
  msgid "Your email address:"
1197
  msgstr "Il tuo indirizzo email:"
1198
 
1240
  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}}."
1241
  msgstr "Redirection può essere utilizzato gratuitamente - la vita è davvero fantastica e piena di tante belle cose! Lo sviluppo di questo plugin richiede comunque molto tempo e lavoro, sarebbe pertanto gradito il tuo sostegno {{strong}}tramite una piccola donazione{{/strong}}."
1242
 
1243
+ #: redirection-admin.php:310
1244
  msgid "Redirection Support"
1245
  msgstr "Forum di supporto Redirection"
1246
 
1272
  msgid "Import"
1273
  msgstr "Importa"
1274
 
1275
+ #: redirection-strings.php:269
1276
  msgid "Update"
1277
  msgstr "Aggiorna"
1278
 
1279
+ #: redirection-strings.php:258
1280
  msgid "Auto-generate URL"
1281
  msgstr "Genera URL automaticamente"
1282
 
1283
+ #: redirection-strings.php:257
1284
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1285
  msgstr "Un token univoco consente ai lettori di feed di accedere all'RSS del registro di Redirection (lasciandolo vuoto verrà generato automaticamente)"
1286
 
1287
+ #: redirection-strings.php:256
1288
  msgid "RSS Token"
1289
  msgstr "Token RSS"
1290
 
1291
+ #: redirection-strings.php:250
1292
  msgid "404 Logs"
1293
  msgstr "Registro 404"
1294
 
1295
+ #: redirection-strings.php:249 redirection-strings.php:251
1296
  msgid "(time to keep logs for)"
1297
  msgstr "(per quanto tempo conservare i log)"
1298
 
1299
+ #: redirection-strings.php:248
1300
  msgid "Redirect Logs"
1301
  msgstr "Registro redirezioni"
1302
 
1303
+ #: redirection-strings.php:247
1304
  msgid "I'm a nice person and I have helped support the author of this plugin"
1305
  msgstr "Sono una brava persona e ho contribuito a sostenere l'autore di questo plugin"
1306
 
1354
  msgstr "Gruppi"
1355
 
1356
  #: redirection-strings.php:14 redirection-strings.php:103
1357
+ #: redirection-strings.php:317
1358
  msgid "Save"
1359
  msgstr "Salva"
1360
 
1361
+ #: redirection-strings.php:60 redirection-strings.php:313
1362
  msgid "Group"
1363
  msgstr "Gruppo"
1364
 
1365
+ #: redirection-strings.php:310
1366
  msgid "Match"
1367
+ msgstr ""
1368
 
1369
+ #: redirection-strings.php:332
1370
  msgid "Add new redirection"
1371
  msgstr "Aggiungi un nuovo reindirizzamento"
1372
 
1373
  #: redirection-strings.php:104 redirection-strings.php:130
1374
+ #: redirection-strings.php:319
1375
  msgid "Cancel"
1376
  msgstr "Annulla"
1377
 
1383
  msgid "Redirection"
1384
  msgstr "Redirection"
1385
 
1386
+ #: redirection-admin.php:158
1387
  msgid "Settings"
1388
  msgstr "Impostazioni"
1389
 
1390
+ #: redirection-strings.php:294
1391
  msgid "Error (404)"
1392
  msgstr "Errore (404)"
1393
 
1394
+ #: redirection-strings.php:293
1395
  msgid "Pass-through"
1396
  msgstr "Pass-through"
1397
 
1398
+ #: redirection-strings.php:292
1399
  msgid "Redirect to random post"
1400
  msgstr "Reindirizza a un post a caso"
1401
 
1402
+ #: redirection-strings.php:291
1403
  msgid "Redirect to URL"
1404
  msgstr "Reindirizza a URL"
1405
 
1408
  msgstr "Gruppo non valido nella creazione del redirect"
1409
 
1410
  #: redirection-strings.php:167 redirection-strings.php:175
1411
+ #: redirection-strings.php:180 redirection-strings.php:354
1412
  msgid "IP"
1413
  msgstr "IP"
1414
 
1415
  #: redirection-strings.php:165 redirection-strings.php:173
1416
+ #: redirection-strings.php:178 redirection-strings.php:318
1417
  msgid "Source URL"
1418
  msgstr "URL di partenza"
1419
 
1422
  msgstr "Data"
1423
 
1424
  #: redirection-strings.php:190 redirection-strings.php:203
1425
+ #: redirection-strings.php:207 redirection-strings.php:333
1426
  msgid "Add Redirect"
1427
  msgstr "Aggiungi una redirezione"
1428
 
1451
  msgid "Filter"
1452
  msgstr "Filtro"
1453
 
1454
+ #: redirection-strings.php:330
1455
  msgid "Reset hits"
1456
  msgstr ""
1457
 
1458
  #: redirection-strings.php:90 redirection-strings.php:100
1459
+ #: redirection-strings.php:328 redirection-strings.php:370
1460
  msgid "Enable"
1461
  msgstr "Attiva"
1462
 
1463
  #: redirection-strings.php:91 redirection-strings.php:99
1464
+ #: redirection-strings.php:329 redirection-strings.php:368
1465
  msgid "Disable"
1466
  msgstr "Disattiva"
1467
 
1469
  #: redirection-strings.php:168 redirection-strings.php:169
1470
  #: redirection-strings.php:181 redirection-strings.php:184
1471
  #: redirection-strings.php:206 redirection-strings.php:218
1472
+ #: redirection-strings.php:327 redirection-strings.php:367
1473
  msgid "Delete"
1474
  msgstr "Cancella"
1475
 
1476
+ #: redirection-strings.php:96 redirection-strings.php:366
1477
  msgid "Edit"
1478
  msgstr "Modifica"
1479
 
1480
+ #: redirection-strings.php:326
1481
  msgid "Last Access"
1482
  msgstr "Ultimo accesso"
1483
 
1484
+ #: redirection-strings.php:325
1485
  msgid "Hits"
1486
  msgstr "Visite"
1487
 
1488
+ #: redirection-strings.php:323 redirection-strings.php:383
1489
  msgid "URL"
1490
  msgstr "URL"
1491
 
1492
+ #: redirection-strings.php:322
1493
  msgid "Type"
1494
  msgstr "Tipo"
1495
 
1501
  msgid "Redirections"
1502
  msgstr "Reindirizzamenti"
1503
 
1504
+ #: redirection-strings.php:334
1505
  msgid "User Agent"
1506
  msgstr "User agent"
1507
 
1508
+ #: matches/user-agent.php:10 redirection-strings.php:284
1509
  msgid "URL and user agent"
1510
  msgstr "URL e user agent"
1511
 
1512
+ #: redirection-strings.php:278
1513
  msgid "Target URL"
1514
  msgstr "URL di arrivo"
1515
 
1516
+ #: matches/url.php:7 redirection-strings.php:280
1517
  msgid "URL only"
1518
  msgstr "solo URL"
1519
 
1520
+ #: redirection-strings.php:316 redirection-strings.php:340
1521
+ #: redirection-strings.php:344 redirection-strings.php:352
1522
+ #: redirection-strings.php:361
1523
  msgid "Regex"
1524
  msgstr "Regex"
1525
 
1526
+ #: redirection-strings.php:359
1527
  msgid "Referrer"
1528
  msgstr "Referrer"
1529
 
1530
+ #: matches/referrer.php:10 redirection-strings.php:283
1531
  msgid "URL and referrer"
1532
  msgstr "URL e referrer"
1533
 
1534
+ #: redirection-strings.php:272
1535
  msgid "Logged Out"
1536
  msgstr ""
1537
 
1538
+ #: redirection-strings.php:270
1539
  msgid "Logged In"
1540
  msgstr ""
1541
 
1542
+ #: matches/login.php:8 redirection-strings.php:281
1543
  msgid "URL and login status"
1544
  msgstr "status URL e login"
locale/redirection-ja.mo CHANGED
Binary file
locale/redirection-ja.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: 2018-10-10 10:24:10+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
@@ -16,64 +16,64 @@ msgstr ""
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
- #: redirection-admin.php:389
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
- #: redirection-admin.php:386
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
- #: redirection-strings.php:360
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
- #: redirection-strings.php:359
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
- #: redirection-strings.php:358
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
- #: redirection-strings.php:357
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
- #: redirection-strings.php:311
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
- #: redirection-strings.php:309
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
- #: redirection-strings.php:306
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
- #: redirection-strings.php:304
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
- #: redirection-strings.php:301
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
- #: redirection-strings.php:300
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
- #: redirection-strings.php:297
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
- #: redirection-strings.php:275 redirection-strings.php:279
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
- #: redirection-strings.php:273 redirection-strings.php:277
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
@@ -122,27 +122,27 @@ msgstr ""
122
  msgid "Count"
123
  msgstr ""
124
 
125
- #: matches/page.php:9 redirection-strings.php:292
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
- #: matches/ip.php:9 redirection-strings.php:288
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
- #: redirection-strings.php:398
134
  msgid "Problem"
135
  msgstr ""
136
 
137
- #: redirection-strings.php:397
138
  msgid "Good"
139
  msgstr ""
140
 
141
- #: redirection-strings.php:387
142
  msgid "Check"
143
  msgstr ""
144
 
145
- #: redirection-strings.php:371
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
@@ -178,79 +178,79 @@ msgstr ""
178
  msgid "Error"
179
  msgstr "エラー"
180
 
181
- #: redirection-strings.php:386
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "http:// や https:// を含めた完全な URL を入力してください"
184
 
185
- #: redirection-strings.php:384
186
  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."
187
  msgstr "ブラウザーが URL をキャッシュすることがあり、想定どおりに動作しているか確認が難しい場合があります。きちんとリダイレクトが機能しているかチェックするにはこちらを利用してください。"
188
 
189
- #: redirection-strings.php:383
190
  msgid "Redirect Tester"
191
  msgstr "リダイレクトテスター"
192
 
193
- #: redirection-strings.php:382
194
  msgid "Target"
195
  msgstr "ターゲット"
196
 
197
- #: redirection-strings.php:381
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL は Redirection によってリダイレクトされません"
200
 
201
- #: redirection-strings.php:380
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL は Redirection によってリダイレクトされます"
204
 
205
- #: redirection-strings.php:379 redirection-strings.php:388
206
  msgid "Unable to load details"
207
  msgstr "詳細のロードに失敗しました"
208
 
209
- #: redirection-strings.php:367
210
  msgid "Enter server URL to match against"
211
  msgstr "一致するサーバーの URL を入力"
212
 
213
- #: redirection-strings.php:366
214
  msgid "Server"
215
  msgstr "サーバー"
216
 
217
- #: redirection-strings.php:365
218
  msgid "Enter role or capability value"
219
  msgstr "権限グループまたは権限の値を入力"
220
 
221
- #: redirection-strings.php:364
222
  msgid "Role"
223
  msgstr "権限グループ"
224
 
225
- #: redirection-strings.php:362
226
  msgid "Match against this browser referrer text"
227
  msgstr "このブラウザーリファラーテキストと一致"
228
 
229
- #: redirection-strings.php:337
230
  msgid "Match against this browser user agent"
231
  msgstr "このブラウザーユーザーエージェントに一致"
232
 
233
- #: redirection-strings.php:317
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "リダイレクト元となる相対 URL"
236
 
237
- #: redirection-strings.php:281
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "一致した場合にリダイレクトさせたいターゲット URL"
240
 
241
- #: redirection-strings.php:266
242
  msgid "(beta)"
243
  msgstr "(ベータ)"
244
 
245
- #: redirection-strings.php:265
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "HTTP から HTTPS へのリダイレクトを矯正します。有効化前にはで正しくサイトが HTTPS で動くことを確認してください。"
248
 
249
- #: redirection-strings.php:264
250
  msgid "Force HTTPS"
251
  msgstr "強制 HTTPS"
252
 
253
- #: redirection-strings.php:256
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / 個人情報"
256
 
@@ -262,26 +262,18 @@ msgstr "新規追加"
262
  msgid "Please logout and login again."
263
  msgstr "再度ログインし直してください。"
264
 
265
- #: matches/user-role.php:9 redirection-strings.php:284
266
  msgid "URL and role/capability"
267
  msgstr "URL と権限グループ / 権限"
268
 
269
- #: matches/server.php:9 redirection-strings.php:289
270
  msgid "URL and server"
271
  msgstr "URL とサーバー"
272
 
273
- #: redirection-strings.php:243
274
- msgid "Form request"
275
- msgstr "フォームリクエスト"
276
-
277
- #: redirection-strings.php:242
278
  msgid "Relative /wp-json/"
279
  msgstr "相対 /wp-json/"
280
 
281
- #: redirection-strings.php:241
282
- msgid "Proxy over Admin AJAX"
283
- msgstr ""
284
-
285
  #: redirection-strings.php:239
286
  msgid "Default /wp-json/"
287
  msgstr "デフォルト /wp-json/"
@@ -298,43 +290,43 @@ msgstr "サイト URL とホーム URL のプロトコル"
298
  msgid "Site and home are consistent"
299
  msgstr "サイト URL とホーム URL は一致しています"
300
 
301
- #: redirection-strings.php:355
302
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
303
  msgstr "HTTP ヘッダーを PHP に通せるかどうかはサーバーの設定によります。詳しくはお使いのホスティング会社にお問い合わせください。"
304
 
305
- #: redirection-strings.php:353
306
  msgid "Accept Language"
307
  msgstr "Accept Language"
308
 
309
- #: redirection-strings.php:351
310
  msgid "Header value"
311
  msgstr "ヘッダー値"
312
 
313
- #: redirection-strings.php:350
314
  msgid "Header name"
315
  msgstr "ヘッダー名"
316
 
317
- #: redirection-strings.php:349
318
  msgid "HTTP Header"
319
  msgstr "HTTP ヘッダー"
320
 
321
- #: redirection-strings.php:348
322
  msgid "WordPress filter name"
323
  msgstr "WordPress フィルター名"
324
 
325
- #: redirection-strings.php:347
326
  msgid "Filter Name"
327
  msgstr "フィルター名"
328
 
329
- #: redirection-strings.php:345
330
  msgid "Cookie value"
331
  msgstr "Cookie 値"
332
 
333
- #: redirection-strings.php:344
334
  msgid "Cookie name"
335
  msgstr "Cookie 名"
336
 
337
- #: redirection-strings.php:343
338
  msgid "Cookie"
339
  msgstr "Cookie"
340
 
@@ -346,19 +338,19 @@ msgstr "キャッシュを削除"
346
  msgid "If you are using a caching system such as Cloudflare then please read this: "
347
  msgstr "Cloudflare などのキャッシュシステムをお使いの場合こちらをお読みください :"
348
 
349
- #: matches/http-header.php:11 redirection-strings.php:290
350
  msgid "URL and HTTP header"
351
  msgstr "URL と HTTP ヘッダー"
352
 
353
- #: matches/custom-filter.php:9 redirection-strings.php:291
354
  msgid "URL and custom filter"
355
  msgstr "URL とカスタムフィルター"
356
 
357
- #: matches/cookie.php:7 redirection-strings.php:287
358
  msgid "URL and cookie"
359
  msgstr "URL と Cookie"
360
 
361
- #: redirection-strings.php:404
362
  msgid "404 deleted"
363
  msgstr "404 deleted"
364
 
@@ -366,11 +358,11 @@ msgstr "404 deleted"
366
  msgid "Raw /index.php?rest_route=/"
367
  msgstr "Raw /index.php?rest_route=/"
368
 
369
- #: redirection-strings.php:269
370
  msgid "REST API"
371
  msgstr "REST API"
372
 
373
- #: redirection-strings.php:270
374
  msgid "How Redirection uses the REST API - don't change unless necessary"
375
  msgstr "Redirection の REST API の使い方 - 必要な場合以外は変更しないでください"
376
 
@@ -402,11 +394,11 @@ msgstr "{{link}}一時的に他のプラグインを無効化してください
402
  msgid "None of the suggestions helped"
403
  msgstr "これらの提案では解決しませんでした"
404
 
405
- #: redirection-admin.php:457
406
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
407
  msgstr "<a href=\"https://redirection.me/support/problems/\">よくある問題一覧</a> をご覧ください。"
408
 
409
- #: redirection-admin.php:451
410
  msgid "Unable to load Redirection ☹️"
411
  msgstr "Redirection のロードに失敗しました☹️"
412
 
@@ -487,15 +479,15 @@ msgstr "フル IP ロギング"
487
  msgid "Anonymize IP (mask last part)"
488
  msgstr "匿名 IP (最後の部分をマスクする)"
489
 
490
- #: redirection-strings.php:248
491
  msgid "Monitor changes to %(type)s"
492
- msgstr "%(type) の変更を監視する"
493
 
494
- #: redirection-strings.php:254
495
  msgid "IP Logging"
496
  msgstr "IP ロギング"
497
 
498
- #: redirection-strings.php:255
499
  msgid "(select IP logging level)"
500
  msgstr "(IP のログレベルを選択)"
501
 
@@ -562,12 +554,12 @@ msgstr "Powered by {{link}}redirect.li{{/link}}"
562
  msgid "Trash"
563
  msgstr "ゴミ箱"
564
 
565
- #: redirection-admin.php:456
566
  msgid "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"
567
  msgstr "Redirection の使用には WordPress REST API が有効化されている必要があります。REST API が無効化されていると Redirection を使用することができません。"
568
 
569
  #. translators: URL
570
- #: redirection-admin.php:321
571
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
572
  msgstr "Redirection プラグインの詳しい使い方については <a href=\"%s\" target=\"_blank\">redirection.me</a> サポートサイトをご覧ください。"
573
 
@@ -575,15 +567,15 @@ msgstr "Redirection プラグインの詳しい使い方については <a href=
575
  msgid "https://redirection.me/"
576
  msgstr "https://redirection.me/"
577
 
578
- #: redirection-strings.php:375
579
  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."
580
  msgstr "Redirection の完全なドキュメントは {{site}}https://redirection.me{{/site}} で参照できます。問題がある場合はまず、{{faq}}FAQ{{/faq}} をチェックしてください。"
581
 
582
- #: redirection-strings.php:376
583
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
584
  msgstr "バグを報告したい場合、こちらの {{report}}バグ報告{{/report}} ガイドをお読みください。"
585
 
586
- #: redirection-strings.php:378
587
  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!"
588
  msgstr "公開されているリポジトリに投稿したくない情報を提示したいときは、その内容を可能な限りの詳細な情報を記した上で {{email}}メール{{/email}} を送ってください。"
589
 
@@ -595,11 +587,11 @@ msgstr "キャッシュしない"
595
  msgid "An hour"
596
  msgstr "1時間"
597
 
598
- #: redirection-strings.php:267
599
  msgid "Redirect Cache"
600
  msgstr "リダイレクトキャッシュ"
601
 
602
- #: redirection-strings.php:268
603
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
604
  msgstr "301 URL リダイレクトをキャッシュする長さ (\"Expires\" HTTP ヘッダー)"
605
 
@@ -624,72 +616,72 @@ msgid "Import from %s"
624
  msgstr "%s からインポート"
625
 
626
  #. translators: URL
627
- #: redirection-admin.php:404
628
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
629
  msgstr "データベースのテーブルに問題があります。詳しくは、<a href=\"%s\">support page</a> を御覧ください。"
630
 
631
- #: redirection-admin.php:407
632
  msgid "Redirection not installed properly"
633
  msgstr "Redirection がきちんとインストールされていません"
634
 
635
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
636
- #: redirection-admin.php:370
637
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
638
  msgstr ""
639
 
640
- #: models/importer.php:150
641
  msgid "Default WordPress \"old slugs\""
642
  msgstr "初期設定の WordPress \"old slugs\""
643
 
644
- #: redirection-strings.php:247
645
  msgid "Create associated redirect (added to end of URL)"
646
  msgstr ""
647
 
648
- #: redirection-admin.php:459
649
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
650
  msgstr ""
651
 
652
- #: redirection-strings.php:395
653
  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."
654
  msgstr "マジック修正ボタンが効かない場合、エラーを読み自分で修正する必要があります。もしくは下の「助けが必要」セクションをお読みください。"
655
 
656
- #: redirection-strings.php:396
657
  msgid "⚡️ Magic fix ⚡️"
658
  msgstr "⚡️マジック修正⚡️"
659
 
660
- #: redirection-strings.php:399
661
  msgid "Plugin Status"
662
  msgstr "プラグインステータス"
663
 
664
- #: redirection-strings.php:338 redirection-strings.php:352
665
  msgid "Custom"
666
  msgstr "カスタム"
667
 
668
- #: redirection-strings.php:339
669
  msgid "Mobile"
670
  msgstr "モバイル"
671
 
672
- #: redirection-strings.php:340
673
  msgid "Feed Readers"
674
  msgstr "フィード読者"
675
 
676
- #: redirection-strings.php:341
677
  msgid "Libraries"
678
  msgstr "ライブラリ"
679
 
680
- #: redirection-strings.php:244
681
  msgid "URL Monitor Changes"
682
  msgstr "変更を監視する URL"
683
 
684
- #: redirection-strings.php:245
685
  msgid "Save changes to this group"
686
  msgstr "このグループへの変更を保存"
687
 
688
- #: redirection-strings.php:246
689
  msgid "For example \"/amp\""
690
  msgstr "例: \"/amp\""
691
 
692
- #: redirection-strings.php:257
693
  msgid "URL Monitor"
694
  msgstr "URL モニター"
695
 
@@ -709,15 +701,15 @@ msgstr "すべての \"%s\" に一致するものを削除"
709
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
710
  msgstr "大きすぎるリクエストのためサーバーがリクエストを拒否しました。進めるには変更する必要があります。"
711
 
712
- #: redirection-admin.php:454
713
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
714
  msgstr "また <code>redirection.js</code> をお使いのブラウザがロードできるか確認してください :"
715
 
716
- #: redirection-admin.php:453 redirection-strings.php:118
717
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
718
  msgstr "CloudFlare, OVH などのキャッシュプラグイン・サービスを使用してページをキャッシュしている場合、キャッシュをクリアしてみてください。"
719
 
720
- #: redirection-admin.php:373
721
  msgid "Unable to load Redirection"
722
  msgstr "Redirection のロードに失敗しました"
723
 
@@ -801,15 +793,15 @@ msgstr "サーバーが 403 (閲覧禁止) エラーを返しました。これ
801
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
802
  msgstr ""
803
 
804
- #: redirection-admin.php:458
805
  msgid "If you think Redirection is at fault then create an issue."
806
  msgstr "もしこの原因が Redirection だと思うのであれば Issue を作成してください。"
807
 
808
- #: redirection-admin.php:452
809
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
810
  msgstr "この原因は他のプラグインが原因で起こっている可能性があります - 詳細を見るにはブラウザーの開発者ツールを使用してください。"
811
 
812
- #: redirection-admin.php:444
813
  msgid "Loading, please wait..."
814
  msgstr "ロード中です。お待ち下さい…"
815
 
@@ -831,7 +823,7 @@ msgstr ""
831
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
832
  msgstr "もし未知の問題を発見したなら、{{strong}}issue を作成{{/strong}} するか {{strong}}メール{{/strong}} を送信してください。その際には何をしようとして発生したのかという説明や下に表示されている「重要な詳細」を含めてください。また、スクリーンショットもお願いします。"
833
 
834
- #: redirection-admin.php:462 redirection-strings.php:22
835
  msgid "Create Issue"
836
  msgstr "Issue を作成"
837
 
@@ -843,35 +835,35 @@ msgstr "メール"
843
  msgid "Important details"
844
  msgstr "重要な詳細"
845
 
846
- #: redirection-strings.php:374
847
  msgid "Need help?"
848
  msgstr "ヘルプが必要ですか?"
849
 
850
- #: redirection-strings.php:377
851
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
852
  msgstr "サポートはあくまで時間があるときにのみ提供されることになり、必ず提供されると保証することは出来ないことに注意してください。また有料サポートは受け付けていません。"
853
 
854
- #: redirection-strings.php:326
855
  msgid "Pos"
856
  msgstr "Pos"
857
 
858
- #: redirection-strings.php:308
859
  msgid "410 - Gone"
860
  msgstr "410 - 消滅"
861
 
862
- #: redirection-strings.php:316
863
  msgid "Position"
864
  msgstr "配置"
865
 
866
- #: redirection-strings.php:261
867
  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"
868
  msgstr "URL が指定されていない場合に URL を自動生成するために使用されます。{{code}}$dec${{/code}} もしくは {{code}}$hex${{/code}} のような特別なタグが一意の ID を作るために挿入されます。"
869
 
870
- #: redirection-strings.php:262
871
  msgid "Apache Module"
872
  msgstr "Apache モジュール"
873
 
874
- #: redirection-strings.php:263
875
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
876
  msgstr "{{code}}.htaccess{{/code} を自動的にアップデートさせたい場合、完全なパスとファイルネームを入力してください。"
877
 
@@ -915,7 +907,7 @@ msgstr "ファイルが正しい形式かもう一度チェックしてくださ
915
  msgid "OK"
916
  msgstr "OK"
917
 
918
- #: redirection-strings.php:136 redirection-strings.php:322
919
  msgid "Close"
920
  msgstr "閉じる"
921
 
@@ -995,19 +987,19 @@ msgstr "もっとサポートがしたいです。"
995
  msgid "Support 💰"
996
  msgstr "サポート💰"
997
 
998
- #: redirection-strings.php:400
999
  msgid "Redirection saved"
1000
  msgstr "リダイレクトが保存されました"
1001
 
1002
- #: redirection-strings.php:401
1003
  msgid "Log deleted"
1004
  msgstr "ログが削除されました"
1005
 
1006
- #: redirection-strings.php:402
1007
  msgid "Settings saved"
1008
  msgstr "設定が保存されました"
1009
 
1010
- #: redirection-strings.php:403
1011
  msgid "Group saved"
1012
  msgstr "グループが保存されました"
1013
 
@@ -1016,59 +1008,59 @@ msgid "Are you sure you want to delete this item?"
1016
  msgid_plural "Are you sure you want to delete these items?"
1017
  msgstr[0] "本当に削除してもよろしいですか?"
1018
 
1019
- #: redirection-strings.php:373
1020
  msgid "pass"
1021
  msgstr "パス"
1022
 
1023
- #: redirection-strings.php:333
1024
  msgid "All groups"
1025
  msgstr "すべてのグループ"
1026
 
1027
- #: redirection-strings.php:298
1028
  msgid "301 - Moved Permanently"
1029
  msgstr "301 - 恒久的に移動"
1030
 
1031
- #: redirection-strings.php:299
1032
  msgid "302 - Found"
1033
  msgstr "302 - 発見"
1034
 
1035
- #: redirection-strings.php:302
1036
  msgid "307 - Temporary Redirect"
1037
  msgstr "307 - 一時リダイレクト"
1038
 
1039
- #: redirection-strings.php:303
1040
  msgid "308 - Permanent Redirect"
1041
  msgstr "308 - 恒久リダイレクト"
1042
 
1043
- #: redirection-strings.php:305
1044
  msgid "401 - Unauthorized"
1045
  msgstr "401 - 認証が必要"
1046
 
1047
- #: redirection-strings.php:307
1048
  msgid "404 - Not Found"
1049
  msgstr "404 - 未検出"
1050
 
1051
- #: redirection-strings.php:310
1052
  msgid "Title"
1053
  msgstr "タイトル"
1054
 
1055
- #: redirection-strings.php:313
1056
  msgid "When matched"
1057
  msgstr "マッチした時"
1058
 
1059
- #: redirection-strings.php:314
1060
  msgid "with HTTP code"
1061
  msgstr "次の HTTP コードと共に"
1062
 
1063
- #: redirection-strings.php:323
1064
  msgid "Show advanced options"
1065
  msgstr "高度な設定を表示"
1066
 
1067
- #: redirection-strings.php:276
1068
  msgid "Matched Target"
1069
  msgstr "見つかったターゲット"
1070
 
1071
- #: redirection-strings.php:278
1072
  msgid "Unmatched Target"
1073
  msgstr "ターゲットが見つかりません"
1074
 
@@ -1105,7 +1097,7 @@ msgid "I was trying to do a thing and it went wrong. It may be a temporary issue
1105
  msgstr "何かをしようとして問題が発生しました。 それは一時的な問題である可能性があるので、再試行を試してみてください。"
1106
 
1107
  #. translators: maximum number of log entries
1108
- #: redirection-admin.php:205
1109
  msgid "Log entries (%d max)"
1110
  msgstr "ログ (最大 %d)"
1111
 
@@ -1182,23 +1174,23 @@ msgstr "ログを消去する"
1182
  msgid "No! Don't delete the logs"
1183
  msgstr "ログを消去しない"
1184
 
1185
- #: redirection-strings.php:390
1186
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1187
  msgstr "登録ありがとうございます ! 登録へ戻る場合は {{a}}こちら{{/a}} をクリックしてください。"
1188
 
1189
- #: redirection-strings.php:389 redirection-strings.php:391
1190
  msgid "Newsletter"
1191
  msgstr "ニュースレター"
1192
 
1193
- #: redirection-strings.php:392
1194
  msgid "Want to keep up to date with changes to Redirection?"
1195
  msgstr "リダイレクトの変更を最新の状態に保ちたいですか ?"
1196
 
1197
- #: redirection-strings.php:393
1198
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1199
  msgstr "Redirection ニュースレターにサインアップ - このプラグインの新機能や変更点などについての小規模のニュースレターです。リリース前のベータ版をテストするのに理想的です。"
1200
 
1201
- #: redirection-strings.php:394
1202
  msgid "Your email address:"
1203
  msgstr "メールアドレス: "
1204
 
@@ -1246,7 +1238,7 @@ msgstr "すべての 301 リダイレクトを管理し、404 エラーをモニ
1246
  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}}."
1247
  msgstr "Redirection プラグインは無料でお使いいただけます。しかし、開発にはかなりの時間と労力がかかっており、{{strong}}少額の寄付{{/strong}} でも開発を助けていただけると嬉しいです。"
1248
 
1249
- #: redirection-admin.php:322
1250
  msgid "Redirection Support"
1251
  msgstr "Redirection を応援する"
1252
 
@@ -1278,35 +1270,35 @@ msgstr "アップロード"
1278
  msgid "Import"
1279
  msgstr "インポート"
1280
 
1281
- #: redirection-strings.php:271
1282
  msgid "Update"
1283
  msgstr "更新"
1284
 
1285
- #: redirection-strings.php:260
1286
  msgid "Auto-generate URL"
1287
  msgstr "URL を自動生成 "
1288
 
1289
- #: redirection-strings.php:259
1290
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1291
  msgstr "リディレクションログ RSS にフィードリーダーからアクセスするための固有トークン (空白にしておけば自動生成します)"
1292
 
1293
- #: redirection-strings.php:258
1294
  msgid "RSS Token"
1295
  msgstr "RSS トークン"
1296
 
1297
- #: redirection-strings.php:252
1298
  msgid "404 Logs"
1299
  msgstr "404 ログ"
1300
 
1301
- #: redirection-strings.php:251 redirection-strings.php:253
1302
  msgid "(time to keep logs for)"
1303
  msgstr "(ログの保存期間)"
1304
 
1305
- #: redirection-strings.php:250
1306
  msgid "Redirect Logs"
1307
  msgstr "転送ログ"
1308
 
1309
- #: redirection-strings.php:249
1310
  msgid "I'm a nice person and I have helped support the author of this plugin"
1311
  msgstr "このプラグインの作者に対する援助を行いました"
1312
 
@@ -1360,24 +1352,24 @@ msgid "Groups"
1360
  msgstr "グループ"
1361
 
1362
  #: redirection-strings.php:14 redirection-strings.php:103
1363
- #: redirection-strings.php:319
1364
  msgid "Save"
1365
  msgstr "保存"
1366
 
1367
- #: redirection-strings.php:60 redirection-strings.php:315
1368
  msgid "Group"
1369
  msgstr "グループ"
1370
 
1371
- #: redirection-strings.php:312
1372
  msgid "Match"
1373
  msgstr "一致条件"
1374
 
1375
- #: redirection-strings.php:334
1376
  msgid "Add new redirection"
1377
  msgstr "新しい転送ルールを追加"
1378
 
1379
  #: redirection-strings.php:104 redirection-strings.php:130
1380
- #: redirection-strings.php:321
1381
  msgid "Cancel"
1382
  msgstr "キャンセル"
1383
 
@@ -1389,23 +1381,23 @@ msgstr "ダウンロード"
1389
  msgid "Redirection"
1390
  msgstr "Redirection"
1391
 
1392
- #: redirection-admin.php:159
1393
  msgid "Settings"
1394
  msgstr "設定"
1395
 
1396
- #: redirection-strings.php:296
1397
  msgid "Error (404)"
1398
  msgstr "エラー (404)"
1399
 
1400
- #: redirection-strings.php:295
1401
  msgid "Pass-through"
1402
  msgstr "通過"
1403
 
1404
- #: redirection-strings.php:294
1405
  msgid "Redirect to random post"
1406
  msgstr "ランダムな記事へ転送"
1407
 
1408
- #: redirection-strings.php:293
1409
  msgid "Redirect to URL"
1410
  msgstr "URL へ転送"
1411
 
@@ -1414,12 +1406,12 @@ msgid "Invalid group when creating redirect"
1414
  msgstr "転送ルールを作成する際に無効なグループが指定されました"
1415
 
1416
  #: redirection-strings.php:167 redirection-strings.php:175
1417
- #: redirection-strings.php:180 redirection-strings.php:356
1418
  msgid "IP"
1419
  msgstr "IP"
1420
 
1421
  #: redirection-strings.php:165 redirection-strings.php:173
1422
- #: redirection-strings.php:178 redirection-strings.php:320
1423
  msgid "Source URL"
1424
  msgstr "ソース URL"
1425
 
@@ -1428,7 +1420,7 @@ msgid "Date"
1428
  msgstr "日付"
1429
 
1430
  #: redirection-strings.php:190 redirection-strings.php:203
1431
- #: redirection-strings.php:207 redirection-strings.php:335
1432
  msgid "Add Redirect"
1433
  msgstr "転送ルールを追加"
1434
 
@@ -1457,17 +1449,17 @@ msgstr "名称"
1457
  msgid "Filter"
1458
  msgstr "フィルター"
1459
 
1460
- #: redirection-strings.php:332
1461
  msgid "Reset hits"
1462
  msgstr "訪問数をリセット"
1463
 
1464
  #: redirection-strings.php:90 redirection-strings.php:100
1465
- #: redirection-strings.php:330 redirection-strings.php:372
1466
  msgid "Enable"
1467
  msgstr "有効化"
1468
 
1469
  #: redirection-strings.php:91 redirection-strings.php:99
1470
- #: redirection-strings.php:331 redirection-strings.php:370
1471
  msgid "Disable"
1472
  msgstr "無効化"
1473
 
@@ -1475,27 +1467,27 @@ msgstr "無効化"
1475
  #: redirection-strings.php:168 redirection-strings.php:169
1476
  #: redirection-strings.php:181 redirection-strings.php:184
1477
  #: redirection-strings.php:206 redirection-strings.php:218
1478
- #: redirection-strings.php:329 redirection-strings.php:369
1479
  msgid "Delete"
1480
  msgstr "削除"
1481
 
1482
- #: redirection-strings.php:96 redirection-strings.php:368
1483
  msgid "Edit"
1484
  msgstr "編集"
1485
 
1486
- #: redirection-strings.php:328
1487
  msgid "Last Access"
1488
  msgstr "前回のアクセス"
1489
 
1490
- #: redirection-strings.php:327
1491
  msgid "Hits"
1492
  msgstr "ヒット数"
1493
 
1494
- #: redirection-strings.php:325 redirection-strings.php:385
1495
  msgid "URL"
1496
  msgstr "URL"
1497
 
1498
- #: redirection-strings.php:324
1499
  msgid "Type"
1500
  msgstr "タイプ"
1501
 
@@ -1507,44 +1499,44 @@ msgstr "編集済みの投稿"
1507
  msgid "Redirections"
1508
  msgstr "転送ルール"
1509
 
1510
- #: redirection-strings.php:336
1511
  msgid "User Agent"
1512
  msgstr "ユーザーエージェント"
1513
 
1514
- #: matches/user-agent.php:10 redirection-strings.php:286
1515
  msgid "URL and user agent"
1516
  msgstr "URL およびユーザーエージェント"
1517
 
1518
- #: redirection-strings.php:280
1519
  msgid "Target URL"
1520
  msgstr "ターゲット URL"
1521
 
1522
- #: matches/url.php:7 redirection-strings.php:282
1523
  msgid "URL only"
1524
  msgstr "URL のみ"
1525
 
1526
- #: redirection-strings.php:318 redirection-strings.php:342
1527
- #: redirection-strings.php:346 redirection-strings.php:354
1528
- #: redirection-strings.php:363
1529
  msgid "Regex"
1530
  msgstr "正規表現"
1531
 
1532
- #: redirection-strings.php:361
1533
  msgid "Referrer"
1534
  msgstr "リファ�
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: 2018-12-05 14:43:26+0000\n"
6
  "MIME-Version: 1.0\n"
7
  "Content-Type: text/plain; charset=UTF-8\n"
8
  "Content-Transfer-Encoding: 8bit\n"
16
  msgid "Site and home URL are inconsistent. Please correct from your Settings > General page: %1$1s is not %2$2s"
17
  msgstr ""
18
 
19
+ #: redirection-admin.php:377
20
  msgid "Unsupported PHP"
21
  msgstr ""
22
 
23
  #. translators: 1: Expected PHP version, 2: Actual PHP version
24
+ #: redirection-admin.php:374
25
  msgid "Redirection requires PHP v%1$1s, you are using v%2$2s. This plugin will stop working from the next version."
26
  msgstr ""
27
 
28
+ #: redirection-strings.php:358
29
  msgid "Please do not try and redirect all your 404s - this is not a good thing to do."
30
  msgstr ""
31
 
32
+ #: redirection-strings.php:357
33
  msgid "Only the 404 page type is currently supported."
34
  msgstr ""
35
 
36
+ #: redirection-strings.php:356
37
  msgid "Page Type"
38
  msgstr ""
39
 
40
+ #: redirection-strings.php:355
41
  msgid "Enter IP addresses (one per line)"
42
  msgstr ""
43
 
44
+ #: redirection-strings.php:309
45
  msgid "Describe the purpose of this redirect (optional)"
46
  msgstr ""
47
 
48
+ #: redirection-strings.php:307
49
  msgid "418 - I'm a teapot"
50
  msgstr ""
51
 
52
+ #: redirection-strings.php:304
53
  msgid "403 - Forbidden"
54
  msgstr ""
55
 
56
+ #: redirection-strings.php:302
57
  msgid "400 - Bad Request"
58
  msgstr ""
59
 
60
+ #: redirection-strings.php:299
61
  msgid "304 - Not Modified"
62
  msgstr ""
63
 
64
+ #: redirection-strings.php:298
65
  msgid "303 - See Other"
66
  msgstr ""
67
 
68
+ #: redirection-strings.php:295
69
  msgid "Do nothing (ignore)"
70
  msgstr ""
71
 
72
+ #: redirection-strings.php:273 redirection-strings.php:277
73
  msgid "Target URL when not matched (empty to ignore)"
74
  msgstr ""
75
 
76
+ #: redirection-strings.php:271 redirection-strings.php:275
77
  msgid "Target URL when matched (empty to ignore)"
78
  msgstr ""
79
 
122
  msgid "Count"
123
  msgstr ""
124
 
125
+ #: matches/page.php:9 redirection-strings.php:290
126
  msgid "URL and WordPress page type"
127
  msgstr ""
128
 
129
+ #: matches/ip.php:9 redirection-strings.php:286
130
  msgid "URL and IP"
131
  msgstr ""
132
 
133
+ #: redirection-strings.php:396
134
  msgid "Problem"
135
  msgstr ""
136
 
137
+ #: redirection-strings.php:395
138
  msgid "Good"
139
  msgstr ""
140
 
141
+ #: redirection-strings.php:385
142
  msgid "Check"
143
  msgstr ""
144
 
145
+ #: redirection-strings.php:369
146
  msgid "Check Redirect"
147
  msgstr ""
148
 
178
  msgid "Error"
179
  msgstr "エラー"
180
 
181
+ #: redirection-strings.php:384
182
  msgid "Enter full URL, including http:// or https://"
183
  msgstr "http:// や https:// を含めた完全な URL を入力してください"
184
 
185
+ #: redirection-strings.php:382
186
  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."
187
  msgstr "ブラウザーが URL をキャッシュすることがあり、想定どおりに動作しているか確認が難しい場合があります。きちんとリダイレクトが機能しているかチェックするにはこちらを利用してください。"
188
 
189
+ #: redirection-strings.php:381
190
  msgid "Redirect Tester"
191
  msgstr "リダイレクトテスター"
192
 
193
+ #: redirection-strings.php:380
194
  msgid "Target"
195
  msgstr "ターゲット"
196
 
197
+ #: redirection-strings.php:379
198
  msgid "URL is not being redirected with Redirection"
199
  msgstr "URL は Redirection によってリダイレクトされません"
200
 
201
+ #: redirection-strings.php:378
202
  msgid "URL is being redirected with Redirection"
203
  msgstr "URL は Redirection によってリダイレクトされます"
204
 
205
+ #: redirection-strings.php:377 redirection-strings.php:386
206
  msgid "Unable to load details"
207
  msgstr "詳細のロードに失敗しました"
208
 
209
+ #: redirection-strings.php:365
210
  msgid "Enter server URL to match against"
211
  msgstr "一致するサーバーの URL を入力"
212
 
213
+ #: redirection-strings.php:364
214
  msgid "Server"
215
  msgstr "サーバー"
216
 
217
+ #: redirection-strings.php:363
218
  msgid "Enter role or capability value"
219
  msgstr "権限グループまたは権限の値を入力"
220
 
221
+ #: redirection-strings.php:362
222
  msgid "Role"
223
  msgstr "権限グループ"
224
 
225
+ #: redirection-strings.php:360
226
  msgid "Match against this browser referrer text"
227
  msgstr "このブラウザーリファラーテキストと一致"
228
 
229
+ #: redirection-strings.php:335
230
  msgid "Match against this browser user agent"
231
  msgstr "このブラウザーユーザーエージェントに一致"
232
 
233
+ #: redirection-strings.php:315
234
  msgid "The relative URL you want to redirect from"
235
  msgstr "リダイレクト元となる相対 URL"
236
 
237
+ #: redirection-strings.php:279
238
  msgid "The target URL you want to redirect to if matched"
239
  msgstr "一致した場合にリダイレクトさせたいターゲット URL"
240
 
241
+ #: redirection-strings.php:264
242
  msgid "(beta)"
243
  msgstr "(ベータ)"
244
 
245
+ #: redirection-strings.php:263
246
  msgid "Force a redirect from HTTP to HTTPS. Please ensure your HTTPS is working before enabling"
247
  msgstr "HTTP から HTTPS へのリダイレクトを矯正します。有効化前にはで正しくサイトが HTTPS で動くことを確認してください。"
248
 
249
+ #: redirection-strings.php:262
250
  msgid "Force HTTPS"
251
  msgstr "強制 HTTPS"
252
 
253
+ #: redirection-strings.php:254
254
  msgid "GDPR / Privacy information"
255
  msgstr "GDPR / 個人情報"
256
 
262
  msgid "Please logout and login again."
263
  msgstr "再度ログインし直してください。"
264
 
265
+ #: matches/user-role.php:9 redirection-strings.php:282
266
  msgid "URL and role/capability"
267
  msgstr "URL と権限グループ / 権限"
268
 
269
+ #: matches/server.php:9 redirection-strings.php:287
270
  msgid "URL and server"
271
  msgstr "URL とサーバー"
272
 
273
+ #: redirection-strings.php:241
 
 
 
 
274
  msgid "Relative /wp-json/"
275
  msgstr "相対 /wp-json/"
276
 
 
 
 
 
277
  #: redirection-strings.php:239
278
  msgid "Default /wp-json/"
279
  msgstr "デフォルト /wp-json/"
290
  msgid "Site and home are consistent"
291
  msgstr "サイト URL とホーム URL は一致しています"
292
 
293
+ #: redirection-strings.php:353
294
  msgid "Note it is your responsibility to pass HTTP headers to PHP. Please contact your hosting provider for support about this."
295
  msgstr "HTTP ヘッダーを PHP に通せるかどうかはサーバーの設定によります。詳しくはお使いのホスティング会社にお問い合わせください。"
296
 
297
+ #: redirection-strings.php:351
298
  msgid "Accept Language"
299
  msgstr "Accept Language"
300
 
301
+ #: redirection-strings.php:349
302
  msgid "Header value"
303
  msgstr "ヘッダー値"
304
 
305
+ #: redirection-strings.php:348
306
  msgid "Header name"
307
  msgstr "ヘッダー名"
308
 
309
+ #: redirection-strings.php:347
310
  msgid "HTTP Header"
311
  msgstr "HTTP ヘッダー"
312
 
313
+ #: redirection-strings.php:346
314
  msgid "WordPress filter name"
315
  msgstr "WordPress フィルター名"
316
 
317
+ #: redirection-strings.php:345
318
  msgid "Filter Name"
319
  msgstr "フィルター名"
320
 
321
+ #: redirection-strings.php:343
322
  msgid "Cookie value"
323
  msgstr "Cookie 値"
324
 
325
+ #: redirection-strings.php:342
326
  msgid "Cookie name"
327
  msgstr "Cookie 名"
328
 
329
+ #: redirection-strings.php:341
330
  msgid "Cookie"
331
  msgstr "Cookie"
332
 
338
  msgid "If you are using a caching system such as Cloudflare then please read this: "
339
  msgstr "Cloudflare などのキャッシュシステムをお使いの場合こちらをお読みください :"
340
 
341
+ #: matches/http-header.php:11 redirection-strings.php:288
342
  msgid "URL and HTTP header"
343
  msgstr "URL と HTTP ヘッダー"
344
 
345
+ #: matches/custom-filter.php:9 redirection-strings.php:289
346
  msgid "URL and custom filter"
347
  msgstr "URL とカスタムフィルター"
348
 
349
+ #: matches/cookie.php:7 redirection-strings.php:285
350
  msgid "URL and cookie"
351
  msgstr "URL と Cookie"
352
 
353
+ #: redirection-strings.php:402
354
  msgid "404 deleted"
355
  msgstr "404 deleted"
356
 
358
  msgid "Raw /index.php?rest_route=/"
359
  msgstr "Raw /index.php?rest_route=/"
360
 
361
+ #: redirection-strings.php:267
362
  msgid "REST API"
363
  msgstr "REST API"
364
 
365
+ #: redirection-strings.php:268
366
  msgid "How Redirection uses the REST API - don't change unless necessary"
367
  msgstr "Redirection の REST API の使い方 - 必要な場合以外は変更しないでください"
368
 
394
  msgid "None of the suggestions helped"
395
  msgstr "これらの提案では解決しませんでした"
396
 
397
+ #: redirection-admin.php:445
398
  msgid "Please see the <a href=\"https://redirection.me/support/problems/\">list of common problems</a>."
399
  msgstr "<a href=\"https://redirection.me/support/problems/\">よくある問題一覧</a> をご覧ください。"
400
 
401
+ #: redirection-admin.php:439
402
  msgid "Unable to load Redirection ☹️"
403
  msgstr "Redirection のロードに失敗しました☹️"
404
 
479
  msgid "Anonymize IP (mask last part)"
480
  msgstr "匿名 IP (最後の部分をマスクする)"
481
 
482
+ #: redirection-strings.php:246
483
  msgid "Monitor changes to %(type)s"
484
+ msgstr "%(type)sの変更を監視"
485
 
486
+ #: redirection-strings.php:252
487
  msgid "IP Logging"
488
  msgstr "IP ロギング"
489
 
490
+ #: redirection-strings.php:253
491
  msgid "(select IP logging level)"
492
  msgstr "(IP のログレベルを選択)"
493
 
554
  msgid "Trash"
555
  msgstr "ゴミ箱"
556
 
557
+ #: redirection-admin.php:444
558
  msgid "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"
559
  msgstr "Redirection の使用には WordPress REST API が有効化されている必要があります。REST API が無効化されていると Redirection を使用することができません。"
560
 
561
  #. translators: URL
562
+ #: redirection-admin.php:309
563
  msgid "You can find full documentation about using Redirection on the <a href=\"%s\" target=\"_blank\">redirection.me</a> support site."
564
  msgstr "Redirection プラグインの詳しい使い方については <a href=\"%s\" target=\"_blank\">redirection.me</a> サポートサイトをご覧ください。"
565
 
567
  msgid "https://redirection.me/"
568
  msgstr "https://redirection.me/"
569
 
570
+ #: redirection-strings.php:373
571
  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."
572
  msgstr "Redirection の完全なドキュメントは {{site}}https://redirection.me{{/site}} で参照できます。問題がある場合はまず、{{faq}}FAQ{{/faq}} をチェックしてください。"
573
 
574
+ #: redirection-strings.php:374
575
  msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
576
  msgstr "バグを報告したい場合、こちらの {{report}}バグ報告{{/report}} ガイドをお読みください。"
577
 
578
+ #: redirection-strings.php:376
579
  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!"
580
  msgstr "公開されているリポジトリに投稿したくない情報を提示したいときは、その内容を可能な限りの詳細な情報を記した上で {{email}}メール{{/email}} を送ってください。"
581
 
587
  msgid "An hour"
588
  msgstr "1時間"
589
 
590
+ #: redirection-strings.php:265
591
  msgid "Redirect Cache"
592
  msgstr "リダイレクトキャッシュ"
593
 
594
+ #: redirection-strings.php:266
595
  msgid "How long to cache redirected 301 URLs (via \"Expires\" HTTP header)"
596
  msgstr "301 URL リダイレクトをキャッシュする長さ (\"Expires\" HTTP ヘッダー)"
597
 
616
  msgstr "%s からインポート"
617
 
618
  #. translators: URL
619
+ #: redirection-admin.php:392
620
  msgid "Problems were detected with your database tables. Please visit the <a href=\"%s\">support page</a> for more details."
621
  msgstr "データベースのテーブルに問題があります。詳しくは、<a href=\"%s\">support page</a> を御覧ください。"
622
 
623
+ #: redirection-admin.php:395
624
  msgid "Redirection not installed properly"
625
  msgstr "Redirection がきちんとインストールされていません"
626
 
627
  #. translators: 1: Expected WordPress version, 2: Actual WordPress version
628
+ #: redirection-admin.php:358
629
  msgid "Redirection requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
630
  msgstr ""
631
 
632
+ #: models/importer.php:151
633
  msgid "Default WordPress \"old slugs\""
634
  msgstr "初期設定の WordPress \"old slugs\""
635
 
636
+ #: redirection-strings.php:245
637
  msgid "Create associated redirect (added to end of URL)"
638
  msgstr ""
639
 
640
+ #: redirection-admin.php:447
641
  msgid "<code>Redirectioni10n</code> is not defined. This usually means another plugin is blocking Redirection from loading. Please disable all plugins and try again."
642
  msgstr ""
643
 
644
+ #: redirection-strings.php:393
645
  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."
646
  msgstr "マジック修正ボタンが効かない場合、エラーを読み自分で修正する必要があります。もしくは下の「助けが必要」セクションをお読みください。"
647
 
648
+ #: redirection-strings.php:394
649
  msgid "⚡️ Magic fix ⚡️"
650
  msgstr "⚡️マジック修正⚡️"
651
 
652
+ #: redirection-strings.php:397
653
  msgid "Plugin Status"
654
  msgstr "プラグインステータス"
655
 
656
+ #: redirection-strings.php:336 redirection-strings.php:350
657
  msgid "Custom"
658
  msgstr "カスタム"
659
 
660
+ #: redirection-strings.php:337
661
  msgid "Mobile"
662
  msgstr "モバイル"
663
 
664
+ #: redirection-strings.php:338
665
  msgid "Feed Readers"
666
  msgstr "フィード読者"
667
 
668
+ #: redirection-strings.php:339
669
  msgid "Libraries"
670
  msgstr "ライブラリ"
671
 
672
+ #: redirection-strings.php:242
673
  msgid "URL Monitor Changes"
674
  msgstr "変更を監視する URL"
675
 
676
+ #: redirection-strings.php:243
677
  msgid "Save changes to this group"
678
  msgstr "このグループへの変更を保存"
679
 
680
+ #: redirection-strings.php:244
681
  msgid "For example \"/amp\""
682
  msgstr "例: \"/amp\""
683
 
684
+ #: redirection-strings.php:255
685
  msgid "URL Monitor"
686
  msgstr "URL モニター"
687
 
701
  msgid "Your server has rejected the request for being too big. You will need to change it to continue."
702
  msgstr "大きすぎるリクエストのためサーバーがリクエストを拒否しました。進めるには変更する必要があります。"
703
 
704
+ #: redirection-admin.php:442
705
  msgid "Also check if your browser is able to load <code>redirection.js</code>:"
706
  msgstr "また <code>redirection.js</code> をお使いのブラウザがロードできるか確認してください :"
707
 
708
+ #: redirection-admin.php:441 redirection-strings.php:118
709
  msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
710
  msgstr "CloudFlare, OVH などのキャッシュプラグイン・サービスを使用してページをキャッシュしている場合、キャッシュをクリアしてみてください。"
711
 
712
+ #: redirection-admin.php:361
713
  msgid "Unable to load Redirection"
714
  msgstr "Redirection のロードに失敗しました"
715
 
793
  msgid "Include these details in your report {{strong}}along with a description of what you were doing{{/strong}}."
794
  msgstr ""
795
 
796
+ #: redirection-admin.php:446
797
  msgid "If you think Redirection is at fault then create an issue."
798
  msgstr "もしこの原因が Redirection だと思うのであれば Issue を作成してください。"
799
 
800
+ #: redirection-admin.php:440
801
  msgid "This may be caused by another plugin - look at your browser's error console for more details."
802
  msgstr "この原因は他のプラグインが原因で起こっている可能性があります - 詳細を見るにはブラウザーの開発者ツールを使用してください。"
803
 
804
+ #: redirection-admin.php:432
805
  msgid "Loading, please wait..."
806
  msgstr "ロード中です。お待ち下さい…"
807
 
823
  msgid "If this is a new problem then please either {{strong}}create a new issue{{/strong}} or send it in an {{strong}}email{{/strong}}. Include a description of what you were trying to do and the important details listed below. Please include a screenshot."
824
  msgstr "もし未知の問題を発見したなら、{{strong}}issue を作成{{/strong}} するか {{strong}}メール{{/strong}} を送信してください。その際には何をしようとして発生したのかという説明や下に表示されている「重要な詳細」を含めてください。また、スクリーンショットもお願いします。"
825
 
826
+ #: redirection-admin.php:450 redirection-strings.php:22
827
  msgid "Create Issue"
828
  msgstr "Issue を作成"
829
 
835
  msgid "Important details"
836
  msgstr "重要な詳細"
837
 
838
+ #: redirection-strings.php:372
839
  msgid "Need help?"
840
  msgstr "ヘルプが必要ですか?"
841
 
842
+ #: redirection-strings.php:375
843
  msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
844
  msgstr "サポートはあくまで時間があるときにのみ提供されることになり、必ず提供されると保証することは出来ないことに注意してください。また有料サポートは受け付けていません。"
845
 
846
+ #: redirection-strings.php:324
847
  msgid "Pos"
848
  msgstr "Pos"
849
 
850
+ #: redirection-strings.php:306
851
  msgid "410 - Gone"
852
  msgstr "410 - 消滅"
853
 
854
+ #: redirection-strings.php:314
855
  msgid "Position"
856
  msgstr "配置"
857
 
858
+ #: redirection-strings.php:259
859
  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"
860
  msgstr "URL が指定されていない場合に URL を自動生成するために使用されます。{{code}}$dec${{/code}} もしくは {{code}}$hex${{/code}} のような特別なタグが一意の ID を作るために挿入されます。"
861
 
862
+ #: redirection-strings.php:260
863
  msgid "Apache Module"
864
  msgstr "Apache モジュール"
865
 
866
+ #: redirection-strings.php:261
867
  msgid "Enter the full path and filename if you want Redirection to automatically update your {{code}}.htaccess{{/code}}."
868
  msgstr "{{code}}.htaccess{{/code} を自動的にアップデートさせたい場合、完全なパスとファイルネームを入力してください。"
869
 
907
  msgid "OK"
908
  msgstr "OK"
909
 
910
+ #: redirection-strings.php:136 redirection-strings.php:320
911
  msgid "Close"
912
  msgstr "閉じる"
913
 
987
  msgid "Support 💰"
988
  msgstr "サポート💰"
989
 
990
+ #: redirection-strings.php:398
991
  msgid "Redirection saved"
992
  msgstr "リダイレクトが保存されました"
993
 
994
+ #: redirection-strings.php:399
995
  msgid "Log deleted"
996
  msgstr "ログが削除されました"
997
 
998
+ #: redirection-strings.php:400
999
  msgid "Settings saved"
1000
  msgstr "設定が保存されました"
1001
 
1002
+ #: redirection-strings.php:401
1003
  msgid "Group saved"
1004
  msgstr "グループが保存されました"
1005
 
1008
  msgid_plural "Are you sure you want to delete these items?"
1009
  msgstr[0] "本当に削除してもよろしいですか?"
1010
 
1011
+ #: redirection-strings.php:371
1012
  msgid "pass"
1013
  msgstr "パス"
1014
 
1015
+ #: redirection-strings.php:331
1016
  msgid "All groups"
1017
  msgstr "すべてのグループ"
1018
 
1019
+ #: redirection-strings.php:296
1020
  msgid "301 - Moved Permanently"
1021
  msgstr "301 - 恒久的に移動"
1022
 
1023
+ #: redirection-strings.php:297
1024
  msgid "302 - Found"
1025
  msgstr "302 - 発見"
1026
 
1027
+ #: redirection-strings.php:300
1028
  msgid "307 - Temporary Redirect"
1029
  msgstr "307 - 一時リダイレクト"
1030
 
1031
+ #: redirection-strings.php:301
1032
  msgid "308 - Permanent Redirect"
1033
  msgstr "308 - 恒久リダイレクト"
1034
 
1035
+ #: redirection-strings.php:303
1036
  msgid "401 - Unauthorized"
1037
  msgstr "401 - 認証が必要"
1038
 
1039
+ #: redirection-strings.php:305
1040
  msgid "404 - Not Found"
1041
  msgstr "404 - 未検出"
1042
 
1043
+ #: redirection-strings.php:308
1044
  msgid "Title"
1045
  msgstr "タイトル"
1046
 
1047
+ #: redirection-strings.php:311
1048
  msgid "When matched"
1049
  msgstr "マッチした時"
1050
 
1051
+ #: redirection-strings.php:312
1052
  msgid "with HTTP code"
1053
  msgstr "次の HTTP コードと共に"
1054
 
1055
+ #: redirection-strings.php:321
1056
  msgid "Show advanced options"
1057
  msgstr "高度な設定を表示"
1058
 
1059
+ #: redirection-strings.php:274
1060
  msgid "Matched Target"
1061
  msgstr "見つかったターゲット"
1062
 
1063
+ #: redirection-strings.php:276
1064
  msgid "Unmatched Target"
1065
  msgstr "ターゲットが見つかりません"
1066
 
1097
  msgstr "何かをしようとして問題が発生しました。 それは一時的な問題である可能性があるので、再試行を試してみてください。"
1098
 
1099
  #. translators: maximum number of log entries
1100
+ #: redirection-admin.php:193
1101
  msgid "Log entries (%d max)"
1102
  msgstr "ログ (最大 %d)"
1103
 
1174
  msgid "No! Don't delete the logs"
1175
  msgstr "ログを消去しない"
1176
 
1177
+ #: redirection-strings.php:388
1178
  msgid "Thanks for subscribing! {{a}}Click here{{/a}} if you need to return to your subscription."
1179
  msgstr "登録ありがとうございます ! 登録へ戻る場合は {{a}}こちら{{/a}} をクリックしてください。"
1180
 
1181
+ #: redirection-strings.php:387 redirection-strings.php:389
1182
  msgid "Newsletter"
1183
  msgstr "ニュースレター"
1184
 
1185
+ #: redirection-strings.php:390
1186
  msgid "Want to keep up to date with changes to Redirection?"
1187
  msgstr "リダイレクトの変更を最新の状態に保ちたいですか ?"
1188
 
1189
+ #: redirection-strings.php:391
1190
  msgid "Sign up for the tiny Redirection newsletter - a low volume newsletter about new features and changes to the plugin. Ideal if want to test beta changes before release."
1191
  msgstr "Redirection ニュースレターにサインアップ - このプラグインの新機能や変更点などについての小規模のニュースレターです。リリース前のベータ版をテストするのに理想的です。"
1192
 
1193
+ #: redirection-strings.php:392
1194
  msgid "Your email address:"
1195
  msgstr "メールアドレス: "
1196
 
1238
  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}}."
1239
  msgstr "Redirection プラグインは無料でお使いいただけます。しかし、開発にはかなりの時間と労力がかかっており、{{strong}}少額の寄付{{/strong}} でも開発を助けていただけると嬉しいです。"
1240
 
1241
+ #: redirection-admin.php:310
1242
  msgid "Redirection Support"
1243
  msgstr "Redirection を応援する"
1244
 
1270
  msgid "Import"
1271
  msgstr "インポート"
1272
 
1273
+ #: redirection-strings.php:269
1274
  msgid "Update"
1275
  msgstr "更新"
1276
 
1277
+ #: redirection-strings.php:258
1278
  msgid "Auto-generate URL"
1279
  msgstr "URL を自動生成 "
1280
 
1281
+ #: redirection-strings.php:257
1282
  msgid "A unique token allowing feed readers access to Redirection log RSS (leave blank to auto-generate)"
1283
  msgstr "リディレクションログ RSS にフィードリーダーからアクセスするための固有トークン (空白にしておけば自動生成します)"
1284
 
1285
+ #: redirection-strings.php:256
1286
  msgid "RSS Token"
1287
  msgstr "RSS トークン"
1288
 
1289
+ #: redirection-strings.php:250
1290
  msgid "404 Logs"
1291
  msgstr "404 ログ"
1292
 
1293
+ #: redirection-strings.php:249 redirection-strings.php:251
1294
  msgid "(time to keep logs for)"
1295
  msgstr "(ログの保存期間)"
1296
 
1297
+ #: redirection-strings.php:248
1298
  msgid "Redirect Logs"
1299
  msgstr "転送ログ"
1300
 
1301
+ #: redirection-strings.php:247
1302
  msgid "I'm a nice person and I have helped support the author of this plugin"
1303
  msgstr "このプラグインの作者に対する援助を行いました"
1304
 
1352
  msgstr "グループ"
1353
 
1354
  #: redirection-strings.php:14 redirection-strings.php:103
1355
+ #: redirection-strings.php:317
1356
  msgid "Save"
1357
  msgstr "保存"
1358
 
1359
+ #: redirection-strings.php:60 redirection-strings.php:313
1360
  msgid "Group"
1361
  msgstr "グループ"
1362
 
1363
+ #: redirection-strings.php:310
1364
  msgid "Match"
1365
  msgstr "一致条件"
1366
 
1367
+ #: redirection-strings.php:332
1368
  msgid "Add new redirection"
1369
  msgstr "新しい転送ルールを追加"
1370
 
1371
  #: redirection-strings.php:104 redirection-strings.php:130
1372
+ #: redirection-strings.php:319
1373
  msgid "Cancel"
1374
  msgstr "キャンセル"
1375
 
1381
  msgid "Redirection"
1382
  msgstr "Redirection"
1383
 
1384
+ #: redirection-admin.php:158
1385
  msgid "Settings"
1386
  msgstr "設定"
1387
 
1388
+ #: redirection-strings.php:294
1389
  msgid "Error (404)"
1390
  msgstr "エラー (404)"
1391
 
1392
+ #: redirection-strings.php:293
1393
  msgid "Pass-through"
1394
  msgstr "通過"
1395
 
1396
+ #: redirection-strings.php:292
1397
  msgid "Redirect to random post"
1398
  msgstr "ランダムな記事へ転送"
1399
 
1400
+ #: redirection-strings.php:291
1401
  msgid "Redirect to URL"
1402
  msgstr "URL へ転送"
1403
 
1406
  msgstr "転送ルールを作成する際に無効なグループが指定されました"
1407
 
1408
  #: redirection-strings.php:167 redirection-strings.php:175
1409
+ #: redirection-strings.php:180 redirection-strings.php:354
1410
  msgid "IP"
1411
  msgstr "IP"
1412
 
1413
  #: redirection-strings.php:165 redirection-strings.php:173
1414
+ #: redirection-strings.php:178 redirection-strings.php:318
1415
  msgid "Source URL"
1416
  msgstr "ソース URL"
1417
 
1420
  msgstr "日付"
1421
 
1422
  #: redirection-strings.php:190 redirection-strings.php:203
1423
+ #: redirection-strings.php:207 redirection-strings.php:333
1424
  msgid "Add Redirect"
1425
  msgstr "転送ルールを追加"
1426
 
1449
  msgid "Filter"
1450
  msgstr "フィルター"
1451
 
1452
+ #: redirection-strings.php:330
1453
  msgid "Reset hits"
1454
  msgstr "訪問数をリセット"
1455
 
1456
  #: redirection-strings.php:90 redirection-strings.php:100
1457
+ #: redirection-strings.php:328 redirection-strings.php:370
1458
  msgid "Enable"
1459
  msgstr "有効化"
1460
 
1461
  #: redirection-strings.php:91 redirection-strings.php:99
1462
+ #: redirection-strings.php:329 redirection-strings.php:368
1463
  msgid "Disable"
1464
  msgstr "無効化"
1465
 
1467
  #: redirection-strings.php:168 redirection-strings.php:169
1468
  #: redirection-strings.php:181 redirection-strings.php:184
1469
  #: redirection-strings.php:206 redirection-strings.php:218
1470
+ #: redirection-strings.php:327 redirection-strings.php:367
1471
  msgid "Delete"
1472
  msgstr "削除"
1473
 
1474
+ #: redirection-strings.php:96 redirection-strings.php:366
1475
  msgid "Edit"
1476
  msgstr "編集"
1477
 
1478
+ #: redirection-strings.php:326
1479
  msgid "Last Access"
1480
  msgstr "前回のアクセス"
1481
 
1482
+ #: redirection-strings.php:325
1483
  msgid "Hits"
1484
  msgstr "ヒット数"
1485
 
1486
+ #: redirection-strings.php:323 redirection-strings.php:383
1487
  msgid "URL"
1488
  msgstr "URL"
1489
 
1490
+ #: redirection-strings.php:322
1491
  msgid "Type"
1492
  msgstr "タイプ"
1493
 
1499
  msgid "Redirections"
1500
  msgstr "転送ルール"
1501
 
1502
+ #: redirection-strings.php:334
1503
  msgid "User Agent"
1504
  msgstr "ユーザーエージェント"
1505
 
1506
+ #: matches/user-agent.php:10 redirection-strings.php:284
1507
  msgid "URL and user agent"
1508
  msgstr "URL およびユーザーエージェント"
1509
 
1510
+ #: redirection-strings.php:278
1511
  msgid "Target URL"
1512
  msgstr "ターゲット URL"
1513
 
1514
+ #: matches/url.php:7 redirection-strings.php:280
1515
  msgid "URL only"
1516
  msgstr "URL のみ"
1517
 
1518
+ #: redirection-strings.php:316 redirection-strings.php:340
1519
+ #: redirection-strings.php:344 redirection-strings.php:352
1520
+ #: redirection-strings.php:361
1521
  msgid "Regex"
1522
  msgstr "正規表現"
1523
 
1524
+ #: redirection-strings.php:359
1525
  msgid "Referrer"
1526
  msgstr "リファ�