Version Description
- 6th June 2020 =
- Support searching and replacing in multiple sources
- Improve regex search and replace speed
- Row actions have moved to a dropdown
- Fix HTML entities in row titles
- Handle unknown post types
- Fix global replace showing 0% progress
- Add Japanese locale
- Add Dutch locale
Download this release
Release Info
Developer | johnny5 |
Plugin | Search Regex |
Version | 2.1 |
Comparing to | |
See all releases |
Code changes from version 2.0.1 to 2.1
- api/api-base.php +265 -1
- api/api-replace.php +112 -0
- api/api-search.php +7 -555
- api/api-source.php +263 -0
- api/api.php +15 -2
- locale/json/search-regex-ja.json +1 -0
- locale/json/search-regex-nl_BE.json +1 -0
- locale/json/search-regex-nl_NL.json +1 -0
- locale/search-regex-ja.mo +0 -0
- locale/search-regex-ja.po +785 -0
- locale/search-regex-nl_BE.mo +0 -0
- locale/search-regex-nl_BE.po +793 -0
- locale/search-regex-nl_NL.mo +0 -0
- locale/search-regex-nl_NL.po +793 -0
- locale/search-regex.pot +210 -182
- models/match-column.php +37 -8
- models/match-context.php +24 -5
- models/match.php +29 -5
- models/replace.php +27 -8
- models/result.php +51 -8
- models/search.php +232 -95
- models/source-manager.php +130 -55
- models/source.php +91 -17
- models/totals.php +117 -0
- readme.txt +11 -1
- search-regex-admin.php +6 -5
- search-regex-settings.php +5 -0
- search-regex-strings.php +51 -47
- search-regex-version.php +2 -2
- search-regex.js +24 -9
- search-regex.php +1 -1
- source/core/comment.php +8 -8
- source/core/meta.php +1 -1
- source/core/post.php +43 -8
api/api-base.php
CHANGED
@@ -1,4 +1,76 @@
|
|
1 |
<?php
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
2 |
/**
|
3 |
* @apiDefine 401Error
|
4 |
*
|
@@ -66,7 +138,7 @@ class Search_Regex_Api_Route {
|
|
66 |
* @param String $method Method name.
|
67 |
* @param String $callback Function name.
|
68 |
* @param callable|Bool $permissions Permissions callback.
|
69 |
-
* @return Array
|
70 |
*/
|
71 |
public function get_route( $method, $callback, $permissions = false ) {
|
72 |
return [
|
@@ -75,4 +147,196 @@ class Search_Regex_Api_Route {
|
|
75 |
'permission_callback' => $permissions ? $permissions : [ $this, 'permission_callback' ],
|
76 |
];
|
77 |
}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
78 |
}
|
1 |
<?php
|
2 |
+
|
3 |
+
use SearchRegex\Search_Flags;
|
4 |
+
use SearchRegex\Source_Manager;
|
5 |
+
use SearchRegex\Source_Flags;
|
6 |
+
use SearchRegex\Search;
|
7 |
+
use SearchRegex\Replace;
|
8 |
+
|
9 |
+
/**
|
10 |
+
* @apiDefine SearchResults Search results
|
11 |
+
* Results for a Search Regex search
|
12 |
+
*
|
13 |
+
* @apiSuccess {Object[]} results All the search results
|
14 |
+
* @apiSuccess {Integer} results.row_id The result row ID
|
15 |
+
* @apiSuccess {String} results.source_type The result source type
|
16 |
+
* @apiSuccess {String} results.source_name A displayable version of `source_type`
|
17 |
+
* @apiSuccess {Object[]} results.columns An array of columns with matches
|
18 |
+
* @apiSuccess {String} results.columns.column_id A column ID
|
19 |
+
* @apiSuccess {String} results.columns.column_label A displayable name for the `column_id`
|
20 |
+
* @apiSuccess {Object[]} results.columns.contexts An array of search contexts containing the search matches. This has a maximum size and cropping may occur (see `context_count`)
|
21 |
+
* @apiSuccess {String} results.columns.contexts.context_id A context ID
|
22 |
+
* @apiSuccess {String} results.columns.contexts.context The section of text from the column that contains all the matches in this context
|
23 |
+
* @apiSuccess {Object[]} results.columns.contexts.matches The matched phrases contained within this context. This has a maximum size and cropping may occur (see `match_count`)
|
24 |
+
* @apiSuccess {Integer} results.columns.contexts.matches.pos_id The position of the match within the row
|
25 |
+
* @apiSuccess {Integer} results.columns.contexts.matches.context_offset The position of the match within the context
|
26 |
+
* @apiSuccess {String} results.columns.contexts.matches.match The matched phrase
|
27 |
+
* @apiSuccess {String} results.columns.contexts.matches.replacement The matched phrase with the replacement applied to it
|
28 |
+
* @apiSuccess {String[]} results.columns.contexts.matches.captures If a regular expression search then this will contain any captured groups
|
29 |
+
* @apiSuccess {Integer} results.columns.contexts.match_count The total number of matched phrases, including any that have been cropped.
|
30 |
+
* @apiSuccess {Integer} results.columns.context_count The total possible number of contexts, including any from `contexts` that are cropped
|
31 |
+
* @apiSuccess {String} results.columns.match_count The number of matches
|
32 |
+
* @apiSuccess {String} results.columns.replacement The search phrase
|
33 |
+
* @apiSuccess {Object[]} results.actions An array of actions that can be performed on this result
|
34 |
+
* @apiSuccess {String} results.title A title for the result
|
35 |
+
* @apiSuccess {Object[]} totals The totals for this search
|
36 |
+
* @apiSuccess {Integer} totals.current The current search offset
|
37 |
+
* @apiSuccess {Integer} totals.rows The total number of rows for the source, including non-matches
|
38 |
+
* @apiSuccess {Integer} totals.matched_rows The number of matched rows if known, or `-1` if a regular expression match and unknown
|
39 |
+
* @apiSuccess {Integer} totals.matched_phrases The number of matched phraes if known, or `-1` if a regular expression match and unknown
|
40 |
+
* @apiSuccess {Object[]} progress The current search progress, and the previous and next set of results
|
41 |
+
* @apiSuccess {Integer} progress.current The current search offset
|
42 |
+
* @apiSuccess {Integer} progress.rows The number of rows contained within this result set
|
43 |
+
* @apiSuccess {Integer} progress.previous The offset for the previous set of results
|
44 |
+
* @apiSuccess {Integer} progress.next The offset for the next set of results
|
45 |
+
*/
|
46 |
+
|
47 |
+
/**
|
48 |
+
* @apiDefine SearchResult Search results
|
49 |
+
* Results for a Search Regex search
|
50 |
+
*
|
51 |
+
* @apiSuccess {Integer} result.row_id The result row ID
|
52 |
+
* @apiSuccess {String} result.source_type The result source type
|
53 |
+
* @apiSuccess {String} result.source_name A displayable version of `source_type`
|
54 |
+
* @apiSuccess {Object[]} result.columns An array of columns with matches
|
55 |
+
* @apiSuccess {String} result.columns.column_id A column ID
|
56 |
+
* @apiSuccess {String} result.columns.column_label A displayable name for the `column_id`
|
57 |
+
* @apiSuccess {String} result.columns.match_count The total number of matches across all contexts in this column
|
58 |
+
* @apiSuccess {String} result.columns.replacement The column with all matches replaced
|
59 |
+
* @apiSuccess {Integer} result.columns.context_count The total possible number of contexts, including any from `contexts` that are cropped
|
60 |
+
* @apiSuccess {Object[]} result.columns.contexts An array of search contexts containing the search matches. This has a maximum size and cropping may occur (see `context_count`)
|
61 |
+
* @apiSuccess {String} result.columns.contexts.context_id A context ID
|
62 |
+
* @apiSuccess {String} result.columns.contexts.context The section of text from the column that contains all the matches in this context
|
63 |
+
* @apiSuccess {Integer} result.columns.contexts.match_count The total number of matched phrases, including any that have been cropped.
|
64 |
+
* @apiSuccess {Object[]} result.columns.contexts.matches The matched phrases contained within this context. This has a maximum size and cropping may occur (see `match_count`)
|
65 |
+
* @apiSuccess {Integer} result.columns.contexts.matches.pos_id The position of the match within the row
|
66 |
+
* @apiSuccess {Integer} result.columns.contexts.matches.context_offset The position of the match within the context
|
67 |
+
* @apiSuccess {String} result.columns.contexts.matches.match The matched phrase
|
68 |
+
* @apiSuccess {String} result.columns.contexts.matches.replacement The matched phrase with the replacement applied to it
|
69 |
+
* @apiSuccess {String[]} result.columns.contexts.matches.captures If a regular expression search then this will contain any captured groups
|
70 |
+
* @apiSuccess {Object[]} result.actions An array of actions that can be performed on this result
|
71 |
+
* @apiSuccess {String} result.title A title for the result
|
72 |
+
*/
|
73 |
+
|
74 |
/**
|
75 |
* @apiDefine 401Error
|
76 |
*
|
138 |
* @param String $method Method name.
|
139 |
* @param String $callback Function name.
|
140 |
* @param callable|Bool $permissions Permissions callback.
|
141 |
+
* @return Array{methods: string, callback: callable, permission_callback: callable|bool} Route detials
|
142 |
*/
|
143 |
public function get_route( $method, $callback, $permissions = false ) {
|
144 |
return [
|
147 |
'permission_callback' => $permissions ? $permissions : [ $this, 'permission_callback' ],
|
148 |
];
|
149 |
}
|
150 |
+
|
151 |
+
/**
|
152 |
+
* Return API search args
|
153 |
+
*
|
154 |
+
* @return Array<String, Array>
|
155 |
+
*/
|
156 |
+
protected function get_search_params() {
|
157 |
+
return [
|
158 |
+
'searchPhrase' => [
|
159 |
+
'description' => 'The search phrase',
|
160 |
+
'type' => 'string',
|
161 |
+
'validate_callback' => [ $this, 'validate_search' ],
|
162 |
+
'required' => true,
|
163 |
+
],
|
164 |
+
'replacement' => [
|
165 |
+
'description' => 'The replacement phrase',
|
166 |
+
'type' => 'string',
|
167 |
+
'default' => '',
|
168 |
+
],
|
169 |
+
'source' => [
|
170 |
+
'description' => 'The sources to search through. Currently only one source is supported',
|
171 |
+
'type' => 'array',
|
172 |
+
'items' => [
|
173 |
+
'type' => 'string',
|
174 |
+
],
|
175 |
+
'validate_callback' => [ $this, 'validate_source' ],
|
176 |
+
'required' => true,
|
177 |
+
],
|
178 |
+
'sourceFlags' => [
|
179 |
+
'description' => 'Source flags',
|
180 |
+
'type' => 'array',
|
181 |
+
'items' => [
|
182 |
+
'type' => 'string',
|
183 |
+
],
|
184 |
+
'default' => [],
|
185 |
+
'validate_callback' => [ $this, 'validate_source_flags' ],
|
186 |
+
],
|
187 |
+
'searchFlags' => [
|
188 |
+
'description' => 'Search flags',
|
189 |
+
'type' => 'array',
|
190 |
+
'items' => [
|
191 |
+
'type' => 'string',
|
192 |
+
],
|
193 |
+
'default' => [],
|
194 |
+
'validate_callback' => [ $this, 'validate_search_flags' ],
|
195 |
+
],
|
196 |
+
];
|
197 |
+
}
|
198 |
+
|
199 |
+
/**
|
200 |
+
* Helper to return a search and replace object
|
201 |
+
*
|
202 |
+
* @param Array $params Array of params.
|
203 |
+
* @param String $replacement Replacement value.
|
204 |
+
* @return Array{Search,Replace} Search and Replace objects
|
205 |
+
*/
|
206 |
+
protected function get_search_replace( $params, $replacement ) {
|
207 |
+
// Get basics
|
208 |
+
$flags = new Search_Flags( $params['searchFlags'] );
|
209 |
+
$sources = Source_Manager::get( $params['source'], $flags, new Source_Flags( $params['sourceFlags'] ) );
|
210 |
+
|
211 |
+
// Create a search and replacer
|
212 |
+
$search = new Search( $params['searchPhrase'], $sources, $flags );
|
213 |
+
$replacer = new Replace( $replacement, $sources, $flags );
|
214 |
+
|
215 |
+
return [ $search, $replacer ];
|
216 |
+
}
|
217 |
+
|
218 |
+
/**
|
219 |
+
* Validate that the search flags are correct
|
220 |
+
*
|
221 |
+
* @param Array|String $value The value to validate.
|
222 |
+
* @param WP_REST_Request $request The request.
|
223 |
+
* @param Array $param The array of parameters.
|
224 |
+
* @return WP_Error|Bool true or false
|
225 |
+
*/
|
226 |
+
public function validate_search_flags( $value, WP_REST_Request $request, $param ) {
|
227 |
+
if ( is_array( $value ) ) {
|
228 |
+
$source = new Search_Flags( $value );
|
229 |
+
|
230 |
+
if ( count( $source->get_flags() ) === count( $value ) ) {
|
231 |
+
return true;
|
232 |
+
}
|
233 |
+
}
|
234 |
+
|
235 |
+
return new WP_Error( 'rest_invalid_param', 'Invalid search flag detected', array( 'status' => 400 ) );
|
236 |
+
}
|
237 |
+
|
238 |
+
/**
|
239 |
+
* Validate that the source flags are correct
|
240 |
+
*
|
241 |
+
* @param Array|String $value The value to validate.
|
242 |
+
* @param WP_REST_Request $request The request.
|
243 |
+
* @param Array $param The array of parameters.
|
244 |
+
* @return Bool|WP_Error true or false
|
245 |
+
*/
|
246 |
+
public function validate_source_flags( $value, WP_REST_Request $request, $param ) {
|
247 |
+
if ( is_array( $value ) ) {
|
248 |
+
$params = $request->get_params();
|
249 |
+
$sources = Source_Manager::get( is_array( $params['source'] ) ? $params['source'] : [ $params['source'] ], new Search_Flags(), new Source_Flags( $value ) );
|
250 |
+
|
251 |
+
// Get the sanitized flags from all the sources
|
252 |
+
$allowed = [];
|
253 |
+
foreach ( $sources as $source ) {
|
254 |
+
$allowed = array_merge( $allowed, array_keys( $source->get_supported_flags() ) );
|
255 |
+
}
|
256 |
+
|
257 |
+
// Make it unique, as some sources can use the same flag
|
258 |
+
$allowed = array_values( array_unique( $allowed ) );
|
259 |
+
|
260 |
+
// Filter the value by this allowed list
|
261 |
+
$filtered_value = array_filter( $value, function( $item ) use ( $allowed ) {
|
262 |
+
return in_array( $item, $allowed, true );
|
263 |
+
} );
|
264 |
+
|
265 |
+
// Any flags missing?
|
266 |
+
if ( count( $filtered_value ) === count( $value ) ) {
|
267 |
+
return true;
|
268 |
+
}
|
269 |
+
}
|
270 |
+
|
271 |
+
return new WP_Error( 'rest_invalid_param', 'Invalid source flag detected', array( 'status' => 400 ) );
|
272 |
+
}
|
273 |
+
|
274 |
+
/**
|
275 |
+
* Validate that the source is valid
|
276 |
+
*
|
277 |
+
* @param Array|String $value The value to validate.
|
278 |
+
* @param WP_REST_Request $request The request.
|
279 |
+
* @param Array $param The array of parameters.
|
280 |
+
* @return Bool|WP_Error true or false
|
281 |
+
*/
|
282 |
+
public function validate_source( $value, WP_REST_Request $request, $param ) {
|
283 |
+
$allowed = Source_Manager::get_all_source_names();
|
284 |
+
|
285 |
+
add_filter( 'wp_revisions_to_keep', [ $this, 'disable_post_revisions' ] );
|
286 |
+
add_filter( 'wp_insert_post_data', [ $this, 'wp_insert_post_data' ] );
|
287 |
+
|
288 |
+
if ( ! is_array( $value ) ) {
|
289 |
+
$value = [ $value ];
|
290 |
+
}
|
291 |
+
|
292 |
+
$valid = array_filter( $value, function( $item ) use ( $allowed ) {
|
293 |
+
return array_search( $item, $allowed, true ) !== false;
|
294 |
+
} );
|
295 |
+
|
296 |
+
if ( count( $valid ) === count( $value ) ) {
|
297 |
+
return true;
|
298 |
+
}
|
299 |
+
|
300 |
+
return new WP_Error( 'rest_invalid_param', 'Invalid source detected', array( 'status' => 400 ) );
|
301 |
+
}
|
302 |
+
|
303 |
+
/**
|
304 |
+
* Validate that the search parameter is correct
|
305 |
+
*
|
306 |
+
* @param String $value The value to validate.
|
307 |
+
* @param WP_REST_Request $request The request.
|
308 |
+
* @param Array $param The array of parameters.
|
309 |
+
* @return Bool true or false
|
310 |
+
*/
|
311 |
+
public function validate_search( $value, WP_REST_Request $request, $param ) {
|
312 |
+
$value = trim( $value );
|
313 |
+
|
314 |
+
return strlen( $value ) > 0;
|
315 |
+
}
|
316 |
+
|
317 |
+
/**
|
318 |
+
* Used to disable post revisions when updating a post
|
319 |
+
*
|
320 |
+
* @internal
|
321 |
+
* @return Int
|
322 |
+
*/
|
323 |
+
public function disable_post_revisions() {
|
324 |
+
return 0;
|
325 |
+
}
|
326 |
+
|
327 |
+
/**
|
328 |
+
* Stops wp_update_post from changing the post_modified date
|
329 |
+
*
|
330 |
+
* @internal
|
331 |
+
* @param Array $data Array of post data.
|
332 |
+
* @return Array
|
333 |
+
*/
|
334 |
+
public function wp_insert_post_data( $data ) {
|
335 |
+
if ( isset( $data['post_modified'] ) ) {
|
336 |
+
unset( $data['post_modified'] );
|
337 |
+
unset( $data['post_modified_gmt'] );
|
338 |
+
}
|
339 |
+
|
340 |
+
return $data;
|
341 |
+
}
|
342 |
}
|
api/api-replace.php
ADDED
@@ -0,0 +1,112 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
<?php
|
2 |
+
|
3 |
+
use SearchRegex\Search;
|
4 |
+
use SearchRegex\Replace;
|
5 |
+
use SearchRegex\Search_Flags;
|
6 |
+
use SearchRegex\Search_Source;
|
7 |
+
use SearchRegex\Source_Manager;
|
8 |
+
use SearchRegex\Source_Flags;
|
9 |
+
|
10 |
+
/**
|
11 |
+
* @api {post} /search-regex/v1/replace Replace
|
12 |
+
* @apiVersion 1.0.0
|
13 |
+
* @apiName Replace
|
14 |
+
* @apiDescription Updates the database with the replaced search phrase.
|
15 |
+
*
|
16 |
+
* @apiGroup Search
|
17 |
+
*
|
18 |
+
* @apiUse ReplaceQueryParams
|
19 |
+
*
|
20 |
+
* @apiUse SearchResults
|
21 |
+
* @apiUse 401Error
|
22 |
+
* @apiUse 404Error
|
23 |
+
*/
|
24 |
+
|
25 |
+
/**
|
26 |
+
* @apiDefine ReplaceQueryParams
|
27 |
+
*
|
28 |
+
* @apiParam (Query Parameter) {String} searchPhrase The search phrase
|
29 |
+
* @apiParam (Query Parameter) {String} replacement The replacement phrase
|
30 |
+
* @apiParam (Query Parameter) {Array} source The sources to search through. Currently only one source is supported
|
31 |
+
* @apiParam (Query Parameter) {String} searchFlags[regex] Perform a regular expression search
|
32 |
+
* @apiParam (Query Parameter) {String} searchFlags[case] Perform a case insensitive search
|
33 |
+
* @apiParam (Query Parameter) {String} offset The current offset in the results
|
34 |
+
* @apiParam (Query Parameter) {Integer=25,50,100,250,500} [perPage=25] The maximum number of results per page
|
35 |
+
*/
|
36 |
+
|
37 |
+
/**
|
38 |
+
* Search API endpoint
|
39 |
+
*/
|
40 |
+
class Search_Regex_Api_Replace extends Search_Regex_Api_Route {
|
41 |
+
/**
|
42 |
+
* Return API paging args
|
43 |
+
*
|
44 |
+
* @internal
|
45 |
+
* @return Array<String, Array>
|
46 |
+
*/
|
47 |
+
private function get_replace_paging_params() {
|
48 |
+
return [
|
49 |
+
'offset' => [
|
50 |
+
'description' => 'The current replace offset in the results',
|
51 |
+
'type' => 'string',
|
52 |
+
'required' => true,
|
53 |
+
],
|
54 |
+
'perPage' => [
|
55 |
+
'description' => 'The maximum number of results per page',
|
56 |
+
'type' => 'integer',
|
57 |
+
'default' => 25,
|
58 |
+
'maximum' => 5000,
|
59 |
+
'minimum' => 25,
|
60 |
+
],
|
61 |
+
];
|
62 |
+
}
|
63 |
+
|
64 |
+
/**
|
65 |
+
* Search API endpoint constructor
|
66 |
+
*
|
67 |
+
* @param String $namespace Namespace.
|
68 |
+
*/
|
69 |
+
public function __construct( $namespace ) {
|
70 |
+
register_rest_route( $namespace, '/replace', [
|
71 |
+
'args' => array_merge(
|
72 |
+
$this->get_search_params(),
|
73 |
+
$this->get_replace_paging_params()
|
74 |
+
),
|
75 |
+
$this->get_route( WP_REST_Server::EDITABLE, 'replaceAll', [ $this, 'permission_callback' ] ),
|
76 |
+
] );
|
77 |
+
}
|
78 |
+
|
79 |
+
/**
|
80 |
+
* Perform a replacement on all rows
|
81 |
+
*
|
82 |
+
* @param WP_REST_Request $request The request.
|
83 |
+
* @return WP_Error|array Return an array of results, or a WP_Error
|
84 |
+
*/
|
85 |
+
public function replaceAll( WP_REST_Request $request ) {
|
86 |
+
$params = $request->get_params();
|
87 |
+
|
88 |
+
list( $search, $replacer ) = $this->get_search_replace( $params, $params['replacement'] );
|
89 |
+
|
90 |
+
// Get all the rows to replace
|
91 |
+
$results = $search->get_replace_results( $replacer, $params['offset'], $params['perPage'] );
|
92 |
+
if ( $results instanceof WP_Error ) {
|
93 |
+
return $results;
|
94 |
+
}
|
95 |
+
|
96 |
+
// Replace all the rows
|
97 |
+
$replaced = $replacer->save_and_replace( $results['results'] );
|
98 |
+
if ( is_wp_error( $replaced ) ) {
|
99 |
+
return $replaced;
|
100 |
+
}
|
101 |
+
|
102 |
+
// Return pointers to the next data
|
103 |
+
return [
|
104 |
+
'replaced' => $replaced,
|
105 |
+
'progress' => [
|
106 |
+
'next' => $results['next'],
|
107 |
+
'rows' => $results['rows'],
|
108 |
+
],
|
109 |
+
'totals' => $results['totals'],
|
110 |
+
];
|
111 |
+
}
|
112 |
+
}
|
api/api-search.php
CHANGED
@@ -1,14 +1,9 @@
|
|
1 |
<?php
|
2 |
|
3 |
use SearchRegex\Search;
|
4 |
-
use SearchRegex\Replace;
|
5 |
-
use SearchRegex\Search_Flags;
|
6 |
-
use SearchRegex\Search_Source;
|
7 |
-
use SearchRegex\Source_Manager;
|
8 |
-
use SearchRegex\Source_Flags;
|
9 |
|
10 |
/**
|
11 |
-
* @api {
|
12 |
* @apiVersion 1.0.0
|
13 |
* @apiName Search
|
14 |
* @apiDescription This performs the search matching of a search phrase in a search source. The search is designed to not timeout and exhaust server memory, and sometimes
|
@@ -44,222 +39,10 @@ use SearchRegex\Source_Flags;
|
|
44 |
* @apiUse 404Error
|
45 |
*/
|
46 |
|
47 |
-
/**
|
48 |
-
* @api {post} /search-regex/v1/replace Replace
|
49 |
-
* @apiVersion 1.0.0
|
50 |
-
* @apiName Replace
|
51 |
-
* @apiDescription Updates the database with the replaced search phrase.
|
52 |
-
*
|
53 |
-
* If you pass the optional `rowId`, `columnId`, and `posId` parameters then you can incrementally specify the exact search phrase to
|
54 |
-
* replace. If you pass no data then the `replace` endpoint acts like `search`, and you will need to page through the results to
|
55 |
-
* replace all matches.
|
56 |
-
*
|
57 |
-
* @apiGroup Search
|
58 |
-
*
|
59 |
-
* @apiUse SearchQueryParams
|
60 |
-
* @apiParam {Integer} [rowId] Row ID of the item to replace
|
61 |
-
* @apiParam {String} [columnId] Column ID of the item to replace
|
62 |
-
* @apiParam {Integer} [posId] Positional ID of the item to replace
|
63 |
-
* @apiParam {String} replacePhrase The value to replace matches with
|
64 |
-
*
|
65 |
-
* @apiUse SearchResults
|
66 |
-
* @apiUse 401Error
|
67 |
-
* @apiUse 404Error
|
68 |
-
*/
|
69 |
-
|
70 |
-
/**
|
71 |
-
* @api {get} /search-regex/v1/source List of sources
|
72 |
-
* @apiVersion 1.0.0
|
73 |
-
* @apiName GetSources
|
74 |
-
* @apiDescription Return all the available sources
|
75 |
-
*
|
76 |
-
* @apiGroup Source
|
77 |
-
*
|
78 |
-
* @apiUse SearchResults
|
79 |
-
* @apiUse 401Error
|
80 |
-
* @apiUse 404Error
|
81 |
-
*/
|
82 |
-
|
83 |
-
/**
|
84 |
-
* @api {get} /search-regex/v1/source/:source/:rowId Load source row
|
85 |
-
* @apiName LoadRow
|
86 |
-
* @apiDescription Load a row of data from one source. This can be used to get the full data for a particular search.
|
87 |
-
*
|
88 |
-
* @apiGroup Source
|
89 |
-
*
|
90 |
-
* @apiParam (URL) {String} :source The source
|
91 |
-
* @apiParam (URL) {Integer} :rowId The source row ID
|
92 |
-
*
|
93 |
-
* @apiSuccess {String[]} result Associative array of `column_name` => `value`
|
94 |
-
* @apiUse 401Error
|
95 |
-
* @apiUse 404Error
|
96 |
-
*/
|
97 |
-
|
98 |
-
/**
|
99 |
-
* @api {post} /search-regex/v1/source/:source/:rowId Save source row
|
100 |
-
* @apiVersion 1.0.0
|
101 |
-
* @apiName SaveRow
|
102 |
-
* @apiDescription Save data to a column of a row of a source, returning the same row back with modified data
|
103 |
-
*
|
104 |
-
* @apiGroup Source
|
105 |
-
*
|
106 |
-
* @apiParam (URL) {String} :source The source
|
107 |
-
* @apiParam (URL) {Integer} :rowId The source row ID
|
108 |
-
* @apiParam {String} columnId Column ID of the item to save content to
|
109 |
-
* @apiParam {String} content The new content
|
110 |
-
*
|
111 |
-
* @apiUse SearchResult
|
112 |
-
* @apiUse 401Error
|
113 |
-
* @apiUse 404Error
|
114 |
-
*/
|
115 |
-
|
116 |
-
/**
|
117 |
-
* @api {post} /search-regex/v1/source/:source/:rowId/delete Delete source row
|
118 |
-
* @apiVersion 1.0.0
|
119 |
-
* @apiName DeleteRow
|
120 |
-
* @apiDescription Removes an entire row of data from the source
|
121 |
-
*
|
122 |
-
* @apiGroup Source
|
123 |
-
*
|
124 |
-
* @apiParam (URL) {String} :source The source
|
125 |
-
* @apiParam (URL) {Integer} :rowId The source row ID
|
126 |
-
*
|
127 |
-
* @apiSuccess {Bool} result `true` if deleted, `false` otherwise ??? need a better result
|
128 |
-
* @apiUse 401Error
|
129 |
-
* @apiUse 404Error
|
130 |
-
*/
|
131 |
-
|
132 |
-
/**
|
133 |
-
* @apiDefine SearchQueryParams
|
134 |
-
*
|
135 |
-
* @apiParam (Query Parameter) {String} searchPhrase The search phrase
|
136 |
-
* @apiParam (Query Parameter) {String} [replacement] The replacement phrase
|
137 |
-
* @apiParam (Query Parameter) {Array} source The sources to search through. Currently only one source is supported
|
138 |
-
* @apiParam (Query Parameter) {String} searchFlags[regex] Perform a regular expression search
|
139 |
-
* @apiParam (Query Parameter) {String} searchFlags[case] Perform a case insensitive search
|
140 |
-
* @apiParam (Query Parameter) {Integer} page The current page offset in the results
|
141 |
-
* @apiParam (Query Parameter) {Integer=25,50,100,250,500} [perPage=25] The maximum number of results per page
|
142 |
-
* @apiParam (Query Parameter) {String="forward","backward"} [searchDirection="forward"] The direction the search is to proceed. Only needed for regular expression searches
|
143 |
-
*/
|
144 |
-
|
145 |
-
/**
|
146 |
-
* @apiDefine SearchResults Search results
|
147 |
-
* Results for a Search Regex search
|
148 |
-
*
|
149 |
-
* @apiSuccess {Object[]} results All the search results
|
150 |
-
* @apiSuccess {Integer} results.row_id The result row ID
|
151 |
-
* @apiSuccess {String} results.source_type The result source type
|
152 |
-
* @apiSuccess {String} results.source_name A displayable version of `source_type`
|
153 |
-
* @apiSuccess {Object[]} results.columns An array of columns with matches
|
154 |
-
* @apiSuccess {String} results.columns.column_id A column ID
|
155 |
-
* @apiSuccess {String} results.columns.column_label A displayable name for the `column_id`
|
156 |
-
* @apiSuccess {Object[]} results.columns.contexts An array of search contexts containing the search matches. This has a maximum size and cropping may occur (see `context_count`)
|
157 |
-
* @apiSuccess {String} results.columns.contexts.context_id A context ID
|
158 |
-
* @apiSuccess {String} results.columns.contexts.context The section of text from the column that contains all the matches in this context
|
159 |
-
* @apiSuccess {Object[]} results.columns.contexts.matches The matched phrases contained within this context. This has a maximum size and cropping may occur (see `match_count`)
|
160 |
-
* @apiSuccess {Integer} results.columns.contexts.matches.pos_id The position of the match within the row
|
161 |
-
* @apiSuccess {Integer} results.columns.contexts.matches.context_offset The position of the match within the context
|
162 |
-
* @apiSuccess {String} results.columns.contexts.matches.match The matched phrase
|
163 |
-
* @apiSuccess {String} results.columns.contexts.matches.replacement The matched phrase with the replacement applied to it
|
164 |
-
* @apiSuccess {String[]} results.columns.contexts.matches.captures If a regular expression search then this will contain any captured groups
|
165 |
-
* @apiSuccess {Integer} results.columns.contexts.match_count The total number of matched phrases, including any that have been cropped.
|
166 |
-
* @apiSuccess {Integer} results.columns.context_count The total possible number of contexts, including any from `contexts` that are cropped
|
167 |
-
* @apiSuccess {String} results.columns.match_count The number of matches
|
168 |
-
* @apiSuccess {String} results.columns.replacement The search phrase
|
169 |
-
* @apiSuccess {Object[]} results.actions An array of actions that can be performed on this result
|
170 |
-
* @apiSuccess {String} results.title A title for the result
|
171 |
-
* @apiSuccess {Object[]} totals The totals for this search
|
172 |
-
* @apiSuccess {Integer} totals.current The current search offset
|
173 |
-
* @apiSuccess {Integer} totals.rows The total number of rows for the source, including non-matches
|
174 |
-
* @apiSuccess {Integer} totals.matched_rows The number of matched rows if known, or `-1` if a regular expression match and unknown
|
175 |
-
* @apiSuccess {Integer} totals.matched_phrases The number of matched phraes if known, or `-1` if a regular expression match and unknown
|
176 |
-
* @apiSuccess {Object[]} progress The current search progress, and the previous and next set of results
|
177 |
-
* @apiSuccess {Integer} progress.current The current search offset
|
178 |
-
* @apiSuccess {Integer} progress.rows The number of rows contained within this result set
|
179 |
-
* @apiSuccess {Integer} progress.previous The offset for the previous set of results
|
180 |
-
* @apiSuccess {Integer} progress.next The offset for the next set of results
|
181 |
-
*/
|
182 |
-
|
183 |
-
/**
|
184 |
-
* @apiDefine SearchResult Search results
|
185 |
-
* Results for a Search Regex search
|
186 |
-
*
|
187 |
-
* @apiSuccess {Integer} result.row_id The result row ID
|
188 |
-
* @apiSuccess {String} result.source_type The result source type
|
189 |
-
* @apiSuccess {String} result.source_name A displayable version of `source_type`
|
190 |
-
* @apiSuccess {Object[]} result.columns An array of columns with matches
|
191 |
-
* @apiSuccess {String} result.columns.column_id A column ID
|
192 |
-
* @apiSuccess {String} result.columns.column_label A displayable name for the `column_id`
|
193 |
-
* @apiSuccess {String} result.columns.match_count The total number of matches across all contexts in this column
|
194 |
-
* @apiSuccess {String} result.columns.replacement The column with all matches replaced
|
195 |
-
* @apiSuccess {Integer} result.columns.context_count The total possible number of contexts, including any from `contexts` that are cropped
|
196 |
-
* @apiSuccess {Object[]} result.columns.contexts An array of search contexts containing the search matches. This has a maximum size and cropping may occur (see `context_count`)
|
197 |
-
* @apiSuccess {String} result.columns.contexts.context_id A context ID
|
198 |
-
* @apiSuccess {String} result.columns.contexts.context The section of text from the column that contains all the matches in this context
|
199 |
-
* @apiSuccess {Integer} result.columns.contexts.match_count The total number of matched phrases, including any that have been cropped.
|
200 |
-
* @apiSuccess {Object[]} result.columns.contexts.matches The matched phrases contained within this context. This has a maximum size and cropping may occur (see `match_count`)
|
201 |
-
* @apiSuccess {Integer} result.columns.contexts.matches.pos_id The position of the match within the row
|
202 |
-
* @apiSuccess {Integer} result.columns.contexts.matches.context_offset The position of the match within the context
|
203 |
-
* @apiSuccess {String} result.columns.contexts.matches.match The matched phrase
|
204 |
-
* @apiSuccess {String} result.columns.contexts.matches.replacement The matched phrase with the replacement applied to it
|
205 |
-
* @apiSuccess {String[]} result.columns.contexts.matches.captures If a regular expression search then this will contain any captured groups
|
206 |
-
* @apiSuccess {Object[]} result.actions An array of actions that can be performed on this result
|
207 |
-
* @apiSuccess {String} result.title A title for the result
|
208 |
-
*/
|
209 |
-
|
210 |
/**
|
211 |
* Search API endpoint
|
212 |
*/
|
213 |
class Search_Regex_Api_Search extends Search_Regex_Api_Route {
|
214 |
-
/**
|
215 |
-
* Return API search args
|
216 |
-
*
|
217 |
-
* @internal
|
218 |
-
* @return Array<String, Array>
|
219 |
-
*/
|
220 |
-
private function get_search_params() {
|
221 |
-
return [
|
222 |
-
'searchPhrase' => [
|
223 |
-
'description' => 'The search phrase',
|
224 |
-
'type' => 'string',
|
225 |
-
'validate_callback' => [ $this, 'validate_search' ],
|
226 |
-
'required' => true,
|
227 |
-
],
|
228 |
-
'replacement' => [
|
229 |
-
'description' => 'The replacement phrase',
|
230 |
-
'type' => 'string',
|
231 |
-
'default' => '',
|
232 |
-
],
|
233 |
-
'source' => [
|
234 |
-
'description' => 'The sources to search through. Currently only one source is supported',
|
235 |
-
'type' => 'array',
|
236 |
-
'items' => [
|
237 |
-
'type' => 'string',
|
238 |
-
],
|
239 |
-
'validate_callback' => [ $this, 'validate_source' ],
|
240 |
-
'required' => true,
|
241 |
-
],
|
242 |
-
'sourceFlags' => [
|
243 |
-
'description' => 'Source flags',
|
244 |
-
'type' => 'array',
|
245 |
-
'items' => [
|
246 |
-
'type' => 'string',
|
247 |
-
],
|
248 |
-
'default' => [],
|
249 |
-
'validate_callback' => [ $this, 'validate_source_flags' ],
|
250 |
-
],
|
251 |
-
'searchFlags' => [
|
252 |
-
'description' => 'Search flags',
|
253 |
-
'type' => 'array',
|
254 |
-
'items' => [
|
255 |
-
'type' => 'string',
|
256 |
-
],
|
257 |
-
'default' => [],
|
258 |
-
'validate_callback' => [ $this, 'validate_search_flags' ],
|
259 |
-
],
|
260 |
-
];
|
261 |
-
}
|
262 |
-
|
263 |
/**
|
264 |
* Return API paging args
|
265 |
*
|
@@ -278,7 +61,7 @@ class Search_Regex_Api_Search extends Search_Regex_Api_Route {
|
|
278 |
'description' => 'The maximum number of results per page',
|
279 |
'type' => 'integer',
|
280 |
'default' => 25,
|
281 |
-
'maximum' =>
|
282 |
'minimum' => 25,
|
283 |
],
|
284 |
'searchDirection' => [
|
@@ -309,88 +92,8 @@ class Search_Regex_Api_Search extends Search_Regex_Api_Route {
|
|
309 |
$this->get_search_params(),
|
310 |
$this->get_paging_params()
|
311 |
),
|
312 |
-
$this->get_route( WP_REST_Server::
|
313 |
-
] );
|
314 |
-
|
315 |
-
register_rest_route( $namespace, '/replace', [
|
316 |
-
'args' => array_merge(
|
317 |
-
$this->get_search_params(),
|
318 |
-
$this->get_paging_params(),
|
319 |
-
[
|
320 |
-
'rowId' => [
|
321 |
-
'description' => 'Optional row ID',
|
322 |
-
'type' => 'integer',
|
323 |
-
'default' => 0,
|
324 |
-
],
|
325 |
-
'columnId' => [
|
326 |
-
'description' => 'Optional column ID',
|
327 |
-
'type' => 'string',
|
328 |
-
'default' => null,
|
329 |
-
'validate_callback' => [ $this, 'validate_replace_column' ],
|
330 |
-
],
|
331 |
-
'posId' => [
|
332 |
-
'description' => 'Optional position ID',
|
333 |
-
'type' => 'integer',
|
334 |
-
],
|
335 |
-
'replacePhrase' => [
|
336 |
-
'description' => 'The value to replace matches with',
|
337 |
-
'type' => 'string',
|
338 |
-
'required' => true,
|
339 |
-
],
|
340 |
-
]
|
341 |
-
),
|
342 |
-
$this->get_route( WP_REST_Server::EDITABLE, 'replace', [ $this, 'permission_callback' ] ),
|
343 |
-
] );
|
344 |
-
|
345 |
-
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)', [
|
346 |
-
$this->get_route( WP_REST_Server::READABLE, 'loadRow', [ $this, 'permission_callback' ] ),
|
347 |
] );
|
348 |
-
|
349 |
-
$search_no_source = $this->get_search_params();
|
350 |
-
unset( $search_no_source['source'] );
|
351 |
-
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)', [
|
352 |
-
'args' => array_merge(
|
353 |
-
$search_no_source,
|
354 |
-
[
|
355 |
-
'columnId' => [
|
356 |
-
'description' => 'Column within the row to update',
|
357 |
-
'type' => 'string',
|
358 |
-
'required' => true,
|
359 |
-
'validate_callback' => [ $this, 'validate_replace_column' ],
|
360 |
-
],
|
361 |
-
'content' => [
|
362 |
-
'description' => 'The new content',
|
363 |
-
'type' => 'string',
|
364 |
-
'required' => true,
|
365 |
-
],
|
366 |
-
]
|
367 |
-
),
|
368 |
-
$this->get_route( WP_REST_Server::EDITABLE, 'saveRow', [ $this, 'permission_callback' ] ),
|
369 |
-
] );
|
370 |
-
|
371 |
-
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)/delete', [
|
372 |
-
$this->get_route( WP_REST_Server::EDITABLE, 'deleteRow', [ $this, 'permission_callback' ] ),
|
373 |
-
] );
|
374 |
-
}
|
375 |
-
|
376 |
-
/**
|
377 |
-
* Helper to return a search and replace object
|
378 |
-
*
|
379 |
-
* @internal
|
380 |
-
* @param Array $params Array of params.
|
381 |
-
* @param String $replacement Replacement value.
|
382 |
-
* @return Array Search and Replace objects
|
383 |
-
*/
|
384 |
-
private function get_search_replace( $params, $replacement ) {
|
385 |
-
// Get basics
|
386 |
-
$flags = new Search_Flags( $params['searchFlags'] );
|
387 |
-
$sources = Source_Manager::get( $params['source'], $flags, new Source_Flags( $params['sourceFlags'] ) );
|
388 |
-
|
389 |
-
// Create a search and replacer
|
390 |
-
$search = new Search( $params['searchPhrase'], $sources, $flags );
|
391 |
-
$replacer = new Replace( $replacement, $sources, $flags );
|
392 |
-
|
393 |
-
return [ $search, $replacer ];
|
394 |
}
|
395 |
|
396 |
/**
|
@@ -404,263 +107,12 @@ class Search_Regex_Api_Search extends Search_Regex_Api_Route {
|
|
404 |
|
405 |
list( $search, $replacer ) = $this->get_search_replace( $params, $params['replacement'] );
|
406 |
|
407 |
-
$results = $search->
|
408 |
-
if (
|
409 |
-
$results['results'] = $search->results_to_json( $results['results'] );
|
410 |
-
}
|
411 |
-
|
412 |
-
return $results;
|
413 |
-
}
|
414 |
-
|
415 |
-
/**
|
416 |
-
* Perform a replacement on a row, on all rows
|
417 |
-
*
|
418 |
-
* @param WP_REST_Request $request The request.
|
419 |
-
* @return WP_Error|array Return an array of results, or a WP_Error
|
420 |
-
*/
|
421 |
-
public function replace( WP_REST_Request $request ) {
|
422 |
-
$params = $request->get_params();
|
423 |
-
|
424 |
-
if ( $params['rowId'] > 0 ) {
|
425 |
-
// Get the Search/Replace pair, with our replacePhrase as the replacement value
|
426 |
-
list( $search, $replacer ) = $this->get_search_replace( $params, $params['replacePhrase'] );
|
427 |
-
$results = $search->get_row( $params['rowId'], $replacer );
|
428 |
-
|
429 |
-
if ( is_wp_error( $results ) ) {
|
430 |
-
return $results;
|
431 |
-
}
|
432 |
-
|
433 |
-
// Do the replacement
|
434 |
-
$replaced = $replacer->save_and_replace( $results, isset( $params['columnId'] ) ? $params['columnId'] : null, isset( $params['posId'] ) ? intval( $params['posId'], 10 ) : null );
|
435 |
-
if ( is_wp_error( $replaced ) ) {
|
436 |
-
return $replaced;
|
437 |
-
}
|
438 |
-
|
439 |
-
// Now perform a standard search with the original replacement value so the UI is refreshed
|
440 |
-
return $this->search( $request );
|
441 |
-
}
|
442 |
-
|
443 |
-
list( $search, $replacer ) = $this->get_search_replace( $params, $params['replacement'] );
|
444 |
-
$results = $search->get_results( $replacer, $params['page'], $params['perPage'] );
|
445 |
-
|
446 |
-
if ( is_wp_error( $results ) ) {
|
447 |
-
return $results;
|
448 |
-
}
|
449 |
-
|
450 |
-
$results = $replacer->save_and_replace( $results['results'] );
|
451 |
-
if ( is_wp_error( $results ) ) {
|
452 |
return $results;
|
453 |
}
|
454 |
|
455 |
-
$
|
456 |
-
|
457 |
-
return $search_results;
|
458 |
-
}
|
459 |
-
|
460 |
-
// Do the replacement
|
461 |
-
return [
|
462 |
-
'results' => $results,
|
463 |
-
'progress' => $search_results['progress'],
|
464 |
-
'totals' => $search_results['totals'],
|
465 |
-
];
|
466 |
-
}
|
467 |
-
|
468 |
-
/**
|
469 |
-
* Save data to a row and column within a source
|
470 |
-
*
|
471 |
-
* @param WP_REST_Request $request The request.
|
472 |
-
* @return WP_Error|array Return an array of results, or a WP_Error
|
473 |
-
*/
|
474 |
-
public function saveRow( WP_REST_Request $request ) {
|
475 |
-
$params = $request->get_params();
|
476 |
-
|
477 |
-
$flags = new Search_Flags( $params['searchFlags'] );
|
478 |
-
$sources = Source_Manager::get( [ $params['source'] ], $flags, new Source_Flags( $params['sourceFlags'] ) );
|
479 |
-
|
480 |
-
$result = $sources[0]->save( $params['rowId'], $params['columnId'], $params['content'] );
|
481 |
-
|
482 |
-
if ( is_wp_error( $result ) ) {
|
483 |
-
return $result;
|
484 |
-
}
|
485 |
-
|
486 |
-
$search = new Search( $params['searchPhrase'], $sources, $flags );
|
487 |
-
$replacer = new Replace( $params['replacement'], $sources, $flags );
|
488 |
-
|
489 |
-
$row = $search->get_row( $params['rowId'], $replacer );
|
490 |
-
if ( is_wp_error( $row ) ) {
|
491 |
-
return $row;
|
492 |
-
}
|
493 |
-
|
494 |
-
$results = $search->results_to_json( (array) $row );
|
495 |
-
|
496 |
-
return [
|
497 |
-
'result' => count( $results ) > 0 ? $results[0] : [],
|
498 |
-
];
|
499 |
-
}
|
500 |
-
|
501 |
-
/**
|
502 |
-
* Load all relevant data from a source's row
|
503 |
-
*
|
504 |
-
* @param WP_REST_Request $request The request.
|
505 |
-
* @return WP_Error|array Return an array of results, or a WP_Error
|
506 |
-
*/
|
507 |
-
public function loadRow( WP_REST_Request $request ) {
|
508 |
-
$params = $request->get_params();
|
509 |
-
|
510 |
-
$sources = Source_Manager::get( [ $params['source'] ], new Search_Flags(), new Source_Flags() );
|
511 |
-
$row = $sources[0]->get_row( $params['rowId'] );
|
512 |
-
|
513 |
-
if ( is_wp_error( $row ) ) {
|
514 |
-
return $row;
|
515 |
-
}
|
516 |
-
|
517 |
-
return [
|
518 |
-
'result' => $row,
|
519 |
-
];
|
520 |
-
}
|
521 |
-
|
522 |
-
/**
|
523 |
-
* Delete a row of data
|
524 |
-
*
|
525 |
-
* @param WP_REST_Request $request The request.
|
526 |
-
* @return WP_Error|array Return an array of results, or a WP_Error
|
527 |
-
*/
|
528 |
-
public function deleteRow( WP_REST_Request $request ) {
|
529 |
-
$params = $request->get_params();
|
530 |
-
|
531 |
-
$sources = Source_Manager::get( [ $params['source'] ], new Search_Flags(), new Source_Flags() );
|
532 |
-
|
533 |
-
return $sources[0]->delete_row( $params['rowId'] );
|
534 |
-
}
|
535 |
-
|
536 |
-
/**
|
537 |
-
* Validate that the search parameter is correct
|
538 |
-
*
|
539 |
-
* @param String $value The value to validate.
|
540 |
-
* @param WP_REST_Request $request The request.
|
541 |
-
* @param Array $param The array of parameters.
|
542 |
-
* @return Bool true or false
|
543 |
-
*/
|
544 |
-
public function validate_search( $value, WP_REST_Request $request, $param ) {
|
545 |
-
$value = trim( $value );
|
546 |
-
|
547 |
-
return strlen( $value ) > 0;
|
548 |
-
}
|
549 |
-
|
550 |
-
/**
|
551 |
-
* Validate that the column is correct for the given source
|
552 |
-
*
|
553 |
-
* @param String|null $value The value to validate.
|
554 |
-
* @param WP_REST_Request $request The request.
|
555 |
-
* @param Array $param The array of parameters.
|
556 |
-
* @return WP_Error|Bool true or false
|
557 |
-
*/
|
558 |
-
public function validate_replace_column( $value, WP_REST_Request $request, $param ) {
|
559 |
-
if ( $value === null ) {
|
560 |
-
return true;
|
561 |
-
}
|
562 |
-
|
563 |
-
$handlers = Source_Manager::get( Source_Manager::get_all_source_names(), new Search_Flags(), new Source_Flags() );
|
564 |
-
|
565 |
-
foreach ( $handlers as $handler ) {
|
566 |
-
if ( in_array( $value, $handler->get_columns(), true ) ) {
|
567 |
-
return true;
|
568 |
-
}
|
569 |
-
}
|
570 |
-
|
571 |
-
return new WP_Error( 'rest_invalid_param', 'Invalid column detected', array( 'status' => 400 ) );
|
572 |
-
}
|
573 |
-
|
574 |
-
/**
|
575 |
-
* Validate that the search flags are correct
|
576 |
-
*
|
577 |
-
* @param Array|String $value The value to validate.
|
578 |
-
* @param WP_REST_Request $request The request.
|
579 |
-
* @param Array $param The array of parameters.
|
580 |
-
* @return WP_Error|Bool true or false
|
581 |
-
*/
|
582 |
-
public function validate_search_flags( $value, WP_REST_Request $request, $param ) {
|
583 |
-
if ( is_array( $value ) ) {
|
584 |
-
$source = new Search_Flags( $value );
|
585 |
-
|
586 |
-
if ( count( $source->get_flags() ) === count( $value ) ) {
|
587 |
-
return true;
|
588 |
-
}
|
589 |
-
}
|
590 |
-
|
591 |
-
return new WP_Error( 'rest_invalid_param', 'Invalid search flag detected', array( 'status' => 400 ) );
|
592 |
-
}
|
593 |
-
|
594 |
-
/**
|
595 |
-
* Validate that the source flags are correct
|
596 |
-
*
|
597 |
-
* @param Array|String $value The value to validate.
|
598 |
-
* @param WP_REST_Request $request The request.
|
599 |
-
* @param Array $param The array of parameters.
|
600 |
-
* @return Bool|WP_Error true or false
|
601 |
-
*/
|
602 |
-
public function validate_source_flags( $value, WP_REST_Request $request, $param ) {
|
603 |
-
if ( is_array( $value ) ) {
|
604 |
-
$params = $request->get_params();
|
605 |
-
$sources = Source_Manager::get( is_array( $params['source'] ) ? $params['source'] : [ $params['source'] ], new Search_Flags(), new Source_Flags( $value ) );
|
606 |
-
|
607 |
-
// Get the sanitized flags from all the sources
|
608 |
-
$allowed = [];
|
609 |
-
foreach ( $sources as $source ) {
|
610 |
-
$allowed = array_merge( $allowed, array_keys( $source->get_supported_flags() ) );
|
611 |
-
}
|
612 |
-
|
613 |
-
// Make it unique, as some sources can use the same flag
|
614 |
-
$allowed = array_values( array_unique( $allowed ) );
|
615 |
-
|
616 |
-
// Filter the value by this allowed list
|
617 |
-
$filtered_value = array_filter( $value, function( $item ) use ( $allowed ) {
|
618 |
-
return in_array( $item, $allowed, true );
|
619 |
-
} );
|
620 |
-
|
621 |
-
// Any flags missing?
|
622 |
-
if ( count( $filtered_value ) === count( $value ) ) {
|
623 |
-
return true;
|
624 |
-
}
|
625 |
-
}
|
626 |
-
|
627 |
-
return new WP_Error( 'rest_invalid_param', 'Invalid source flag detected', array( 'status' => 400 ) );
|
628 |
-
}
|
629 |
-
|
630 |
-
/**
|
631 |
-
* Validate that the source is valid
|
632 |
-
*
|
633 |
-
* @param Array|String $value The value to validate.
|
634 |
-
* @param WP_REST_Request $request The request.
|
635 |
-
* @param Array $param The array of parameters.
|
636 |
-
* @return Bool|WP_Error true or false
|
637 |
-
*/
|
638 |
-
public function validate_source( $value, WP_REST_Request $request, $param ) {
|
639 |
-
$allowed = Source_Manager::get_all_source_names();
|
640 |
-
$valid = [];
|
641 |
-
|
642 |
-
add_filter( 'wp_revisions_to_keep', [ $this, 'disable_post_revisions' ] );
|
643 |
-
|
644 |
-
if ( is_array( $value ) ) {
|
645 |
-
$valid = array_filter( $value, function( $item ) use ( $allowed ) {
|
646 |
-
return array_search( $item, $allowed, true ) !== false;
|
647 |
-
} );
|
648 |
-
}
|
649 |
-
|
650 |
-
if ( count( $valid ) > 0 ) {
|
651 |
-
return true;
|
652 |
-
}
|
653 |
-
|
654 |
-
return new WP_Error( 'rest_invalid_param', 'Invalid source detected', array( 'status' => 400 ) );
|
655 |
-
}
|
656 |
-
|
657 |
-
/**
|
658 |
-
* Used to disable post revisions when updating a post
|
659 |
-
*
|
660 |
-
* @internal
|
661 |
-
* @return Int
|
662 |
-
*/
|
663 |
-
public function disable_post_revisions() {
|
664 |
-
return 0;
|
665 |
}
|
666 |
}
|
1 |
<?php
|
2 |
|
3 |
use SearchRegex\Search;
|
|
|
|
|
|
|
|
|
|
|
4 |
|
5 |
/**
|
6 |
+
* @api {post} /search-regex/v1/search Search
|
7 |
* @apiVersion 1.0.0
|
8 |
* @apiName Search
|
9 |
* @apiDescription This performs the search matching of a search phrase in a search source. The search is designed to not timeout and exhaust server memory, and sometimes
|
39 |
* @apiUse 404Error
|
40 |
*/
|
41 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
42 |
/**
|
43 |
* Search API endpoint
|
44 |
*/
|
45 |
class Search_Regex_Api_Search extends Search_Regex_Api_Route {
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
46 |
/**
|
47 |
* Return API paging args
|
48 |
*
|
61 |
'description' => 'The maximum number of results per page',
|
62 |
'type' => 'integer',
|
63 |
'default' => 25,
|
64 |
+
'maximum' => 5000,
|
65 |
'minimum' => 25,
|
66 |
],
|
67 |
'searchDirection' => [
|
92 |
$this->get_search_params(),
|
93 |
$this->get_paging_params()
|
94 |
),
|
95 |
+
$this->get_route( WP_REST_Server::EDITABLE, 'search', [ $this, 'permission_callback' ] ),
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
96 |
] );
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
97 |
}
|
98 |
|
99 |
/**
|
107 |
|
108 |
list( $search, $replacer ) = $this->get_search_replace( $params, $params['replacement'] );
|
109 |
|
110 |
+
$results = $search->get_search_results( $replacer, $params['page'], $params['perPage'], $params['limit'] );
|
111 |
+
if ( $results instanceof WP_Error ) {
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
112 |
return $results;
|
113 |
}
|
114 |
|
115 |
+
$results['results'] = $search->results_to_json( $results['results'] );
|
116 |
+
return $results;
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
117 |
}
|
118 |
}
|
api/api-source.php
ADDED
@@ -0,0 +1,263 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
<?php
|
2 |
+
|
3 |
+
use SearchRegex\Search;
|
4 |
+
use SearchRegex\Replace;
|
5 |
+
use SearchRegex\Search_Flags;
|
6 |
+
use SearchRegex\Search_Source;
|
7 |
+
use SearchRegex\Source_Manager;
|
8 |
+
use SearchRegex\Source_Flags;
|
9 |
+
|
10 |
+
/**
|
11 |
+
* @api {get} /search-regex/v1/source List of sources
|
12 |
+
* @apiVersion 1.0.0
|
13 |
+
* @apiName GetSources
|
14 |
+
* @apiDescription Return all the available sources
|
15 |
+
*
|
16 |
+
* @apiGroup Source
|
17 |
+
*
|
18 |
+
* @apiUse SearchResults
|
19 |
+
* @apiUse 401Error
|
20 |
+
* @apiUse 404Error
|
21 |
+
*/
|
22 |
+
|
23 |
+
/**
|
24 |
+
* @api {get} /search-regex/v1/source/:source/:rowId Load source row
|
25 |
+
* @apiName LoadRow
|
26 |
+
* @apiDescription Load a row of data from one source. This can be used to get the full data for a particular search.
|
27 |
+
*
|
28 |
+
* @apiGroup Source
|
29 |
+
*
|
30 |
+
* @apiParam (URL) {String} :source The source
|
31 |
+
* @apiParam (URL) {Integer} :rowId The source row ID
|
32 |
+
*
|
33 |
+
* @apiSuccess {String[]} result Associative array of `column_name` => `value`
|
34 |
+
* @apiUse 401Error
|
35 |
+
* @apiUse 404Error
|
36 |
+
*/
|
37 |
+
|
38 |
+
/**
|
39 |
+
* @api {post} /search-regex/v1/source/:source/:rowId Save source row
|
40 |
+
* @apiVersion 1.0.0
|
41 |
+
* @apiName SaveRow
|
42 |
+
* @apiDescription Save data to a column of a row of a source, returning the same row back with modified data
|
43 |
+
*
|
44 |
+
* @apiGroup Source
|
45 |
+
*
|
46 |
+
* @apiParam (URL) {String} :source The source
|
47 |
+
* @apiParam (URL) {Integer} :rowId The source row ID
|
48 |
+
* @apiParam {String} columnId Column ID of the item to save content to
|
49 |
+
* @apiParam {String} content The new content
|
50 |
+
*
|
51 |
+
* @apiUse SearchResult
|
52 |
+
* @apiUse 401Error
|
53 |
+
* @apiUse 404Error
|
54 |
+
*/
|
55 |
+
|
56 |
+
/**
|
57 |
+
* @api {post} /search-regex/v1/source/:source/:rowId/replace Perform a replace on a row
|
58 |
+
* @apiVersion 1.0.0
|
59 |
+
* @apiName DeleteRow
|
60 |
+
* @apiDescription Removes an entire row of data from the source
|
61 |
+
*
|
62 |
+
* @apiGroup Source
|
63 |
+
*
|
64 |
+
* @apiParam (URL) {String} :source The source
|
65 |
+
* @apiParam {Integer} :rowId Row ID of the item to replace
|
66 |
+
* @apiParam {String} [columnId] Column ID of the item to replace
|
67 |
+
* @apiParam {Integer} [posId] Positional ID of the item to replace
|
68 |
+
*
|
69 |
+
* @apiUse SearchResult
|
70 |
+
* @apiUse 401Error
|
71 |
+
* @apiUse 404Error
|
72 |
+
*/
|
73 |
+
|
74 |
+
/**
|
75 |
+
* @api {post} /search-regex/v1/source/:source/:rowId/delete Delete source row
|
76 |
+
* @apiVersion 1.0.0
|
77 |
+
* @apiName DeleteRow
|
78 |
+
* @apiDescription Removes an entire row of data from the source
|
79 |
+
*
|
80 |
+
* @apiGroup Source
|
81 |
+
*
|
82 |
+
* @apiParam (URL) {String} :source The source
|
83 |
+
* @apiParam (URL) {Integer} :rowId The source row ID
|
84 |
+
*
|
85 |
+
* @apiSuccess {Bool} result `true` if deleted, `false` otherwise
|
86 |
+
* @apiUse 401Error
|
87 |
+
* @apiUse 404Error
|
88 |
+
*/
|
89 |
+
|
90 |
+
/**
|
91 |
+
* Search API endpoint
|
92 |
+
*/
|
93 |
+
class Search_Regex_Api_Source extends Search_Regex_Api_Route {
|
94 |
+
/**
|
95 |
+
* Search API endpoint constructor
|
96 |
+
*
|
97 |
+
* @param String $namespace Namespace.
|
98 |
+
*/
|
99 |
+
public function __construct( $namespace ) {
|
100 |
+
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)', [
|
101 |
+
$this->get_route( WP_REST_Server::READABLE, 'loadRow', [ $this, 'permission_callback' ] ),
|
102 |
+
] );
|
103 |
+
|
104 |
+
$search_no_source = $this->get_search_params();
|
105 |
+
unset( $search_no_source['source'] );
|
106 |
+
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)', [
|
107 |
+
'args' => array_merge(
|
108 |
+
$search_no_source,
|
109 |
+
[
|
110 |
+
'columnId' => [
|
111 |
+
'description' => 'Column within the row to update',
|
112 |
+
'type' => 'string',
|
113 |
+
'required' => true,
|
114 |
+
'validate_callback' => [ $this, 'validate_replace_column' ],
|
115 |
+
],
|
116 |
+
'content' => [
|
117 |
+
'description' => 'The new content',
|
118 |
+
'type' => 'string',
|
119 |
+
'required' => true,
|
120 |
+
],
|
121 |
+
]
|
122 |
+
),
|
123 |
+
$this->get_route( WP_REST_Server::EDITABLE, 'saveRow', [ $this, 'permission_callback' ] ),
|
124 |
+
] );
|
125 |
+
|
126 |
+
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)/delete', [
|
127 |
+
$this->get_route( WP_REST_Server::EDITABLE, 'deleteRow', [ $this, 'permission_callback' ] ),
|
128 |
+
] );
|
129 |
+
|
130 |
+
register_rest_route( $namespace, '/source/(?P<source>[a-z]+)/(?P<rowId>[\d]+)/replace', [
|
131 |
+
'args' => array_merge(
|
132 |
+
$this->get_search_params(),
|
133 |
+
[
|
134 |
+
'rowId' => [
|
135 |
+
'description' => 'Optional row ID',
|
136 |
+
'type' => 'integer',
|
137 |
+
'default' => 0,
|
138 |
+
],
|
139 |
+
'columnId' => [
|
140 |
+
'description' => 'Optional column ID',
|
141 |
+
'type' => 'string',
|
142 |
+
'default' => null,
|
143 |
+
'validate_callback' => [ $this, 'validate_replace_column' ],
|
144 |
+
],
|
145 |
+
'posId' => [
|
146 |
+
'description' => 'Optional position ID',
|
147 |
+
'type' => 'integer',
|
148 |
+
],
|
149 |
+
]
|
150 |
+
),
|
151 |
+
$this->get_route( WP_REST_Server::EDITABLE, 'replaceRow', [ $this, 'permission_callback' ] ),
|
152 |
+
] );
|
153 |
+
}
|
154 |
+
|
155 |
+
/**
|
156 |
+
* Perform a replacement on a row
|
157 |
+
*
|
158 |
+
* @param WP_REST_Request $request The request.
|
159 |
+
* @return WP_Error|array Return an array of results, or a WP_Error
|
160 |
+
*/
|
161 |
+
public function replaceRow( WP_REST_Request $request ) {
|
162 |
+
$params = $request->get_params();
|
163 |
+
|
164 |
+
$flags = new Search_Flags( $params['searchFlags'] );
|
165 |
+
$sources = Source_Manager::get( $params['source'], $flags, new Source_Flags( $params['sourceFlags'] ) );
|
166 |
+
|
167 |
+
// Get the Search/Replace pair, with our replacePhrase as the replacement value
|
168 |
+
$search = new Search( $params['searchPhrase'], $sources, $flags );
|
169 |
+
$replacer = new Replace( $params['replacePhrase'], $sources, $flags );
|
170 |
+
|
171 |
+
// Get the row
|
172 |
+
$results = $search->get_row( $sources[0], $params['rowId'], $replacer );
|
173 |
+
|
174 |
+
if ( $results instanceof \WP_Error ) {
|
175 |
+
return $results;
|
176 |
+
}
|
177 |
+
|
178 |
+
// Do the replacement
|
179 |
+
$replaced = $replacer->save_and_replace( $results, isset( $params['columnId'] ) ? $params['columnId'] : null, isset( $params['posId'] ) ? intval( $params['posId'], 10 ) : null );
|
180 |
+
if ( is_wp_error( $replaced ) ) {
|
181 |
+
return $replaced;
|
182 |
+
}
|
183 |
+
|
184 |
+
// Get the row again
|
185 |
+
$replacer = new Replace( $params['replacement'], $sources, $flags );
|
186 |
+
$results = $search->get_row( $sources[0], $params['rowId'], $replacer );
|
187 |
+
|
188 |
+
if ( $results instanceof \WP_Error ) {
|
189 |
+
return $results;
|
190 |
+
}
|
191 |
+
|
192 |
+
return [
|
193 |
+
'result' => $search->results_to_json( $results ),
|
194 |
+
];
|
195 |
+
}
|
196 |
+
|
197 |
+
/**
|
198 |
+
* Save data to a row and column within a source
|
199 |
+
*
|
200 |
+
* @param WP_REST_Request $request The request.
|
201 |
+
* @return WP_Error|array Return an array of results, or a WP_Error
|
202 |
+
*/
|
203 |
+
public function saveRow( WP_REST_Request $request ) {
|
204 |
+
$params = $request->get_params();
|
205 |
+
|
206 |
+
$flags = new Search_Flags( $params['searchFlags'] );
|
207 |
+
$sources = Source_Manager::get( [ $params['source'] ], $flags, new Source_Flags( $params['sourceFlags'] ) );
|
208 |
+
|
209 |
+
$result = $sources[0]->save( $params['rowId'], $params['columnId'], $params['content'] );
|
210 |
+
|
211 |
+
if ( is_wp_error( $result ) ) {
|
212 |
+
return $result;
|
213 |
+
}
|
214 |
+
|
215 |
+
$search = new Search( $params['searchPhrase'], $sources, $flags );
|
216 |
+
$replacer = new Replace( $params['replacement'], $sources, $flags );
|
217 |
+
|
218 |
+
$row = $search->get_row( $sources[0], $params['rowId'], $replacer );
|
219 |
+
if ( is_wp_error( $row ) ) {
|
220 |
+
return $row;
|
221 |
+
}
|
222 |
+
|
223 |
+
$results = $search->results_to_json( (array) $row );
|
224 |
+
|
225 |
+
return [
|
226 |
+
'result' => count( $results ) > 0 ? $results[0] : [],
|
227 |
+
];
|
228 |
+
}
|
229 |
+
|
230 |
+
/**
|
231 |
+
* Load all relevant data from a source's row
|
232 |
+
*
|
233 |
+
* @param WP_REST_Request $request The request.
|
234 |
+
* @return WP_Error|array Return an array of results, or a WP_Error
|
235 |
+
*/
|
236 |
+
public function loadRow( WP_REST_Request $request ) {
|
237 |
+
$params = $request->get_params();
|
238 |
+
|
239 |
+
$sources = Source_Manager::get( [ $params['source'] ], new Search_Flags(), new Source_Flags() );
|
240 |
+
$row = $sources[0]->get_row( $params['rowId'] );
|
241 |
+
|
242 |
+
if ( is_wp_error( $row ) ) {
|
243 |
+
return $row;
|
244 |
+
}
|
245 |
+
|
246 |
+
return [
|
247 |
+
'result' => $row,
|
248 |
+
];
|
249 |
+
}
|
250 |
+
|
251 |
+
/**
|
252 |
+
* Delete a row of data
|
253 |
+
*
|
254 |
+
* @param WP_REST_Request $request The request.
|
255 |
+
* @return WP_Error|array Return an array of results, or a WP_Error
|
256 |
+
*/
|
257 |
+
public function deleteRow( WP_REST_Request $request ) {
|
258 |
+
$params = $request->get_params();
|
259 |
+
$sources = Source_Manager::get( [ $params['source'] ], new Search_Flags(), new Source_Flags() );
|
260 |
+
|
261 |
+
return $sources[0]->delete_row( $params['rowId'] );
|
262 |
+
}
|
263 |
+
}
|
api/api.php
CHANGED
@@ -2,15 +2,26 @@
|
|
2 |
|
3 |
require_once __DIR__ . '/api-base.php';
|
4 |
require_once __DIR__ . '/api-search.php';
|
|
|
|
|
5 |
require_once __DIR__ . '/api-settings.php';
|
6 |
require_once __DIR__ . '/api-plugin.php';
|
7 |
|
8 |
define( 'SEARCHREGEX_API_NAMESPACE', 'search-regex/v1' );
|
9 |
|
10 |
class Search_Regex_Api {
|
11 |
-
/**
|
|
|
|
|
|
|
|
|
12 |
private static $instance = null;
|
13 |
-
|
|
|
|
|
|
|
|
|
|
|
14 |
private $routes = array();
|
15 |
|
16 |
/**
|
@@ -32,6 +43,8 @@ class Search_Regex_Api {
|
|
32 |
$wpdb->hide_errors();
|
33 |
|
34 |
$this->routes[] = new Search_Regex_Api_Search( SEARCHREGEX_API_NAMESPACE );
|
|
|
|
|
35 |
$this->routes[] = new Search_Regex_Api_Plugin( SEARCHREGEX_API_NAMESPACE );
|
36 |
$this->routes[] = new Search_Regex_Api_Settings( SEARCHREGEX_API_NAMESPACE );
|
37 |
}
|
2 |
|
3 |
require_once __DIR__ . '/api-base.php';
|
4 |
require_once __DIR__ . '/api-search.php';
|
5 |
+
require_once __DIR__ . '/api-replace.php';
|
6 |
+
require_once __DIR__ . '/api-source.php';
|
7 |
require_once __DIR__ . '/api-settings.php';
|
8 |
require_once __DIR__ . '/api-plugin.php';
|
9 |
|
10 |
define( 'SEARCHREGEX_API_NAMESPACE', 'search-regex/v1' );
|
11 |
|
12 |
class Search_Regex_Api {
|
13 |
+
/**
|
14 |
+
* Instance variable
|
15 |
+
*
|
16 |
+
* @var Search_Regex_Api|null
|
17 |
+
**/
|
18 |
private static $instance = null;
|
19 |
+
|
20 |
+
/**
|
21 |
+
* Array of endpoint routes
|
22 |
+
*
|
23 |
+
* @var Array
|
24 |
+
**/
|
25 |
private $routes = array();
|
26 |
|
27 |
/**
|
43 |
$wpdb->hide_errors();
|
44 |
|
45 |
$this->routes[] = new Search_Regex_Api_Search( SEARCHREGEX_API_NAMESPACE );
|
46 |
+
$this->routes[] = new Search_Regex_Api_Replace( SEARCHREGEX_API_NAMESPACE );
|
47 |
+
$this->routes[] = new Search_Regex_Api_Source( SEARCHREGEX_API_NAMESPACE );
|
48 |
$this->routes[] = new Search_Regex_Api_Plugin( SEARCHREGEX_API_NAMESPACE );
|
49 |
$this->routes[] = new Search_Regex_Api_Settings( SEARCHREGEX_API_NAMESPACE );
|
50 |
}
|
locale/json/search-regex-ja.json
ADDED
@@ -0,0 +1 @@
|
|
|
1 |
+
{"":[],"GUID":["GUID"],"Slug":["スラッグ"],"Excerpt":["抜粋"],"Content":["本文"],"Search GUID":["GUID 検索"],"Display name":["表示名"],"Nicename":["ナイスネーム"],"Value":["値"],"Include spam comments":["スパムコメントを含む"],"Comment":["コメント"],"Name":["名前"],"Search your redirects":["リダイレクトの検索"],"Title":["タイトル"],"URL":["URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["無効です。PHP %1$s が検出されました。PHP %2$s+ が必要です。"],"Plugins":["プラグイン"],"Specific Post Types":["特定の投稿タイプ"],"Standard Types":["通常タイプ"],"Search all WordPress options.":["WordPress の全ての設定から検索"],"WordPress Options":["WordPress 設定"],"Search user meta name and values.":["ユーザーの名前と値から検索"],"User Meta":["ユーザーのメタ情報"],"Search user email, URL, and name.":["ユーザーのメールアドレス、URL、名前から検索"],"Users":["ユーザー"],"Search comment meta names and values.":["コメントの名前と値から検索"],"Comment Meta":["コメントメタ情報"],"Search comment content, URL, and author, with optional support for spam comments.":["コメント本文、URL、投稿者、及び、追加のスパムコメント対策用設定などから検索"],"Comments":["コメント"],"Search post meta names and values.":["投稿の名前と値から検索"],"Post Meta":["投稿メタ情報"],"Search all posts, pages, and custom post types.":["すべての投稿、固定ページ、カスタム投稿タイプから検索。"],"All Post Types":["すべての投稿タイプ"],"Please enable JavaScript":["JavaScript を有効にしてください。"],"Loading, please wait...":["読み込み中です。少々お待ちください。"],"Create Issue":["問題を報告"],"<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again.":["<code>SearchRegexi10n</code> が定義されていません。別のプラグインが Search Regex の機能をブロックしているようです。一度全てのプラグインを無効にしてから、もう一度お試しください。"],"If you think Search Regex is at fault then create an issue.":["Search Regex に問題がある場合は、問題を報告してください。"],"Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>.":["お手数ですが<a href=\"https://searchregex.com/support/problems/\">開発者のウェブサイト</a>をご覧ください。"],"Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex":["Search Regex では、WordPress REST API を 有効にする必要があります。これを無効にすると、Search Regex を使用できません。"],"Also check if your browser is able to load <code>search-regex.js</code>:":["また、使用しているブラウザが <code>search-regex.js</code> を読み込めるかどうか確認してください。"],"This may be caused by another plugin - look at your browser's error console for more details.":["この問題は、使用中の別のプラグインが原因である可能性があります。詳細はブラウザのエラーコンソールを確認してください。"],"Unable to load Search Regex ☹️":["Search Regex を読み込めません☹️"],"Unable to load Search Regex":["Search Regex を読み込めません。"],"Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Search Regex には WordPress v%1$1s が必要です。このサイトでは v%2$2s を使用しています。WordPress 本体を更新してください。"],"Search Regex Support":["Search Regex サポート"],"You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site.":["Search Regex の完全版マニュアルは、<a href=\"%s\" target=\"_blank\">searchregex.com</a> にあります。"],"Settings":["設定"],"Actions":["操作"],"Matched Phrases":["一致するフレーズ"],"Matches":["一致"],"Row ID":["行の ID"],"Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.":["ページリクエストの最大値を超えたため、検索が停止しました。検索語句をより具体的にしてください。"],"No more matching results found.":["一致する結果が見つかりませんでした。"],"Last page":["最後のページ"],"Page %(current)s of %(total)s":["%(total)s ページ中 %(current)s ページ"],"Matches: %(phrases)s across %(rows)s database row.":[["一致 : %(phrases)s 全体 %(rows)s データベース行"]],"Next page":["次のページ"],"Progress %(current)s$":["進行状況 %(current)s$"],"Prev page":["前のページ"],"First page":["最初のページ"],"%s database row in total":[["合計 %s データベース行"]],"500 per page":["500件 / ページ"],"250 per page":["250件 / ページ"],"100 per page":["100件 / ページ"],"50 per page ":["50件 / ページ"],"25 per page ":["25件 / ページ"],"Ignore Case":["大文字と小文字を区別しない"],"Regular Expression":["正規表現"],"Row updated":["行の更新"],"Row replaced":["行の入れ替え"],"Row deleted":["行の削除"],"Settings saved":["設定を保存"],"{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search.":["{{link}}Source Flags{{/ link}} - 選択ソースの追加オプションです。たとえば、検索に投稿 {{guid}}GUID{{/ guid}} を含められます。"],"{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments.":["{{link}}Source{{/ link}} - 検索するデータのソースです。投稿、ページ、コメントなどのことです。"],"{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches.":["{{link}}Regular expression{{/ link}} - テキストのマッチングパターンを定義する方法。より高度な検索が可能です。"],"{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support.":["{{link}}Search Flags{{/ link}} - 検索の追加情報です。大文字と小文字を区別せず、正規表現サポートを有効にします。"],"The following concepts are used by Search Regex:":["Search Regexのコンセプトは次の通り : "],"Quick Help":["クイックヘルプ"],"Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me.":["このプラグインが気に入りましたか ? 開発者の他のプラグイン {{link}}Redirection{{/ link}} のご使用はいかがですか ? "],"Redirection":["リダイレクト"],"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}}から直接送信できます。できるだけ多くの情報を含めてください。"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["できる限りサポートしますが、サポートには限界がありますので、ご了承ください。有料サポートはありません。"],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["バグ報告する場合は、{{report}}Reporting Bugs{{/report}} ガイドをお読みください。"],"Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.":["Search Regex に関する詳しいマニュアル等は、{{site}}https://searchregex.com{{/site}} にあります。"],"Need more help?":["ヘルプが必要ですか ?"],"Results":["結果"],"Source Options":["ソース設定"],"Source":["ソース"],"Enter global replacement text":["グローバル置換テキストを入力してください。"],"Search Flags":["フラグを検索"],"Enter search phrase":["検索フレーズを入力してください。"],"Replace All":["全て置換する"],"Search":["検索"],"Search and replace information in your database.":["データベース内の情報を検索して置換します。"],"You are advised to backup your data before making modifications.":["変更を加える前に、データをバックアップすることを強くおすすめします。"],"Update":["アップデート"],"How Search Regex uses the REST API - don't change unless necessary":["Search Regex の REST API - むやみに変更しないでください。"],"REST API":["REST API"],"I'm a nice person and I have helped support the author of this plugin":["私はこのプラグインの作者のサポートをしてきました。"],"Relative REST API":["Relative REST API"],"Raw REST API":["Raw REST API"],"Default REST API":["デフォルト REST API"],"Plugin Support":["プラグインサポート"],"Support 💰":["サポート :"],"You get useful software and I get to carry on making it better.":["私はこのプラグインをもっと便利にしていきます。"],"Search Regex 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}}.":["Search Regex は無料で使用できます。人生はすばらしくてステキです ! 開発には多大な時間と労力が必要でしたが、{{strong}}少額の寄付{{/ strong}}でこの開発を支援することができます。"],"I'd like to support some more.":["もう少しサポートしたいです。"],"You've supported this plugin - thank you!":["このプラグインに寄付してくださってありがとうございます ! "],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["{{code}}%s{{/code}} について記載し、そのとき何をしていたか詳しく説明してください。"],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["問題が解決しない場合は、ブラウザのエラーコンソールを開き、詳細を記載した{{link}}new issue{{/link}} を作成してください。"],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["キャッシュプラグインまたは CDN サービス( CloudFlare、OVHなど )を使用している場合は、そのキャッシュを削除すると解決することがあります。"],"Search Regex is not working. Try clearing your browser cache and reloading this page.":["Search Regex が機能していません。ブラウザのキャッシュをクリアして、このページをリロードしてみてください。"],"clearing your cache.":["キャッシュを削除しています。"],"If you are using a caching system such as Cloudflare then please read this: ":["Cloudflare などの CDN キャッシュを使用している場合は、次の項目をお読みください :"],"Please clear your browser cache and reload this page.":["ブラウザのキャッシュをクリアして、このページをリロードしてください。"],"Cached Search Regex detected":["キャッシュされた正規表現が検出されました。"],"Show %s more":[["%s をもっと見る"]],"Maximum number of matches exceeded and hidden from view. These will be included in any replacements.":["マッチングの最大値を超えたため、結果が表示されません。これらは置換に含まれます。"],"Replace %(count)s match.":[["%(count)s 一致を置換"]],"Delete":["削除"],"Editor":["編集者"],"Edit":["編集"],"Replacement for all matches in this row":["この行のすべての一致項目を置換"],"Check Again":["もう一度確認する"],"Testing - %s$":["テスト中 - %s$"],"Show Problems":["問題を表示"],"Summary":["概要"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["壊れた REST API ルートが使用されています。動作している API に変更すると、問題が解決するはずです。"],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["REST API が機能していません。修正が必要です。"],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["REST API への接続にいくつかの問題がありますが、これらの問題の修正は必須ではなく、プラグインは機能します。"],"Unavailable":["利用できません"],"Not working but fixable":["機能しませんが修正可能です。"],"Working but some issues":["機能していますが問題があります。"],"Good":["Good"],"Current API":["現在の API"],"Switch to this API":["この API に切り替え"],"Hide":["非表示"],"Show Full":["全て表示"],"Working!":["稼働中"],"Phrases replaced: %s":["置換されたフレーズ : %s"],"Rows updated: %s":["更新された行 : %s"],"Finished!":["完了しました !"],"Replace progress":["置換の進行状況"],"Cancel":["キャンセル"],"Replace":["置換"],"Search phrase will be removed":["検索フレーズは削除されます"],"Remove":["削除"],"Multi":["複数"],"Single":["シングル"],"View notice":["通知を表示"],"Replace single phrase.":["単一のフレーズを置き換えます。"],"Replacement for this match":["この一致項目の置換"],"Support":["サポート"],"Options":["設定"],"Search & Replace":["検索と置換"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["WordPress 5.2以降を使用している場合は、{{link}}サイトヘルス{{/link}}を確認して問題を解決してください。"],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}一時的に他のプラグインを無効にしてください ! {{/link}}これにより、いくつかの問題が修正されるはずです。"],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}キャッシュのソフトウェア{{/link}}、特に Cloudflare は、間違ったものをキャッシュする可能性があります。一度すべてのキャッシュを削除してみてください。"],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["{{link}}プラグインステータス{{/link}}をご覧ください。問題を特定し、\" magic fix \" できる場合があります。"],"What do I do next?":["次はどうしますか?"],"Something went wrong 🙁":["エラーが発生しました。"],"That didn't help":["うまくいきませんでした。"],"The problem is almost certainly caused by one of the above.":["上記のいずれかが問題の原因です。"],"Your admin pages are being cached. Clear this cache and try again.":["管理ページがキャッシュされています。このキャッシュをクリアして、再試行してください。"],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["ログアウトし、ブラウザのキャッシュをクリアして、再度ログインしてください。ブラウザは古いセッションをキャッシュしています。"],"Reload the page - your current session is old.":["ページを再読み込みしてください - 現在のセッションは古いです。"],"This is usually fixed by doing one of these:":["これは通常、次のいずれかを実行することで修正されます。"],"You are not authorised to access this page.":["このページにアクセスする権限がありません。"],"Include these details in your report along with a description of what you were doing and a screenshot.":["これらの問題の詳細を、実行内容の説明とスクリーンショットをあわせてレポートに含めてください。"],"Email":["メールアドレス"],"Create An Issue":["問題を報告する"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["{{strong}}問題を報告する{{/strong}}か、{{strong}}メール{{/strong}}で送信してください。"],"Close":["閉じる"],"Save":["保存"],"Editing %s":["%s 編集中"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["ブラウザのセキュリティにより、リクエストを実行できません。これは通常、WordPress とサイトの URL 設定に一貫性がないか、リクエストがサイトの CORS ポリシーによってブロックされたことが原因です。"],"Possible cause":["考えられる原因"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress が予期しないメッセージを返しました。これはおそらく別のプラグインの PHP エラーです。"],"Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working":["WordPress REST API が無効になっています。 Search Regex を使うには、WordPress REST API を有効にする必要があります"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["これはセキュリティプラグインが原因であるか、サーバーのメモリが不足しているか、外部エラーが発生しています。ご契約のレンタルサーバーなどのエラーログを確認してください。"],"Your server has rejected the request for being too big. You will need to change it to continue.":["サーバーが過大要求を拒否しました。続行するにはサーバー設定を変更する必要があります。"],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["REST API が404ページを返しています。これはセキュリティプラグインが原因であるか、サーバーが正しく設定されていない可能性があります。"],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["REST API がセキュリティプラグインによってブロックされている可能性があります。これを無効にするか、REST API リクエストを許可するように設定してください。"],"Read this REST API guide for more information.":["詳細は、この REST API ガイドをお読みください。"],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["REST API がキャッシュされています。キャッシュプラグインを停止し、サーバーキャッシュをすべて削除し、ログアウトして、ブラウザのキャッシュをクリアしてから、もう一度お試しください。"],"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 は応答を返しませんでした。これは、エラーが発生したか、要求がブロックされたことを意味します。サーバーのエラーログを確認してください。"],"John Godley":["John Godley"],"Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support":["正規表現のサポートにより、投稿、ページ、コメント、メタデータ全体に検索&置換機能を追加します。"],"https://searchregex.com/":["https://searchregex.com/"],"Search Regex":["Search Regex"]}
|
locale/json/search-regex-nl_BE.json
ADDED
@@ -0,0 +1 @@
|
|
|
1 |
+
{"":[],"GUID":["GUID"],"Slug":["Slug"],"Excerpt":["Samenvatting"],"Content":["Inhoud"],"Search GUID":["Zoek GUID"],"Display name":["Schermnaam (getoond op site)"],"Nicename":["Schermnaam (backend)"],"Value":["Waarde"],"Include spam comments":["Inclusief spam reacties"],"Comment":["Reactie"],"Name":["Naam"],"Search your redirects":["Zoek je redirects"],"Title":["Titel"],"URL":["URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Uitgeschakeld! Gedetecteerd PHP %1$s, nodig PHP %2$s+"],"Plugins":["Plugins"],"Specific Post Types":["Specifieke berichttypen"],"Standard Types":["Standaard typen"],"Search all WordPress options.":["Doorzoek alle WordPress opties"],"WordPress Options":["WordPress opties"],"Search user meta name and values.":["Zoek gebruiker gegevens naam en waarden."],"User Meta":["Gebruiker Meta"],"Search user email, URL, and name.":["Zoek e-mail, URL en naam van gebruiker."],"Users":["Gebruikers"],"Search comment meta names and values.":["Zoek reactie meta namen en waarden"],"Comment Meta":["Reactie Meta"],"Search comment content, URL, and author, with optional support for spam comments.":["Doorzoek reactie inhoud, URL en auteur, met optie voor spam reacties. "],"Comments":["Reacties"],"Search post meta names and values.":["Zoek bericht meta namen en waarden"],"Post Meta":["Bericht meta"],"Search all posts, pages, and custom post types.":["Doorzoek alle berichten, pagina's en aangepaste bericht typen."],"All Post Types":["Alle berichttypen"],"Please enable JavaScript":["Schakel Javascript in"],"Loading, please wait...":["Aan het laden..."],"Create Issue":["Meld een probleem"],"<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again.":["<code>SearchRegexi10n</code> is niet gedefinieerd. Dit betekent meestal dat een andere plugin Search Regex blokkeert om te laden. Zet alle plugins uit en probeer het opnieuw."],"If you think Search Regex is at fault then create an issue.":["Denk je dat Search Regex het probleem veroorzaakt, maak dan een probleemrapport aan."],"Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>.":["Bekijk hier de <a href=\"https://searchregex.com/support/problems/\">lijst van algemene problemen</a>."],"Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex":["Search Regex vereist dat de WordPress REST API geactiveerd is. Heb je deze uitgezet, dan kun je Search Regex niet gebruiken."],"Also check if your browser is able to load <code>search-regex.js</code>:":["Controleer ook of je browser <code>search-regex.js</code> kan laden:"],"This may be caused by another plugin - look at your browser's error console for more details.":["Dit kan worden veroorzaakt door een andere plugin - bekijk je browser's foutconsole voor meer gegevens."],"Unable to load Search Regex ☹️":["Laden van Search Regex ☹️ onmogelijk"],"Unable to load Search Regex":["Laden van Search Regex onmogelijk"],"Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Search Regex heeft WordPress v%1$1s nodig, en je gebruikt v%2$2s - update je WordPress"],"Search Regex Support":["Search Regex ondersteuning"],"You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site.":["Je kunt de volledige documentatie over het gebruik van Search Regex vinden op de <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."],"Settings":["Instellingen"],"Actions":["Acties"],"Matched Phrases":["Gevonden zoektermen"],"Matches":["Gevonden"],"Row ID":["Regel ID"],"Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.":["Het maximum aantal van pagina aanvragen is overschreven en zoeken is gestopt. Probeer een preciezere zoekterm te gebruiken."],"No more matching results found.":["Geen resultaten meer gevonden."],"Last page":["Laatste pagina"],"Page %(current)s of %(total)s":["Pagina %(current)s van %(total)s"],"Matches: %(phrases)s across %(rows)s database row.":["Gevonden in: %(phrases)s in %(rows)s database regel.","Gevonden in: %(phrases)s in %(rows)s database regels."],"Next page":["Volgende pagina"],"Progress %(current)s$":["Voortgang %(current)s$"],"Prev page":["Vorige pagina"],"First page":["Eerste pagina"],"%s database row in total":["%s database regel totaal","%s database regels totaal"],"500 per page":["500 per pagina"],"250 per page":["250 per pagina"],"100 per page":["100 per pagina"],"50 per page ":["50 per pagina "],"25 per page ":["25 per pagina "],"Ignore Case":["Negeer hoofdletter gebruik"],"Regular Expression":["Reguliere expressie"],"Row updated":["Regel bijgewerkt"],"Row replaced":["Regel vervangen"],"Row deleted":["Regel verwijderd"],"Settings saved":["Instellingen opgeslagen"],"{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search.":["{{link}}Zoekopties{{/link}} - aanvullende opties voor de selecteerde bron. Bijvoorbeeld\nom bericht {{guid}}GUID{{/guid}} toe te voegen aan de zoekterm."],"{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments.":["{{link}}Bron{{/link}} - de bron van de gegevens waarin je zoekt. Bijvoorbeeld: berichten, pagina's, reacties."],"{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches.":["{{link}}Reguliere expressie{{/link}} - een manier om patronen aan maken om tekst mee te zoeken. Geeft meer geavanceerde zoekresultaten."],"{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support.":["{{link}}Zoekopties{{/link}} - aanvullende opties voor je zoekterm, om hoofdlettergebruik te negeren en voor gebruik van reguliere expressies."],"The following concepts are used by Search Regex:":["De volgende concepten worden gebruikt door Search Regex:"],"Quick Help":["Snelle hulp"],"Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me.":["Vind je dit een fijne plugin? Overweeg ook eens {{link}}Redirection{{/link}}, een plugin die redirects beheert en ook door mij is gemaakt."],"Redirection":["Omleiding"],"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!":["Als je informatie wilt sturen, maar die je niet in de openbare repository wilt delen, stuur dan een {{email}}email{{/email}} direct aan mij - met zoveel informatie als mogelijk!"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Support wordt gegeven op basis van beschikbare tijd en is niet gegarandeerd. Ik geef geen betaalde ondersteuning."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wil je een bug doorgeven, lees dan de {{report}}Reporting Bugs{{/report}} gids."],"Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.":["Volledige documentatie voor Search Regex kan je vinden op {{site}}https://searchregex.com{{/site}}."],"Need more help?":["Meer hulp nodig?"],"Results":["Resultaten"],"Source Options":["Bron opties"],"Source":["Bron"],"Enter global replacement text":["Term voor vervangen invoeren"],"Search Flags":["Zoek opties"],"Enter search phrase":["Zoekterm invoeren"],"Replace All":["Alles vervangen"],"Search":["Zoeken"],"Search and replace information in your database.":["Zoek en vervang informatie in je database."],"You are advised to backup your data before making modifications.":["Je wordt geadviseerd om eerst een backup te maken van je data, voordat je wijzigen gaat maken."],"Update":["Bijwerken"],"How Search Regex uses the REST API - don't change unless necessary":["Hoe Search Regex de REST API gebruikt - niet veranderen als het niet noodzakelijk is"],"REST API":["REST API"],"I'm a nice person and I have helped support the author of this plugin":["Ik ben een aardig persoon en ik heb de auteur van deze plugin geholpen met ondersteuning"],"Relative REST API":["Relatieve REST API"],"Raw REST API":["Raw REST API"],"Default REST API":["Standaard REST API"],"Plugin Support":["Plugin ondersteuning"],"Support 💰":["Ondersteuning 💰"],"You get useful software and I get to carry on making it better.":["Je krijgt goed bruikbare software en ik kan doorgaan met het verbeteren ervan."],"Search Regex 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}}.":["Search Regex is gratis te gebruiken - het leven is life is wonderbaarlijk en verrukkelijk! Het kostte me veel tijd en moeite om dit te ontwikkelen. Je kunt verdere ontwikkeling ondersteunen met het doen van {{strong}}een kleine donatie{{/strong}}."],"I'd like to support some more.":["Ik wil graag meer bijdragen."],"You've supported this plugin - thank you!":["Je hebt deze plugin gesteund - dankjewel!"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Vermeld {{code}}%s{{/code}} en leg uit wat je op dat moment deed"],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Werkt dit niet, open dan je browser's foutconsole en maak een {{link}}nieuw probleemrapport{{/link}} aan met alle gegevens."],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Als je gebruik maakt van een pagina caching plugin of dienst (CloudFlare, OVH, etc.), dan kan je ook proberen om die cache leeg te maken."],"Search Regex is not working. Try clearing your browser cache and reloading this page.":["Search Regex werkt niet. Probeer je browser cache leeg te maken en deze pagina opnieuw te laden."],"clearing your cache.":["je cache opschonen."],"If you are using a caching system such as Cloudflare then please read this: ":["Gebruik je een caching systeem zoals Cloudflare, lees dan dit:"],"Please clear your browser cache and reload this page.":["Maak je browser cache leeg en laad deze pagina nogmaals."],"Cached Search Regex detected":["Gecachede Search Regex gevonden"],"Show %s more":["Nog %s weergeven","Nog %s weergeven"],"Maximum number of matches exceeded and hidden from view. These will be included in any replacements.":["Het maximum aantal zoekresultaten is overschreden en niet zichtbaar. Deze zullen \nworden gebruikt bij vervangingen."],"Replace %(count)s match.":["Vervang %(count)s gevonden.","Vervang %(count)s gevonden."],"Delete":["Verwijderen"],"Editor":["Bewerkingsscherm"],"Edit":["Bewerken"],"Replacement for all matches in this row":["Vervanging voor alle gevonden zoektermen in deze regel"],"Check Again":["Opnieuw controleren"],"Testing - %s$":["Aan het testen - %s$"],"Show Problems":["Toon problemen"],"Summary":["Samenvatting"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Je gebruikte een defecte REST API route. Wijziging naar een werkende API zou het probleem moeten oplossen."],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Je REST API werkt niet en de plugin kan niet verder voordat dit is opgelost."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Er zijn enkele problemen in de verbinding met je REST API. Het is niet nodig om deze problemen op te lossen en de plugin werkt gewoon."],"Unavailable":["Niet beschikbaar"],"Not working but fixable":["Werkt niet, maar te repareren"],"Working but some issues":["Werkt, maar met problemen"],"Good":["Goed"],"Current API":["Huidige API"],"Switch to this API":["Gebruik deze API"],"Hide":["Verberg"],"Show Full":["Toon volledig"],"Working!":["Werkt!"],"Phrases replaced: %s":["Aantal zoektermen vervangen: %s"],"Rows updated: %s":["Aantal regels bijgewerkt: %s"],"Finished!":["Klaar!"],"Replace progress":["Voortgang vervangen"],"Cancel":["Annuleren"],"Replace":["Vervangen"],"Search phrase will be removed":["Zoekterm zal worden verwijderd"],"Remove":["Verwijderen"],"Multi":["Meerdere"],"Single":["Enkel"],"View notice":["Toon bericht"],"Replace single phrase.":["Vervang enkele zoekterm"],"Replacement for this match":["Vervanging voor deze gevonden zoekterm"],"Support":["Support"],"Options":["Opties"],"Search & Replace":["Zoek en vervang"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Als je WordPress 5.2 of nieuwer gebruikt, kijk dan bij {{link}}Sitediagnose{{/link}} en los de problemen op."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Zet andere plugins tijdelijk uit!{{/link}} Dit lost heel vaak problemen op."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, en zeker Cloudflare, kunnen het verkeerde cachen. Probeer alle cache te verwijderen."],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Kijk naar de {{link}}plugin status{{/link}}. Het kan zijn dat je zo het probleem vindt en het probleem \"magisch\" oplost."],"What do I do next?":["Wat moet ik nu doen?"],"Something went wrong 🙁":["Er is iets fout gegaan 🙁"],"That didn't help":["Dat hielp niet"],"The problem is almost certainly caused by one of the above.":["Het probleem wordt vrijwel zeker veroorzaakt door een van de bovenstaande."],"Your admin pages are being cached. Clear this cache and try again.":["Je admin pagina's worden gecached. Wis deze cache en probeer het opnieuw."],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Log uit, wis de browsercache en log opnieuw in - je browser heeft een oude sessie in de cache opgeslagen."],"Reload the page - your current session is old.":["Herlaad de pagina - je huidige sessie is oud."],"This is usually fixed by doing one of these:":["Dit wordt gewoonlijk opgelost door een van deze oplossingen:"],"You are not authorised to access this page.":["Je hebt geen rechten voor toegang tot deze pagina."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Voeg deze gegevens toe aan je melding, samen met een beschrijving van wat je deed en een schermafbeelding."],"Email":["E-mail"],"Create An Issue":["Meld een probleem"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["{{strong}}Meld een probleem{{/strong}} of stuur het in een {{strong}}e-mail{{/strong}}."],"Close":["Sluiten"],"Save":["Opslaan"],"Editing %s":["Aan het bewerken %s"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Niet mogelijk om een verzoek te doen vanwege browser beveiliging. Dit gebeurt meestal omdat WordPress en de site URL niet overeenkomen, of het verzoek wordt geblokkeerd door het CORS beleid van je site."],"Possible cause":["Mogelijke oorzaak"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress genereert een onverwachte melding. Dit is waarschijnlijk een PHP foutmelding van een andere plugin."],"Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working":["Je WordPress REST API is uitgezet. Je moet het deze aanzetten om Search Regex te laten werken"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Dit kan een beveiliging plugin zijn. Of je server heeft geen geheugen meer of heeft een externe fout. Bekijk de error log op je server"],"Your server has rejected the request for being too big. You will need to change it to continue.":["Je server heeft het verzoek afgewezen omdat het te groot is. Je moet het veranderen om door te gaan."],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Je REST API genereert een 404-pagina. Dit kan worden veroorzaakt door een beveiliging plugin, of je server kan niet goed zijn geconfigureerd."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Je REST API wordt waarschijnlijk geblokkeerd door een beveiliging plugin. Zet de plugin uit, of configureer hem zodat hij REST API verzoeken toestaat."],"Read this REST API guide for more information.":["Lees deze REST API gids voor meer informatie."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Je REST API is gecached. Maak je cache plugin leeg, je server caches, log uit, leeg je browser cache, en probeer dan opnieuw."],"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 heeft geen reactie gegeven. Dit kan betekenen dat er een fout is opgetreden of dat het verzoek werd geblokkeerd. Bekijk je server foutlog."],"John Godley":["John Godley"],"Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support":["Voeg zoek en vervang functionaliteit toe in berichten, pagina's, reacties en meta-data, met volledige ondersteuning van reguliere expressies."],"https://searchregex.com/":["https://searchregex.com/"],"Search Regex":["Search Regex"]}
|
locale/json/search-regex-nl_NL.json
ADDED
@@ -0,0 +1 @@
|
|
|
1 |
+
{"":[],"GUID":["GUID"],"Slug":["Slug"],"Excerpt":["Samenvatting"],"Content":["Inhoud"],"Search GUID":["Zoek GUID"],"Display name":["Schermnaam (getoond op site)"],"Nicename":["Schermnaam (backend)"],"Value":["Waarde"],"Include spam comments":["Inclusief spam reacties"],"Comment":["Reactie"],"Name":["Naam"],"Search your redirects":["Zoek je redirects"],"Title":["Titel"],"URL":["URL"],"Disabled! Detected PHP %1$s, need PHP %2$s+":["Uitgeschakeld! Gedetecteerd PHP %1$s, nodig PHP %2$s+"],"Plugins":["Plugins"],"Specific Post Types":["Specifieke berichttypen"],"Standard Types":["Standaard typen"],"Search all WordPress options.":["Doorzoek alle WordPress opties"],"WordPress Options":["WordPress opties"],"Search user meta name and values.":["Zoek gebruiker gegevens naam en waarden."],"User Meta":["Gebruiker Meta"],"Search user email, URL, and name.":["Zoek e-mail, URL en naam van gebruiker."],"Users":["Gebruikers"],"Search comment meta names and values.":["Zoek reactie meta namen en waarden"],"Comment Meta":["Reactie Meta"],"Search comment content, URL, and author, with optional support for spam comments.":["Doorzoek reactie inhoud, URL en auteur, met optie voor spam reacties. "],"Comments":["Reacties"],"Search post meta names and values.":["Zoek bericht meta namen en waarden"],"Post Meta":["Bericht meta"],"Search all posts, pages, and custom post types.":["Doorzoek alle berichten, pagina's en aangepaste bericht typen."],"All Post Types":["Alle berichttypen"],"Please enable JavaScript":["Schakel Javascript in"],"Loading, please wait...":["Aan het laden..."],"Create Issue":["Meld een probleem"],"<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again.":["<code>SearchRegexi10n</code> is niet gedefinieerd. Dit betekent meestal dat een andere plugin Search Regex blokkeert om te laden. Zet alle plugins uit en probeer het opnieuw."],"If you think Search Regex is at fault then create an issue.":["Denk je dat Search Regex het probleem veroorzaakt, maak dan een probleemrapport aan."],"Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>.":["Bekijk hier de <a href=\"https://searchregex.com/support/problems/\">lijst van algemene problemen</a>."],"Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex":["Search Regex vereist dat de WordPress REST API geactiveerd is. Heb je deze uitgezet, dan kun je Search Regex niet gebruiken."],"Also check if your browser is able to load <code>search-regex.js</code>:":["Controleer ook of je browser <code>search-regex.js</code> kan laden:"],"This may be caused by another plugin - look at your browser's error console for more details.":["Dit kan worden veroorzaakt door een andere plugin - bekijk je browser's foutconsole voor meer gegevens."],"Unable to load Search Regex ☹️":["Laden van Search Regex ☹️ onmogelijk"],"Unable to load Search Regex":["Laden van Search Regex onmogelijk"],"Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress":["Search Regex heeft WordPress v%1$1s nodig, en je gebruikt v%2$2s - update je WordPress"],"Search Regex Support":["Search Regex ondersteuning"],"You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site.":["Je kunt de volledige documentatie over het gebruik van Search Regex vinden op de <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."],"Settings":["Instellingen"],"Actions":["Acties"],"Matched Phrases":["Gevonden zoektermen"],"Matches":["Gevonden"],"Row ID":["Regel ID"],"Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.":["Het maximum aantal van pagina aanvragen is overschreven en zoeken is gestopt. Probeer een preciezere zoekterm te gebruiken."],"No more matching results found.":["Geen resultaten meer gevonden."],"Last page":["Laatste pagina"],"Page %(current)s of %(total)s":["Pagina %(current)s van %(total)s"],"Matches: %(phrases)s across %(rows)s database row.":["Gevonden in: %(phrases)s in %(rows)s database regel.","Gevonden in: %(phrases)s in %(rows)s database regels."],"Next page":["Volgende pagina"],"Progress %(current)s$":["Voortgang %(current)s$"],"Prev page":["Vorige pagina"],"First page":["Eerste pagina"],"%s database row in total":["%s database regel totaal","%s database regels totaal"],"500 per page":["500 per pagina"],"250 per page":["250 per pagina"],"100 per page":["100 per pagina"],"50 per page ":["50 per pagina "],"25 per page ":["25 per pagina "],"Ignore Case":["Negeer hoofdletter gebruik"],"Regular Expression":["Reguliere expressie"],"Row updated":["Regel bijgewerkt"],"Row replaced":["Regel vervangen"],"Row deleted":["Regel verwijderd"],"Settings saved":["Instellingen opgeslagen"],"{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search.":["{{link}}Zoekopties{{/link}} - aanvullende opties voor de selecteerde bron. Bijvoorbeeld\nom bericht {{guid}}GUID{{/guid}} toe te voegen aan de zoekterm."],"{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments.":["{{link}}Bron{{/link}} - de bron van de gegevens waarin je zoekt. Bijvoorbeeld: berichten, pagina's, reacties."],"{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches.":["{{link}}Reguliere expressie{{/link}} - een manier om patronen aan maken om tekst mee te zoeken. Geeft meer geavanceerde zoekresultaten."],"{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support.":["{{link}}Zoekopties{{/link}} - aanvullende opties voor je zoekterm, om hoofdlettergebruik te negeren en voor gebruik van reguliere expressies."],"The following concepts are used by Search Regex:":["De volgende concepten worden gebruikt door Search Regex:"],"Quick Help":["Snelle hulp"],"Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me.":["Vind je dit een fijne plugin? Overweeg ook eens {{link}}Redirection{{/link}}, een plugin die redirects beheert en ook door mij is gemaakt."],"Redirection":["Omleiding"],"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!":["Als je informatie wilt sturen, maar die je niet in de openbare repository wilt delen, stuur dan een {{email}}email{{/email}} direct aan mij - met zoveel informatie als mogelijk!"],"Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.":["Support wordt gegeven op basis van beschikbare tijd en is niet gegarandeerd. Ik geef geen betaalde ondersteuning."],"If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.":["Wil je een bug doorgeven, lees dan de {{report}}Reporting Bugs{{/report}} gids."],"Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.":["Volledige documentatie voor Search Regex kan je vinden op {{site}}https://searchregex.com{{/site}}."],"Need more help?":["Meer hulp nodig?"],"Results":["Resultaten"],"Source Options":["Bron opties"],"Source":["Bron"],"Enter global replacement text":["Term voor vervangen invoeren"],"Search Flags":["Zoek opties"],"Enter search phrase":["Zoekterm invoeren"],"Replace All":["Alles vervangen"],"Search":["Zoeken"],"Search and replace information in your database.":["Zoek en vervang informatie in je database."],"You are advised to backup your data before making modifications.":["Je wordt geadviseerd om eerst een backup te maken van je data, voordat je wijzigen gaat maken."],"Update":["Bijwerken"],"How Search Regex uses the REST API - don't change unless necessary":["Hoe Search Regex de REST API gebruikt - niet veranderen als het niet noodzakelijk is"],"REST API":["REST API"],"I'm a nice person and I have helped support the author of this plugin":["Ik ben een aardig persoon en ik heb de auteur van deze plugin geholpen met ondersteuning"],"Relative REST API":["Relatieve REST API"],"Raw REST API":["Raw REST API"],"Default REST API":["Standaard REST API"],"Plugin Support":["Plugin ondersteuning"],"Support 💰":["Ondersteuning 💰"],"You get useful software and I get to carry on making it better.":["Je krijgt goed bruikbare software en ik kan doorgaan met het verbeteren ervan."],"Search Regex 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}}.":["Search Regex is gratis te gebruiken - het leven is life is wonderbaarlijk en verrukkelijk! Het kostte me veel tijd en moeite om dit te ontwikkelen. Je kunt verdere ontwikkeling ondersteunen met het doen van {{strong}}een kleine donatie{{/strong}}."],"I'd like to support some more.":["Ik wil graag meer bijdragen."],"You've supported this plugin - thank you!":["Je hebt deze plugin gesteund - dankjewel!"],"Please mention {{code}}%s{{/code}}, and explain what you were doing at the time":["Vermeld {{code}}%s{{/code}} en leg uit wat je op dat moment deed"],"If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.":["Werkt dit niet, open dan je browser's foutconsole en maak een {{link}}nieuw probleemrapport{{/link}} aan met alle gegevens."],"If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.":["Als je gebruik maakt van een pagina caching plugin of dienst (CloudFlare, OVH, etc.), dan kan je ook proberen om die cache leeg te maken."],"Search Regex is not working. Try clearing your browser cache and reloading this page.":["Search Regex werkt niet. Probeer je browser cache leeg te maken en deze pagina opnieuw te laden."],"clearing your cache.":["je cache opschonen."],"If you are using a caching system such as Cloudflare then please read this: ":["Gebruik je een caching systeem zoals Cloudflare, lees dan dit:"],"Please clear your browser cache and reload this page.":["Maak je browser cache leeg en laad deze pagina nogmaals."],"Cached Search Regex detected":["Gecachede Search Regex gevonden"],"Show %s more":["Nog %s weergeven","Nog %s weergeven"],"Maximum number of matches exceeded and hidden from view. These will be included in any replacements.":["Het maximum aantal zoekresultaten is overschreden en niet zichtbaar. Deze zullen \nworden gebruikt bij vervangingen."],"Replace %(count)s match.":["Vervang %(count)s gevonden.","Vervang %(count)s gevonden."],"Delete":["Verwijderen"],"Editor":["Bewerkingsscherm"],"Edit":["Bewerken"],"Replacement for all matches in this row":["Vervanging voor alle gevonden zoektermen in deze regel"],"Check Again":["Opnieuw controleren"],"Testing - %s$":["Aan het testen - %s$"],"Show Problems":["Toon problemen"],"Summary":["Samenvatting"],"You are using a broken REST API route. Changing to a working API should fix the problem.":["Je gebruikte een defecte REST API route. Wijziging naar een werkende API zou het probleem moeten oplossen."],"Your REST API is not working and the plugin will not be able to continue until this is fixed.":["Je REST API werkt niet en de plugin kan niet verder voordat dit is opgelost."],"There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.":["Er zijn enkele problemen in de verbinding met je REST API. Het is niet nodig om deze problemen op te lossen en de plugin werkt gewoon."],"Unavailable":["Niet beschikbaar"],"Not working but fixable":["Werkt niet, maar te repareren"],"Working but some issues":["Werkt, maar met problemen"],"Good":["Goed"],"Current API":["Huidige API"],"Switch to this API":["Gebruik deze API"],"Hide":["Verberg"],"Show Full":["Toon volledig"],"Working!":["Werkt!"],"Phrases replaced: %s":["Aantal zoektermen vervangen: %s"],"Rows updated: %s":["Aantal regels bijgewerkt: %s"],"Finished!":["Klaar!"],"Replace progress":["Voortgang vervangen"],"Cancel":["Annuleren"],"Replace":["Vervangen"],"Search phrase will be removed":["Zoekterm zal worden verwijderd"],"Remove":["Verwijderen"],"Multi":["Meerdere"],"Single":["Enkel"],"View notice":["Toon bericht"],"Replace single phrase.":["Vervang enkele zoekterm"],"Replacement for this match":["Vervanging voor deze gevonden zoekterm"],"Support":["Support"],"Options":["Opties"],"Search & Replace":["Zoek en vervang"],"If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.":["Als je WordPress 5.2 of nieuwer gebruikt, kijk dan bij {{link}}Sitediagnose{{/link}} en los de problemen op."],"{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.":["{{link}}Zet andere plugins tijdelijk uit!{{/link}} Dit lost heel vaak problemen op."],"{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.":["{{link}}Caching software{{/link}}, en zeker Cloudflare, kunnen het verkeerde cachen. Probeer alle cache te verwijderen."],"Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem.":["Kijk naar de {{link}}plugin status{{/link}}. Het kan zijn dat je zo het probleem vindt en het probleem \"magisch\" oplost."],"What do I do next?":["Wat moet ik nu doen?"],"Something went wrong 🙁":["Er is iets fout gegaan 🙁"],"That didn't help":["Dat hielp niet"],"The problem is almost certainly caused by one of the above.":["Het probleem wordt vrijwel zeker veroorzaakt door een van de bovenstaande."],"Your admin pages are being cached. Clear this cache and try again.":["Je admin pagina's worden gecached. Wis deze cache en probeer het opnieuw."],"Log out, clear your browser cache, and log in again - your browser has cached an old session.":["Log uit, wis de browsercache en log opnieuw in - je browser heeft een oude sessie in de cache opgeslagen."],"Reload the page - your current session is old.":["Herlaad de pagina - je huidige sessie is oud."],"This is usually fixed by doing one of these:":["Dit wordt gewoonlijk opgelost door een van deze oplossingen:"],"You are not authorised to access this page.":["Je hebt geen rechten voor toegang tot deze pagina."],"Include these details in your report along with a description of what you were doing and a screenshot.":["Voeg deze gegevens toe aan je melding, samen met een beschrijving van wat je deed en een schermafbeelding."],"Email":["E-mail"],"Create An Issue":["Meld een probleem"],"Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.":["{{strong}}Meld een probleem{{/strong}} of stuur het in een {{strong}}e-mail{{/strong}}."],"Close":["Sluiten"],"Save":["Opslaan"],"Editing %s":["Aan het bewerken %s"],"Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.":["Niet mogelijk om een verzoek te doen vanwege browser beveiliging. Dit gebeurt meestal omdat WordPress en de site URL niet overeenkomen, of het verzoek wordt geblokkeerd door het CORS beleid van je site."],"Possible cause":["Mogelijke oorzaak"],"WordPress returned an unexpected message. This is probably a PHP error from another plugin.":["WordPress genereert een onverwachte melding. Dit is waarschijnlijk een PHP foutmelding van een andere plugin."],"Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working":["Je WordPress REST API is uitgezet. Je moet het deze aanzetten om Search Regex te laten werken"],"This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log":["Dit kan een beveiliging plugin zijn. Of je server heeft geen geheugen meer of heeft een externe fout. Bekijk de error log op je server"],"Your server has rejected the request for being too big. You will need to change it to continue.":["Je server heeft het verzoek afgewezen omdat het te groot is. Je moet het veranderen om door te gaan."],"Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured":["Je REST API genereert een 404-pagina. Dit kan worden veroorzaakt door een beveiliging plugin, of je server kan niet goed zijn geconfigureerd."],"Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.":["Je REST API wordt waarschijnlijk geblokkeerd door een beveiliging plugin. Zet de plugin uit, of configureer hem zodat hij REST API verzoeken toestaat."],"Read this REST API guide for more information.":["Lees deze REST API gids voor meer informatie."],"Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.":["Je REST API is gecached. Maak je cache plugin leeg, je server caches, log uit, leeg je browser cache, en probeer dan opnieuw."],"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 heeft geen reactie gegeven. Dit kan betekenen dat er een fout is opgetreden of dat het verzoek werd geblokkeerd. Bekijk je server foutlog."],"John Godley":["John Godley"],"Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support":["Voeg zoek en vervang functionaliteit toe in berichten, pagina's, reacties en meta-data, met volledige ondersteuning van reguliere expressies."],"https://searchregex.com/":["https://searchregex.com/"],"Search Regex":["Search Regex"]}
|
locale/search-regex-ja.mo
ADDED
Binary file
|
locale/search-regex-ja.po
ADDED
@@ -0,0 +1,785 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Translation of Plugins - Search Regex - Development (trunk) in Japanese
|
2 |
+
# This file is distributed under the same license as the Plugins - Search Regex - Development (trunk) package.
|
3 |
+
msgid ""
|
4 |
+
msgstr ""
|
5 |
+
"PO-Revision-Date: 2020-06-02 07:24:08+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=1; plural=0;\n"
|
10 |
+
"X-Generator: GlotPress/3.0.0-alpha\n"
|
11 |
+
"Language: ja_JP\n"
|
12 |
+
"Project-Id-Version: Plugins - Search Regex - Development (trunk)\n"
|
13 |
+
|
14 |
+
#: source/core/post.php:90
|
15 |
+
msgid "GUID"
|
16 |
+
msgstr "GUID"
|
17 |
+
|
18 |
+
#: source/core/post.php:89
|
19 |
+
msgid "Slug"
|
20 |
+
msgstr "スラッグ"
|
21 |
+
|
22 |
+
#: source/core/post.php:87
|
23 |
+
msgid "Excerpt"
|
24 |
+
msgstr "抜粋"
|
25 |
+
|
26 |
+
#: source/core/post.php:86
|
27 |
+
msgid "Content"
|
28 |
+
msgstr "本文"
|
29 |
+
|
30 |
+
#: source/core/post.php:51
|
31 |
+
msgid "Search GUID"
|
32 |
+
msgstr "GUID 検索"
|
33 |
+
|
34 |
+
#: source/core/user.php:37
|
35 |
+
msgid "Display name"
|
36 |
+
msgstr "表示名"
|
37 |
+
|
38 |
+
#: source/core/user.php:35
|
39 |
+
msgid "Nicename"
|
40 |
+
msgstr "ナイスネーム"
|
41 |
+
|
42 |
+
#: source/core/options.php:20 source/core/meta.php:20
|
43 |
+
msgid "Value"
|
44 |
+
msgstr "値"
|
45 |
+
|
46 |
+
#: source/core/comment.php:66
|
47 |
+
msgid "Include spam comments"
|
48 |
+
msgstr "スパムコメントを含む"
|
49 |
+
|
50 |
+
#: source/core/comment.php:25
|
51 |
+
msgid "Comment"
|
52 |
+
msgstr "コメント"
|
53 |
+
|
54 |
+
#: source/core/options.php:19 source/core/meta.php:19
|
55 |
+
#: source/core/comment.php:22
|
56 |
+
msgid "Name"
|
57 |
+
msgstr "名前"
|
58 |
+
|
59 |
+
#: source/plugin/redirection.php:82
|
60 |
+
msgid "Search your redirects"
|
61 |
+
msgstr "リダイレクトの検索"
|
62 |
+
|
63 |
+
#: source/plugin/redirection.php:28 source/core/post.php:88
|
64 |
+
msgid "Title"
|
65 |
+
msgstr "タイトル"
|
66 |
+
|
67 |
+
#: source/plugin/redirection.php:27 source/core/user.php:36
|
68 |
+
#: source/core/comment.php:24
|
69 |
+
msgid "URL"
|
70 |
+
msgstr "URL"
|
71 |
+
|
72 |
+
#. translators: 1: server PHP version. 2: required PHP version.
|
73 |
+
#: search-regex.php:39
|
74 |
+
msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
|
75 |
+
msgstr "無効です。PHP %1$s が検出されました。PHP %2$s+ が必要です。"
|
76 |
+
|
77 |
+
#: models/source-manager.php:131
|
78 |
+
msgid "Plugins"
|
79 |
+
msgstr "プラグイン"
|
80 |
+
|
81 |
+
#: models/source-manager.php:124
|
82 |
+
msgid "Specific Post Types"
|
83 |
+
msgstr "特定の投稿タイプ"
|
84 |
+
|
85 |
+
#: models/source-manager.php:117
|
86 |
+
msgid "Standard Types"
|
87 |
+
msgstr "通常タイプ"
|
88 |
+
|
89 |
+
#: models/source-manager.php:64
|
90 |
+
msgid "Search all WordPress options."
|
91 |
+
msgstr "WordPress の全ての設定から検索"
|
92 |
+
|
93 |
+
#: models/source-manager.php:63
|
94 |
+
msgid "WordPress Options"
|
95 |
+
msgstr "WordPress 設定"
|
96 |
+
|
97 |
+
#: models/source-manager.php:57
|
98 |
+
msgid "Search user meta name and values."
|
99 |
+
msgstr "ユーザーの名前と値から検索"
|
100 |
+
|
101 |
+
#: models/source-manager.php:56
|
102 |
+
msgid "User Meta"
|
103 |
+
msgstr "ユーザーのメタ情報"
|
104 |
+
|
105 |
+
#: models/source-manager.php:50
|
106 |
+
msgid "Search user email, URL, and name."
|
107 |
+
msgstr "ユーザーのメールアドレス、URL、名前から検索"
|
108 |
+
|
109 |
+
#: models/source-manager.php:49
|
110 |
+
msgid "Users"
|
111 |
+
msgstr "ユーザー"
|
112 |
+
|
113 |
+
#: models/source-manager.php:43
|
114 |
+
msgid "Search comment meta names and values."
|
115 |
+
msgstr "コメントの名前と値から検索"
|
116 |
+
|
117 |
+
#: models/source-manager.php:42
|
118 |
+
msgid "Comment Meta"
|
119 |
+
msgstr "コメントメタ情報"
|
120 |
+
|
121 |
+
#: models/source-manager.php:36
|
122 |
+
msgid "Search comment content, URL, and author, with optional support for spam comments."
|
123 |
+
msgstr "コメント本文、URL、投稿者、及び、追加のスパムコメント対策用設定などから検索"
|
124 |
+
|
125 |
+
#: models/source-manager.php:35
|
126 |
+
msgid "Comments"
|
127 |
+
msgstr "コメント"
|
128 |
+
|
129 |
+
#: models/source-manager.php:29
|
130 |
+
msgid "Search post meta names and values."
|
131 |
+
msgstr "投稿の名前と値から検索"
|
132 |
+
|
133 |
+
#: models/source-manager.php:28
|
134 |
+
msgid "Post Meta"
|
135 |
+
msgstr "投稿メタ情報"
|
136 |
+
|
137 |
+
#: models/source-manager.php:22
|
138 |
+
msgid "Search all posts, pages, and custom post types."
|
139 |
+
msgstr "すべての投稿、固定ページ、カスタム投稿タイプから検索。"
|
140 |
+
|
141 |
+
#: models/source-manager.php:21
|
142 |
+
msgid "All Post Types"
|
143 |
+
msgstr "すべての投稿タイプ"
|
144 |
+
|
145 |
+
#: search-regex-admin.php:377
|
146 |
+
msgid "Please enable JavaScript"
|
147 |
+
msgstr "JavaScript を有効にしてください。"
|
148 |
+
|
149 |
+
#: search-regex-admin.php:373
|
150 |
+
msgid "Loading, please wait..."
|
151 |
+
msgstr "読み込み中です。少々お待ちください。"
|
152 |
+
|
153 |
+
#: search-regex-admin.php:354
|
154 |
+
msgid "Create Issue"
|
155 |
+
msgstr "問題を報告"
|
156 |
+
|
157 |
+
#: search-regex-admin.php:351
|
158 |
+
msgid "<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again."
|
159 |
+
msgstr "<code>SearchRegexi10n</code> が定義されていません。別のプラグインが Search Regex の機能をブロックしているようです。一度全てのプラグインを無効にしてから、もう一度お試しください。"
|
160 |
+
|
161 |
+
#: search-regex-admin.php:350
|
162 |
+
msgid "If you think Search Regex is at fault then create an issue."
|
163 |
+
msgstr "Search Regex に問題がある場合は、問題を報告してください。"
|
164 |
+
|
165 |
+
#: search-regex-admin.php:349
|
166 |
+
msgid "Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>."
|
167 |
+
msgstr "お手数ですが<a href=\"https://searchregex.com/support/problems/\">開発者のウェブサイト</a>をご覧ください。"
|
168 |
+
|
169 |
+
#: search-regex-admin.php:348
|
170 |
+
msgid "Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex"
|
171 |
+
msgstr "Search Regex では、WordPress REST API を 有効にする必要があります。これを無効にすると、Search Regex を使用できません。"
|
172 |
+
|
173 |
+
#: search-regex-admin.php:346
|
174 |
+
msgid "Also check if your browser is able to load <code>search-regex.js</code>:"
|
175 |
+
msgstr "また、使用しているブラウザが <code>search-regex.js</code> を読み込めるかどうか確認してください。"
|
176 |
+
|
177 |
+
#: search-regex-admin.php:344
|
178 |
+
msgid "This may be caused by another plugin - look at your browser's error console for more details."
|
179 |
+
msgstr "この問題は、使用中の別のプラグインが原因である可能性があります。詳細はブラウザのエラーコンソールを確認してください。"
|
180 |
+
|
181 |
+
#: search-regex-admin.php:343
|
182 |
+
msgid "Unable to load Search Regex ☹️"
|
183 |
+
msgstr "Search Regex を読み込めません☹️"
|
184 |
+
|
185 |
+
#: search-regex-admin.php:328
|
186 |
+
msgid "Unable to load Search Regex"
|
187 |
+
msgstr "Search Regex を読み込めません。"
|
188 |
+
|
189 |
+
#. translators: 1: Expected WordPress version, 2: Actual WordPress version
|
190 |
+
#: search-regex-admin.php:325
|
191 |
+
msgid "Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
|
192 |
+
msgstr "Search Regex には WordPress v%1$1s が必要です。このサイトでは v%2$2s を使用しています。WordPress 本体を更新してください。"
|
193 |
+
|
194 |
+
#: search-regex-admin.php:229
|
195 |
+
msgid "Search Regex Support"
|
196 |
+
msgstr "Search Regex サポート"
|
197 |
+
|
198 |
+
#. translators: URL
|
199 |
+
#: search-regex-admin.php:220
|
200 |
+
msgid "You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
201 |
+
msgstr "Search Regex の完全版マニュアルは、<a href=\"%s\" target=\"_blank\">searchregex.com</a> にあります。"
|
202 |
+
|
203 |
+
#: search-regex-admin.php:45
|
204 |
+
msgid "Settings"
|
205 |
+
msgstr "設定"
|
206 |
+
|
207 |
+
#: search-regex-strings.php:160
|
208 |
+
msgid "Actions"
|
209 |
+
msgstr "操作"
|
210 |
+
|
211 |
+
#: search-regex-strings.php:159
|
212 |
+
msgid "Matched Phrases"
|
213 |
+
msgstr "一致するフレーズ"
|
214 |
+
|
215 |
+
#: search-regex-strings.php:158
|
216 |
+
msgid "Matches"
|
217 |
+
msgstr "一致"
|
218 |
+
|
219 |
+
#: search-regex-strings.php:157
|
220 |
+
msgid "Row ID"
|
221 |
+
msgstr "行の ID"
|
222 |
+
|
223 |
+
#: search-regex-strings.php:155
|
224 |
+
msgid "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."
|
225 |
+
msgstr "ページリクエストの最大値を超えたため、検索が停止しました。検索語句をより具体的にしてください。"
|
226 |
+
|
227 |
+
#: search-regex-strings.php:154
|
228 |
+
msgid "No more matching results found."
|
229 |
+
msgstr "一致する結果が見つかりませんでした。"
|
230 |
+
|
231 |
+
#: search-regex-strings.php:153
|
232 |
+
msgid "Last page"
|
233 |
+
msgstr "最後のページ"
|
234 |
+
|
235 |
+
#: search-regex-strings.php:151
|
236 |
+
msgid "Page %(current)s of %(total)s"
|
237 |
+
msgstr "%(total)s ページ中 %(current)s ページ"
|
238 |
+
|
239 |
+
#: search-regex-strings.php:148
|
240 |
+
msgid "Matches: %(phrases)s across %(rows)s database row."
|
241 |
+
msgid_plural "Matches: %(phrases)s across %(rows)s database rows."
|
242 |
+
msgstr[0] "一致 : %(phrases)s 全体 %(rows)s データベース行"
|
243 |
+
|
244 |
+
#: search-regex-strings.php:147 search-regex-strings.php:152
|
245 |
+
msgid "Next page"
|
246 |
+
msgstr "次のページ"
|
247 |
+
|
248 |
+
#: search-regex-strings.php:146
|
249 |
+
msgid "Progress %(current)s$"
|
250 |
+
msgstr "進行状況 %(current)s$"
|
251 |
+
|
252 |
+
#: search-regex-strings.php:145 search-regex-strings.php:150
|
253 |
+
msgid "Prev page"
|
254 |
+
msgstr "前のページ"
|
255 |
+
|
256 |
+
#: search-regex-strings.php:144 search-regex-strings.php:149
|
257 |
+
msgid "First page"
|
258 |
+
msgstr "最初のページ"
|
259 |
+
|
260 |
+
#: search-regex-strings.php:143
|
261 |
+
msgid "%s database row in total"
|
262 |
+
msgid_plural "%s database rows in total"
|
263 |
+
msgstr[0] "合計 %s データベース行"
|
264 |
+
|
265 |
+
#: search-regex-strings.php:142
|
266 |
+
msgid "500 per page"
|
267 |
+
msgstr "500件 / ページ"
|
268 |
+
|
269 |
+
#: search-regex-strings.php:141
|
270 |
+
msgid "250 per page"
|
271 |
+
msgstr "250件 / ページ"
|
272 |
+
|
273 |
+
#: search-regex-strings.php:140
|
274 |
+
msgid "100 per page"
|
275 |
+
msgstr "100件 / ページ"
|
276 |
+
|
277 |
+
#: search-regex-strings.php:139
|
278 |
+
msgid "50 per page "
|
279 |
+
msgstr "50件 / ページ"
|
280 |
+
|
281 |
+
#: search-regex-strings.php:138
|
282 |
+
msgid "25 per page "
|
283 |
+
msgstr "25件 / ページ"
|
284 |
+
|
285 |
+
#: search-regex-strings.php:137
|
286 |
+
msgid "Ignore Case"
|
287 |
+
msgstr "大文字と小文字を区別しない"
|
288 |
+
|
289 |
+
#: search-regex-strings.php:136
|
290 |
+
msgid "Regular Expression"
|
291 |
+
msgstr "正規表現"
|
292 |
+
|
293 |
+
#: search-regex-strings.php:135
|
294 |
+
msgid "Row updated"
|
295 |
+
msgstr "行の更新"
|
296 |
+
|
297 |
+
#: search-regex-strings.php:134
|
298 |
+
msgid "Row replaced"
|
299 |
+
msgstr "行の入れ替え"
|
300 |
+
|
301 |
+
#: search-regex-strings.php:133
|
302 |
+
msgid "Row deleted"
|
303 |
+
msgstr "行の削除"
|
304 |
+
|
305 |
+
#: search-regex-strings.php:132
|
306 |
+
msgid "Settings saved"
|
307 |
+
msgstr "設定を保存"
|
308 |
+
|
309 |
+
#: search-regex-strings.php:131 search-regex-admin.php:212
|
310 |
+
msgid "{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search."
|
311 |
+
msgstr "{{link}}Source Flags{{/ link}} - 選択ソースの追加オプションです。たとえば、検索に投稿 {{guid}}GUID{{/ guid}} を含められます。"
|
312 |
+
|
313 |
+
#: search-regex-strings.php:130 search-regex-admin.php:225
|
314 |
+
msgid "{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments."
|
315 |
+
msgstr "{{link}}Source{{/ link}} - 検索するデータのソースです。投稿、ページ、コメントなどのことです。"
|
316 |
+
|
317 |
+
#: search-regex-strings.php:129 search-regex-admin.php:224
|
318 |
+
msgid "{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches."
|
319 |
+
msgstr "{{link}}Regular expression{{/ link}} - テキストのマッチングパターンを定義する方法。より高度な検索が可能です。"
|
320 |
+
|
321 |
+
#: search-regex-strings.php:128 search-regex-admin.php:223
|
322 |
+
msgid "{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support."
|
323 |
+
msgstr "{{link}}Search Flags{{/ link}} - 検索の追加情報です。大文字と小文字を区別せず、正規表現サポートを有効にします。"
|
324 |
+
|
325 |
+
#: search-regex-strings.php:127 search-regex-admin.php:221
|
326 |
+
msgid "The following concepts are used by Search Regex:"
|
327 |
+
msgstr "Search Regexのコンセプトは次の通り : "
|
328 |
+
|
329 |
+
#: search-regex-strings.php:126
|
330 |
+
msgid "Quick Help"
|
331 |
+
msgstr "クイックヘルプ"
|
332 |
+
|
333 |
+
#: search-regex-strings.php:125
|
334 |
+
msgid "Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me."
|
335 |
+
msgstr "このプラグインが気に入りましたか ? 開発者の他のプラグイン {{link}}Redirection{{/ link}} のご使用はいかがですか ? "
|
336 |
+
|
337 |
+
#: search-regex-strings.php:124 source/plugin/redirection.php:81
|
338 |
+
msgid "Redirection"
|
339 |
+
msgstr "リダイレクト"
|
340 |
+
|
341 |
+
#: search-regex-strings.php:123
|
342 |
+
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!"
|
343 |
+
msgstr "不要な情報を公開リポジトリに送信する場合は、{{email}}メール{{/email}}から直接送信できます。できるだけ多くの情報を含めてください。"
|
344 |
+
|
345 |
+
#: search-regex-strings.php:122
|
346 |
+
msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
|
347 |
+
msgstr "できる限りサポートしますが、サポートには限界がありますので、ご了承ください。有料サポートはありません。"
|
348 |
+
|
349 |
+
#: search-regex-strings.php:121
|
350 |
+
msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
|
351 |
+
msgstr "バグ報告する場合は、{{report}}Reporting Bugs{{/report}} ガイドをお読みください。"
|
352 |
+
|
353 |
+
#: search-regex-strings.php:120
|
354 |
+
msgid "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}."
|
355 |
+
msgstr "Search Regex に関する詳しいマニュアル等は、{{site}}https://searchregex.com{{/site}} にあります。"
|
356 |
+
|
357 |
+
#: search-regex-strings.php:119
|
358 |
+
msgid "Need more help?"
|
359 |
+
msgstr "ヘルプが必要ですか ?"
|
360 |
+
|
361 |
+
#: search-regex-strings.php:118
|
362 |
+
msgid "Results"
|
363 |
+
msgstr "結果"
|
364 |
+
|
365 |
+
#: search-regex-strings.php:117
|
366 |
+
msgid "Source Options"
|
367 |
+
msgstr "ソース設定"
|
368 |
+
|
369 |
+
#: search-regex-strings.php:116 search-regex-strings.php:156
|
370 |
+
msgid "Source"
|
371 |
+
msgstr "ソース"
|
372 |
+
|
373 |
+
#: search-regex-strings.php:115
|
374 |
+
msgid "Enter global replacement text"
|
375 |
+
msgstr "グローバル置換テキストを入力してください。"
|
376 |
+
|
377 |
+
#: search-regex-strings.php:113
|
378 |
+
msgid "Search Flags"
|
379 |
+
msgstr "フラグを検索"
|
380 |
+
|
381 |
+
#: search-regex-strings.php:112
|
382 |
+
msgid "Enter search phrase"
|
383 |
+
msgstr "検索フレーズを入力してください。"
|
384 |
+
|
385 |
+
#: search-regex-strings.php:109
|
386 |
+
msgid "Replace All"
|
387 |
+
msgstr "全て置換する"
|
388 |
+
|
389 |
+
#: search-regex-strings.php:108 search-regex-strings.php:111
|
390 |
+
msgid "Search"
|
391 |
+
msgstr "検索"
|
392 |
+
|
393 |
+
#: search-regex-strings.php:107
|
394 |
+
msgid "Search and replace information in your database."
|
395 |
+
msgstr "データベース内の情報を検索して置換します。"
|
396 |
+
|
397 |
+
#: search-regex-strings.php:106
|
398 |
+
msgid "You are advised to backup your data before making modifications."
|
399 |
+
msgstr "変更を加える前に、データをバックアップすることを強くおすすめします。"
|
400 |
+
|
401 |
+
#: search-regex-strings.php:105
|
402 |
+
msgid "Update"
|
403 |
+
msgstr "アップデート"
|
404 |
+
|
405 |
+
#: search-regex-strings.php:104
|
406 |
+
msgid "How Search Regex uses the REST API - don't change unless necessary"
|
407 |
+
msgstr "Search Regex の REST API - むやみに変更しないでください。"
|
408 |
+
|
409 |
+
#: search-regex-strings.php:103
|
410 |
+
msgid "REST API"
|
411 |
+
msgstr "REST API"
|
412 |
+
|
413 |
+
#: search-regex-strings.php:102
|
414 |
+
msgid "I'm a nice person and I have helped support the author of this plugin"
|
415 |
+
msgstr "私はこのプラグインの作者のサポートをしてきました。"
|
416 |
+
|
417 |
+
#: search-regex-strings.php:101
|
418 |
+
msgid "Relative REST API"
|
419 |
+
msgstr "Relative REST API"
|
420 |
+
|
421 |
+
#: search-regex-strings.php:100
|
422 |
+
msgid "Raw REST API"
|
423 |
+
msgstr "Raw REST API"
|
424 |
+
|
425 |
+
#: search-regex-strings.php:99
|
426 |
+
msgid "Default REST API"
|
427 |
+
msgstr "デフォルト REST API"
|
428 |
+
|
429 |
+
#: search-regex-strings.php:98
|
430 |
+
msgid "Plugin Support"
|
431 |
+
msgstr "プラグインサポート"
|
432 |
+
|
433 |
+
#: search-regex-strings.php:97
|
434 |
+
msgid "Support 💰"
|
435 |
+
msgstr "サポート :"
|
436 |
+
|
437 |
+
#: search-regex-strings.php:96
|
438 |
+
msgid "You get useful software and I get to carry on making it better."
|
439 |
+
msgstr "私はこのプラグインをもっと便利にしていきます。"
|
440 |
+
|
441 |
+
#: search-regex-strings.php:95
|
442 |
+
msgid "Search Regex 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}}."
|
443 |
+
msgstr "Search Regex は無料で使用できます。人生はすばらしくてステキです ! 開発には多大な時間と労力が必要でしたが、{{strong}}少額の寄付{{/ strong}}でこの開発を支援することができます。"
|
444 |
+
|
445 |
+
#: search-regex-strings.php:94
|
446 |
+
msgid "I'd like to support some more."
|
447 |
+
msgstr "もう少しサポートしたいです。"
|
448 |
+
|
449 |
+
#: search-regex-strings.php:93
|
450 |
+
msgid "You've supported this plugin - thank you!"
|
451 |
+
msgstr "このプラグインに寄付してくださってありがとうございます ! "
|
452 |
+
|
453 |
+
#: search-regex-strings.php:92
|
454 |
+
msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
|
455 |
+
msgstr "{{code}}%s{{/code}} について記載し、そのとき何をしていたか詳しく説明してください。"
|
456 |
+
|
457 |
+
#: search-regex-strings.php:91
|
458 |
+
msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
|
459 |
+
msgstr "問題が解決しない場合は、ブラウザのエラーコンソールを開き、詳細を記載した{{link}}new issue{{/link}} を作成してください。"
|
460 |
+
|
461 |
+
#: search-regex-strings.php:90 search-regex-admin.php:345
|
462 |
+
msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
|
463 |
+
msgstr "キャッシュプラグインまたは CDN サービス( CloudFlare、OVHなど )を使用している場合は、そのキャッシュを削除すると解決することがあります。"
|
464 |
+
|
465 |
+
#: search-regex-strings.php:89
|
466 |
+
msgid "Search Regex is not working. Try clearing your browser cache and reloading this page."
|
467 |
+
msgstr "Search Regex が機能していません。ブラウザのキャッシュをクリアして、このページをリロードしてみてください。"
|
468 |
+
|
469 |
+
#: search-regex-strings.php:87
|
470 |
+
msgid "clearing your cache."
|
471 |
+
msgstr "キャッシュを削除しています。"
|
472 |
+
|
473 |
+
#: search-regex-strings.php:86
|
474 |
+
msgid "If you are using a caching system such as Cloudflare then please read this: "
|
475 |
+
msgstr "Cloudflare などの CDN キャッシュを使用している場合は、次の項目をお読みください :"
|
476 |
+
|
477 |
+
#: search-regex-strings.php:85
|
478 |
+
msgid "Please clear your browser cache and reload this page."
|
479 |
+
msgstr "ブラウザのキャッシュをクリアして、このページをリロードしてください。"
|
480 |
+
|
481 |
+
#: search-regex-strings.php:84
|
482 |
+
msgid "Cached Search Regex detected"
|
483 |
+
msgstr "キャッシュされた正規表現が検出されました。"
|
484 |
+
|
485 |
+
#: search-regex-strings.php:80
|
486 |
+
msgid "Show %s more"
|
487 |
+
msgid_plural "Show %s more"
|
488 |
+
msgstr[0] "%s をもっと見る"
|
489 |
+
|
490 |
+
#: search-regex-strings.php:79
|
491 |
+
msgid "Maximum number of matches exceeded and hidden from view. These will be included in any replacements."
|
492 |
+
msgstr "マッチングの最大値を超えたため、結果が表示されません。これらは置換に含まれます。"
|
493 |
+
|
494 |
+
#: search-regex-strings.php:78
|
495 |
+
msgid "Replace %(count)s match."
|
496 |
+
msgid_plural "Replace %(count)s matches."
|
497 |
+
msgstr[0] "%(count)s 一致を置換"
|
498 |
+
|
499 |
+
#: search-regex-strings.php:77
|
500 |
+
msgid "Delete"
|
501 |
+
msgstr "削除"
|
502 |
+
|
503 |
+
#: search-regex-strings.php:76
|
504 |
+
msgid "Editor"
|
505 |
+
msgstr "編集者"
|
506 |
+
|
507 |
+
#: search-regex-strings.php:75
|
508 |
+
msgid "Edit"
|
509 |
+
msgstr "編集"
|
510 |
+
|
511 |
+
#: search-regex-strings.php:74
|
512 |
+
msgid "Replacement for all matches in this row"
|
513 |
+
msgstr "この行のすべての一致項目を置換"
|
514 |
+
|
515 |
+
#: search-regex-strings.php:72
|
516 |
+
msgid "Check Again"
|
517 |
+
msgstr "もう一度確認する"
|
518 |
+
|
519 |
+
#: search-regex-strings.php:71
|
520 |
+
msgid "Testing - %s$"
|
521 |
+
msgstr "テスト中 - %s$"
|
522 |
+
|
523 |
+
#: search-regex-strings.php:70
|
524 |
+
msgid "Show Problems"
|
525 |
+
msgstr "問題を表示"
|
526 |
+
|
527 |
+
#: search-regex-strings.php:69
|
528 |
+
msgid "Summary"
|
529 |
+
msgstr "概要"
|
530 |
+
|
531 |
+
#: search-regex-strings.php:68
|
532 |
+
msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
|
533 |
+
msgstr "壊れた REST API ルートが使用されています。動作している API に変更すると、問題が解決するはずです。"
|
534 |
+
|
535 |
+
#: search-regex-strings.php:67
|
536 |
+
msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
|
537 |
+
msgstr "REST API が機能していません。修正が必要です。"
|
538 |
+
|
539 |
+
#: search-regex-strings.php:66
|
540 |
+
msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
|
541 |
+
msgstr "REST API への接続にいくつかの問題がありますが、これらの問題の修正は必須ではなく、プラグインは機能します。"
|
542 |
+
|
543 |
+
#: search-regex-strings.php:65
|
544 |
+
msgid "Unavailable"
|
545 |
+
msgstr "利用できません"
|
546 |
+
|
547 |
+
#: search-regex-strings.php:64
|
548 |
+
msgid "Not working but fixable"
|
549 |
+
msgstr "機能しませんが修正可能です。"
|
550 |
+
|
551 |
+
#: search-regex-strings.php:63
|
552 |
+
msgid "Working but some issues"
|
553 |
+
msgstr "機能していますが問題があります。"
|
554 |
+
|
555 |
+
#: search-regex-strings.php:62
|
556 |
+
msgid "Good"
|
557 |
+
msgstr "Good"
|
558 |
+
|
559 |
+
#: search-regex-strings.php:61
|
560 |
+
msgid "Current API"
|
561 |
+
msgstr "現在の API"
|
562 |
+
|
563 |
+
#: search-regex-strings.php:60
|
564 |
+
msgid "Switch to this API"
|
565 |
+
msgstr "この API に切り替え"
|
566 |
+
|
567 |
+
#: search-regex-strings.php:59
|
568 |
+
msgid "Hide"
|
569 |
+
msgstr "非表示"
|
570 |
+
|
571 |
+
#: search-regex-strings.php:58
|
572 |
+
msgid "Show Full"
|
573 |
+
msgstr "全て表示"
|
574 |
+
|
575 |
+
#: search-regex-strings.php:57
|
576 |
+
msgid "Working!"
|
577 |
+
msgstr "稼働中"
|
578 |
+
|
579 |
+
#: search-regex-strings.php:55
|
580 |
+
msgid "Phrases replaced: %s"
|
581 |
+
msgstr "置換されたフレーズ : %s"
|
582 |
+
|
583 |
+
#: search-regex-strings.php:54
|
584 |
+
msgid "Rows updated: %s"
|
585 |
+
msgstr "更新された行 : %s"
|
586 |
+
|
587 |
+
#: search-regex-strings.php:53 search-regex-strings.php:56
|
588 |
+
msgid "Finished!"
|
589 |
+
msgstr "完了しました !"
|
590 |
+
|
591 |
+
#: search-regex-strings.php:52
|
592 |
+
msgid "Replace progress"
|
593 |
+
msgstr "置換の進行状況"
|
594 |
+
|
595 |
+
#: search-regex-strings.php:51 search-regex-strings.php:110
|
596 |
+
msgid "Cancel"
|
597 |
+
msgstr "キャンセル"
|
598 |
+
|
599 |
+
#: search-regex-strings.php:50 search-regex-strings.php:73
|
600 |
+
#: search-regex-strings.php:114
|
601 |
+
msgid "Replace"
|
602 |
+
msgstr "置換"
|
603 |
+
|
604 |
+
#: search-regex-strings.php:49
|
605 |
+
msgid "Search phrase will be removed"
|
606 |
+
msgstr "検索フレーズは削除されます"
|
607 |
+
|
608 |
+
#: search-regex-strings.php:48
|
609 |
+
msgid "Remove"
|
610 |
+
msgstr "削除"
|
611 |
+
|
612 |
+
#: search-regex-strings.php:47
|
613 |
+
msgid "Multi"
|
614 |
+
msgstr "複数"
|
615 |
+
|
616 |
+
#: search-regex-strings.php:46
|
617 |
+
msgid "Single"
|
618 |
+
msgstr "シングル"
|
619 |
+
|
620 |
+
#: search-regex-strings.php:45
|
621 |
+
msgid "View notice"
|
622 |
+
msgstr "通知を表示"
|
623 |
+
|
624 |
+
#: search-regex-strings.php:41
|
625 |
+
msgid "Replace single phrase."
|
626 |
+
msgstr "単一のフレーズを置き換えます。"
|
627 |
+
|
628 |
+
#: search-regex-strings.php:40
|
629 |
+
msgid "Replacement for this match"
|
630 |
+
msgstr "この一致項目の置換"
|
631 |
+
|
632 |
+
#: search-regex-strings.php:44 search-regex-strings.php:83
|
633 |
+
msgid "Support"
|
634 |
+
msgstr "サポート"
|
635 |
+
|
636 |
+
#: search-regex-strings.php:43 search-regex-strings.php:82
|
637 |
+
msgid "Options"
|
638 |
+
msgstr "設定"
|
639 |
+
|
640 |
+
#: search-regex-strings.php:42
|
641 |
+
msgid "Search & Replace"
|
642 |
+
msgstr "検索と置換"
|
643 |
+
|
644 |
+
#: search-regex-strings.php:38
|
645 |
+
msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
|
646 |
+
msgstr "WordPress 5.2以降を使用している場合は、{{link}}サイトヘルス{{/link}}を確認して問題を解決してください。"
|
647 |
+
|
648 |
+
#: search-regex-strings.php:37
|
649 |
+
msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
|
650 |
+
msgstr "{{link}}一時的に他のプラグインを無効にしてください ! {{/link}}これにより、いくつかの問題が修正されるはずです。"
|
651 |
+
|
652 |
+
#: search-regex-strings.php:36
|
653 |
+
msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
|
654 |
+
msgstr "{{link}}キャッシュのソフトウェア{{/link}}、特に Cloudflare は、間違ったものをキャッシュする可能性があります。一度すべてのキャッシュを削除してみてください。"
|
655 |
+
|
656 |
+
#: search-regex-strings.php:35
|
657 |
+
msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
|
658 |
+
msgstr "{{link}}プラグインステータス{{/link}}をご覧ください。問題を特定し、\" magic fix \" できる場合があります。"
|
659 |
+
|
660 |
+
#: search-regex-strings.php:34
|
661 |
+
msgid "What do I do next?"
|
662 |
+
msgstr "次はどうしますか?"
|
663 |
+
|
664 |
+
#: search-regex-strings.php:33 search-regex-strings.php:88
|
665 |
+
msgid "Something went wrong 🙁"
|
666 |
+
msgstr "エラーが発生しました。"
|
667 |
+
|
668 |
+
#: search-regex-strings.php:32 search-regex-strings.php:39
|
669 |
+
msgid "That didn't help"
|
670 |
+
msgstr "うまくいきませんでした。"
|
671 |
+
|
672 |
+
#: search-regex-strings.php:31
|
673 |
+
msgid "The problem is almost certainly caused by one of the above."
|
674 |
+
msgstr "上記のいずれかが問題の原因です。"
|
675 |
+
|
676 |
+
#: search-regex-strings.php:30
|
677 |
+
msgid "Your admin pages are being cached. Clear this cache and try again."
|
678 |
+
msgstr "管理ページがキャッシュされています。このキャッシュをクリアして、再試行してください。"
|
679 |
+
|
680 |
+
#: search-regex-strings.php:29
|
681 |
+
msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
|
682 |
+
msgstr "ログアウトし、ブラウザのキャッシュをクリアして、再度ログインしてください。ブラウザは古いセッションをキャッシュしています。"
|
683 |
+
|
684 |
+
#: search-regex-strings.php:28
|
685 |
+
msgid "Reload the page - your current session is old."
|
686 |
+
msgstr "ページを再読み込みしてください - 現在のセッションは古いです。"
|
687 |
+
|
688 |
+
#: search-regex-strings.php:27
|
689 |
+
msgid "This is usually fixed by doing one of these:"
|
690 |
+
msgstr "これは通常、次のいずれかを実行することで修正されます。"
|
691 |
+
|
692 |
+
#: search-regex-strings.php:26
|
693 |
+
msgid "You are not authorised to access this page."
|
694 |
+
msgstr "このページにアクセスする権限がありません。"
|
695 |
+
|
696 |
+
#: search-regex-strings.php:25
|
697 |
+
msgid "Include these details in your report along with a description of what you were doing and a screenshot."
|
698 |
+
msgstr "これらの問題の詳細を、実行内容の説明とスクリーンショットをあわせてレポートに含めてください。"
|
699 |
+
|
700 |
+
#: search-regex-strings.php:24 source/core/comment.php:23
|
701 |
+
msgid "Email"
|
702 |
+
msgstr "メールアドレス"
|
703 |
+
|
704 |
+
#: search-regex-strings.php:23
|
705 |
+
msgid "Create An Issue"
|
706 |
+
msgstr "問題を報告する"
|
707 |
+
|
708 |
+
#: search-regex-strings.php:22
|
709 |
+
msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
|
710 |
+
msgstr "{{strong}}問題を報告する{{/strong}}か、{{strong}}メール{{/strong}}で送信してください。"
|
711 |
+
|
712 |
+
#: search-regex-strings.php:21
|
713 |
+
msgid "Close"
|
714 |
+
msgstr "閉じる"
|
715 |
+
|
716 |
+
#: search-regex-strings.php:20
|
717 |
+
msgid "Save"
|
718 |
+
msgstr "保存"
|
719 |
+
|
720 |
+
#: search-regex-strings.php:19
|
721 |
+
msgid "Editing %s"
|
722 |
+
msgstr "%s 編集中"
|
723 |
+
|
724 |
+
#: search-regex-strings.php:17
|
725 |
+
msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
|
726 |
+
msgstr "ブラウザのセキュリティにより、リクエストを実行できません。これは通常、WordPress とサイトの URL 設定に一貫性がないか、リクエストがサイトの CORS ポリシーによってブロックされたことが原因です。"
|
727 |
+
|
728 |
+
#: search-regex-strings.php:16
|
729 |
+
msgid "Possible cause"
|
730 |
+
msgstr "考えられる原因"
|
731 |
+
|
732 |
+
#: search-regex-strings.php:15
|
733 |
+
msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
|
734 |
+
msgstr "WordPress が予期しないメッセージを返しました。これはおそらく別のプラグインの PHP エラーです。"
|
735 |
+
|
736 |
+
#: search-regex-strings.php:14
|
737 |
+
msgid "Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working"
|
738 |
+
msgstr "WordPress REST API が無効になっています。 Search Regex を使うには、WordPress REST API を有効にする必要があります"
|
739 |
+
|
740 |
+
#: search-regex-strings.php:12
|
741 |
+
msgid "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"
|
742 |
+
msgstr "これはセキュリティプラグインが原因であるか、サーバーのメモリが不足しているか、外部エラーが発生しています。ご契約のレンタルサーバーなどのエラーログを確認してください。"
|
743 |
+
|
744 |
+
#: search-regex-strings.php:11
|
745 |
+
msgid "Your server has rejected the request for being too big. You will need to change it to continue."
|
746 |
+
msgstr "サーバーが過大要求を拒否しました。続行するにはサーバー設定を変更する必要があります。"
|
747 |
+
|
748 |
+
#: search-regex-strings.php:9
|
749 |
+
msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
|
750 |
+
msgstr "REST API が404ページを返しています。これはセキュリティプラグインが原因であるか、サーバーが正しく設定されていない可能性があります。"
|
751 |
+
|
752 |
+
#: search-regex-strings.php:7
|
753 |
+
msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
|
754 |
+
msgstr "REST API がセキュリティプラグインによってブロックされている可能性があります。これを無効にするか、REST API リクエストを許可するように設定してください。"
|
755 |
+
|
756 |
+
#: search-regex-strings.php:6 search-regex-strings.php:8
|
757 |
+
#: search-regex-strings.php:10 search-regex-strings.php:13
|
758 |
+
#: search-regex-strings.php:18
|
759 |
+
msgid "Read this REST API guide for more information."
|
760 |
+
msgstr "詳細は、この REST API ガイドをお読みください。"
|
761 |
+
|
762 |
+
#: search-regex-strings.php:5
|
763 |
+
msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
|
764 |
+
msgstr "REST API がキャッシュされています。キャッシュプラグインを停止し、サーバーキャッシュをすべて削除し、ログアウトして、ブラウザのキャッシュをクリアしてから、もう一度お試しください。"
|
765 |
+
|
766 |
+
#: search-regex-strings.php:4
|
767 |
+
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."
|
768 |
+
msgstr "WordPress は応答を返しませんでした。これは、エラーが発生したか、要求がブロックされたことを意味します。サーバーのエラーログを確認してください。"
|
769 |
+
|
770 |
+
#. Author of the plugin
|
771 |
+
msgid "John Godley"
|
772 |
+
msgstr "John Godley"
|
773 |
+
|
774 |
+
#. Description of the plugin
|
775 |
+
msgid "Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support"
|
776 |
+
msgstr "正規表現のサポートにより、投稿、ページ、コメント、メタデータ全体に検索&置換機能を追加します。"
|
777 |
+
|
778 |
+
#. Plugin URI of the plugin
|
779 |
+
msgid "https://searchregex.com/"
|
780 |
+
msgstr "https://searchregex.com/"
|
781 |
+
|
782 |
+
#. Plugin Name of the plugin
|
783 |
+
#: search-regex-strings.php:81
|
784 |
+
msgid "Search Regex"
|
785 |
+
msgstr "Search Regex"
|
locale/search-regex-nl_BE.mo
ADDED
Binary file
|
locale/search-regex-nl_BE.po
ADDED
@@ -0,0 +1,793 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Translation of Plugins - Search Regex - Development (trunk) in Dutch (Belgium)
|
2 |
+
# This file is distributed under the same license as the Plugins - Search Regex - Development (trunk) package.
|
3 |
+
msgid ""
|
4 |
+
msgstr ""
|
5 |
+
"PO-Revision-Date: 2020-05-17 11:06:29+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/3.0.0-alpha\n"
|
11 |
+
"Language: nl_BE\n"
|
12 |
+
"Project-Id-Version: Plugins - Search Regex - Development (trunk)\n"
|
13 |
+
|
14 |
+
#: source/core/post.php:90
|
15 |
+
msgid "GUID"
|
16 |
+
msgstr "GUID"
|
17 |
+
|
18 |
+
#: source/core/post.php:89
|
19 |
+
msgid "Slug"
|
20 |
+
msgstr "Slug"
|
21 |
+
|
22 |
+
#: source/core/post.php:87
|
23 |
+
msgid "Excerpt"
|
24 |
+
msgstr "Samenvatting"
|
25 |
+
|
26 |
+
#: source/core/post.php:86
|
27 |
+
msgid "Content"
|
28 |
+
msgstr "Inhoud"
|
29 |
+
|
30 |
+
#: source/core/post.php:51
|
31 |
+
msgid "Search GUID"
|
32 |
+
msgstr "Zoek GUID"
|
33 |
+
|
34 |
+
#: source/core/user.php:37
|
35 |
+
msgid "Display name"
|
36 |
+
msgstr "Schermnaam (getoond op site)"
|
37 |
+
|
38 |
+
#: source/core/user.php:35
|
39 |
+
msgid "Nicename"
|
40 |
+
msgstr "Schermnaam (backend)"
|
41 |
+
|
42 |
+
#: source/core/options.php:20 source/core/meta.php:20
|
43 |
+
msgid "Value"
|
44 |
+
msgstr "Waarde"
|
45 |
+
|
46 |
+
#: source/core/comment.php:66
|
47 |
+
msgid "Include spam comments"
|
48 |
+
msgstr "Inclusief spam reacties"
|
49 |
+
|
50 |
+
#: source/core/comment.php:25
|
51 |
+
msgid "Comment"
|
52 |
+
msgstr "Reactie"
|
53 |
+
|
54 |
+
#: source/core/options.php:19 source/core/meta.php:19
|
55 |
+
#: source/core/comment.php:22
|
56 |
+
msgid "Name"
|
57 |
+
msgstr "Naam"
|
58 |
+
|
59 |
+
#: source/plugin/redirection.php:82
|
60 |
+
msgid "Search your redirects"
|
61 |
+
msgstr "Zoek je redirects"
|
62 |
+
|
63 |
+
#: source/plugin/redirection.php:28 source/core/post.php:88
|
64 |
+
msgid "Title"
|
65 |
+
msgstr "Titel"
|
66 |
+
|
67 |
+
#: source/plugin/redirection.php:27 source/core/user.php:36
|
68 |
+
#: source/core/comment.php:24
|
69 |
+
msgid "URL"
|
70 |
+
msgstr "URL"
|
71 |
+
|
72 |
+
#. translators: 1: server PHP version. 2: required PHP version.
|
73 |
+
#: search-regex.php:39
|
74 |
+
msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
|
75 |
+
msgstr "Uitgeschakeld! Gedetecteerd PHP %1$s, nodig PHP %2$s+"
|
76 |
+
|
77 |
+
#: models/source-manager.php:131
|
78 |
+
msgid "Plugins"
|
79 |
+
msgstr "Plugins"
|
80 |
+
|
81 |
+
#: models/source-manager.php:124
|
82 |
+
msgid "Specific Post Types"
|
83 |
+
msgstr "Specifieke berichttypen"
|
84 |
+
|
85 |
+
#: models/source-manager.php:117
|
86 |
+
msgid "Standard Types"
|
87 |
+
msgstr "Standaard typen"
|
88 |
+
|
89 |
+
#: models/source-manager.php:64
|
90 |
+
msgid "Search all WordPress options."
|
91 |
+
msgstr "Doorzoek alle WordPress opties"
|
92 |
+
|
93 |
+
#: models/source-manager.php:63
|
94 |
+
msgid "WordPress Options"
|
95 |
+
msgstr "WordPress opties"
|
96 |
+
|
97 |
+
#: models/source-manager.php:57
|
98 |
+
msgid "Search user meta name and values."
|
99 |
+
msgstr "Zoek gebruiker gegevens naam en waarden."
|
100 |
+
|
101 |
+
#: models/source-manager.php:56
|
102 |
+
msgid "User Meta"
|
103 |
+
msgstr "Gebruiker Meta"
|
104 |
+
|
105 |
+
#: models/source-manager.php:50
|
106 |
+
msgid "Search user email, URL, and name."
|
107 |
+
msgstr "Zoek e-mail, URL en naam van gebruiker."
|
108 |
+
|
109 |
+
#: models/source-manager.php:49
|
110 |
+
msgid "Users"
|
111 |
+
msgstr "Gebruikers"
|
112 |
+
|
113 |
+
#: models/source-manager.php:43
|
114 |
+
msgid "Search comment meta names and values."
|
115 |
+
msgstr "Zoek reactie meta namen en waarden"
|
116 |
+
|
117 |
+
#: models/source-manager.php:42
|
118 |
+
msgid "Comment Meta"
|
119 |
+
msgstr "Reactie Meta"
|
120 |
+
|
121 |
+
#: models/source-manager.php:36
|
122 |
+
msgid "Search comment content, URL, and author, with optional support for spam comments."
|
123 |
+
msgstr "Doorzoek reactie inhoud, URL en auteur, met optie voor spam reacties. "
|
124 |
+
|
125 |
+
#: models/source-manager.php:35
|
126 |
+
msgid "Comments"
|
127 |
+
msgstr "Reacties"
|
128 |
+
|
129 |
+
#: models/source-manager.php:29
|
130 |
+
msgid "Search post meta names and values."
|
131 |
+
msgstr "Zoek bericht meta namen en waarden"
|
132 |
+
|
133 |
+
#: models/source-manager.php:28
|
134 |
+
msgid "Post Meta"
|
135 |
+
msgstr "Bericht meta"
|
136 |
+
|
137 |
+
#: models/source-manager.php:22
|
138 |
+
msgid "Search all posts, pages, and custom post types."
|
139 |
+
msgstr "Doorzoek alle berichten, pagina's en aangepaste bericht typen."
|
140 |
+
|
141 |
+
#: models/source-manager.php:21
|
142 |
+
msgid "All Post Types"
|
143 |
+
msgstr "Alle berichttypen"
|
144 |
+
|
145 |
+
#: search-regex-admin.php:377
|
146 |
+
msgid "Please enable JavaScript"
|
147 |
+
msgstr "Schakel Javascript in"
|
148 |
+
|
149 |
+
#: search-regex-admin.php:373
|
150 |
+
msgid "Loading, please wait..."
|
151 |
+
msgstr "Aan het laden..."
|
152 |
+
|
153 |
+
#: search-regex-admin.php:354
|
154 |
+
msgid "Create Issue"
|
155 |
+
msgstr "Meld een probleem"
|
156 |
+
|
157 |
+
#: search-regex-admin.php:351
|
158 |
+
msgid "<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again."
|
159 |
+
msgstr "<code>SearchRegexi10n</code> is niet gedefinieerd. Dit betekent meestal dat een andere plugin Search Regex blokkeert om te laden. Zet alle plugins uit en probeer het opnieuw."
|
160 |
+
|
161 |
+
#: search-regex-admin.php:350
|
162 |
+
msgid "If you think Search Regex is at fault then create an issue."
|
163 |
+
msgstr "Denk je dat Search Regex het probleem veroorzaakt, maak dan een probleemrapport aan."
|
164 |
+
|
165 |
+
#: search-regex-admin.php:349
|
166 |
+
msgid "Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>."
|
167 |
+
msgstr "Bekijk hier de <a href=\"https://searchregex.com/support/problems/\">lijst van algemene problemen</a>."
|
168 |
+
|
169 |
+
#: search-regex-admin.php:348
|
170 |
+
msgid "Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex"
|
171 |
+
msgstr "Search Regex vereist dat de WordPress REST API geactiveerd is. Heb je deze uitgezet, dan kun je Search Regex niet gebruiken."
|
172 |
+
|
173 |
+
#: search-regex-admin.php:346
|
174 |
+
msgid "Also check if your browser is able to load <code>search-regex.js</code>:"
|
175 |
+
msgstr "Controleer ook of je browser <code>search-regex.js</code> kan laden:"
|
176 |
+
|
177 |
+
#: search-regex-admin.php:344
|
178 |
+
msgid "This may be caused by another plugin - look at your browser's error console for more details."
|
179 |
+
msgstr "Dit kan worden veroorzaakt door een andere plugin - bekijk je browser's foutconsole voor meer gegevens."
|
180 |
+
|
181 |
+
#: search-regex-admin.php:343
|
182 |
+
msgid "Unable to load Search Regex ☹️"
|
183 |
+
msgstr "Laden van Search Regex ☹️ onmogelijk"
|
184 |
+
|
185 |
+
#: search-regex-admin.php:328
|
186 |
+
msgid "Unable to load Search Regex"
|
187 |
+
msgstr "Laden van Search Regex onmogelijk"
|
188 |
+
|
189 |
+
#. translators: 1: Expected WordPress version, 2: Actual WordPress version
|
190 |
+
#: search-regex-admin.php:325
|
191 |
+
msgid "Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
|
192 |
+
msgstr "Search Regex heeft WordPress v%1$1s nodig, en je gebruikt v%2$2s - update je WordPress"
|
193 |
+
|
194 |
+
#: search-regex-admin.php:229
|
195 |
+
msgid "Search Regex Support"
|
196 |
+
msgstr "Search Regex ondersteuning"
|
197 |
+
|
198 |
+
#. translators: URL
|
199 |
+
#: search-regex-admin.php:220
|
200 |
+
msgid "You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
201 |
+
msgstr "Je kunt de volledige documentatie over het gebruik van Search Regex vinden op de <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
202 |
+
|
203 |
+
#: search-regex-admin.php:45
|
204 |
+
msgid "Settings"
|
205 |
+
msgstr "Instellingen"
|
206 |
+
|
207 |
+
#: search-regex-strings.php:160
|
208 |
+
msgid "Actions"
|
209 |
+
msgstr "Acties"
|
210 |
+
|
211 |
+
#: search-regex-strings.php:159
|
212 |
+
msgid "Matched Phrases"
|
213 |
+
msgstr "Gevonden zoektermen"
|
214 |
+
|
215 |
+
#: search-regex-strings.php:158
|
216 |
+
msgid "Matches"
|
217 |
+
msgstr "Gevonden"
|
218 |
+
|
219 |
+
#: search-regex-strings.php:157
|
220 |
+
msgid "Row ID"
|
221 |
+
msgstr "Regel ID"
|
222 |
+
|
223 |
+
#: search-regex-strings.php:155
|
224 |
+
msgid "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."
|
225 |
+
msgstr "Het maximum aantal van pagina aanvragen is overschreven en zoeken is gestopt. Probeer een preciezere zoekterm te gebruiken."
|
226 |
+
|
227 |
+
#: search-regex-strings.php:154
|
228 |
+
msgid "No more matching results found."
|
229 |
+
msgstr "Geen resultaten meer gevonden."
|
230 |
+
|
231 |
+
#: search-regex-strings.php:153
|
232 |
+
msgid "Last page"
|
233 |
+
msgstr "Laatste pagina"
|
234 |
+
|
235 |
+
#: search-regex-strings.php:151
|
236 |
+
msgid "Page %(current)s of %(total)s"
|
237 |
+
msgstr "Pagina %(current)s van %(total)s"
|
238 |
+
|
239 |
+
#: search-regex-strings.php:148
|
240 |
+
msgid "Matches: %(phrases)s across %(rows)s database row."
|
241 |
+
msgid_plural "Matches: %(phrases)s across %(rows)s database rows."
|
242 |
+
msgstr[0] "Gevonden in: %(phrases)s in %(rows)s database regel."
|
243 |
+
msgstr[1] "Gevonden in: %(phrases)s in %(rows)s database regels."
|
244 |
+
|
245 |
+
#: search-regex-strings.php:147 search-regex-strings.php:152
|
246 |
+
msgid "Next page"
|
247 |
+
msgstr "Volgende pagina"
|
248 |
+
|
249 |
+
#: search-regex-strings.php:146
|
250 |
+
msgid "Progress %(current)s$"
|
251 |
+
msgstr "Voortgang %(current)s$"
|
252 |
+
|
253 |
+
#: search-regex-strings.php:145 search-regex-strings.php:150
|
254 |
+
msgid "Prev page"
|
255 |
+
msgstr "Vorige pagina"
|
256 |
+
|
257 |
+
#: search-regex-strings.php:144 search-regex-strings.php:149
|
258 |
+
msgid "First page"
|
259 |
+
msgstr "Eerste pagina"
|
260 |
+
|
261 |
+
#: search-regex-strings.php:143
|
262 |
+
msgid "%s database row in total"
|
263 |
+
msgid_plural "%s database rows in total"
|
264 |
+
msgstr[0] "%s database regel totaal"
|
265 |
+
msgstr[1] "%s database regels totaal"
|
266 |
+
|
267 |
+
#: search-regex-strings.php:142
|
268 |
+
msgid "500 per page"
|
269 |
+
msgstr "500 per pagina"
|
270 |
+
|
271 |
+
#: search-regex-strings.php:141
|
272 |
+
msgid "250 per page"
|
273 |
+
msgstr "250 per pagina"
|
274 |
+
|
275 |
+
#: search-regex-strings.php:140
|
276 |
+
msgid "100 per page"
|
277 |
+
msgstr "100 per pagina"
|
278 |
+
|
279 |
+
#: search-regex-strings.php:139
|
280 |
+
msgid "50 per page "
|
281 |
+
msgstr "50 per pagina "
|
282 |
+
|
283 |
+
#: search-regex-strings.php:138
|
284 |
+
msgid "25 per page "
|
285 |
+
msgstr "25 per pagina "
|
286 |
+
|
287 |
+
#: search-regex-strings.php:137
|
288 |
+
msgid "Ignore Case"
|
289 |
+
msgstr "Negeer hoofdletter gebruik"
|
290 |
+
|
291 |
+
#: search-regex-strings.php:136
|
292 |
+
msgid "Regular Expression"
|
293 |
+
msgstr "Reguliere expressie"
|
294 |
+
|
295 |
+
#: search-regex-strings.php:135
|
296 |
+
msgid "Row updated"
|
297 |
+
msgstr "Regel bijgewerkt"
|
298 |
+
|
299 |
+
#: search-regex-strings.php:134
|
300 |
+
msgid "Row replaced"
|
301 |
+
msgstr "Regel vervangen"
|
302 |
+
|
303 |
+
#: search-regex-strings.php:133
|
304 |
+
msgid "Row deleted"
|
305 |
+
msgstr "Regel verwijderd"
|
306 |
+
|
307 |
+
#: search-regex-strings.php:132
|
308 |
+
msgid "Settings saved"
|
309 |
+
msgstr "Instellingen opgeslagen"
|
310 |
+
|
311 |
+
#: search-regex-strings.php:131 search-regex-admin.php:212
|
312 |
+
msgid "{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search."
|
313 |
+
msgstr ""
|
314 |
+
"{{link}}Zoekopties{{/link}} - aanvullende opties voor de selecteerde bron. Bijvoorbeeld\n"
|
315 |
+
"om bericht {{guid}}GUID{{/guid}} toe te voegen aan de zoekterm."
|
316 |
+
|
317 |
+
#: search-regex-strings.php:130 search-regex-admin.php:225
|
318 |
+
msgid "{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments."
|
319 |
+
msgstr "{{link}}Bron{{/link}} - de bron van de gegevens waarin je zoekt. Bijvoorbeeld: berichten, pagina's, reacties."
|
320 |
+
|
321 |
+
#: search-regex-strings.php:129 search-regex-admin.php:224
|
322 |
+
msgid "{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches."
|
323 |
+
msgstr "{{link}}Reguliere expressie{{/link}} - een manier om patronen aan maken om tekst mee te zoeken. Geeft meer geavanceerde zoekresultaten."
|
324 |
+
|
325 |
+
#: search-regex-strings.php:128 search-regex-admin.php:223
|
326 |
+
msgid "{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support."
|
327 |
+
msgstr "{{link}}Zoekopties{{/link}} - aanvullende opties voor je zoekterm, om hoofdlettergebruik te negeren en voor gebruik van reguliere expressies."
|
328 |
+
|
329 |
+
#: search-regex-strings.php:127 search-regex-admin.php:221
|
330 |
+
msgid "The following concepts are used by Search Regex:"
|
331 |
+
msgstr "De volgende concepten worden gebruikt door Search Regex:"
|
332 |
+
|
333 |
+
#: search-regex-strings.php:126
|
334 |
+
msgid "Quick Help"
|
335 |
+
msgstr "Snelle hulp"
|
336 |
+
|
337 |
+
#: search-regex-strings.php:125
|
338 |
+
msgid "Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me."
|
339 |
+
msgstr "Vind je dit een fijne plugin? Overweeg ook eens {{link}}Redirection{{/link}}, een plugin die redirects beheert en ook door mij is gemaakt."
|
340 |
+
|
341 |
+
#: search-regex-strings.php:124 source/plugin/redirection.php:81
|
342 |
+
msgid "Redirection"
|
343 |
+
msgstr "Omleiding"
|
344 |
+
|
345 |
+
#: search-regex-strings.php:123
|
346 |
+
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!"
|
347 |
+
msgstr "Als je informatie wilt sturen, maar die je niet in de openbare repository wilt delen, stuur dan een {{email}}email{{/email}} direct aan mij - met zoveel informatie als mogelijk!"
|
348 |
+
|
349 |
+
#: search-regex-strings.php:122
|
350 |
+
msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
|
351 |
+
msgstr "Support wordt gegeven op basis van beschikbare tijd en is niet gegarandeerd. Ik geef geen betaalde ondersteuning."
|
352 |
+
|
353 |
+
#: search-regex-strings.php:121
|
354 |
+
msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
|
355 |
+
msgstr "Wil je een bug doorgeven, lees dan de {{report}}Reporting Bugs{{/report}} gids."
|
356 |
+
|
357 |
+
#: search-regex-strings.php:120
|
358 |
+
msgid "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}."
|
359 |
+
msgstr "Volledige documentatie voor Search Regex kan je vinden op {{site}}https://searchregex.com{{/site}}."
|
360 |
+
|
361 |
+
#: search-regex-strings.php:119
|
362 |
+
msgid "Need more help?"
|
363 |
+
msgstr "Meer hulp nodig?"
|
364 |
+
|
365 |
+
#: search-regex-strings.php:118
|
366 |
+
msgid "Results"
|
367 |
+
msgstr "Resultaten"
|
368 |
+
|
369 |
+
#: search-regex-strings.php:117
|
370 |
+
msgid "Source Options"
|
371 |
+
msgstr "Bron opties"
|
372 |
+
|
373 |
+
#: search-regex-strings.php:116 search-regex-strings.php:156
|
374 |
+
msgid "Source"
|
375 |
+
msgstr "Bron"
|
376 |
+
|
377 |
+
#: search-regex-strings.php:115
|
378 |
+
msgid "Enter global replacement text"
|
379 |
+
msgstr "Term voor vervangen invoeren"
|
380 |
+
|
381 |
+
#: search-regex-strings.php:113
|
382 |
+
msgid "Search Flags"
|
383 |
+
msgstr "Zoek opties"
|
384 |
+
|
385 |
+
#: search-regex-strings.php:112
|
386 |
+
msgid "Enter search phrase"
|
387 |
+
msgstr "Zoekterm invoeren"
|
388 |
+
|
389 |
+
#: search-regex-strings.php:109
|
390 |
+
msgid "Replace All"
|
391 |
+
msgstr "Alles vervangen"
|
392 |
+
|
393 |
+
#: search-regex-strings.php:108 search-regex-strings.php:111
|
394 |
+
msgid "Search"
|
395 |
+
msgstr "Zoeken"
|
396 |
+
|
397 |
+
#: search-regex-strings.php:107
|
398 |
+
msgid "Search and replace information in your database."
|
399 |
+
msgstr "Zoek en vervang informatie in je database."
|
400 |
+
|
401 |
+
#: search-regex-strings.php:106
|
402 |
+
msgid "You are advised to backup your data before making modifications."
|
403 |
+
msgstr "Je wordt geadviseerd om eerst een backup te maken van je data, voordat je wijzigen gaat maken."
|
404 |
+
|
405 |
+
#: search-regex-strings.php:105
|
406 |
+
msgid "Update"
|
407 |
+
msgstr "Bijwerken"
|
408 |
+
|
409 |
+
#: search-regex-strings.php:104
|
410 |
+
msgid "How Search Regex uses the REST API - don't change unless necessary"
|
411 |
+
msgstr "Hoe Search Regex de REST API gebruikt - niet veranderen als het niet noodzakelijk is"
|
412 |
+
|
413 |
+
#: search-regex-strings.php:103
|
414 |
+
msgid "REST API"
|
415 |
+
msgstr "REST API"
|
416 |
+
|
417 |
+
#: search-regex-strings.php:102
|
418 |
+
msgid "I'm a nice person and I have helped support the author of this plugin"
|
419 |
+
msgstr "Ik ben een aardig persoon en ik heb de auteur van deze plugin geholpen met ondersteuning"
|
420 |
+
|
421 |
+
#: search-regex-strings.php:101
|
422 |
+
msgid "Relative REST API"
|
423 |
+
msgstr "Relatieve REST API"
|
424 |
+
|
425 |
+
#: search-regex-strings.php:100
|
426 |
+
msgid "Raw REST API"
|
427 |
+
msgstr "Raw REST API"
|
428 |
+
|
429 |
+
#: search-regex-strings.php:99
|
430 |
+
msgid "Default REST API"
|
431 |
+
msgstr "Standaard REST API"
|
432 |
+
|
433 |
+
#: search-regex-strings.php:98
|
434 |
+
msgid "Plugin Support"
|
435 |
+
msgstr "Plugin ondersteuning"
|
436 |
+
|
437 |
+
#: search-regex-strings.php:97
|
438 |
+
msgid "Support 💰"
|
439 |
+
msgstr "Ondersteuning 💰"
|
440 |
+
|
441 |
+
#: search-regex-strings.php:96
|
442 |
+
msgid "You get useful software and I get to carry on making it better."
|
443 |
+
msgstr "Je krijgt goed bruikbare software en ik kan doorgaan met het verbeteren ervan."
|
444 |
+
|
445 |
+
#: search-regex-strings.php:95
|
446 |
+
msgid "Search Regex 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}}."
|
447 |
+
msgstr "Search Regex is gratis te gebruiken - het leven is life is wonderbaarlijk en verrukkelijk! Het kostte me veel tijd en moeite om dit te ontwikkelen. Je kunt verdere ontwikkeling ondersteunen met het doen van {{strong}}een kleine donatie{{/strong}}."
|
448 |
+
|
449 |
+
#: search-regex-strings.php:94
|
450 |
+
msgid "I'd like to support some more."
|
451 |
+
msgstr "Ik wil graag meer bijdragen."
|
452 |
+
|
453 |
+
#: search-regex-strings.php:93
|
454 |
+
msgid "You've supported this plugin - thank you!"
|
455 |
+
msgstr "Je hebt deze plugin gesteund - dankjewel!"
|
456 |
+
|
457 |
+
#: search-regex-strings.php:92
|
458 |
+
msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
|
459 |
+
msgstr "Vermeld {{code}}%s{{/code}} en leg uit wat je op dat moment deed"
|
460 |
+
|
461 |
+
#: search-regex-strings.php:91
|
462 |
+
msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
|
463 |
+
msgstr "Werkt dit niet, open dan je browser's foutconsole en maak een {{link}}nieuw probleemrapport{{/link}} aan met alle gegevens."
|
464 |
+
|
465 |
+
#: search-regex-strings.php:90 search-regex-admin.php:345
|
466 |
+
msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
|
467 |
+
msgstr "Als je gebruik maakt van een pagina caching plugin of dienst (CloudFlare, OVH, etc.), dan kan je ook proberen om die cache leeg te maken."
|
468 |
+
|
469 |
+
#: search-regex-strings.php:89
|
470 |
+
msgid "Search Regex is not working. Try clearing your browser cache and reloading this page."
|
471 |
+
msgstr "Search Regex werkt niet. Probeer je browser cache leeg te maken en deze pagina opnieuw te laden."
|
472 |
+
|
473 |
+
#: search-regex-strings.php:87
|
474 |
+
msgid "clearing your cache."
|
475 |
+
msgstr "je cache opschonen."
|
476 |
+
|
477 |
+
#: search-regex-strings.php:86
|
478 |
+
msgid "If you are using a caching system such as Cloudflare then please read this: "
|
479 |
+
msgstr "Gebruik je een caching systeem zoals Cloudflare, lees dan dit:"
|
480 |
+
|
481 |
+
#: search-regex-strings.php:85
|
482 |
+
msgid "Please clear your browser cache and reload this page."
|
483 |
+
msgstr "Maak je browser cache leeg en laad deze pagina nogmaals."
|
484 |
+
|
485 |
+
#: search-regex-strings.php:84
|
486 |
+
msgid "Cached Search Regex detected"
|
487 |
+
msgstr "Gecachede Search Regex gevonden"
|
488 |
+
|
489 |
+
#: search-regex-strings.php:80
|
490 |
+
msgid "Show %s more"
|
491 |
+
msgid_plural "Show %s more"
|
492 |
+
msgstr[0] "Nog %s weergeven"
|
493 |
+
msgstr[1] "Nog %s weergeven"
|
494 |
+
|
495 |
+
#: search-regex-strings.php:79
|
496 |
+
msgid "Maximum number of matches exceeded and hidden from view. These will be included in any replacements."
|
497 |
+
msgstr ""
|
498 |
+
"Het maximum aantal zoekresultaten is overschreden en niet zichtbaar. Deze zullen \n"
|
499 |
+
"worden gebruikt bij vervangingen."
|
500 |
+
|
501 |
+
#: search-regex-strings.php:78
|
502 |
+
msgid "Replace %(count)s match."
|
503 |
+
msgid_plural "Replace %(count)s matches."
|
504 |
+
msgstr[0] "Vervang %(count)s gevonden."
|
505 |
+
msgstr[1] "Vervang %(count)s gevonden."
|
506 |
+
|
507 |
+
#: search-regex-strings.php:77
|
508 |
+
msgid "Delete"
|
509 |
+
msgstr "Verwijderen"
|
510 |
+
|
511 |
+
#: search-regex-strings.php:76
|
512 |
+
msgid "Editor"
|
513 |
+
msgstr "Bewerkingsscherm"
|
514 |
+
|
515 |
+
#: search-regex-strings.php:75
|
516 |
+
msgid "Edit"
|
517 |
+
msgstr "Bewerken"
|
518 |
+
|
519 |
+
#: search-regex-strings.php:74
|
520 |
+
msgid "Replacement for all matches in this row"
|
521 |
+
msgstr "Vervanging voor alle gevonden zoektermen in deze regel"
|
522 |
+
|
523 |
+
#: search-regex-strings.php:72
|
524 |
+
msgid "Check Again"
|
525 |
+
msgstr "Opnieuw controleren"
|
526 |
+
|
527 |
+
#: search-regex-strings.php:71
|
528 |
+
msgid "Testing - %s$"
|
529 |
+
msgstr "Aan het testen - %s$"
|
530 |
+
|
531 |
+
#: search-regex-strings.php:70
|
532 |
+
msgid "Show Problems"
|
533 |
+
msgstr "Toon problemen"
|
534 |
+
|
535 |
+
#: search-regex-strings.php:69
|
536 |
+
msgid "Summary"
|
537 |
+
msgstr "Samenvatting"
|
538 |
+
|
539 |
+
#: search-regex-strings.php:68
|
540 |
+
msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
|
541 |
+
msgstr "Je gebruikte een defecte REST API route. Wijziging naar een werkende API zou het probleem moeten oplossen."
|
542 |
+
|
543 |
+
#: search-regex-strings.php:67
|
544 |
+
msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
|
545 |
+
msgstr "Je REST API werkt niet en de plugin kan niet verder voordat dit is opgelost."
|
546 |
+
|
547 |
+
#: search-regex-strings.php:66
|
548 |
+
msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
|
549 |
+
msgstr "Er zijn enkele problemen in de verbinding met je REST API. Het is niet nodig om deze problemen op te lossen en de plugin werkt gewoon."
|
550 |
+
|
551 |
+
#: search-regex-strings.php:65
|
552 |
+
msgid "Unavailable"
|
553 |
+
msgstr "Niet beschikbaar"
|
554 |
+
|
555 |
+
#: search-regex-strings.php:64
|
556 |
+
msgid "Not working but fixable"
|
557 |
+
msgstr "Werkt niet, maar te repareren"
|
558 |
+
|
559 |
+
#: search-regex-strings.php:63
|
560 |
+
msgid "Working but some issues"
|
561 |
+
msgstr "Werkt, maar met problemen"
|
562 |
+
|
563 |
+
#: search-regex-strings.php:62
|
564 |
+
msgid "Good"
|
565 |
+
msgstr "Goed"
|
566 |
+
|
567 |
+
#: search-regex-strings.php:61
|
568 |
+
msgid "Current API"
|
569 |
+
msgstr "Huidige API"
|
570 |
+
|
571 |
+
#: search-regex-strings.php:60
|
572 |
+
msgid "Switch to this API"
|
573 |
+
msgstr "Gebruik deze API"
|
574 |
+
|
575 |
+
#: search-regex-strings.php:59
|
576 |
+
msgid "Hide"
|
577 |
+
msgstr "Verberg"
|
578 |
+
|
579 |
+
#: search-regex-strings.php:58
|
580 |
+
msgid "Show Full"
|
581 |
+
msgstr "Toon volledig"
|
582 |
+
|
583 |
+
#: search-regex-strings.php:57
|
584 |
+
msgid "Working!"
|
585 |
+
msgstr "Werkt!"
|
586 |
+
|
587 |
+
#: search-regex-strings.php:55
|
588 |
+
msgid "Phrases replaced: %s"
|
589 |
+
msgstr "Aantal zoektermen vervangen: %s"
|
590 |
+
|
591 |
+
#: search-regex-strings.php:54
|
592 |
+
msgid "Rows updated: %s"
|
593 |
+
msgstr "Aantal regels bijgewerkt: %s"
|
594 |
+
|
595 |
+
#: search-regex-strings.php:53 search-regex-strings.php:56
|
596 |
+
msgid "Finished!"
|
597 |
+
msgstr "Klaar!"
|
598 |
+
|
599 |
+
#: search-regex-strings.php:52
|
600 |
+
msgid "Replace progress"
|
601 |
+
msgstr "Voortgang vervangen"
|
602 |
+
|
603 |
+
#: search-regex-strings.php:51 search-regex-strings.php:110
|
604 |
+
msgid "Cancel"
|
605 |
+
msgstr "Annuleren"
|
606 |
+
|
607 |
+
#: search-regex-strings.php:50 search-regex-strings.php:73
|
608 |
+
#: search-regex-strings.php:114
|
609 |
+
msgid "Replace"
|
610 |
+
msgstr "Vervangen"
|
611 |
+
|
612 |
+
#: search-regex-strings.php:49
|
613 |
+
msgid "Search phrase will be removed"
|
614 |
+
msgstr "Zoekterm zal worden verwijderd"
|
615 |
+
|
616 |
+
#: search-regex-strings.php:48
|
617 |
+
msgid "Remove"
|
618 |
+
msgstr "Verwijderen"
|
619 |
+
|
620 |
+
#: search-regex-strings.php:47
|
621 |
+
msgid "Multi"
|
622 |
+
msgstr "Meerdere"
|
623 |
+
|
624 |
+
#: search-regex-strings.php:46
|
625 |
+
msgid "Single"
|
626 |
+
msgstr "Enkel"
|
627 |
+
|
628 |
+
#: search-regex-strings.php:45
|
629 |
+
msgid "View notice"
|
630 |
+
msgstr "Toon bericht"
|
631 |
+
|
632 |
+
#: search-regex-strings.php:41
|
633 |
+
msgid "Replace single phrase."
|
634 |
+
msgstr "Vervang enkele zoekterm"
|
635 |
+
|
636 |
+
#: search-regex-strings.php:40
|
637 |
+
msgid "Replacement for this match"
|
638 |
+
msgstr "Vervanging voor deze gevonden zoekterm"
|
639 |
+
|
640 |
+
#: search-regex-strings.php:44 search-regex-strings.php:83
|
641 |
+
msgid "Support"
|
642 |
+
msgstr "Support"
|
643 |
+
|
644 |
+
#: search-regex-strings.php:43 search-regex-strings.php:82
|
645 |
+
msgid "Options"
|
646 |
+
msgstr "Opties"
|
647 |
+
|
648 |
+
#: search-regex-strings.php:42
|
649 |
+
msgid "Search & Replace"
|
650 |
+
msgstr "Zoek en vervang"
|
651 |
+
|
652 |
+
#: search-regex-strings.php:38
|
653 |
+
msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
|
654 |
+
msgstr "Als je WordPress 5.2 of nieuwer gebruikt, kijk dan bij {{link}}Sitediagnose{{/link}} en los de problemen op."
|
655 |
+
|
656 |
+
#: search-regex-strings.php:37
|
657 |
+
msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
|
658 |
+
msgstr "{{link}}Zet andere plugins tijdelijk uit!{{/link}} Dit lost heel vaak problemen op."
|
659 |
+
|
660 |
+
#: search-regex-strings.php:36
|
661 |
+
msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
|
662 |
+
msgstr "{{link}}Caching software{{/link}}, en zeker Cloudflare, kunnen het verkeerde cachen. Probeer alle cache te verwijderen."
|
663 |
+
|
664 |
+
#: search-regex-strings.php:35
|
665 |
+
msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
|
666 |
+
msgstr "Kijk naar de {{link}}plugin status{{/link}}. Het kan zijn dat je zo het probleem vindt en het probleem \"magisch\" oplost."
|
667 |
+
|
668 |
+
#: search-regex-strings.php:34
|
669 |
+
msgid "What do I do next?"
|
670 |
+
msgstr "Wat moet ik nu doen?"
|
671 |
+
|
672 |
+
#: search-regex-strings.php:33 search-regex-strings.php:88
|
673 |
+
msgid "Something went wrong 🙁"
|
674 |
+
msgstr "Er is iets fout gegaan 🙁"
|
675 |
+
|
676 |
+
#: search-regex-strings.php:32 search-regex-strings.php:39
|
677 |
+
msgid "That didn't help"
|
678 |
+
msgstr "Dat hielp niet"
|
679 |
+
|
680 |
+
#: search-regex-strings.php:31
|
681 |
+
msgid "The problem is almost certainly caused by one of the above."
|
682 |
+
msgstr "Het probleem wordt vrijwel zeker veroorzaakt door een van de bovenstaande."
|
683 |
+
|
684 |
+
#: search-regex-strings.php:30
|
685 |
+
msgid "Your admin pages are being cached. Clear this cache and try again."
|
686 |
+
msgstr "Je admin pagina's worden gecached. Wis deze cache en probeer het opnieuw."
|
687 |
+
|
688 |
+
#: search-regex-strings.php:29
|
689 |
+
msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
|
690 |
+
msgstr "Log uit, wis de browsercache en log opnieuw in - je browser heeft een oude sessie in de cache opgeslagen."
|
691 |
+
|
692 |
+
#: search-regex-strings.php:28
|
693 |
+
msgid "Reload the page - your current session is old."
|
694 |
+
msgstr "Herlaad de pagina - je huidige sessie is oud."
|
695 |
+
|
696 |
+
#: search-regex-strings.php:27
|
697 |
+
msgid "This is usually fixed by doing one of these:"
|
698 |
+
msgstr "Dit wordt gewoonlijk opgelost door een van deze oplossingen:"
|
699 |
+
|
700 |
+
#: search-regex-strings.php:26
|
701 |
+
msgid "You are not authorised to access this page."
|
702 |
+
msgstr "Je hebt geen rechten voor toegang tot deze pagina."
|
703 |
+
|
704 |
+
#: search-regex-strings.php:25
|
705 |
+
msgid "Include these details in your report along with a description of what you were doing and a screenshot."
|
706 |
+
msgstr "Voeg deze gegevens toe aan je melding, samen met een beschrijving van wat je deed en een schermafbeelding."
|
707 |
+
|
708 |
+
#: search-regex-strings.php:24 source/core/comment.php:23
|
709 |
+
msgid "Email"
|
710 |
+
msgstr "E-mail"
|
711 |
+
|
712 |
+
#: search-regex-strings.php:23
|
713 |
+
msgid "Create An Issue"
|
714 |
+
msgstr "Meld een probleem"
|
715 |
+
|
716 |
+
#: search-regex-strings.php:22
|
717 |
+
msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
|
718 |
+
msgstr "{{strong}}Meld een probleem{{/strong}} of stuur het in een {{strong}}e-mail{{/strong}}."
|
719 |
+
|
720 |
+
#: search-regex-strings.php:21
|
721 |
+
msgid "Close"
|
722 |
+
msgstr "Sluiten"
|
723 |
+
|
724 |
+
#: search-regex-strings.php:20
|
725 |
+
msgid "Save"
|
726 |
+
msgstr "Opslaan"
|
727 |
+
|
728 |
+
#: search-regex-strings.php:19
|
729 |
+
msgid "Editing %s"
|
730 |
+
msgstr "Aan het bewerken %s"
|
731 |
+
|
732 |
+
#: search-regex-strings.php:17
|
733 |
+
msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
|
734 |
+
msgstr "Niet mogelijk om een verzoek te doen vanwege browser beveiliging. Dit gebeurt meestal omdat WordPress en de site URL niet overeenkomen, of het verzoek wordt geblokkeerd door het CORS beleid van je site."
|
735 |
+
|
736 |
+
#: search-regex-strings.php:16
|
737 |
+
msgid "Possible cause"
|
738 |
+
msgstr "Mogelijke oorzaak"
|
739 |
+
|
740 |
+
#: search-regex-strings.php:15
|
741 |
+
msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
|
742 |
+
msgstr "WordPress genereert een onverwachte melding. Dit is waarschijnlijk een PHP foutmelding van een andere plugin."
|
743 |
+
|
744 |
+
#: search-regex-strings.php:14
|
745 |
+
msgid "Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working"
|
746 |
+
msgstr "Je WordPress REST API is uitgezet. Je moet het deze aanzetten om Search Regex te laten werken"
|
747 |
+
|
748 |
+
#: search-regex-strings.php:12
|
749 |
+
msgid "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"
|
750 |
+
msgstr "Dit kan een beveiliging plugin zijn. Of je server heeft geen geheugen meer of heeft een externe fout. Bekijk de error log op je server"
|
751 |
+
|
752 |
+
#: search-regex-strings.php:11
|
753 |
+
msgid "Your server has rejected the request for being too big. You will need to change it to continue."
|
754 |
+
msgstr "Je server heeft het verzoek afgewezen omdat het te groot is. Je moet het veranderen om door te gaan."
|
755 |
+
|
756 |
+
#: search-regex-strings.php:9
|
757 |
+
msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
|
758 |
+
msgstr "Je REST API genereert een 404-pagina. Dit kan worden veroorzaakt door een beveiliging plugin, of je server kan niet goed zijn geconfigureerd."
|
759 |
+
|
760 |
+
#: search-regex-strings.php:7
|
761 |
+
msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
|
762 |
+
msgstr "Je REST API wordt waarschijnlijk geblokkeerd door een beveiliging plugin. Zet de plugin uit, of configureer hem zodat hij REST API verzoeken toestaat."
|
763 |
+
|
764 |
+
#: search-regex-strings.php:6 search-regex-strings.php:8
|
765 |
+
#: search-regex-strings.php:10 search-regex-strings.php:13
|
766 |
+
#: search-regex-strings.php:18
|
767 |
+
msgid "Read this REST API guide for more information."
|
768 |
+
msgstr "Lees deze REST API gids voor meer informatie."
|
769 |
+
|
770 |
+
#: search-regex-strings.php:5
|
771 |
+
msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
|
772 |
+
msgstr "Je REST API is gecached. Maak je cache plugin leeg, je server caches, log uit, leeg je browser cache, en probeer dan opnieuw."
|
773 |
+
|
774 |
+
#: search-regex-strings.php:4
|
775 |
+
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."
|
776 |
+
msgstr "WordPress heeft geen reactie gegeven. Dit kan betekenen dat er een fout is opgetreden of dat het verzoek werd geblokkeerd. Bekijk je server foutlog."
|
777 |
+
|
778 |
+
#. Author of the plugin
|
779 |
+
msgid "John Godley"
|
780 |
+
msgstr "John Godley"
|
781 |
+
|
782 |
+
#. Description of the plugin
|
783 |
+
msgid "Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support"
|
784 |
+
msgstr "Voeg zoek en vervang functionaliteit toe in berichten, pagina's, reacties en meta-data, met volledige ondersteuning van reguliere expressies."
|
785 |
+
|
786 |
+
#. Plugin URI of the plugin
|
787 |
+
msgid "https://searchregex.com/"
|
788 |
+
msgstr "https://searchregex.com/"
|
789 |
+
|
790 |
+
#. Plugin Name of the plugin
|
791 |
+
#: search-regex-strings.php:81
|
792 |
+
msgid "Search Regex"
|
793 |
+
msgstr "Search Regex"
|
locale/search-regex-nl_NL.mo
ADDED
Binary file
|
locale/search-regex-nl_NL.po
ADDED
@@ -0,0 +1,793 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Translation of Plugins - Search Regex - Development (trunk) in Dutch
|
2 |
+
# This file is distributed under the same license as the Plugins - Search Regex - Development (trunk) package.
|
3 |
+
msgid ""
|
4 |
+
msgstr ""
|
5 |
+
"PO-Revision-Date: 2020-05-17 10:57:39+0000\n"
|
6 |
+
"MIME-Version: 1.0\n"
|
7 |
+
"Content-Type: text/plain; charset=UTF-8\n"
|
8 |
+
"Content-Transfer-Encoding: 8bit\n"
|
9 |
+
"Plural-Forms: nplurals=2; plural=n != 1;\n"
|
10 |
+
"X-Generator: GlotPress/3.0.0-alpha\n"
|
11 |
+
"Language: nl\n"
|
12 |
+
"Project-Id-Version: Plugins - Search Regex - Development (trunk)\n"
|
13 |
+
|
14 |
+
#: source/core/post.php:90
|
15 |
+
msgid "GUID"
|
16 |
+
msgstr "GUID"
|
17 |
+
|
18 |
+
#: source/core/post.php:89
|
19 |
+
msgid "Slug"
|
20 |
+
msgstr "Slug"
|
21 |
+
|
22 |
+
#: source/core/post.php:87
|
23 |
+
msgid "Excerpt"
|
24 |
+
msgstr "Samenvatting"
|
25 |
+
|
26 |
+
#: source/core/post.php:86
|
27 |
+
msgid "Content"
|
28 |
+
msgstr "Inhoud"
|
29 |
+
|
30 |
+
#: source/core/post.php:51
|
31 |
+
msgid "Search GUID"
|
32 |
+
msgstr "Zoek GUID"
|
33 |
+
|
34 |
+
#: source/core/user.php:37
|
35 |
+
msgid "Display name"
|
36 |
+
msgstr "Schermnaam (getoond op site)"
|
37 |
+
|
38 |
+
#: source/core/user.php:35
|
39 |
+
msgid "Nicename"
|
40 |
+
msgstr "Schermnaam (backend)"
|
41 |
+
|
42 |
+
#: source/core/options.php:20 source/core/meta.php:20
|
43 |
+
msgid "Value"
|
44 |
+
msgstr "Waarde"
|
45 |
+
|
46 |
+
#: source/core/comment.php:66
|
47 |
+
msgid "Include spam comments"
|
48 |
+
msgstr "Inclusief spam reacties"
|
49 |
+
|
50 |
+
#: source/core/comment.php:25
|
51 |
+
msgid "Comment"
|
52 |
+
msgstr "Reactie"
|
53 |
+
|
54 |
+
#: source/core/options.php:19 source/core/meta.php:19
|
55 |
+
#: source/core/comment.php:22
|
56 |
+
msgid "Name"
|
57 |
+
msgstr "Naam"
|
58 |
+
|
59 |
+
#: source/plugin/redirection.php:82
|
60 |
+
msgid "Search your redirects"
|
61 |
+
msgstr "Zoek je redirects"
|
62 |
+
|
63 |
+
#: source/plugin/redirection.php:28 source/core/post.php:88
|
64 |
+
msgid "Title"
|
65 |
+
msgstr "Titel"
|
66 |
+
|
67 |
+
#: source/plugin/redirection.php:27 source/core/user.php:36
|
68 |
+
#: source/core/comment.php:24
|
69 |
+
msgid "URL"
|
70 |
+
msgstr "URL"
|
71 |
+
|
72 |
+
#. translators: 1: server PHP version. 2: required PHP version.
|
73 |
+
#: search-regex.php:39
|
74 |
+
msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
|
75 |
+
msgstr "Uitgeschakeld! Gedetecteerd PHP %1$s, nodig PHP %2$s+"
|
76 |
+
|
77 |
+
#: models/source-manager.php:131
|
78 |
+
msgid "Plugins"
|
79 |
+
msgstr "Plugins"
|
80 |
+
|
81 |
+
#: models/source-manager.php:124
|
82 |
+
msgid "Specific Post Types"
|
83 |
+
msgstr "Specifieke berichttypen"
|
84 |
+
|
85 |
+
#: models/source-manager.php:117
|
86 |
+
msgid "Standard Types"
|
87 |
+
msgstr "Standaard typen"
|
88 |
+
|
89 |
+
#: models/source-manager.php:64
|
90 |
+
msgid "Search all WordPress options."
|
91 |
+
msgstr "Doorzoek alle WordPress opties"
|
92 |
+
|
93 |
+
#: models/source-manager.php:63
|
94 |
+
msgid "WordPress Options"
|
95 |
+
msgstr "WordPress opties"
|
96 |
+
|
97 |
+
#: models/source-manager.php:57
|
98 |
+
msgid "Search user meta name and values."
|
99 |
+
msgstr "Zoek gebruiker gegevens naam en waarden."
|
100 |
+
|
101 |
+
#: models/source-manager.php:56
|
102 |
+
msgid "User Meta"
|
103 |
+
msgstr "Gebruiker Meta"
|
104 |
+
|
105 |
+
#: models/source-manager.php:50
|
106 |
+
msgid "Search user email, URL, and name."
|
107 |
+
msgstr "Zoek e-mail, URL en naam van gebruiker."
|
108 |
+
|
109 |
+
#: models/source-manager.php:49
|
110 |
+
msgid "Users"
|
111 |
+
msgstr "Gebruikers"
|
112 |
+
|
113 |
+
#: models/source-manager.php:43
|
114 |
+
msgid "Search comment meta names and values."
|
115 |
+
msgstr "Zoek reactie meta namen en waarden"
|
116 |
+
|
117 |
+
#: models/source-manager.php:42
|
118 |
+
msgid "Comment Meta"
|
119 |
+
msgstr "Reactie Meta"
|
120 |
+
|
121 |
+
#: models/source-manager.php:36
|
122 |
+
msgid "Search comment content, URL, and author, with optional support for spam comments."
|
123 |
+
msgstr "Doorzoek reactie inhoud, URL en auteur, met optie voor spam reacties. "
|
124 |
+
|
125 |
+
#: models/source-manager.php:35
|
126 |
+
msgid "Comments"
|
127 |
+
msgstr "Reacties"
|
128 |
+
|
129 |
+
#: models/source-manager.php:29
|
130 |
+
msgid "Search post meta names and values."
|
131 |
+
msgstr "Zoek bericht meta namen en waarden"
|
132 |
+
|
133 |
+
#: models/source-manager.php:28
|
134 |
+
msgid "Post Meta"
|
135 |
+
msgstr "Bericht meta"
|
136 |
+
|
137 |
+
#: models/source-manager.php:22
|
138 |
+
msgid "Search all posts, pages, and custom post types."
|
139 |
+
msgstr "Doorzoek alle berichten, pagina's en aangepaste bericht typen."
|
140 |
+
|
141 |
+
#: models/source-manager.php:21
|
142 |
+
msgid "All Post Types"
|
143 |
+
msgstr "Alle berichttypen"
|
144 |
+
|
145 |
+
#: search-regex-admin.php:377
|
146 |
+
msgid "Please enable JavaScript"
|
147 |
+
msgstr "Schakel Javascript in"
|
148 |
+
|
149 |
+
#: search-regex-admin.php:373
|
150 |
+
msgid "Loading, please wait..."
|
151 |
+
msgstr "Aan het laden..."
|
152 |
+
|
153 |
+
#: search-regex-admin.php:354
|
154 |
+
msgid "Create Issue"
|
155 |
+
msgstr "Meld een probleem"
|
156 |
+
|
157 |
+
#: search-regex-admin.php:351
|
158 |
+
msgid "<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again."
|
159 |
+
msgstr "<code>SearchRegexi10n</code> is niet gedefinieerd. Dit betekent meestal dat een andere plugin Search Regex blokkeert om te laden. Zet alle plugins uit en probeer het opnieuw."
|
160 |
+
|
161 |
+
#: search-regex-admin.php:350
|
162 |
+
msgid "If you think Search Regex is at fault then create an issue."
|
163 |
+
msgstr "Denk je dat Search Regex het probleem veroorzaakt, maak dan een probleemrapport aan."
|
164 |
+
|
165 |
+
#: search-regex-admin.php:349
|
166 |
+
msgid "Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>."
|
167 |
+
msgstr "Bekijk hier de <a href=\"https://searchregex.com/support/problems/\">lijst van algemene problemen</a>."
|
168 |
+
|
169 |
+
#: search-regex-admin.php:348
|
170 |
+
msgid "Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex"
|
171 |
+
msgstr "Search Regex vereist dat de WordPress REST API geactiveerd is. Heb je deze uitgezet, dan kun je Search Regex niet gebruiken."
|
172 |
+
|
173 |
+
#: search-regex-admin.php:346
|
174 |
+
msgid "Also check if your browser is able to load <code>search-regex.js</code>:"
|
175 |
+
msgstr "Controleer ook of je browser <code>search-regex.js</code> kan laden:"
|
176 |
+
|
177 |
+
#: search-regex-admin.php:344
|
178 |
+
msgid "This may be caused by another plugin - look at your browser's error console for more details."
|
179 |
+
msgstr "Dit kan worden veroorzaakt door een andere plugin - bekijk je browser's foutconsole voor meer gegevens."
|
180 |
+
|
181 |
+
#: search-regex-admin.php:343
|
182 |
+
msgid "Unable to load Search Regex ☹️"
|
183 |
+
msgstr "Laden van Search Regex ☹️ onmogelijk"
|
184 |
+
|
185 |
+
#: search-regex-admin.php:328
|
186 |
+
msgid "Unable to load Search Regex"
|
187 |
+
msgstr "Laden van Search Regex onmogelijk"
|
188 |
+
|
189 |
+
#. translators: 1: Expected WordPress version, 2: Actual WordPress version
|
190 |
+
#: search-regex-admin.php:325
|
191 |
+
msgid "Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
|
192 |
+
msgstr "Search Regex heeft WordPress v%1$1s nodig, en je gebruikt v%2$2s - update je WordPress"
|
193 |
+
|
194 |
+
#: search-regex-admin.php:229
|
195 |
+
msgid "Search Regex Support"
|
196 |
+
msgstr "Search Regex ondersteuning"
|
197 |
+
|
198 |
+
#. translators: URL
|
199 |
+
#: search-regex-admin.php:220
|
200 |
+
msgid "You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
201 |
+
msgstr "Je kunt de volledige documentatie over het gebruik van Search Regex vinden op de <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
202 |
+
|
203 |
+
#: search-regex-admin.php:45
|
204 |
+
msgid "Settings"
|
205 |
+
msgstr "Instellingen"
|
206 |
+
|
207 |
+
#: search-regex-strings.php:160
|
208 |
+
msgid "Actions"
|
209 |
+
msgstr "Acties"
|
210 |
+
|
211 |
+
#: search-regex-strings.php:159
|
212 |
+
msgid "Matched Phrases"
|
213 |
+
msgstr "Gevonden zoektermen"
|
214 |
+
|
215 |
+
#: search-regex-strings.php:158
|
216 |
+
msgid "Matches"
|
217 |
+
msgstr "Gevonden"
|
218 |
+
|
219 |
+
#: search-regex-strings.php:157
|
220 |
+
msgid "Row ID"
|
221 |
+
msgstr "Regel ID"
|
222 |
+
|
223 |
+
#: search-regex-strings.php:155
|
224 |
+
msgid "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."
|
225 |
+
msgstr "Het maximum aantal van pagina aanvragen is overschreven en zoeken is gestopt. Probeer een preciezere zoekterm te gebruiken."
|
226 |
+
|
227 |
+
#: search-regex-strings.php:154
|
228 |
+
msgid "No more matching results found."
|
229 |
+
msgstr "Geen resultaten meer gevonden."
|
230 |
+
|
231 |
+
#: search-regex-strings.php:153
|
232 |
+
msgid "Last page"
|
233 |
+
msgstr "Laatste pagina"
|
234 |
+
|
235 |
+
#: search-regex-strings.php:151
|
236 |
+
msgid "Page %(current)s of %(total)s"
|
237 |
+
msgstr "Pagina %(current)s van %(total)s"
|
238 |
+
|
239 |
+
#: search-regex-strings.php:148
|
240 |
+
msgid "Matches: %(phrases)s across %(rows)s database row."
|
241 |
+
msgid_plural "Matches: %(phrases)s across %(rows)s database rows."
|
242 |
+
msgstr[0] "Gevonden in: %(phrases)s in %(rows)s database regel."
|
243 |
+
msgstr[1] "Gevonden in: %(phrases)s in %(rows)s database regels."
|
244 |
+
|
245 |
+
#: search-regex-strings.php:147 search-regex-strings.php:152
|
246 |
+
msgid "Next page"
|
247 |
+
msgstr "Volgende pagina"
|
248 |
+
|
249 |
+
#: search-regex-strings.php:146
|
250 |
+
msgid "Progress %(current)s$"
|
251 |
+
msgstr "Voortgang %(current)s$"
|
252 |
+
|
253 |
+
#: search-regex-strings.php:145 search-regex-strings.php:150
|
254 |
+
msgid "Prev page"
|
255 |
+
msgstr "Vorige pagina"
|
256 |
+
|
257 |
+
#: search-regex-strings.php:144 search-regex-strings.php:149
|
258 |
+
msgid "First page"
|
259 |
+
msgstr "Eerste pagina"
|
260 |
+
|
261 |
+
#: search-regex-strings.php:143
|
262 |
+
msgid "%s database row in total"
|
263 |
+
msgid_plural "%s database rows in total"
|
264 |
+
msgstr[0] "%s database regel totaal"
|
265 |
+
msgstr[1] "%s database regels totaal"
|
266 |
+
|
267 |
+
#: search-regex-strings.php:142
|
268 |
+
msgid "500 per page"
|
269 |
+
msgstr "500 per pagina"
|
270 |
+
|
271 |
+
#: search-regex-strings.php:141
|
272 |
+
msgid "250 per page"
|
273 |
+
msgstr "250 per pagina"
|
274 |
+
|
275 |
+
#: search-regex-strings.php:140
|
276 |
+
msgid "100 per page"
|
277 |
+
msgstr "100 per pagina"
|
278 |
+
|
279 |
+
#: search-regex-strings.php:139
|
280 |
+
msgid "50 per page "
|
281 |
+
msgstr "50 per pagina "
|
282 |
+
|
283 |
+
#: search-regex-strings.php:138
|
284 |
+
msgid "25 per page "
|
285 |
+
msgstr "25 per pagina "
|
286 |
+
|
287 |
+
#: search-regex-strings.php:137
|
288 |
+
msgid "Ignore Case"
|
289 |
+
msgstr "Negeer hoofdletter gebruik"
|
290 |
+
|
291 |
+
#: search-regex-strings.php:136
|
292 |
+
msgid "Regular Expression"
|
293 |
+
msgstr "Reguliere expressie"
|
294 |
+
|
295 |
+
#: search-regex-strings.php:135
|
296 |
+
msgid "Row updated"
|
297 |
+
msgstr "Regel bijgewerkt"
|
298 |
+
|
299 |
+
#: search-regex-strings.php:134
|
300 |
+
msgid "Row replaced"
|
301 |
+
msgstr "Regel vervangen"
|
302 |
+
|
303 |
+
#: search-regex-strings.php:133
|
304 |
+
msgid "Row deleted"
|
305 |
+
msgstr "Regel verwijderd"
|
306 |
+
|
307 |
+
#: search-regex-strings.php:132
|
308 |
+
msgid "Settings saved"
|
309 |
+
msgstr "Instellingen opgeslagen"
|
310 |
+
|
311 |
+
#: search-regex-strings.php:131 search-regex-admin.php:212
|
312 |
+
msgid "{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search."
|
313 |
+
msgstr ""
|
314 |
+
"{{link}}Zoekopties{{/link}} - aanvullende opties voor de selecteerde bron. Bijvoorbeeld\n"
|
315 |
+
"om bericht {{guid}}GUID{{/guid}} toe te voegen aan de zoekterm."
|
316 |
+
|
317 |
+
#: search-regex-strings.php:130 search-regex-admin.php:225
|
318 |
+
msgid "{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments."
|
319 |
+
msgstr "{{link}}Bron{{/link}} - de bron van de gegevens waarin je zoekt. Bijvoorbeeld: berichten, pagina's, reacties."
|
320 |
+
|
321 |
+
#: search-regex-strings.php:129 search-regex-admin.php:224
|
322 |
+
msgid "{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches."
|
323 |
+
msgstr "{{link}}Reguliere expressie{{/link}} - een manier om patronen aan maken om tekst mee te zoeken. Geeft meer geavanceerde zoekresultaten."
|
324 |
+
|
325 |
+
#: search-regex-strings.php:128 search-regex-admin.php:223
|
326 |
+
msgid "{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support."
|
327 |
+
msgstr "{{link}}Zoekopties{{/link}} - aanvullende opties voor je zoekterm, om hoofdlettergebruik te negeren en voor gebruik van reguliere expressies."
|
328 |
+
|
329 |
+
#: search-regex-strings.php:127 search-regex-admin.php:221
|
330 |
+
msgid "The following concepts are used by Search Regex:"
|
331 |
+
msgstr "De volgende concepten worden gebruikt door Search Regex:"
|
332 |
+
|
333 |
+
#: search-regex-strings.php:126
|
334 |
+
msgid "Quick Help"
|
335 |
+
msgstr "Snelle hulp"
|
336 |
+
|
337 |
+
#: search-regex-strings.php:125
|
338 |
+
msgid "Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me."
|
339 |
+
msgstr "Vind je dit een fijne plugin? Overweeg ook eens {{link}}Redirection{{/link}}, een plugin die redirects beheert en ook door mij is gemaakt."
|
340 |
+
|
341 |
+
#: search-regex-strings.php:124 source/plugin/redirection.php:81
|
342 |
+
msgid "Redirection"
|
343 |
+
msgstr "Omleiding"
|
344 |
+
|
345 |
+
#: search-regex-strings.php:123
|
346 |
+
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!"
|
347 |
+
msgstr "Als je informatie wilt sturen, maar die je niet in de openbare repository wilt delen, stuur dan een {{email}}email{{/email}} direct aan mij - met zoveel informatie als mogelijk!"
|
348 |
+
|
349 |
+
#: search-regex-strings.php:122
|
350 |
+
msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
|
351 |
+
msgstr "Support wordt gegeven op basis van beschikbare tijd en is niet gegarandeerd. Ik geef geen betaalde ondersteuning."
|
352 |
+
|
353 |
+
#: search-regex-strings.php:121
|
354 |
+
msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
|
355 |
+
msgstr "Wil je een bug doorgeven, lees dan de {{report}}Reporting Bugs{{/report}} gids."
|
356 |
+
|
357 |
+
#: search-regex-strings.php:120
|
358 |
+
msgid "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}."
|
359 |
+
msgstr "Volledige documentatie voor Search Regex kan je vinden op {{site}}https://searchregex.com{{/site}}."
|
360 |
+
|
361 |
+
#: search-regex-strings.php:119
|
362 |
+
msgid "Need more help?"
|
363 |
+
msgstr "Meer hulp nodig?"
|
364 |
+
|
365 |
+
#: search-regex-strings.php:118
|
366 |
+
msgid "Results"
|
367 |
+
msgstr "Resultaten"
|
368 |
+
|
369 |
+
#: search-regex-strings.php:117
|
370 |
+
msgid "Source Options"
|
371 |
+
msgstr "Bron opties"
|
372 |
+
|
373 |
+
#: search-regex-strings.php:116 search-regex-strings.php:156
|
374 |
+
msgid "Source"
|
375 |
+
msgstr "Bron"
|
376 |
+
|
377 |
+
#: search-regex-strings.php:115
|
378 |
+
msgid "Enter global replacement text"
|
379 |
+
msgstr "Term voor vervangen invoeren"
|
380 |
+
|
381 |
+
#: search-regex-strings.php:113
|
382 |
+
msgid "Search Flags"
|
383 |
+
msgstr "Zoek opties"
|
384 |
+
|
385 |
+
#: search-regex-strings.php:112
|
386 |
+
msgid "Enter search phrase"
|
387 |
+
msgstr "Zoekterm invoeren"
|
388 |
+
|
389 |
+
#: search-regex-strings.php:109
|
390 |
+
msgid "Replace All"
|
391 |
+
msgstr "Alles vervangen"
|
392 |
+
|
393 |
+
#: search-regex-strings.php:108 search-regex-strings.php:111
|
394 |
+
msgid "Search"
|
395 |
+
msgstr "Zoeken"
|
396 |
+
|
397 |
+
#: search-regex-strings.php:107
|
398 |
+
msgid "Search and replace information in your database."
|
399 |
+
msgstr "Zoek en vervang informatie in je database."
|
400 |
+
|
401 |
+
#: search-regex-strings.php:106
|
402 |
+
msgid "You are advised to backup your data before making modifications."
|
403 |
+
msgstr "Je wordt geadviseerd om eerst een backup te maken van je data, voordat je wijzigen gaat maken."
|
404 |
+
|
405 |
+
#: search-regex-strings.php:105
|
406 |
+
msgid "Update"
|
407 |
+
msgstr "Bijwerken"
|
408 |
+
|
409 |
+
#: search-regex-strings.php:104
|
410 |
+
msgid "How Search Regex uses the REST API - don't change unless necessary"
|
411 |
+
msgstr "Hoe Search Regex de REST API gebruikt - niet veranderen als het niet noodzakelijk is"
|
412 |
+
|
413 |
+
#: search-regex-strings.php:103
|
414 |
+
msgid "REST API"
|
415 |
+
msgstr "REST API"
|
416 |
+
|
417 |
+
#: search-regex-strings.php:102
|
418 |
+
msgid "I'm a nice person and I have helped support the author of this plugin"
|
419 |
+
msgstr "Ik ben een aardig persoon en ik heb de auteur van deze plugin geholpen met ondersteuning"
|
420 |
+
|
421 |
+
#: search-regex-strings.php:101
|
422 |
+
msgid "Relative REST API"
|
423 |
+
msgstr "Relatieve REST API"
|
424 |
+
|
425 |
+
#: search-regex-strings.php:100
|
426 |
+
msgid "Raw REST API"
|
427 |
+
msgstr "Raw REST API"
|
428 |
+
|
429 |
+
#: search-regex-strings.php:99
|
430 |
+
msgid "Default REST API"
|
431 |
+
msgstr "Standaard REST API"
|
432 |
+
|
433 |
+
#: search-regex-strings.php:98
|
434 |
+
msgid "Plugin Support"
|
435 |
+
msgstr "Plugin ondersteuning"
|
436 |
+
|
437 |
+
#: search-regex-strings.php:97
|
438 |
+
msgid "Support 💰"
|
439 |
+
msgstr "Ondersteuning 💰"
|
440 |
+
|
441 |
+
#: search-regex-strings.php:96
|
442 |
+
msgid "You get useful software and I get to carry on making it better."
|
443 |
+
msgstr "Je krijgt goed bruikbare software en ik kan doorgaan met het verbeteren ervan."
|
444 |
+
|
445 |
+
#: search-regex-strings.php:95
|
446 |
+
msgid "Search Regex 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}}."
|
447 |
+
msgstr "Search Regex is gratis te gebruiken - het leven is life is wonderbaarlijk en verrukkelijk! Het kostte me veel tijd en moeite om dit te ontwikkelen. Je kunt verdere ontwikkeling ondersteunen met het doen van {{strong}}een kleine donatie{{/strong}}."
|
448 |
+
|
449 |
+
#: search-regex-strings.php:94
|
450 |
+
msgid "I'd like to support some more."
|
451 |
+
msgstr "Ik wil graag meer bijdragen."
|
452 |
+
|
453 |
+
#: search-regex-strings.php:93
|
454 |
+
msgid "You've supported this plugin - thank you!"
|
455 |
+
msgstr "Je hebt deze plugin gesteund - dankjewel!"
|
456 |
+
|
457 |
+
#: search-regex-strings.php:92
|
458 |
+
msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
|
459 |
+
msgstr "Vermeld {{code}}%s{{/code}} en leg uit wat je op dat moment deed"
|
460 |
+
|
461 |
+
#: search-regex-strings.php:91
|
462 |
+
msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
|
463 |
+
msgstr "Werkt dit niet, open dan je browser's foutconsole en maak een {{link}}nieuw probleemrapport{{/link}} aan met alle gegevens."
|
464 |
+
|
465 |
+
#: search-regex-strings.php:90 search-regex-admin.php:345
|
466 |
+
msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
|
467 |
+
msgstr "Als je gebruik maakt van een pagina caching plugin of dienst (CloudFlare, OVH, etc.), dan kan je ook proberen om die cache leeg te maken."
|
468 |
+
|
469 |
+
#: search-regex-strings.php:89
|
470 |
+
msgid "Search Regex is not working. Try clearing your browser cache and reloading this page."
|
471 |
+
msgstr "Search Regex werkt niet. Probeer je browser cache leeg te maken en deze pagina opnieuw te laden."
|
472 |
+
|
473 |
+
#: search-regex-strings.php:87
|
474 |
+
msgid "clearing your cache."
|
475 |
+
msgstr "je cache opschonen."
|
476 |
+
|
477 |
+
#: search-regex-strings.php:86
|
478 |
+
msgid "If you are using a caching system such as Cloudflare then please read this: "
|
479 |
+
msgstr "Gebruik je een caching systeem zoals Cloudflare, lees dan dit:"
|
480 |
+
|
481 |
+
#: search-regex-strings.php:85
|
482 |
+
msgid "Please clear your browser cache and reload this page."
|
483 |
+
msgstr "Maak je browser cache leeg en laad deze pagina nogmaals."
|
484 |
+
|
485 |
+
#: search-regex-strings.php:84
|
486 |
+
msgid "Cached Search Regex detected"
|
487 |
+
msgstr "Gecachede Search Regex gevonden"
|
488 |
+
|
489 |
+
#: search-regex-strings.php:80
|
490 |
+
msgid "Show %s more"
|
491 |
+
msgid_plural "Show %s more"
|
492 |
+
msgstr[0] "Nog %s weergeven"
|
493 |
+
msgstr[1] "Nog %s weergeven"
|
494 |
+
|
495 |
+
#: search-regex-strings.php:79
|
496 |
+
msgid "Maximum number of matches exceeded and hidden from view. These will be included in any replacements."
|
497 |
+
msgstr ""
|
498 |
+
"Het maximum aantal zoekresultaten is overschreden en niet zichtbaar. Deze zullen \n"
|
499 |
+
"worden gebruikt bij vervangingen."
|
500 |
+
|
501 |
+
#: search-regex-strings.php:78
|
502 |
+
msgid "Replace %(count)s match."
|
503 |
+
msgid_plural "Replace %(count)s matches."
|
504 |
+
msgstr[0] "Vervang %(count)s gevonden."
|
505 |
+
msgstr[1] "Vervang %(count)s gevonden."
|
506 |
+
|
507 |
+
#: search-regex-strings.php:77
|
508 |
+
msgid "Delete"
|
509 |
+
msgstr "Verwijderen"
|
510 |
+
|
511 |
+
#: search-regex-strings.php:76
|
512 |
+
msgid "Editor"
|
513 |
+
msgstr "Bewerkingsscherm"
|
514 |
+
|
515 |
+
#: search-regex-strings.php:75
|
516 |
+
msgid "Edit"
|
517 |
+
msgstr "Bewerken"
|
518 |
+
|
519 |
+
#: search-regex-strings.php:74
|
520 |
+
msgid "Replacement for all matches in this row"
|
521 |
+
msgstr "Vervanging voor alle gevonden zoektermen in deze regel"
|
522 |
+
|
523 |
+
#: search-regex-strings.php:72
|
524 |
+
msgid "Check Again"
|
525 |
+
msgstr "Opnieuw controleren"
|
526 |
+
|
527 |
+
#: search-regex-strings.php:71
|
528 |
+
msgid "Testing - %s$"
|
529 |
+
msgstr "Aan het testen - %s$"
|
530 |
+
|
531 |
+
#: search-regex-strings.php:70
|
532 |
+
msgid "Show Problems"
|
533 |
+
msgstr "Toon problemen"
|
534 |
+
|
535 |
+
#: search-regex-strings.php:69
|
536 |
+
msgid "Summary"
|
537 |
+
msgstr "Samenvatting"
|
538 |
+
|
539 |
+
#: search-regex-strings.php:68
|
540 |
+
msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
|
541 |
+
msgstr "Je gebruikte een defecte REST API route. Wijziging naar een werkende API zou het probleem moeten oplossen."
|
542 |
+
|
543 |
+
#: search-regex-strings.php:67
|
544 |
+
msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
|
545 |
+
msgstr "Je REST API werkt niet en de plugin kan niet verder voordat dit is opgelost."
|
546 |
+
|
547 |
+
#: search-regex-strings.php:66
|
548 |
+
msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
|
549 |
+
msgstr "Er zijn enkele problemen in de verbinding met je REST API. Het is niet nodig om deze problemen op te lossen en de plugin werkt gewoon."
|
550 |
+
|
551 |
+
#: search-regex-strings.php:65
|
552 |
+
msgid "Unavailable"
|
553 |
+
msgstr "Niet beschikbaar"
|
554 |
+
|
555 |
+
#: search-regex-strings.php:64
|
556 |
+
msgid "Not working but fixable"
|
557 |
+
msgstr "Werkt niet, maar te repareren"
|
558 |
+
|
559 |
+
#: search-regex-strings.php:63
|
560 |
+
msgid "Working but some issues"
|
561 |
+
msgstr "Werkt, maar met problemen"
|
562 |
+
|
563 |
+
#: search-regex-strings.php:62
|
564 |
+
msgid "Good"
|
565 |
+
msgstr "Goed"
|
566 |
+
|
567 |
+
#: search-regex-strings.php:61
|
568 |
+
msgid "Current API"
|
569 |
+
msgstr "Huidige API"
|
570 |
+
|
571 |
+
#: search-regex-strings.php:60
|
572 |
+
msgid "Switch to this API"
|
573 |
+
msgstr "Gebruik deze API"
|
574 |
+
|
575 |
+
#: search-regex-strings.php:59
|
576 |
+
msgid "Hide"
|
577 |
+
msgstr "Verberg"
|
578 |
+
|
579 |
+
#: search-regex-strings.php:58
|
580 |
+
msgid "Show Full"
|
581 |
+
msgstr "Toon volledig"
|
582 |
+
|
583 |
+
#: search-regex-strings.php:57
|
584 |
+
msgid "Working!"
|
585 |
+
msgstr "Werkt!"
|
586 |
+
|
587 |
+
#: search-regex-strings.php:55
|
588 |
+
msgid "Phrases replaced: %s"
|
589 |
+
msgstr "Aantal zoektermen vervangen: %s"
|
590 |
+
|
591 |
+
#: search-regex-strings.php:54
|
592 |
+
msgid "Rows updated: %s"
|
593 |
+
msgstr "Aantal regels bijgewerkt: %s"
|
594 |
+
|
595 |
+
#: search-regex-strings.php:53 search-regex-strings.php:56
|
596 |
+
msgid "Finished!"
|
597 |
+
msgstr "Klaar!"
|
598 |
+
|
599 |
+
#: search-regex-strings.php:52
|
600 |
+
msgid "Replace progress"
|
601 |
+
msgstr "Voortgang vervangen"
|
602 |
+
|
603 |
+
#: search-regex-strings.php:51 search-regex-strings.php:110
|
604 |
+
msgid "Cancel"
|
605 |
+
msgstr "Annuleren"
|
606 |
+
|
607 |
+
#: search-regex-strings.php:50 search-regex-strings.php:73
|
608 |
+
#: search-regex-strings.php:114
|
609 |
+
msgid "Replace"
|
610 |
+
msgstr "Vervangen"
|
611 |
+
|
612 |
+
#: search-regex-strings.php:49
|
613 |
+
msgid "Search phrase will be removed"
|
614 |
+
msgstr "Zoekterm zal worden verwijderd"
|
615 |
+
|
616 |
+
#: search-regex-strings.php:48
|
617 |
+
msgid "Remove"
|
618 |
+
msgstr "Verwijderen"
|
619 |
+
|
620 |
+
#: search-regex-strings.php:47
|
621 |
+
msgid "Multi"
|
622 |
+
msgstr "Meerdere"
|
623 |
+
|
624 |
+
#: search-regex-strings.php:46
|
625 |
+
msgid "Single"
|
626 |
+
msgstr "Enkel"
|
627 |
+
|
628 |
+
#: search-regex-strings.php:45
|
629 |
+
msgid "View notice"
|
630 |
+
msgstr "Toon bericht"
|
631 |
+
|
632 |
+
#: search-regex-strings.php:41
|
633 |
+
msgid "Replace single phrase."
|
634 |
+
msgstr "Vervang enkele zoekterm"
|
635 |
+
|
636 |
+
#: search-regex-strings.php:40
|
637 |
+
msgid "Replacement for this match"
|
638 |
+
msgstr "Vervanging voor deze gevonden zoekterm"
|
639 |
+
|
640 |
+
#: search-regex-strings.php:44 search-regex-strings.php:83
|
641 |
+
msgid "Support"
|
642 |
+
msgstr "Support"
|
643 |
+
|
644 |
+
#: search-regex-strings.php:43 search-regex-strings.php:82
|
645 |
+
msgid "Options"
|
646 |
+
msgstr "Opties"
|
647 |
+
|
648 |
+
#: search-regex-strings.php:42
|
649 |
+
msgid "Search & Replace"
|
650 |
+
msgstr "Zoek en vervang"
|
651 |
+
|
652 |
+
#: search-regex-strings.php:38
|
653 |
+
msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
|
654 |
+
msgstr "Als je WordPress 5.2 of nieuwer gebruikt, kijk dan bij {{link}}Sitediagnose{{/link}} en los de problemen op."
|
655 |
+
|
656 |
+
#: search-regex-strings.php:37
|
657 |
+
msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
|
658 |
+
msgstr "{{link}}Zet andere plugins tijdelijk uit!{{/link}} Dit lost heel vaak problemen op."
|
659 |
+
|
660 |
+
#: search-regex-strings.php:36
|
661 |
+
msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
|
662 |
+
msgstr "{{link}}Caching software{{/link}}, en zeker Cloudflare, kunnen het verkeerde cachen. Probeer alle cache te verwijderen."
|
663 |
+
|
664 |
+
#: search-regex-strings.php:35
|
665 |
+
msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
|
666 |
+
msgstr "Kijk naar de {{link}}plugin status{{/link}}. Het kan zijn dat je zo het probleem vindt en het probleem \"magisch\" oplost."
|
667 |
+
|
668 |
+
#: search-regex-strings.php:34
|
669 |
+
msgid "What do I do next?"
|
670 |
+
msgstr "Wat moet ik nu doen?"
|
671 |
+
|
672 |
+
#: search-regex-strings.php:33 search-regex-strings.php:88
|
673 |
+
msgid "Something went wrong 🙁"
|
674 |
+
msgstr "Er is iets fout gegaan 🙁"
|
675 |
+
|
676 |
+
#: search-regex-strings.php:32 search-regex-strings.php:39
|
677 |
+
msgid "That didn't help"
|
678 |
+
msgstr "Dat hielp niet"
|
679 |
+
|
680 |
+
#: search-regex-strings.php:31
|
681 |
+
msgid "The problem is almost certainly caused by one of the above."
|
682 |
+
msgstr "Het probleem wordt vrijwel zeker veroorzaakt door een van de bovenstaande."
|
683 |
+
|
684 |
+
#: search-regex-strings.php:30
|
685 |
+
msgid "Your admin pages are being cached. Clear this cache and try again."
|
686 |
+
msgstr "Je admin pagina's worden gecached. Wis deze cache en probeer het opnieuw."
|
687 |
+
|
688 |
+
#: search-regex-strings.php:29
|
689 |
+
msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
|
690 |
+
msgstr "Log uit, wis de browsercache en log opnieuw in - je browser heeft een oude sessie in de cache opgeslagen."
|
691 |
+
|
692 |
+
#: search-regex-strings.php:28
|
693 |
+
msgid "Reload the page - your current session is old."
|
694 |
+
msgstr "Herlaad de pagina - je huidige sessie is oud."
|
695 |
+
|
696 |
+
#: search-regex-strings.php:27
|
697 |
+
msgid "This is usually fixed by doing one of these:"
|
698 |
+
msgstr "Dit wordt gewoonlijk opgelost door een van deze oplossingen:"
|
699 |
+
|
700 |
+
#: search-regex-strings.php:26
|
701 |
+
msgid "You are not authorised to access this page."
|
702 |
+
msgstr "Je hebt geen rechten voor toegang tot deze pagina."
|
703 |
+
|
704 |
+
#: search-regex-strings.php:25
|
705 |
+
msgid "Include these details in your report along with a description of what you were doing and a screenshot."
|
706 |
+
msgstr "Voeg deze gegevens toe aan je melding, samen met een beschrijving van wat je deed en een schermafbeelding."
|
707 |
+
|
708 |
+
#: search-regex-strings.php:24 source/core/comment.php:23
|
709 |
+
msgid "Email"
|
710 |
+
msgstr "E-mail"
|
711 |
+
|
712 |
+
#: search-regex-strings.php:23
|
713 |
+
msgid "Create An Issue"
|
714 |
+
msgstr "Meld een probleem"
|
715 |
+
|
716 |
+
#: search-regex-strings.php:22
|
717 |
+
msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
|
718 |
+
msgstr "{{strong}}Meld een probleem{{/strong}} of stuur het in een {{strong}}e-mail{{/strong}}."
|
719 |
+
|
720 |
+
#: search-regex-strings.php:21
|
721 |
+
msgid "Close"
|
722 |
+
msgstr "Sluiten"
|
723 |
+
|
724 |
+
#: search-regex-strings.php:20
|
725 |
+
msgid "Save"
|
726 |
+
msgstr "Opslaan"
|
727 |
+
|
728 |
+
#: search-regex-strings.php:19
|
729 |
+
msgid "Editing %s"
|
730 |
+
msgstr "Aan het bewerken %s"
|
731 |
+
|
732 |
+
#: search-regex-strings.php:17
|
733 |
+
msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
|
734 |
+
msgstr "Niet mogelijk om een verzoek te doen vanwege browser beveiliging. Dit gebeurt meestal omdat WordPress en de site URL niet overeenkomen, of het verzoek wordt geblokkeerd door het CORS beleid van je site."
|
735 |
+
|
736 |
+
#: search-regex-strings.php:16
|
737 |
+
msgid "Possible cause"
|
738 |
+
msgstr "Mogelijke oorzaak"
|
739 |
+
|
740 |
+
#: search-regex-strings.php:15
|
741 |
+
msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
|
742 |
+
msgstr "WordPress genereert een onverwachte melding. Dit is waarschijnlijk een PHP foutmelding van een andere plugin."
|
743 |
+
|
744 |
+
#: search-regex-strings.php:14
|
745 |
+
msgid "Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working"
|
746 |
+
msgstr "Je WordPress REST API is uitgezet. Je moet het deze aanzetten om Search Regex te laten werken"
|
747 |
+
|
748 |
+
#: search-regex-strings.php:12
|
749 |
+
msgid "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log"
|
750 |
+
msgstr "Dit kan een beveiliging plugin zijn. Of je server heeft geen geheugen meer of heeft een externe fout. Bekijk de error log op je server"
|
751 |
+
|
752 |
+
#: search-regex-strings.php:11
|
753 |
+
msgid "Your server has rejected the request for being too big. You will need to change it to continue."
|
754 |
+
msgstr "Je server heeft het verzoek afgewezen omdat het te groot is. Je moet het veranderen om door te gaan."
|
755 |
+
|
756 |
+
#: search-regex-strings.php:9
|
757 |
+
msgid "Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured"
|
758 |
+
msgstr "Je REST API genereert een 404-pagina. Dit kan worden veroorzaakt door een beveiliging plugin, of je server kan niet goed zijn geconfigureerd."
|
759 |
+
|
760 |
+
#: search-regex-strings.php:7
|
761 |
+
msgid "Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests."
|
762 |
+
msgstr "Je REST API wordt waarschijnlijk geblokkeerd door een beveiliging plugin. Zet de plugin uit, of configureer hem zodat hij REST API verzoeken toestaat."
|
763 |
+
|
764 |
+
#: search-regex-strings.php:6 search-regex-strings.php:8
|
765 |
+
#: search-regex-strings.php:10 search-regex-strings.php:13
|
766 |
+
#: search-regex-strings.php:18
|
767 |
+
msgid "Read this REST API guide for more information."
|
768 |
+
msgstr "Lees deze REST API gids voor meer informatie."
|
769 |
+
|
770 |
+
#: search-regex-strings.php:5
|
771 |
+
msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
|
772 |
+
msgstr "Je REST API is gecached. Maak je cache plugin leeg, je server caches, log uit, leeg je browser cache, en probeer dan opnieuw."
|
773 |
+
|
774 |
+
#: search-regex-strings.php:4
|
775 |
+
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."
|
776 |
+
msgstr "WordPress heeft geen reactie gegeven. Dit kan betekenen dat er een fout is opgetreden of dat het verzoek werd geblokkeerd. Bekijk je server foutlog."
|
777 |
+
|
778 |
+
#. Author of the plugin
|
779 |
+
msgid "John Godley"
|
780 |
+
msgstr "John Godley"
|
781 |
+
|
782 |
+
#. Description of the plugin
|
783 |
+
msgid "Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support"
|
784 |
+
msgstr "Voeg zoek en vervang functionaliteit toe in berichten, pagina's, reacties en meta-data, met volledige ondersteuning van reguliere expressies."
|
785 |
+
|
786 |
+
#. Plugin URI of the plugin
|
787 |
+
msgid "https://searchregex.com/"
|
788 |
+
msgstr "https://searchregex.com/"
|
789 |
+
|
790 |
+
#. Plugin Name of the plugin
|
791 |
+
#: search-regex-strings.php:81
|
792 |
+
msgid "Search Regex"
|
793 |
+
msgstr "Search Regex"
|
locale/search-regex.pot
CHANGED
@@ -18,85 +18,85 @@ msgstr ""
|
|
18 |
msgid "Settings"
|
19 |
msgstr ""
|
20 |
|
21 |
-
#: search-regex-admin.php:
|
22 |
msgid "{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search."
|
23 |
msgstr ""
|
24 |
|
25 |
#. translators: URL
|
26 |
-
#: search-regex-admin.php:
|
27 |
msgid "You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
28 |
msgstr ""
|
29 |
|
30 |
-
#: search-regex-admin.php:
|
31 |
msgid "The following concepts are used by Search Regex:"
|
32 |
msgstr ""
|
33 |
|
34 |
-
#: search-regex-admin.php:
|
35 |
msgid "{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support."
|
36 |
msgstr ""
|
37 |
|
38 |
-
#: search-regex-admin.php:
|
39 |
msgid "{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches."
|
40 |
msgstr ""
|
41 |
|
42 |
-
#: search-regex-admin.php:
|
43 |
msgid "{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments."
|
44 |
msgstr ""
|
45 |
|
46 |
-
#: search-regex-admin.php:
|
47 |
msgid "Search Regex Support"
|
48 |
msgstr ""
|
49 |
|
50 |
#. translators: 1: Expected WordPress version, 2: Actual WordPress version
|
51 |
-
#: search-regex-admin.php:
|
52 |
msgid "Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
|
53 |
msgstr ""
|
54 |
|
55 |
-
#: search-regex-admin.php:
|
56 |
msgid "Unable to load Search Regex"
|
57 |
msgstr ""
|
58 |
|
59 |
-
#: search-regex-admin.php:
|
60 |
msgid "Unable to load Search Regex ☹️"
|
61 |
msgstr ""
|
62 |
|
63 |
-
#: search-regex-admin.php:
|
64 |
msgid "This may be caused by another plugin - look at your browser's error console for more details."
|
65 |
msgstr ""
|
66 |
|
67 |
-
#: search-regex-admin.php:
|
68 |
msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
|
69 |
msgstr ""
|
70 |
|
71 |
-
#: search-regex-admin.php:
|
72 |
msgid "Also check if your browser is able to load <code>search-regex.js</code>:"
|
73 |
msgstr ""
|
74 |
|
75 |
-
#: search-regex-admin.php:
|
76 |
msgid "Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex"
|
77 |
msgstr ""
|
78 |
|
79 |
-
#: search-regex-admin.php:
|
80 |
msgid "Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>."
|
81 |
msgstr ""
|
82 |
|
83 |
-
#: search-regex-admin.php:
|
84 |
msgid "If you think Search Regex is at fault then create an issue."
|
85 |
msgstr ""
|
86 |
|
87 |
-
#: search-regex-admin.php:
|
88 |
msgid "<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again."
|
89 |
msgstr ""
|
90 |
|
91 |
-
#: search-regex-admin.php:
|
92 |
msgid "Create Issue"
|
93 |
msgstr ""
|
94 |
|
95 |
-
#: search-regex-admin.php:
|
96 |
msgid "Loading, please wait..."
|
97 |
msgstr ""
|
98 |
|
99 |
-
#: search-regex-admin.php:
|
100 |
msgid "Please enable JavaScript"
|
101 |
msgstr ""
|
102 |
|
@@ -108,7 +108,7 @@ msgstr ""
|
|
108 |
msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
|
109 |
msgstr ""
|
110 |
|
111 |
-
#: search-regex-strings.php:6, search-regex-strings.php:8, search-regex-strings.php:10, search-regex-strings.php:13, search-regex-strings.php:
|
112 |
msgid "Read this REST API guide for more information."
|
113 |
msgstr ""
|
114 |
|
@@ -133,586 +133,614 @@ msgid "Your WordPress REST API has been disabled. You will need to enable it for
|
|
133 |
msgstr ""
|
134 |
|
135 |
#: search-regex-strings.php:15
|
136 |
-
msgid "
|
137 |
msgstr ""
|
138 |
|
139 |
#: search-regex-strings.php:16
|
140 |
-
msgid "
|
141 |
msgstr ""
|
142 |
|
143 |
#: search-regex-strings.php:17
|
|
|
|
|
|
|
|
|
144 |
msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
|
145 |
msgstr ""
|
146 |
|
147 |
-
#: search-regex-strings.php:
|
148 |
msgid "Editing %s"
|
149 |
msgstr ""
|
150 |
|
151 |
-
#: search-regex-strings.php:
|
152 |
msgid "Save"
|
153 |
msgstr ""
|
154 |
|
155 |
-
#: search-regex-strings.php:
|
156 |
msgid "Close"
|
157 |
msgstr ""
|
158 |
|
159 |
-
#: search-regex-strings.php:
|
160 |
msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
|
161 |
msgstr ""
|
162 |
|
163 |
-
#: search-regex-strings.php:
|
164 |
msgid "Create An Issue"
|
165 |
msgstr ""
|
166 |
|
167 |
-
#: search-regex-strings.php:
|
168 |
msgid "Email"
|
169 |
msgstr ""
|
170 |
|
171 |
-
#: search-regex-strings.php:
|
172 |
msgid "Include these details in your report along with a description of what you were doing and a screenshot."
|
173 |
msgstr ""
|
174 |
|
175 |
-
#: search-regex-strings.php:
|
176 |
msgid "You are not authorised to access this page."
|
177 |
msgstr ""
|
178 |
|
179 |
-
#: search-regex-strings.php:
|
180 |
msgid "This is usually fixed by doing one of these:"
|
181 |
msgstr ""
|
182 |
|
183 |
-
#: search-regex-strings.php:
|
184 |
msgid "Reload the page - your current session is old."
|
185 |
msgstr ""
|
186 |
|
187 |
-
#: search-regex-strings.php:
|
188 |
msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
|
189 |
msgstr ""
|
190 |
|
191 |
-
#: search-regex-strings.php:
|
192 |
msgid "Your admin pages are being cached. Clear this cache and try again."
|
193 |
msgstr ""
|
194 |
|
195 |
-
#: search-regex-strings.php:
|
196 |
msgid "The problem is almost certainly caused by one of the above."
|
197 |
msgstr ""
|
198 |
|
199 |
-
#: search-regex-strings.php:
|
200 |
msgid "That didn't help"
|
201 |
msgstr ""
|
202 |
|
203 |
-
#: search-regex-strings.php:
|
204 |
msgid "Something went wrong 🙁"
|
205 |
msgstr ""
|
206 |
|
207 |
-
#: search-regex-strings.php:
|
208 |
msgid "What do I do next?"
|
209 |
msgstr ""
|
210 |
|
211 |
-
#: search-regex-strings.php:
|
212 |
msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
|
213 |
msgstr ""
|
214 |
|
215 |
-
#: search-regex-strings.php:
|
216 |
msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
|
217 |
msgstr ""
|
218 |
|
219 |
-
#: search-regex-strings.php:
|
220 |
msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
|
221 |
msgstr ""
|
222 |
|
223 |
-
#: search-regex-strings.php:
|
224 |
msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
|
225 |
msgstr ""
|
226 |
|
227 |
-
#: search-regex-strings.php:
|
228 |
msgid "Replacement for this match"
|
229 |
msgstr ""
|
230 |
|
231 |
-
#: search-regex-strings.php:
|
232 |
msgid "Replace single phrase."
|
233 |
msgstr ""
|
234 |
|
235 |
-
#: search-regex-strings.php:
|
236 |
msgid "Search & Replace"
|
237 |
msgstr ""
|
238 |
|
239 |
-
#: search-regex-strings.php:
|
240 |
msgid "Options"
|
241 |
msgstr ""
|
242 |
|
243 |
-
#: search-regex-strings.php:
|
244 |
msgid "Support"
|
245 |
msgstr ""
|
246 |
|
247 |
-
#: search-regex-strings.php:
|
248 |
msgid "View notice"
|
249 |
msgstr ""
|
250 |
|
251 |
-
#: search-regex-strings.php:
|
252 |
msgid "Single"
|
253 |
msgstr ""
|
254 |
|
255 |
-
#: search-regex-strings.php:
|
256 |
msgid "Multi"
|
257 |
msgstr ""
|
258 |
|
259 |
-
#: search-regex-strings.php:
|
260 |
msgid "Remove"
|
261 |
msgstr ""
|
262 |
|
263 |
-
#: search-regex-strings.php:
|
264 |
msgid "Search phrase will be removed"
|
265 |
msgstr ""
|
266 |
|
267 |
-
#: search-regex-strings.php:
|
268 |
msgid "Replace"
|
269 |
msgstr ""
|
270 |
|
271 |
-
#: search-regex-strings.php:
|
272 |
msgid "Cancel"
|
273 |
msgstr ""
|
274 |
|
275 |
-
#: search-regex-strings.php:
|
276 |
msgid "Replace progress"
|
277 |
msgstr ""
|
278 |
|
279 |
-
#: search-regex-strings.php:53, search-regex-strings.php:56
|
280 |
-
msgid "Finished!"
|
281 |
-
msgstr ""
|
282 |
-
|
283 |
#: search-regex-strings.php:54
|
284 |
-
msgid "
|
285 |
msgstr ""
|
286 |
|
287 |
#: search-regex-strings.php:55
|
288 |
-
msgid "
|
289 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
290 |
|
291 |
#: search-regex-strings.php:57
|
292 |
-
msgid "
|
293 |
msgstr ""
|
294 |
|
295 |
#: search-regex-strings.php:58
|
296 |
-
msgid "
|
297 |
msgstr ""
|
298 |
|
299 |
#: search-regex-strings.php:59
|
300 |
-
msgid "
|
301 |
msgstr ""
|
302 |
|
303 |
#: search-regex-strings.php:60
|
304 |
-
msgid "
|
305 |
msgstr ""
|
306 |
|
307 |
#: search-regex-strings.php:61
|
308 |
-
msgid "
|
309 |
msgstr ""
|
310 |
|
311 |
#: search-regex-strings.php:62
|
312 |
-
msgid "
|
313 |
msgstr ""
|
314 |
|
315 |
#: search-regex-strings.php:63
|
316 |
-
msgid "
|
317 |
msgstr ""
|
318 |
|
319 |
#: search-regex-strings.php:64
|
320 |
-
msgid "
|
321 |
msgstr ""
|
322 |
|
323 |
#: search-regex-strings.php:65
|
324 |
-
msgid "
|
325 |
msgstr ""
|
326 |
|
327 |
#: search-regex-strings.php:66
|
328 |
-
msgid "
|
329 |
msgstr ""
|
330 |
|
331 |
#: search-regex-strings.php:67
|
332 |
-
msgid "
|
333 |
msgstr ""
|
334 |
|
335 |
#: search-regex-strings.php:68
|
336 |
-
msgid "
|
337 |
msgstr ""
|
338 |
|
339 |
#: search-regex-strings.php:69
|
340 |
-
msgid "
|
341 |
msgstr ""
|
342 |
|
343 |
#: search-regex-strings.php:70
|
344 |
-
msgid "
|
345 |
msgstr ""
|
346 |
|
347 |
#: search-regex-strings.php:71
|
348 |
-
msgid "
|
349 |
msgstr ""
|
350 |
|
351 |
#: search-regex-strings.php:72
|
|
|
|
|
|
|
|
|
352 |
msgid "Check Again"
|
353 |
msgstr ""
|
354 |
|
355 |
#: search-regex-strings.php:74
|
356 |
-
msgid "
|
357 |
msgstr ""
|
358 |
|
359 |
#: search-regex-strings.php:75
|
360 |
-
msgid "
|
361 |
msgstr ""
|
362 |
|
363 |
#: search-regex-strings.php:76
|
364 |
-
msgid "
|
365 |
msgstr ""
|
366 |
|
367 |
#: search-regex-strings.php:77
|
368 |
-
msgid "
|
369 |
msgstr ""
|
370 |
|
371 |
#: search-regex-strings.php:78
|
|
|
|
|
|
|
|
|
372 |
msgid "Replace %(count)s match."
|
373 |
msgid_plural "Replace %(count)s matches."
|
374 |
msgstr[0] ""
|
375 |
msgstr[1] ""
|
376 |
|
377 |
-
#: search-regex-strings.php:
|
378 |
msgid "Maximum number of matches exceeded and hidden from view. These will be included in any replacements."
|
379 |
msgstr ""
|
380 |
|
381 |
-
#: search-regex-strings.php:
|
382 |
msgid "Show %s more"
|
383 |
msgid_plural "Show %s more"
|
384 |
msgstr[0] ""
|
385 |
msgstr[1] ""
|
386 |
|
387 |
-
#: search-regex-strings.php:
|
388 |
msgid "Search Regex"
|
389 |
msgstr ""
|
390 |
|
391 |
-
#: search-regex-strings.php:
|
392 |
msgid "Cached Search Regex detected"
|
393 |
msgstr ""
|
394 |
|
395 |
-
#: search-regex-strings.php:
|
396 |
msgid "Please clear your browser cache and reload this page."
|
397 |
msgstr ""
|
398 |
|
399 |
-
#: search-regex-strings.php:
|
400 |
msgid "If you are using a caching system such as Cloudflare then please read this: "
|
401 |
msgstr ""
|
402 |
|
403 |
-
#: search-regex-strings.php:
|
404 |
msgid "clearing your cache."
|
405 |
msgstr ""
|
406 |
|
407 |
-
#: search-regex-strings.php:
|
408 |
msgid "Search Regex is not working. Try clearing your browser cache and reloading this page."
|
409 |
msgstr ""
|
410 |
|
411 |
-
#: search-regex-strings.php:
|
412 |
msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
|
413 |
msgstr ""
|
414 |
|
415 |
-
#: search-regex-strings.php:
|
416 |
msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
|
417 |
msgstr ""
|
418 |
|
419 |
-
#: search-regex-strings.php:
|
420 |
msgid "You've supported this plugin - thank you!"
|
421 |
msgstr ""
|
422 |
|
423 |
-
#: search-regex-strings.php:
|
424 |
msgid "I'd like to support some more."
|
425 |
msgstr ""
|
426 |
|
427 |
-
#: search-regex-strings.php:
|
428 |
msgid "Search Regex 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}}."
|
429 |
msgstr ""
|
430 |
|
431 |
-
#: search-regex-strings.php:
|
432 |
msgid "You get useful software and I get to carry on making it better."
|
433 |
msgstr ""
|
434 |
|
435 |
-
#: search-regex-strings.php:
|
436 |
msgid "Support 💰"
|
437 |
msgstr ""
|
438 |
|
439 |
-
#: search-regex-strings.php:
|
440 |
msgid "Plugin Support"
|
441 |
msgstr ""
|
442 |
|
443 |
-
#: search-regex-strings.php:
|
444 |
msgid "Default REST API"
|
445 |
msgstr ""
|
446 |
|
447 |
-
#: search-regex-strings.php:
|
448 |
msgid "Raw REST API"
|
449 |
msgstr ""
|
450 |
|
451 |
-
#: search-regex-strings.php:
|
452 |
msgid "Relative REST API"
|
453 |
msgstr ""
|
454 |
|
455 |
-
#: search-regex-strings.php:
|
456 |
msgid "I'm a nice person and I have helped support the author of this plugin"
|
457 |
msgstr ""
|
458 |
|
459 |
-
#: search-regex-strings.php:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
460 |
msgid "REST API"
|
461 |
msgstr ""
|
462 |
|
463 |
-
#: search-regex-strings.php:
|
464 |
msgid "How Search Regex uses the REST API - don't change unless necessary"
|
465 |
msgstr ""
|
466 |
|
467 |
-
#: search-regex-strings.php:
|
468 |
msgid "Update"
|
469 |
msgstr ""
|
470 |
|
471 |
-
#: search-regex-strings.php:
|
472 |
-
msgid "
|
473 |
msgstr ""
|
474 |
|
475 |
-
#: search-regex-strings.php:
|
476 |
msgid "Search and replace information in your database."
|
477 |
msgstr ""
|
478 |
|
479 |
-
#: search-regex-strings.php:
|
480 |
msgid "Search"
|
481 |
msgstr ""
|
482 |
|
483 |
-
#: search-regex-strings.php:
|
484 |
msgid "Replace All"
|
485 |
msgstr ""
|
486 |
|
487 |
-
#: search-regex-strings.php:
|
488 |
msgid "Enter search phrase"
|
489 |
msgstr ""
|
490 |
|
491 |
-
#: search-regex-strings.php:
|
492 |
msgid "Search Flags"
|
493 |
msgstr ""
|
494 |
|
495 |
-
#: search-regex-strings.php:
|
496 |
msgid "Enter global replacement text"
|
497 |
msgstr ""
|
498 |
|
499 |
-
#: search-regex-strings.php:
|
500 |
msgid "Source"
|
501 |
msgstr ""
|
502 |
|
503 |
-
#: search-regex-strings.php:
|
504 |
msgid "Source Options"
|
505 |
msgstr ""
|
506 |
|
507 |
-
#: search-regex-strings.php:
|
508 |
msgid "Results"
|
509 |
msgstr ""
|
510 |
|
511 |
-
#: search-regex-strings.php:
|
512 |
msgid "Need more help?"
|
513 |
msgstr ""
|
514 |
|
515 |
-
#: search-regex-strings.php:
|
516 |
msgid "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}."
|
517 |
msgstr ""
|
518 |
|
519 |
-
#: search-regex-strings.php:
|
520 |
msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
|
521 |
msgstr ""
|
522 |
|
523 |
-
#: search-regex-strings.php:
|
524 |
msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
|
525 |
msgstr ""
|
526 |
|
527 |
-
#: search-regex-strings.php:
|
528 |
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!"
|
529 |
msgstr ""
|
530 |
|
531 |
-
#: search-regex-strings.php:
|
532 |
msgid "Redirection"
|
533 |
msgstr ""
|
534 |
|
535 |
-
#: search-regex-strings.php:
|
536 |
msgid "Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me."
|
537 |
msgstr ""
|
538 |
|
539 |
-
#: search-regex-strings.php:
|
540 |
msgid "Quick Help"
|
541 |
msgstr ""
|
542 |
|
543 |
-
#: search-regex-strings.php:
|
544 |
msgid "Settings saved"
|
545 |
msgstr ""
|
546 |
|
547 |
-
#: search-regex-strings.php:
|
548 |
msgid "Row deleted"
|
549 |
msgstr ""
|
550 |
|
551 |
-
#: search-regex-strings.php:
|
552 |
msgid "Row replaced"
|
553 |
msgstr ""
|
554 |
|
555 |
-
#: search-regex-strings.php:
|
556 |
msgid "Row updated"
|
557 |
msgstr ""
|
558 |
|
559 |
-
#: search-regex-strings.php:
|
560 |
msgid "Regular Expression"
|
561 |
msgstr ""
|
562 |
|
563 |
-
#: search-regex-strings.php:
|
564 |
msgid "Ignore Case"
|
565 |
msgstr ""
|
566 |
|
567 |
-
#: search-regex-strings.php:
|
568 |
msgid "25 per page "
|
569 |
msgstr ""
|
570 |
|
571 |
-
#: search-regex-strings.php:
|
572 |
msgid "50 per page "
|
573 |
msgstr ""
|
574 |
|
575 |
-
#: search-regex-strings.php:
|
576 |
msgid "100 per page"
|
577 |
msgstr ""
|
578 |
|
579 |
-
#: search-regex-strings.php:
|
580 |
msgid "250 per page"
|
581 |
msgstr ""
|
582 |
|
583 |
-
#: search-regex-strings.php:
|
584 |
msgid "500 per page"
|
585 |
msgstr ""
|
586 |
|
587 |
-
#: search-regex-strings.php:
|
588 |
msgid "%s database row in total"
|
589 |
msgid_plural "%s database rows in total"
|
590 |
msgstr[0] ""
|
591 |
msgstr[1] ""
|
592 |
|
593 |
-
#: search-regex-strings.php:
|
|
|
|
|
|
|
|
|
594 |
msgid "First page"
|
595 |
msgstr ""
|
596 |
|
597 |
-
#: search-regex-strings.php:
|
598 |
msgid "Prev page"
|
599 |
msgstr ""
|
600 |
|
601 |
-
#: search-regex-strings.php:
|
602 |
msgid "Progress %(current)s$"
|
603 |
msgstr ""
|
604 |
|
605 |
-
#: search-regex-strings.php:
|
606 |
msgid "Next page"
|
607 |
msgstr ""
|
608 |
|
609 |
-
#: search-regex-strings.php:
|
610 |
msgid "Matches: %(phrases)s across %(rows)s database row."
|
611 |
msgid_plural "Matches: %(phrases)s across %(rows)s database rows."
|
612 |
msgstr[0] ""
|
613 |
msgstr[1] ""
|
614 |
|
615 |
-
#: search-regex-strings.php:
|
616 |
msgid "Page %(current)s of %(total)s"
|
617 |
msgstr ""
|
618 |
|
619 |
-
#: search-regex-strings.php:
|
620 |
msgid "Last page"
|
621 |
msgstr ""
|
622 |
|
623 |
-
#: search-regex-strings.php:
|
624 |
msgid "No more matching results found."
|
625 |
msgstr ""
|
626 |
|
627 |
-
#: search-regex-strings.php:
|
628 |
msgid "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."
|
629 |
msgstr ""
|
630 |
|
631 |
-
#: search-regex-strings.php:
|
632 |
msgid "Row ID"
|
633 |
msgstr ""
|
634 |
|
635 |
-
#: search-regex-strings.php:
|
636 |
msgid "Matches"
|
637 |
msgstr ""
|
638 |
|
639 |
-
#: search-regex-strings.php:
|
640 |
msgid "Matched Phrases"
|
641 |
msgstr ""
|
642 |
|
643 |
-
#: search-regex-strings.php:160
|
644 |
-
msgid "Actions"
|
645 |
-
msgstr ""
|
646 |
-
|
647 |
#. translators: 1: server PHP version. 2: required PHP version.
|
648 |
#: search-regex.php:39
|
649 |
msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
|
650 |
msgstr ""
|
651 |
|
652 |
-
#: models/source-manager.php:
|
653 |
msgid "All Post Types"
|
654 |
msgstr ""
|
655 |
|
656 |
-
#: models/source-manager.php:
|
657 |
msgid "Search all posts, pages, and custom post types."
|
658 |
msgstr ""
|
659 |
|
660 |
-
#: models/source-manager.php:
|
661 |
-
msgid "
|
662 |
msgstr ""
|
663 |
|
664 |
-
#: models/source-manager.php:
|
665 |
-
msgid "Search
|
666 |
msgstr ""
|
667 |
|
668 |
-
#: models/source-manager.php:
|
669 |
-
msgid "
|
670 |
msgstr ""
|
671 |
|
672 |
-
#: models/source-manager.php:
|
673 |
-
msgid "Search
|
674 |
msgstr ""
|
675 |
|
676 |
-
#: models/source-manager.php:
|
677 |
-
msgid "
|
678 |
msgstr ""
|
679 |
|
680 |
-
#: models/source-manager.php:
|
681 |
-
msgid "Search
|
682 |
msgstr ""
|
683 |
|
684 |
-
#: models/source-manager.php:
|
685 |
-
msgid "
|
686 |
msgstr ""
|
687 |
|
688 |
-
#: models/source-manager.php:
|
689 |
-
msgid "Search
|
690 |
msgstr ""
|
691 |
|
692 |
-
#: models/source-manager.php:
|
693 |
-
msgid "
|
694 |
msgstr ""
|
695 |
|
696 |
-
#: models/source-manager.php:
|
697 |
-
msgid "Search
|
698 |
msgstr ""
|
699 |
|
700 |
-
#: models/source-manager.php:
|
701 |
-
msgid "
|
702 |
msgstr ""
|
703 |
|
704 |
-
#: models/source-manager.php:
|
705 |
-
msgid "Search
|
706 |
msgstr ""
|
707 |
|
708 |
-
#: models/source-manager.php:
|
709 |
-
msgid "Standard
|
710 |
msgstr ""
|
711 |
|
712 |
-
#: models/source-manager.php:
|
713 |
msgid "Specific Post Types"
|
714 |
msgstr ""
|
715 |
|
716 |
-
#: models/source-manager.php:
|
|
|
|
|
|
|
|
|
717 |
msgid "Plugins"
|
718 |
msgstr ""
|
18 |
msgid "Settings"
|
19 |
msgstr ""
|
20 |
|
21 |
+
#: search-regex-admin.php:213, search-regex-strings.php:134
|
22 |
msgid "{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search."
|
23 |
msgstr ""
|
24 |
|
25 |
#. translators: URL
|
26 |
+
#: search-regex-admin.php:221
|
27 |
msgid "You can find full documentation about using Search Regex on the <a href=\"%s\" target=\"_blank\">searchregex.com</a> support site."
|
28 |
msgstr ""
|
29 |
|
30 |
+
#: search-regex-admin.php:222, search-regex-strings.php:130
|
31 |
msgid "The following concepts are used by Search Regex:"
|
32 |
msgstr ""
|
33 |
|
34 |
+
#: search-regex-admin.php:224, search-regex-strings.php:131
|
35 |
msgid "{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support."
|
36 |
msgstr ""
|
37 |
|
38 |
+
#: search-regex-admin.php:225, search-regex-strings.php:132
|
39 |
msgid "{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches."
|
40 |
msgstr ""
|
41 |
|
42 |
+
#: search-regex-admin.php:226, search-regex-strings.php:133
|
43 |
msgid "{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments."
|
44 |
msgstr ""
|
45 |
|
46 |
+
#: search-regex-admin.php:230
|
47 |
msgid "Search Regex Support"
|
48 |
msgstr ""
|
49 |
|
50 |
#. translators: 1: Expected WordPress version, 2: Actual WordPress version
|
51 |
+
#: search-regex-admin.php:326
|
52 |
msgid "Search Regex requires WordPress v%1$1s, you are using v%2$2s - please update your WordPress"
|
53 |
msgstr ""
|
54 |
|
55 |
+
#: search-regex-admin.php:329
|
56 |
msgid "Unable to load Search Regex"
|
57 |
msgstr ""
|
58 |
|
59 |
+
#: search-regex-admin.php:344
|
60 |
msgid "Unable to load Search Regex ☹️"
|
61 |
msgstr ""
|
62 |
|
63 |
+
#: search-regex-admin.php:345
|
64 |
msgid "This may be caused by another plugin - look at your browser's error console for more details."
|
65 |
msgstr ""
|
66 |
|
67 |
+
#: search-regex-admin.php:346, search-regex-strings.php:91
|
68 |
msgid "If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache."
|
69 |
msgstr ""
|
70 |
|
71 |
+
#: search-regex-admin.php:347
|
72 |
msgid "Also check if your browser is able to load <code>search-regex.js</code>:"
|
73 |
msgstr ""
|
74 |
|
75 |
+
#: search-regex-admin.php:349
|
76 |
msgid "Please note that Search Regex requires the WordPress REST API to be enabled. If you have disabled this then you won't be able to use Search Regex"
|
77 |
msgstr ""
|
78 |
|
79 |
+
#: search-regex-admin.php:350
|
80 |
msgid "Please see the <a href=\"https://searchregex.com/support/problems/\">list of common problems</a>."
|
81 |
msgstr ""
|
82 |
|
83 |
+
#: search-regex-admin.php:351
|
84 |
msgid "If you think Search Regex is at fault then create an issue."
|
85 |
msgstr ""
|
86 |
|
87 |
+
#: search-regex-admin.php:352
|
88 |
msgid "<code>SearchRegexi10n</code> is not defined. This usually means another plugin is blocking Search Regex from loading. Please disable all plugins and try again."
|
89 |
msgstr ""
|
90 |
|
91 |
+
#: search-regex-admin.php:355
|
92 |
msgid "Create Issue"
|
93 |
msgstr ""
|
94 |
|
95 |
+
#: search-regex-admin.php:374
|
96 |
msgid "Loading, please wait..."
|
97 |
msgstr ""
|
98 |
|
99 |
+
#: search-regex-admin.php:378
|
100 |
msgid "Please enable JavaScript"
|
101 |
msgstr ""
|
102 |
|
108 |
msgid "Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again."
|
109 |
msgstr ""
|
110 |
|
111 |
+
#: search-regex-strings.php:6, search-regex-strings.php:8, search-regex-strings.php:10, search-regex-strings.php:13, search-regex-strings.php:19
|
112 |
msgid "Read this REST API guide for more information."
|
113 |
msgstr ""
|
114 |
|
133 |
msgstr ""
|
134 |
|
135 |
#: search-regex-strings.php:15
|
136 |
+
msgid "An unknown error occurred."
|
137 |
msgstr ""
|
138 |
|
139 |
#: search-regex-strings.php:16
|
140 |
+
msgid "WordPress returned an unexpected message. This is probably a PHP error from another plugin."
|
141 |
msgstr ""
|
142 |
|
143 |
#: search-regex-strings.php:17
|
144 |
+
msgid "Possible cause"
|
145 |
+
msgstr ""
|
146 |
+
|
147 |
+
#: search-regex-strings.php:18
|
148 |
msgid "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy."
|
149 |
msgstr ""
|
150 |
|
151 |
+
#: search-regex-strings.php:20
|
152 |
msgid "Editing %s"
|
153 |
msgstr ""
|
154 |
|
155 |
+
#: search-regex-strings.php:21
|
156 |
msgid "Save"
|
157 |
msgstr ""
|
158 |
|
159 |
+
#: search-regex-strings.php:22
|
160 |
msgid "Close"
|
161 |
msgstr ""
|
162 |
|
163 |
+
#: search-regex-strings.php:23
|
164 |
msgid "Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}."
|
165 |
msgstr ""
|
166 |
|
167 |
+
#: search-regex-strings.php:24
|
168 |
msgid "Create An Issue"
|
169 |
msgstr ""
|
170 |
|
171 |
+
#: search-regex-strings.php:25
|
172 |
msgid "Email"
|
173 |
msgstr ""
|
174 |
|
175 |
+
#: search-regex-strings.php:26
|
176 |
msgid "Include these details in your report along with a description of what you were doing and a screenshot."
|
177 |
msgstr ""
|
178 |
|
179 |
+
#: search-regex-strings.php:27
|
180 |
msgid "You are not authorised to access this page."
|
181 |
msgstr ""
|
182 |
|
183 |
+
#: search-regex-strings.php:28
|
184 |
msgid "This is usually fixed by doing one of these:"
|
185 |
msgstr ""
|
186 |
|
187 |
+
#: search-regex-strings.php:29
|
188 |
msgid "Reload the page - your current session is old."
|
189 |
msgstr ""
|
190 |
|
191 |
+
#: search-regex-strings.php:30
|
192 |
msgid "Log out, clear your browser cache, and log in again - your browser has cached an old session."
|
193 |
msgstr ""
|
194 |
|
195 |
+
#: search-regex-strings.php:31
|
196 |
msgid "Your admin pages are being cached. Clear this cache and try again."
|
197 |
msgstr ""
|
198 |
|
199 |
+
#: search-regex-strings.php:32
|
200 |
msgid "The problem is almost certainly caused by one of the above."
|
201 |
msgstr ""
|
202 |
|
203 |
+
#: search-regex-strings.php:33, search-regex-strings.php:40
|
204 |
msgid "That didn't help"
|
205 |
msgstr ""
|
206 |
|
207 |
+
#: search-regex-strings.php:34, search-regex-strings.php:89
|
208 |
msgid "Something went wrong 🙁"
|
209 |
msgstr ""
|
210 |
|
211 |
+
#: search-regex-strings.php:35
|
212 |
msgid "What do I do next?"
|
213 |
msgstr ""
|
214 |
|
215 |
+
#: search-regex-strings.php:36
|
216 |
msgid "Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and \"magic fix\" the problem."
|
217 |
msgstr ""
|
218 |
|
219 |
+
#: search-regex-strings.php:37
|
220 |
msgid "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches."
|
221 |
msgstr ""
|
222 |
|
223 |
+
#: search-regex-strings.php:38
|
224 |
msgid "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems."
|
225 |
msgstr ""
|
226 |
|
227 |
+
#: search-regex-strings.php:39
|
228 |
msgid "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues."
|
229 |
msgstr ""
|
230 |
|
231 |
+
#: search-regex-strings.php:41
|
232 |
msgid "Replacement for this match"
|
233 |
msgstr ""
|
234 |
|
235 |
+
#: search-regex-strings.php:42
|
236 |
msgid "Replace single phrase."
|
237 |
msgstr ""
|
238 |
|
239 |
+
#: search-regex-strings.php:43
|
240 |
msgid "Search & Replace"
|
241 |
msgstr ""
|
242 |
|
243 |
+
#: search-regex-strings.php:44, search-regex-strings.php:83
|
244 |
msgid "Options"
|
245 |
msgstr ""
|
246 |
|
247 |
+
#: search-regex-strings.php:45, search-regex-strings.php:84
|
248 |
msgid "Support"
|
249 |
msgstr ""
|
250 |
|
251 |
+
#: search-regex-strings.php:46
|
252 |
msgid "View notice"
|
253 |
msgstr ""
|
254 |
|
255 |
+
#: search-regex-strings.php:47
|
256 |
msgid "Single"
|
257 |
msgstr ""
|
258 |
|
259 |
+
#: search-regex-strings.php:48
|
260 |
msgid "Multi"
|
261 |
msgstr ""
|
262 |
|
263 |
+
#: search-regex-strings.php:49
|
264 |
msgid "Remove"
|
265 |
msgstr ""
|
266 |
|
267 |
+
#: search-regex-strings.php:50
|
268 |
msgid "Search phrase will be removed"
|
269 |
msgstr ""
|
270 |
|
271 |
+
#: search-regex-strings.php:51, search-regex-strings.php:117
|
272 |
msgid "Replace"
|
273 |
msgstr ""
|
274 |
|
275 |
+
#: search-regex-strings.php:52, search-regex-strings.php:113
|
276 |
msgid "Cancel"
|
277 |
msgstr ""
|
278 |
|
279 |
+
#: search-regex-strings.php:53
|
280 |
msgid "Replace progress"
|
281 |
msgstr ""
|
282 |
|
|
|
|
|
|
|
|
|
283 |
#: search-regex-strings.php:54
|
284 |
+
msgid "Replace Information"
|
285 |
msgstr ""
|
286 |
|
287 |
#: search-regex-strings.php:55
|
288 |
+
msgid "%s phrase."
|
289 |
+
msgid_plural "%s phrases."
|
290 |
+
msgstr[0] ""
|
291 |
+
msgstr[1] ""
|
292 |
+
|
293 |
+
#: search-regex-strings.php:56
|
294 |
+
msgid "%s row."
|
295 |
+
msgid_plural "%s rows."
|
296 |
+
msgstr[0] ""
|
297 |
+
msgstr[1] ""
|
298 |
|
299 |
#: search-regex-strings.php:57
|
300 |
+
msgid "Finished!"
|
301 |
msgstr ""
|
302 |
|
303 |
#: search-regex-strings.php:58
|
304 |
+
msgid "Working!"
|
305 |
msgstr ""
|
306 |
|
307 |
#: search-regex-strings.php:59
|
308 |
+
msgid "Show Full"
|
309 |
msgstr ""
|
310 |
|
311 |
#: search-regex-strings.php:60
|
312 |
+
msgid "Hide"
|
313 |
msgstr ""
|
314 |
|
315 |
#: search-regex-strings.php:61
|
316 |
+
msgid "Switch to this API"
|
317 |
msgstr ""
|
318 |
|
319 |
#: search-regex-strings.php:62
|
320 |
+
msgid "Current API"
|
321 |
msgstr ""
|
322 |
|
323 |
#: search-regex-strings.php:63
|
324 |
+
msgid "Good"
|
325 |
msgstr ""
|
326 |
|
327 |
#: search-regex-strings.php:64
|
328 |
+
msgid "Working but some issues"
|
329 |
msgstr ""
|
330 |
|
331 |
#: search-regex-strings.php:65
|
332 |
+
msgid "Not working but fixable"
|
333 |
msgstr ""
|
334 |
|
335 |
#: search-regex-strings.php:66
|
336 |
+
msgid "Unavailable"
|
337 |
msgstr ""
|
338 |
|
339 |
#: search-regex-strings.php:67
|
340 |
+
msgid "There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work."
|
341 |
msgstr ""
|
342 |
|
343 |
#: search-regex-strings.php:68
|
344 |
+
msgid "Your REST API is not working and the plugin will not be able to continue until this is fixed."
|
345 |
msgstr ""
|
346 |
|
347 |
#: search-regex-strings.php:69
|
348 |
+
msgid "You are using a broken REST API route. Changing to a working API should fix the problem."
|
349 |
msgstr ""
|
350 |
|
351 |
#: search-regex-strings.php:70
|
352 |
+
msgid "Summary"
|
353 |
msgstr ""
|
354 |
|
355 |
#: search-regex-strings.php:71
|
356 |
+
msgid "Show Problems"
|
357 |
msgstr ""
|
358 |
|
359 |
#: search-regex-strings.php:72
|
360 |
+
msgid "Testing - %s$"
|
361 |
+
msgstr ""
|
362 |
+
|
363 |
+
#: search-regex-strings.php:73
|
364 |
msgid "Check Again"
|
365 |
msgstr ""
|
366 |
|
367 |
#: search-regex-strings.php:74
|
368 |
+
msgid "Edit Page"
|
369 |
msgstr ""
|
370 |
|
371 |
#: search-regex-strings.php:75
|
372 |
+
msgid "Inline Editor"
|
373 |
msgstr ""
|
374 |
|
375 |
#: search-regex-strings.php:76
|
376 |
+
msgid "Delete Row"
|
377 |
msgstr ""
|
378 |
|
379 |
#: search-regex-strings.php:77
|
380 |
+
msgid "Replace Row"
|
381 |
msgstr ""
|
382 |
|
383 |
#: search-regex-strings.php:78
|
384 |
+
msgid "Replacement for all matches in this row"
|
385 |
+
msgstr ""
|
386 |
+
|
387 |
+
#: search-regex-strings.php:79
|
388 |
msgid "Replace %(count)s match."
|
389 |
msgid_plural "Replace %(count)s matches."
|
390 |
msgstr[0] ""
|
391 |
msgstr[1] ""
|
392 |
|
393 |
+
#: search-regex-strings.php:80
|
394 |
msgid "Maximum number of matches exceeded and hidden from view. These will be included in any replacements."
|
395 |
msgstr ""
|
396 |
|
397 |
+
#: search-regex-strings.php:81
|
398 |
msgid "Show %s more"
|
399 |
msgid_plural "Show %s more"
|
400 |
msgstr[0] ""
|
401 |
msgstr[1] ""
|
402 |
|
403 |
+
#: search-regex-strings.php:82
|
404 |
msgid "Search Regex"
|
405 |
msgstr ""
|
406 |
|
407 |
+
#: search-regex-strings.php:85
|
408 |
msgid "Cached Search Regex detected"
|
409 |
msgstr ""
|
410 |
|
411 |
+
#: search-regex-strings.php:86
|
412 |
msgid "Please clear your browser cache and reload this page."
|
413 |
msgstr ""
|
414 |
|
415 |
+
#: search-regex-strings.php:87
|
416 |
msgid "If you are using a caching system such as Cloudflare then please read this: "
|
417 |
msgstr ""
|
418 |
|
419 |
+
#: search-regex-strings.php:88
|
420 |
msgid "clearing your cache."
|
421 |
msgstr ""
|
422 |
|
423 |
+
#: search-regex-strings.php:90
|
424 |
msgid "Search Regex is not working. Try clearing your browser cache and reloading this page."
|
425 |
msgstr ""
|
426 |
|
427 |
+
#: search-regex-strings.php:92
|
428 |
msgid "If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details."
|
429 |
msgstr ""
|
430 |
|
431 |
+
#: search-regex-strings.php:93
|
432 |
msgid "Please mention {{code}}%s{{/code}}, and explain what you were doing at the time"
|
433 |
msgstr ""
|
434 |
|
435 |
+
#: search-regex-strings.php:94
|
436 |
msgid "You've supported this plugin - thank you!"
|
437 |
msgstr ""
|
438 |
|
439 |
+
#: search-regex-strings.php:95
|
440 |
msgid "I'd like to support some more."
|
441 |
msgstr ""
|
442 |
|
443 |
+
#: search-regex-strings.php:96
|
444 |
msgid "Search Regex 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}}."
|
445 |
msgstr ""
|
446 |
|
447 |
+
#: search-regex-strings.php:97
|
448 |
msgid "You get useful software and I get to carry on making it better."
|
449 |
msgstr ""
|
450 |
|
451 |
+
#: search-regex-strings.php:98
|
452 |
msgid "Support 💰"
|
453 |
msgstr ""
|
454 |
|
455 |
+
#: search-regex-strings.php:99
|
456 |
msgid "Plugin Support"
|
457 |
msgstr ""
|
458 |
|
459 |
+
#: search-regex-strings.php:100
|
460 |
msgid "Default REST API"
|
461 |
msgstr ""
|
462 |
|
463 |
+
#: search-regex-strings.php:101
|
464 |
msgid "Raw REST API"
|
465 |
msgstr ""
|
466 |
|
467 |
+
#: search-regex-strings.php:102
|
468 |
msgid "Relative REST API"
|
469 |
msgstr ""
|
470 |
|
471 |
+
#: search-regex-strings.php:103
|
472 |
msgid "I'm a nice person and I have helped support the author of this plugin"
|
473 |
msgstr ""
|
474 |
|
475 |
+
#: search-regex-strings.php:104, search-regex-strings.php:164
|
476 |
+
msgid "Actions"
|
477 |
+
msgstr ""
|
478 |
+
|
479 |
+
#: search-regex-strings.php:105
|
480 |
+
msgid "Show row actions as dropdown menu."
|
481 |
+
msgstr ""
|
482 |
+
|
483 |
+
#: search-regex-strings.php:106
|
484 |
msgid "REST API"
|
485 |
msgstr ""
|
486 |
|
487 |
+
#: search-regex-strings.php:107
|
488 |
msgid "How Search Regex uses the REST API - don't change unless necessary"
|
489 |
msgstr ""
|
490 |
|
491 |
+
#: search-regex-strings.php:108
|
492 |
msgid "Update"
|
493 |
msgstr ""
|
494 |
|
495 |
+
#: search-regex-strings.php:109
|
496 |
+
msgid "Please backup your data before making modifications."
|
497 |
msgstr ""
|
498 |
|
499 |
+
#: search-regex-strings.php:110
|
500 |
msgid "Search and replace information in your database."
|
501 |
msgstr ""
|
502 |
|
503 |
+
#: search-regex-strings.php:111, search-regex-strings.php:114
|
504 |
msgid "Search"
|
505 |
msgstr ""
|
506 |
|
507 |
+
#: search-regex-strings.php:112
|
508 |
msgid "Replace All"
|
509 |
msgstr ""
|
510 |
|
511 |
+
#: search-regex-strings.php:115
|
512 |
msgid "Enter search phrase"
|
513 |
msgstr ""
|
514 |
|
515 |
+
#: search-regex-strings.php:116
|
516 |
msgid "Search Flags"
|
517 |
msgstr ""
|
518 |
|
519 |
+
#: search-regex-strings.php:118
|
520 |
msgid "Enter global replacement text"
|
521 |
msgstr ""
|
522 |
|
523 |
+
#: search-regex-strings.php:119, search-regex-strings.php:160
|
524 |
msgid "Source"
|
525 |
msgstr ""
|
526 |
|
527 |
+
#: search-regex-strings.php:120
|
528 |
msgid "Source Options"
|
529 |
msgstr ""
|
530 |
|
531 |
+
#: search-regex-strings.php:121
|
532 |
msgid "Results"
|
533 |
msgstr ""
|
534 |
|
535 |
+
#: search-regex-strings.php:122
|
536 |
msgid "Need more help?"
|
537 |
msgstr ""
|
538 |
|
539 |
+
#: search-regex-strings.php:123
|
540 |
msgid "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}."
|
541 |
msgstr ""
|
542 |
|
543 |
+
#: search-regex-strings.php:124
|
544 |
msgid "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide."
|
545 |
msgstr ""
|
546 |
|
547 |
+
#: search-regex-strings.php:125
|
548 |
msgid "Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support."
|
549 |
msgstr ""
|
550 |
|
551 |
+
#: search-regex-strings.php:126
|
552 |
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!"
|
553 |
msgstr ""
|
554 |
|
555 |
+
#: search-regex-strings.php:127
|
556 |
msgid "Redirection"
|
557 |
msgstr ""
|
558 |
|
559 |
+
#: search-regex-strings.php:128
|
560 |
msgid "Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me."
|
561 |
msgstr ""
|
562 |
|
563 |
+
#: search-regex-strings.php:129
|
564 |
msgid "Quick Help"
|
565 |
msgstr ""
|
566 |
|
567 |
+
#: search-regex-strings.php:135
|
568 |
msgid "Settings saved"
|
569 |
msgstr ""
|
570 |
|
571 |
+
#: search-regex-strings.php:136
|
572 |
msgid "Row deleted"
|
573 |
msgstr ""
|
574 |
|
575 |
+
#: search-regex-strings.php:137
|
576 |
msgid "Row replaced"
|
577 |
msgstr ""
|
578 |
|
579 |
+
#: search-regex-strings.php:138
|
580 |
msgid "Row updated"
|
581 |
msgstr ""
|
582 |
|
583 |
+
#: search-regex-strings.php:139
|
584 |
msgid "Regular Expression"
|
585 |
msgstr ""
|
586 |
|
587 |
+
#: search-regex-strings.php:140
|
588 |
msgid "Ignore Case"
|
589 |
msgstr ""
|
590 |
|
591 |
+
#: search-regex-strings.php:141
|
592 |
msgid "25 per page "
|
593 |
msgstr ""
|
594 |
|
595 |
+
#: search-regex-strings.php:142
|
596 |
msgid "50 per page "
|
597 |
msgstr ""
|
598 |
|
599 |
+
#: search-regex-strings.php:143
|
600 |
msgid "100 per page"
|
601 |
msgstr ""
|
602 |
|
603 |
+
#: search-regex-strings.php:144
|
604 |
msgid "250 per page"
|
605 |
msgstr ""
|
606 |
|
607 |
+
#: search-regex-strings.php:145
|
608 |
msgid "500 per page"
|
609 |
msgstr ""
|
610 |
|
611 |
+
#: search-regex-strings.php:146
|
612 |
msgid "%s database row in total"
|
613 |
msgid_plural "%s database rows in total"
|
614 |
msgstr[0] ""
|
615 |
msgstr[1] ""
|
616 |
|
617 |
+
#: search-regex-strings.php:147
|
618 |
+
msgid "matched rows = %(searched)s, phrases = %(found)s"
|
619 |
+
msgstr ""
|
620 |
+
|
621 |
+
#: search-regex-strings.php:148, search-regex-strings.php:153
|
622 |
msgid "First page"
|
623 |
msgstr ""
|
624 |
|
625 |
+
#: search-regex-strings.php:149, search-regex-strings.php:154
|
626 |
msgid "Prev page"
|
627 |
msgstr ""
|
628 |
|
629 |
+
#: search-regex-strings.php:150
|
630 |
msgid "Progress %(current)s$"
|
631 |
msgstr ""
|
632 |
|
633 |
+
#: search-regex-strings.php:151, search-regex-strings.php:156
|
634 |
msgid "Next page"
|
635 |
msgstr ""
|
636 |
|
637 |
+
#: search-regex-strings.php:152
|
638 |
msgid "Matches: %(phrases)s across %(rows)s database row."
|
639 |
msgid_plural "Matches: %(phrases)s across %(rows)s database rows."
|
640 |
msgstr[0] ""
|
641 |
msgstr[1] ""
|
642 |
|
643 |
+
#: search-regex-strings.php:155
|
644 |
msgid "Page %(current)s of %(total)s"
|
645 |
msgstr ""
|
646 |
|
647 |
+
#: search-regex-strings.php:157
|
648 |
msgid "Last page"
|
649 |
msgstr ""
|
650 |
|
651 |
+
#: search-regex-strings.php:158
|
652 |
msgid "No more matching results found."
|
653 |
msgstr ""
|
654 |
|
655 |
+
#: search-regex-strings.php:159
|
656 |
msgid "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."
|
657 |
msgstr ""
|
658 |
|
659 |
+
#: search-regex-strings.php:161
|
660 |
msgid "Row ID"
|
661 |
msgstr ""
|
662 |
|
663 |
+
#: search-regex-strings.php:162
|
664 |
msgid "Matches"
|
665 |
msgstr ""
|
666 |
|
667 |
+
#: search-regex-strings.php:163
|
668 |
msgid "Matched Phrases"
|
669 |
msgstr ""
|
670 |
|
|
|
|
|
|
|
|
|
671 |
#. translators: 1: server PHP version. 2: required PHP version.
|
672 |
#: search-regex.php:39
|
673 |
msgid "Disabled! Detected PHP %1$s, need PHP %2$s+"
|
674 |
msgstr ""
|
675 |
|
676 |
+
#: models/source-manager.php:20
|
677 |
msgid "All Post Types"
|
678 |
msgstr ""
|
679 |
|
680 |
+
#: models/source-manager.php:21
|
681 |
msgid "Search all posts, pages, and custom post types."
|
682 |
msgstr ""
|
683 |
|
684 |
+
#: models/source-manager.php:37
|
685 |
+
msgid "Comments"
|
686 |
msgstr ""
|
687 |
|
688 |
+
#: models/source-manager.php:38
|
689 |
+
msgid "Search comment content, URL, and author, with optional support for spam comments."
|
690 |
msgstr ""
|
691 |
|
692 |
+
#: models/source-manager.php:44
|
693 |
+
msgid "Users"
|
694 |
msgstr ""
|
695 |
|
696 |
+
#: models/source-manager.php:45
|
697 |
+
msgid "Search user email, URL, and name."
|
698 |
msgstr ""
|
699 |
|
700 |
+
#: models/source-manager.php:51
|
701 |
+
msgid "WordPress Options"
|
702 |
msgstr ""
|
703 |
|
704 |
+
#: models/source-manager.php:52
|
705 |
+
msgid "Search all WordPress options."
|
706 |
msgstr ""
|
707 |
|
708 |
+
#: models/source-manager.php:70
|
709 |
+
msgid "Post Meta"
|
710 |
msgstr ""
|
711 |
|
712 |
+
#: models/source-manager.php:71
|
713 |
+
msgid "Search post meta names and values."
|
714 |
msgstr ""
|
715 |
|
716 |
+
#: models/source-manager.php:77
|
717 |
+
msgid "Comment Meta"
|
718 |
msgstr ""
|
719 |
|
720 |
+
#: models/source-manager.php:78
|
721 |
+
msgid "Search comment meta names and values."
|
722 |
msgstr ""
|
723 |
|
724 |
+
#: models/source-manager.php:84
|
725 |
+
msgid "User Meta"
|
726 |
msgstr ""
|
727 |
|
728 |
+
#: models/source-manager.php:85
|
729 |
+
msgid "Search user meta name and values."
|
730 |
msgstr ""
|
731 |
|
732 |
+
#: models/source-manager.php:163
|
733 |
+
msgid "Standard"
|
734 |
msgstr ""
|
735 |
|
736 |
+
#: models/source-manager.php:170
|
737 |
msgid "Specific Post Types"
|
738 |
msgstr ""
|
739 |
|
740 |
+
#: models/source-manager.php:177
|
741 |
+
msgid "Advanced"
|
742 |
+
msgstr ""
|
743 |
+
|
744 |
+
#: models/source-manager.php:184
|
745 |
msgid "Plugins"
|
746 |
msgstr ""
|
models/match-column.php
CHANGED
@@ -5,17 +5,46 @@ namespace SearchRegex;
|
|
5 |
class Match_Column {
|
6 |
const CONTEXT_LIMIT = 20;
|
7 |
|
8 |
-
/**
|
|
|
|
|
|
|
|
|
9 |
private $column_id;
|
10 |
-
|
|
|
|
|
|
|
|
|
|
|
11 |
private $column_label;
|
12 |
-
|
|
|
|
|
|
|
|
|
|
|
13 |
private $contexts;
|
14 |
-
|
|
|
|
|
|
|
|
|
|
|
15 |
private $context_count;
|
16 |
-
|
|
|
|
|
|
|
|
|
|
|
17 |
private $match_count;
|
18 |
-
|
|
|
|
|
|
|
|
|
|
|
19 |
private $replacement;
|
20 |
|
21 |
/**
|
@@ -43,7 +72,7 @@ class Match_Column {
|
|
43 |
/**
|
44 |
* Convert the Match_Context to JSON
|
45 |
*
|
46 |
-
* @return Array JSON data
|
47 |
*/
|
48 |
public function to_json() {
|
49 |
$contexts = [];
|
@@ -58,7 +87,7 @@ class Match_Column {
|
|
58 |
'contexts' => $contexts,
|
59 |
'context_count' => $this->context_count,
|
60 |
'match_count' => $this->match_count,
|
61 |
-
'replacement' => $this->replacement,
|
62 |
];
|
63 |
}
|
64 |
|
5 |
class Match_Column {
|
6 |
const CONTEXT_LIMIT = 20;
|
7 |
|
8 |
+
/**
|
9 |
+
* Column ID
|
10 |
+
*
|
11 |
+
* @var string
|
12 |
+
**/
|
13 |
private $column_id;
|
14 |
+
|
15 |
+
/**
|
16 |
+
* Column label
|
17 |
+
*
|
18 |
+
* @var string
|
19 |
+
**/
|
20 |
private $column_label;
|
21 |
+
|
22 |
+
/**
|
23 |
+
* Array of match contexts
|
24 |
+
*
|
25 |
+
* @var Match_Context[]
|
26 |
+
**/
|
27 |
private $contexts;
|
28 |
+
|
29 |
+
/**
|
30 |
+
* Total number of match contexts
|
31 |
+
*
|
32 |
+
* @var int
|
33 |
+
**/
|
34 |
private $context_count;
|
35 |
+
|
36 |
+
/**
|
37 |
+
* Total number of matches
|
38 |
+
*
|
39 |
+
* @var int
|
40 |
+
**/
|
41 |
private $match_count;
|
42 |
+
|
43 |
+
/**
|
44 |
+
* Replacement phrase
|
45 |
+
*
|
46 |
+
* @var string
|
47 |
+
**/
|
48 |
private $replacement;
|
49 |
|
50 |
/**
|
72 |
/**
|
73 |
* Convert the Match_Context to JSON
|
74 |
*
|
75 |
+
* @return Array{column_id: string, column_label: string, contexts: array, context_count: int, match_count: int, replacement: string} JSON data
|
76 |
*/
|
77 |
public function to_json() {
|
78 |
$contexts = [];
|
87 |
'contexts' => $contexts,
|
88 |
'context_count' => $this->context_count,
|
89 |
'match_count' => $this->match_count,
|
90 |
+
'replacement' => $this->replacement,
|
91 |
];
|
92 |
}
|
93 |
|
models/match-context.php
CHANGED
@@ -11,13 +11,32 @@ class Match_Context {
|
|
11 |
const CHARS_BEFORE = 50;
|
12 |
const CHARS_AFTER = 60;
|
13 |
|
14 |
-
/**
|
|
|
|
|
|
|
|
|
15 |
private $context_id;
|
16 |
-
|
|
|
|
|
|
|
|
|
|
|
17 |
private $context = null;
|
18 |
-
|
|
|
|
|
|
|
|
|
|
|
19 |
private $matches = [];
|
20 |
-
|
|
|
|
|
|
|
|
|
|
|
21 |
private $match_count = 0;
|
22 |
|
23 |
/**
|
@@ -41,7 +60,7 @@ class Match_Context {
|
|
41 |
/**
|
42 |
* Convert the Match_Context to to_json
|
43 |
*
|
44 |
-
* @return Array JSON
|
45 |
*/
|
46 |
public function to_json() {
|
47 |
$matches = [];
|
11 |
const CHARS_BEFORE = 50;
|
12 |
const CHARS_AFTER = 60;
|
13 |
|
14 |
+
/**
|
15 |
+
* Context ID
|
16 |
+
*
|
17 |
+
* @var Int
|
18 |
+
**/
|
19 |
private $context_id;
|
20 |
+
|
21 |
+
/**
|
22 |
+
* Context
|
23 |
+
*
|
24 |
+
* @var String|null
|
25 |
+
**/
|
26 |
private $context = null;
|
27 |
+
|
28 |
+
/**
|
29 |
+
* Array of matches
|
30 |
+
*
|
31 |
+
* @var Match[]
|
32 |
+
**/
|
33 |
private $matches = [];
|
34 |
+
|
35 |
+
/**
|
36 |
+
* Total number of matches
|
37 |
+
*
|
38 |
+
* @var Int
|
39 |
+
**/
|
40 |
private $match_count = 0;
|
41 |
|
42 |
/**
|
60 |
/**
|
61 |
* Convert the Match_Context to to_json
|
62 |
*
|
63 |
+
* @return Array{context_id: int, context: string|null, matches: array, match_count: int} JSON
|
64 |
*/
|
65 |
public function to_json() {
|
66 |
$matches = [];
|
models/match.php
CHANGED
@@ -8,15 +8,39 @@ use SearchRegex\Match_Context;
|
|
8 |
* Represents a single match
|
9 |
*/
|
10 |
class Match {
|
11 |
-
/**
|
|
|
|
|
|
|
|
|
12 |
private $pos_id;
|
13 |
-
|
|
|
|
|
|
|
|
|
|
|
14 |
private $match;
|
15 |
-
|
|
|
|
|
|
|
|
|
|
|
16 |
private $context_offset = 0;
|
17 |
-
|
|
|
|
|
|
|
|
|
|
|
18 |
private $replacement;
|
19 |
-
|
|
|
|
|
|
|
|
|
|
|
20 |
private $captures;
|
21 |
|
22 |
/**
|
8 |
* Represents a single match
|
9 |
*/
|
10 |
class Match {
|
11 |
+
/**
|
12 |
+
* Position ID
|
13 |
+
*
|
14 |
+
* @var Int
|
15 |
+
**/
|
16 |
private $pos_id;
|
17 |
+
|
18 |
+
/**
|
19 |
+
* Matched string
|
20 |
+
*
|
21 |
+
* @var String
|
22 |
+
**/
|
23 |
private $match;
|
24 |
+
|
25 |
+
/**
|
26 |
+
* Context offset
|
27 |
+
*
|
28 |
+
* @var Int
|
29 |
+
**/
|
30 |
private $context_offset = 0;
|
31 |
+
|
32 |
+
/**
|
33 |
+
* Replacement
|
34 |
+
*
|
35 |
+
* @var String
|
36 |
+
**/
|
37 |
private $replacement;
|
38 |
+
|
39 |
+
/**
|
40 |
+
* Array of captured data
|
41 |
+
*
|
42 |
+
* @var String[]
|
43 |
+
**/
|
44 |
private $captures;
|
45 |
|
46 |
/**
|
models/replace.php
CHANGED
@@ -9,11 +9,25 @@ use SearchRegex\Match;
|
|
9 |
* Performs plain and regular expressions of single and global replacements
|
10 |
*/
|
11 |
class Replace {
|
12 |
-
/**
|
|
|
|
|
|
|
|
|
13 |
private $replace;
|
14 |
-
|
|
|
|
|
|
|
|
|
|
|
15 |
private $sources = [];
|
16 |
-
|
|
|
|
|
|
|
|
|
|
|
17 |
private $flags;
|
18 |
|
19 |
const BEFORE = '<SEARCHREGEX>';
|
@@ -121,12 +135,17 @@ class Replace {
|
|
121 |
continue;
|
122 |
}
|
123 |
|
124 |
-
|
125 |
-
|
126 |
-
|
127 |
-
}
|
128 |
|
129 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
130 |
}
|
131 |
|
132 |
return $phrases_replaced;
|
9 |
* Performs plain and regular expressions of single and global replacements
|
10 |
*/
|
11 |
class Replace {
|
12 |
+
/**
|
13 |
+
* The replacement phrase
|
14 |
+
*
|
15 |
+
* @var String
|
16 |
+
**/
|
17 |
private $replace;
|
18 |
+
|
19 |
+
/**
|
20 |
+
* Our search sources
|
21 |
+
*
|
22 |
+
* @var Search_Source[]
|
23 |
+
**/
|
24 |
private $sources = [];
|
25 |
+
|
26 |
+
/**
|
27 |
+
* Our search flags
|
28 |
+
*
|
29 |
+
* @var Search_Flags
|
30 |
+
**/
|
31 |
private $flags;
|
32 |
|
33 |
const BEFORE = '<SEARCHREGEX>';
|
135 |
continue;
|
136 |
}
|
137 |
|
138 |
+
foreach ( $this->sources as $source ) {
|
139 |
+
if ( $source->is_type( $result->get_source_type() ) ) {
|
140 |
+
$saved = $source->save( $result->get_row_id(), $column->get_column_id(), $replacement );
|
|
|
141 |
|
142 |
+
if ( is_wp_error( $saved ) && is_object( $saved ) ) {
|
143 |
+
return $saved;
|
144 |
+
}
|
145 |
+
|
146 |
+
$phrases_replaced += $column->get_match_count();
|
147 |
+
}
|
148 |
+
}
|
149 |
}
|
150 |
|
151 |
return $phrases_replaced;
|
models/result.php
CHANGED
@@ -6,19 +6,53 @@ namespace SearchRegex;
|
|
6 |
* Contains all information for a search result - a database row that contains matches
|
7 |
*/
|
8 |
class Result {
|
9 |
-
/**
|
|
|
|
|
|
|
|
|
10 |
private $row_id;
|
11 |
-
|
|
|
|
|
|
|
|
|
|
|
12 |
private $source_type;
|
13 |
-
|
|
|
|
|
|
|
|
|
|
|
14 |
private $source_name;
|
15 |
-
|
|
|
|
|
|
|
|
|
|
|
16 |
private $result_title;
|
17 |
-
|
|
|
|
|
|
|
|
|
|
|
18 |
private $columns;
|
19 |
-
|
|
|
|
|
|
|
|
|
|
|
20 |
private $raw;
|
21 |
-
|
|
|
|
|
|
|
|
|
|
|
22 |
private $actions = [];
|
23 |
|
24 |
/**
|
@@ -60,7 +94,7 @@ class Result {
|
|
60 |
'source_name' => $this->source_name,
|
61 |
'columns' => $columns,
|
62 |
'actions' => $this->actions,
|
63 |
-
'title' => $this->result_title,
|
64 |
'match_count' => \array_reduce( $columns, function( $carry, $column ) {
|
65 |
return $carry + $column['match_count'];
|
66 |
}, 0 ),
|
@@ -93,4 +127,13 @@ class Result {
|
|
93 |
public function get_row_id() {
|
94 |
return $this->row_id;
|
95 |
}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
96 |
}
|
6 |
* Contains all information for a search result - a database row that contains matches
|
7 |
*/
|
8 |
class Result {
|
9 |
+
/**
|
10 |
+
* Row ID
|
11 |
+
*
|
12 |
+
* @var Int
|
13 |
+
**/
|
14 |
private $row_id;
|
15 |
+
|
16 |
+
/**
|
17 |
+
* Source type
|
18 |
+
*
|
19 |
+
* @var String
|
20 |
+
**/
|
21 |
private $source_type;
|
22 |
+
|
23 |
+
/**
|
24 |
+
* Source name
|
25 |
+
*
|
26 |
+
* @var String
|
27 |
+
**/
|
28 |
private $source_name;
|
29 |
+
|
30 |
+
/**
|
31 |
+
* A title for the result. e.g. post title
|
32 |
+
*
|
33 |
+
* @var String
|
34 |
+
**/
|
35 |
private $result_title;
|
36 |
+
|
37 |
+
/**
|
38 |
+
* Array of columns with matches
|
39 |
+
*
|
40 |
+
* @var Match_Column[]
|
41 |
+
**/
|
42 |
private $columns;
|
43 |
+
|
44 |
+
/**
|
45 |
+
* Raw data for this result
|
46 |
+
*
|
47 |
+
* @var String[]
|
48 |
+
**/
|
49 |
private $raw;
|
50 |
+
|
51 |
+
/**
|
52 |
+
* Array of actions that can be performed on this result
|
53 |
+
*
|
54 |
+
* @var String[]
|
55 |
+
**/
|
56 |
private $actions = [];
|
57 |
|
58 |
/**
|
94 |
'source_name' => $this->source_name,
|
95 |
'columns' => $columns,
|
96 |
'actions' => $this->actions,
|
97 |
+
'title' => html_entity_decode( $this->result_title ),
|
98 |
'match_count' => \array_reduce( $columns, function( $carry, $column ) {
|
99 |
return $carry + $column['match_count'];
|
100 |
}, 0 ),
|
127 |
public function get_row_id() {
|
128 |
return $this->row_id;
|
129 |
}
|
130 |
+
|
131 |
+
/**
|
132 |
+
* Get the result source type
|
133 |
+
*
|
134 |
+
* @return String
|
135 |
+
*/
|
136 |
+
public function get_source_type() {
|
137 |
+
return $this->source_type;
|
138 |
+
}
|
139 |
}
|
models/search.php
CHANGED
@@ -4,6 +4,7 @@ namespace SearchRegex;
|
|
4 |
|
5 |
use SearchRegex\Result_Collection;
|
6 |
use SearchRegex\Match;
|
|
|
7 |
|
8 |
require_once __DIR__ . '/source.php';
|
9 |
require_once __DIR__ . '/source-manager.php';
|
@@ -12,16 +13,31 @@ require_once __DIR__ . '/match-context.php';
|
|
12 |
require_once __DIR__ . '/match-column.php';
|
13 |
require_once __DIR__ . '/search-flags.php';
|
14 |
require_once __DIR__ . '/source-flags.php';
|
|
|
15 |
|
16 |
/**
|
17 |
* Perform a search
|
18 |
*/
|
19 |
class Search {
|
20 |
-
/**
|
|
|
|
|
|
|
|
|
21 |
private $search;
|
22 |
-
|
|
|
|
|
|
|
|
|
|
|
23 |
private $sources = [];
|
24 |
-
|
|
|
|
|
|
|
|
|
|
|
25 |
private $flags;
|
26 |
|
27 |
/**
|
@@ -37,80 +53,31 @@ class Search {
|
|
37 |
$this->sources = $sources;
|
38 |
}
|
39 |
|
40 |
-
/**
|
41 |
-
* Get total number of matches and rows across each source
|
42 |
-
*
|
43 |
-
* @internal
|
44 |
-
* @param Int $offset Page offset.
|
45 |
-
* @return \WP_Error|Array<String,Int> Array of totals
|
46 |
-
*/
|
47 |
-
private function get_totals( $offset ) {
|
48 |
-
$totals = [ 'rows' => 0 ];
|
49 |
-
|
50 |
-
foreach ( $this->sources as $source ) {
|
51 |
-
$rows = $source->get_total_rows();
|
52 |
-
if ( is_wp_error( $rows ) && is_object( $rows ) ) {
|
53 |
-
return $rows;
|
54 |
-
}
|
55 |
-
|
56 |
-
$totals['rows'] += intval( $rows, 10 );
|
57 |
-
}
|
58 |
-
|
59 |
-
// First request also returns the total matched
|
60 |
-
if ( $offset === 0 ) {
|
61 |
-
$totals['matched_rows'] = 0;
|
62 |
-
$totals['matched_phrases'] = 0;
|
63 |
-
|
64 |
-
foreach ( $this->sources as $source ) {
|
65 |
-
if ( ! $this->flags->is_regex() ) {
|
66 |
-
$matches = $source->get_total_matches( $this->search );
|
67 |
-
if ( $matches instanceof \WP_Error ) {
|
68 |
-
return $matches;
|
69 |
-
}
|
70 |
-
|
71 |
-
$totals['matched_rows'] += $matches['rows'];
|
72 |
-
$totals['matched_phrases'] += $matches['matches'];
|
73 |
-
}
|
74 |
-
}
|
75 |
-
}
|
76 |
-
|
77 |
-
return $totals;
|
78 |
-
}
|
79 |
-
|
80 |
-
/**
|
81 |
-
* Get the match data for a search
|
82 |
-
*
|
83 |
-
* @internal
|
84 |
-
* @param Int $offset Page offset.
|
85 |
-
* @param Int $limit Page limit.
|
86 |
-
* @return \WP_Error|Array Data array
|
87 |
-
*/
|
88 |
-
private function get_data( $offset, $limit ) {
|
89 |
-
if ( $this->flags->is_regex() ) {
|
90 |
-
return $this->sources[0]->get_all_rows( $this->search, $offset, $limit );
|
91 |
-
}
|
92 |
-
|
93 |
-
return $this->sources[0]->get_matched_rows( $this->search, $offset, $limit );
|
94 |
-
}
|
95 |
-
|
96 |
/**
|
97 |
* Get a single database row
|
98 |
*
|
99 |
-
* @param
|
100 |
-
* @param
|
|
|
101 |
* @return \WP_Error|Array Return a single database row, or WP_Error on error
|
102 |
*/
|
103 |
-
public function get_row( $row_id, Replace $replacer ) {
|
104 |
global $wpdb;
|
105 |
|
106 |
-
$row = $
|
107 |
|
108 |
// Error
|
109 |
if ( is_wp_error( $row ) ) {
|
110 |
return new \WP_Error( 'searchregex_database', $wpdb->last_error );
|
111 |
}
|
112 |
|
113 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
114 |
}
|
115 |
|
116 |
/**
|
@@ -122,36 +89,37 @@ class Search {
|
|
122 |
* @param int $limit Max number of results.
|
123 |
* @return Array|\WP_Error Array containing `totals`, `progress`, and `results`
|
124 |
*/
|
125 |
-
public function
|
126 |
-
|
127 |
-
$totals = $this->get_totals( $offset );
|
128 |
-
$rows = $this->get_data( $offset, $per_page );
|
129 |
|
130 |
-
|
131 |
-
|
|
|
|
|
132 |
}
|
133 |
|
|
|
|
|
134 |
if ( $rows instanceof \WP_Error ) {
|
135 |
return $rows;
|
136 |
}
|
137 |
|
138 |
-
|
139 |
-
|
140 |
if ( $results instanceof \WP_Error ) {
|
141 |
return $results;
|
142 |
}
|
143 |
|
|
|
144 |
$previous = max( 0, $offset - $per_page );
|
|
|
145 |
|
146 |
// We always go in $per_page groups, but we need to limit if we only need a few more to fill a result set
|
147 |
-
if ( $limit > 0 && $limit
|
148 |
-
$next = min( $offset + $limit, $
|
149 |
-
|
150 |
-
$next = min( $offset + $per_page, $totals['rows'] ); // TODO this isn't going to end in simple search
|
151 |
}
|
152 |
|
153 |
-
$results = array_slice( $results, 0, $limit === 0 ? $per_page : $limit );
|
154 |
-
|
155 |
if ( $next === $offset ) {
|
156 |
$next = false;
|
157 |
}
|
@@ -162,7 +130,7 @@ class Search {
|
|
162 |
|
163 |
return [
|
164 |
'results' => $results,
|
165 |
-
'totals' => $totals,
|
166 |
'progress' => [
|
167 |
'current' => $offset,
|
168 |
'rows' => count( $results ),
|
@@ -172,35 +140,195 @@ class Search {
|
|
172 |
];
|
173 |
}
|
174 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
175 |
/**
|
176 |
* Convert database rows into Result objects
|
177 |
*
|
178 |
* @internal
|
179 |
-
* @param Array $
|
180 |
* @param Replace $replacer Replace object.
|
181 |
* @return Result[]|\WP_Error Array of results
|
182 |
*/
|
183 |
-
|
184 |
$results = [];
|
185 |
-
$source = $this->sources[0];
|
186 |
|
187 |
-
|
188 |
-
|
189 |
-
$
|
190 |
-
$
|
191 |
|
192 |
-
|
193 |
-
|
194 |
-
$
|
195 |
-
$
|
|
|
196 |
|
197 |
-
|
198 |
-
$
|
|
|
|
|
|
|
|
|
|
|
|
|
199 |
}
|
200 |
-
}
|
201 |
|
202 |
-
|
203 |
-
|
|
|
204 |
}
|
205 |
}
|
206 |
|
@@ -222,4 +350,13 @@ class Search {
|
|
222 |
|
223 |
return $json;
|
224 |
}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
225 |
}
|
4 |
|
5 |
use SearchRegex\Result_Collection;
|
6 |
use SearchRegex\Match;
|
7 |
+
use SearchRegex\Totals;
|
8 |
|
9 |
require_once __DIR__ . '/source.php';
|
10 |
require_once __DIR__ . '/source-manager.php';
|
13 |
require_once __DIR__ . '/match-column.php';
|
14 |
require_once __DIR__ . '/search-flags.php';
|
15 |
require_once __DIR__ . '/source-flags.php';
|
16 |
+
require_once __DIR__ . '/totals.php';
|
17 |
|
18 |
/**
|
19 |
* Perform a search
|
20 |
*/
|
21 |
class Search {
|
22 |
+
/**
|
23 |
+
* The phrase to search for.
|
24 |
+
*
|
25 |
+
* @var String
|
26 |
+
**/
|
27 |
private $search;
|
28 |
+
|
29 |
+
/**
|
30 |
+
* The sources to search across.
|
31 |
+
*
|
32 |
+
* @var list<Search_Source>
|
33 |
+
**/
|
34 |
private $sources = [];
|
35 |
+
|
36 |
+
/**
|
37 |
+
* The search flags to use when searching.
|
38 |
+
*
|
39 |
+
* @var Search_Flags
|
40 |
+
**/
|
41 |
private $flags;
|
42 |
|
43 |
/**
|
53 |
$this->sources = $sources;
|
54 |
}
|
55 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
56 |
/**
|
57 |
* Get a single database row
|
58 |
*
|
59 |
+
* @param Search_Source $source Source that contains the row.
|
60 |
+
* @param int $row_id Row ID to return.
|
61 |
+
* @param Replace $replacer The Replace object used when replacing data.
|
62 |
* @return \WP_Error|Array Return a single database row, or WP_Error on error
|
63 |
*/
|
64 |
+
public function get_row( Search_Source $source, $row_id, Replace $replacer ) {
|
65 |
global $wpdb;
|
66 |
|
67 |
+
$row = $source->get_row( $row_id );
|
68 |
|
69 |
// Error
|
70 |
if ( is_wp_error( $row ) ) {
|
71 |
return new \WP_Error( 'searchregex_database', $wpdb->last_error );
|
72 |
}
|
73 |
|
74 |
+
$results = [
|
75 |
+
[
|
76 |
+
'results' => [ $row ],
|
77 |
+
'source_pos' => 0,
|
78 |
+
],
|
79 |
+
];
|
80 |
+
return $this->convert_rows_to_results( $results, $replacer );
|
81 |
}
|
82 |
|
83 |
/**
|
89 |
* @param int $limit Max number of results.
|
90 |
* @return Array|\WP_Error Array containing `totals`, `progress`, and `results`
|
91 |
*/
|
92 |
+
public function get_search_results( Replace $replacer, $offset, $per_page, $limit = 0 ) {
|
93 |
+
$totals = new Totals();
|
|
|
|
|
94 |
|
95 |
+
// Get total results
|
96 |
+
$result = $totals->get_totals( $this->sources, $this->search );
|
97 |
+
if ( $result instanceof \WP_Error ) {
|
98 |
+
return $result;
|
99 |
}
|
100 |
|
101 |
+
// Get the data
|
102 |
+
$rows = $this->get_search_data( $offset, $per_page, $totals );
|
103 |
if ( $rows instanceof \WP_Error ) {
|
104 |
return $rows;
|
105 |
}
|
106 |
|
107 |
+
// Convert it to Results
|
108 |
+
$results = $this->convert_rows_to_results( (array) $rows, $replacer );
|
109 |
if ( $results instanceof \WP_Error ) {
|
110 |
return $results;
|
111 |
}
|
112 |
|
113 |
+
// Calculate the prev/next pages of results
|
114 |
$previous = max( 0, $offset - $per_page );
|
115 |
+
$next = $totals->get_next_page( $offset + $per_page, $this->flags->is_regex() );
|
116 |
|
117 |
// We always go in $per_page groups, but we need to limit if we only need a few more to fill a result set
|
118 |
+
if ( $limit > 0 && $limit < count( $results ) ) {
|
119 |
+
$next = min( $offset + $limit, $next );
|
120 |
+
$results = array_slice( $results, 0, $limit === 0 ? $per_page : $limit );
|
|
|
121 |
}
|
122 |
|
|
|
|
|
123 |
if ( $next === $offset ) {
|
124 |
$next = false;
|
125 |
}
|
130 |
|
131 |
return [
|
132 |
'results' => $results,
|
133 |
+
'totals' => $totals->to_json(),
|
134 |
'progress' => [
|
135 |
'current' => $offset,
|
136 |
'rows' => count( $results ),
|
140 |
];
|
141 |
}
|
142 |
|
143 |
+
/**
|
144 |
+
* Get the match data for a search. We merge all result sets for all sources together, and then paginate across them.
|
145 |
+
*
|
146 |
+
* @param Int $absolute_offset Absolute page offset across all sources (assuming they don't change).
|
147 |
+
* @param Int $limit Page limit.
|
148 |
+
* @param Totals $totals Source totals.
|
149 |
+
* @return \WP_Error|Array Data array
|
150 |
+
*/
|
151 |
+
public function get_search_data( $absolute_offset, $limit, Totals $totals ) {
|
152 |
+
$results = [];
|
153 |
+
$current_offset = 0;
|
154 |
+
$source_offset = 0;
|
155 |
+
$remaining_limit = $limit;
|
156 |
+
|
157 |
+
// Go through each row and see if our $absolute_offset + $limit is within it's result set
|
158 |
+
foreach ( $this->sources as $source_pos => $source ) {
|
159 |
+
$num_rows = $totals->get_total_for_source( $source->get_type(), $this->flags->is_regex() );
|
160 |
+
|
161 |
+
// Are we within the correct result set?
|
162 |
+
if ( $current_offset + $num_rows >= $absolute_offset && $num_rows > 0 ) {
|
163 |
+
// Adjust for the current source offset
|
164 |
+
$source_offset = max( 0, $absolute_offset - $current_offset );
|
165 |
+
|
166 |
+
// Read up to our remaining limit, or the remaining number of rows
|
167 |
+
$source_limit = min( $remaining_limit, $num_rows - $source_offset );
|
168 |
+
|
169 |
+
if ( $this->flags->is_regex() ) {
|
170 |
+
$source_results = $source->get_all_rows( $this->search, $source_offset, $source_limit );
|
171 |
+
} else {
|
172 |
+
$source_results = $source->get_matched_rows( $this->search, $source_offset, $source_limit );
|
173 |
+
}
|
174 |
+
|
175 |
+
// Check for an error
|
176 |
+
if ( $source_results instanceof \WP_Error ) {
|
177 |
+
return $source_results;
|
178 |
+
}
|
179 |
+
|
180 |
+
// Subtract the rows we've read from this source. There could be rows in another source to read
|
181 |
+
$remaining_limit -= $source_limit;
|
182 |
+
|
183 |
+
// Append to merged set
|
184 |
+
$results[] = [
|
185 |
+
'source_pos' => $source_pos,
|
186 |
+
'results' => $source_results,
|
187 |
+
];
|
188 |
+
}
|
189 |
+
|
190 |
+
// Move on to the next absolute offset
|
191 |
+
$current_offset += $num_rows;
|
192 |
+
|
193 |
+
//echo "remaining_limit = $remaining_limit\n";
|
194 |
+
if ( $remaining_limit <= 0 ) {
|
195 |
+
break;
|
196 |
+
}
|
197 |
+
}
|
198 |
+
|
199 |
+
return $results;
|
200 |
+
}
|
201 |
+
|
202 |
+
/**
|
203 |
+
* Perform the search for a global replace, returning a result array that contains the totals, the progress, and an array of Result objects
|
204 |
+
*
|
205 |
+
* @param Replace $replacer The replacer which performs any replacements.
|
206 |
+
* @param String $offset Current page offset.
|
207 |
+
* @param int $per_page Per page limit.
|
208 |
+
* @return Array|\WP_Error Array containing `totals`, `progress`, and `results`
|
209 |
+
*/
|
210 |
+
public function get_replace_results( Replace $replacer, $offset, $per_page ) {
|
211 |
+
$totals = new Totals();
|
212 |
+
|
213 |
+
// Get total results
|
214 |
+
$result = $totals->get_totals( $this->sources, $this->search );
|
215 |
+
if ( $result instanceof \WP_Error ) {
|
216 |
+
return $result;
|
217 |
+
}
|
218 |
+
|
219 |
+
// Get the data
|
220 |
+
$rows = $this->get_replace_data( $offset, $per_page );
|
221 |
+
if ( $rows instanceof \WP_Error ) {
|
222 |
+
return $rows;
|
223 |
+
}
|
224 |
+
|
225 |
+
// Convert it to Results
|
226 |
+
$results = $this->convert_rows_to_results( $rows['results'], $replacer );
|
227 |
+
if ( $results instanceof \WP_Error ) {
|
228 |
+
return $results;
|
229 |
+
}
|
230 |
+
|
231 |
+
return [
|
232 |
+
'results' => $results,
|
233 |
+
'totals' => $totals->to_json(),
|
234 |
+
'next' => $rows['next'],
|
235 |
+
'rows' => array_reduce( $rows['results'], function( $carry, $item ) {
|
236 |
+
return $carry + count( $item['results'] );
|
237 |
+
}, 0 ),
|
238 |
+
];
|
239 |
+
}
|
240 |
+
|
241 |
+
/**
|
242 |
+
* Get the replacement data. We use a different paging method than searching as we're also replacing rows, and this means we can't page.
|
243 |
+
*
|
244 |
+
* @param String $offset Current offset token.
|
245 |
+
* @param Int $limit Page limit.
|
246 |
+
* @return \WP_Error|Array Data array
|
247 |
+
*/
|
248 |
+
public function get_replace_data( $offset, $limit ) {
|
249 |
+
$results = [];
|
250 |
+
$parts = explode( '-', $offset );
|
251 |
+
$current_source = $this->sources[0]->get_type();
|
252 |
+
$offset = 0;
|
253 |
+
$remaining_limit = $limit;
|
254 |
+
$last_row_id = false;
|
255 |
+
|
256 |
+
if ( count( $parts ) === 2 ) {
|
257 |
+
$current_source = $parts[0];
|
258 |
+
$offset = intval( $parts[1], 10 );
|
259 |
+
}
|
260 |
+
|
261 |
+
foreach ( $this->sources as $source_pos => $source ) {
|
262 |
+
if ( $source->get_type() === $current_source ) {
|
263 |
+
$source_results = $source->get_matched_rows_offset( $this->search, $offset, $remaining_limit, $this->flags->is_regex() );
|
264 |
+
if ( $source_results instanceof \WP_Error ) {
|
265 |
+
return $source_results;
|
266 |
+
}
|
267 |
+
|
268 |
+
if ( count( $source_results ) > 0 ) {
|
269 |
+
$last_row_id = $current_source . '-';
|
270 |
+
$last_row_id .= strval( intval( $source_results[ count( $source_results ) - 1 ][ $source->get_table_id() ], 10 ) );
|
271 |
+
}
|
272 |
+
|
273 |
+
// Merge with existing results
|
274 |
+
$results[] = [
|
275 |
+
'source_pos' => $source_pos,
|
276 |
+
'results' => $source_results,
|
277 |
+
];
|
278 |
+
|
279 |
+
// Do we have any more to get?
|
280 |
+
$remaining_limit -= count( $source_results );
|
281 |
+
if ( $remaining_limit <= 0 || $source_pos + 1 >= count( $this->sources ) ) {
|
282 |
+
break;
|
283 |
+
}
|
284 |
+
|
285 |
+
// Move on to next source and reset offset to 0
|
286 |
+
$current_source = $this->sources[ $source_pos + 1 ]->get_type();
|
287 |
+
$offset = 0;
|
288 |
+
}
|
289 |
+
}
|
290 |
+
|
291 |
+
return [
|
292 |
+
'results' => $results,
|
293 |
+
'next' => $last_row_id && $remaining_limit === 0 ? $last_row_id : false,
|
294 |
+
];
|
295 |
+
}
|
296 |
+
|
297 |
/**
|
298 |
* Convert database rows into Result objects
|
299 |
*
|
300 |
* @internal
|
301 |
+
* @param Array $source_results Array of row data.
|
302 |
* @param Replace $replacer Replace object.
|
303 |
* @return Result[]|\WP_Error Array of results
|
304 |
*/
|
305 |
+
public function convert_rows_to_results( array $source_results, Replace $replacer ) {
|
306 |
$results = [];
|
|
|
307 |
|
308 |
+
// Loop over the source results, extracting the source and results for that source
|
309 |
+
foreach ( $source_results as $result ) {
|
310 |
+
$source = $this->sources[ $result['source_pos'] ];
|
311 |
+
$rows = $result['results'];
|
312 |
|
313 |
+
// Loop over the results for the source
|
314 |
+
foreach ( $rows as $row ) {
|
315 |
+
$columns = array_keys( $row );
|
316 |
+
$match_columns = [];
|
317 |
+
$row_id = 0;
|
318 |
|
319 |
+
foreach ( array_slice( $columns, 1 ) as $column ) {
|
320 |
+
$row_id = intval( array_values( $row )[0], 10 );
|
321 |
+
$replacement = $replacer->get_replace_positions( $this->search, $row[ $column ] );
|
322 |
+
$contexts = Match::get_all( $this->search, $source->get_flags(), $replacement, $row[ $column ] );
|
323 |
+
|
324 |
+
if ( count( $contexts ) > 0 ) {
|
325 |
+
$match_columns[] = new Match_Column( $column, $source->get_column_label( $column ), $replacer->get_global_replace( $this->search, $row[ $column ] ), $contexts );
|
326 |
+
}
|
327 |
}
|
|
|
328 |
|
329 |
+
if ( count( $match_columns ) > 0 && $row_id > 0 ) {
|
330 |
+
$results[] = new Result( $row_id, $source, $match_columns, $row );
|
331 |
+
}
|
332 |
}
|
333 |
}
|
334 |
|
350 |
|
351 |
return $json;
|
352 |
}
|
353 |
+
|
354 |
+
/**
|
355 |
+
* Return the associated Search_Flags
|
356 |
+
*
|
357 |
+
* @return Search_Flags Search_Flags object
|
358 |
+
*/
|
359 |
+
public function get_flags() {
|
360 |
+
return $this->flags;
|
361 |
+
}
|
362 |
}
|
models/source-manager.php
CHANGED
@@ -9,26 +9,28 @@ use SearchRegex\Search_Source;
|
|
9 |
*/
|
10 |
class Source_Manager {
|
11 |
/**
|
12 |
-
* Return
|
13 |
*
|
14 |
-
* @return Array
|
15 |
*/
|
16 |
-
|
17 |
-
|
18 |
-
|
19 |
-
|
20 |
-
|
21 |
-
|
22 |
-
|
23 |
-
|
24 |
-
|
25 |
-
|
26 |
-
|
27 |
-
|
28 |
-
|
29 |
-
|
30 |
-
|
31 |
-
|
|
|
|
|
32 |
[
|
33 |
'name' => 'comment',
|
34 |
'class' => 'SearchRegex\Source_Comment',
|
@@ -36,13 +38,6 @@ class Source_Manager {
|
|
36 |
'description' => __( 'Search comment content, URL, and author, with optional support for spam comments.', 'search-regex' ),
|
37 |
'type' => 'core',
|
38 |
],
|
39 |
-
[
|
40 |
-
'name' => 'comment-meta',
|
41 |
-
'class' => 'SearchRegex\Source_Comment_Meta',
|
42 |
-
'label' => __( 'Comment Meta', 'search-regex' ),
|
43 |
-
'description' => __( 'Search comment meta names and values.', 'search-regex' ),
|
44 |
-
'type' => 'core',
|
45 |
-
],
|
46 |
[
|
47 |
'name' => 'user',
|
48 |
'class' => 'SearchRegex\Source_User',
|
@@ -50,13 +45,6 @@ class Source_Manager {
|
|
50 |
'description' => __( 'Search user email, URL, and name.', 'search-regex' ),
|
51 |
'type' => 'core',
|
52 |
],
|
53 |
-
[
|
54 |
-
'name' => 'user-meta',
|
55 |
-
'class' => 'SearchRegex\Source_User_Meta',
|
56 |
-
'label' => __( 'User Meta', 'search-regex' ),
|
57 |
-
'description' => __( 'Search user meta name and values.', 'search-regex' ),
|
58 |
-
'type' => 'core',
|
59 |
-
],
|
60 |
[
|
61 |
'name' => 'options',
|
62 |
'class' => 'SearchRegex\Source_Options',
|
@@ -66,21 +54,51 @@ class Source_Manager {
|
|
66 |
],
|
67 |
];
|
68 |
|
69 |
-
|
70 |
-
|
71 |
-
$post_types = get_post_types( [], 'objects' );
|
72 |
-
$post_sources = [];
|
73 |
|
74 |
-
|
75 |
-
|
76 |
-
|
77 |
-
|
78 |
-
|
79 |
-
|
80 |
-
|
81 |
-
|
82 |
-
|
83 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
84 |
|
85 |
// Load custom stuff here
|
86 |
$plugin_sources = glob( dirname( SEARCHREGEX_FILE ) . '/source/plugin/*.php' );
|
@@ -97,10 +115,38 @@ class Source_Manager {
|
|
97 |
return $source;
|
98 |
}, $plugin_sources );
|
99 |
|
100 |
-
|
101 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
102 |
|
103 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
104 |
}
|
105 |
|
106 |
/**
|
@@ -114,7 +160,7 @@ class Source_Manager {
|
|
114 |
$groups = [
|
115 |
[
|
116 |
'name' => 'core',
|
117 |
-
'label' => __( 'Standard
|
118 |
'sources' => array_values( array_filter( $sources, function( $source ) {
|
119 |
return $source['type'] === 'core';
|
120 |
} ) ),
|
@@ -126,6 +172,13 @@ class Source_Manager {
|
|
126 |
return $source['type'] === 'posttype';
|
127 |
} ) ),
|
128 |
],
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
129 |
[
|
130 |
'name' => 'plugin',
|
131 |
'label' => __( 'Plugins', 'search-regex' ),
|
@@ -135,9 +188,9 @@ class Source_Manager {
|
|
135 |
],
|
136 |
];
|
137 |
|
138 |
-
return array_filter( apply_filters( 'searchregex_source_groups', $groups ), function( $group ) {
|
139 |
return count( $group['sources'] ) > 0;
|
140 |
-
} );
|
141 |
}
|
142 |
|
143 |
/**
|
@@ -186,12 +239,34 @@ class Source_Manager {
|
|
186 |
*/
|
187 |
public static function get( $sources, Search_Flags $search_flags, Source_Flags $source_flags ) {
|
188 |
$handlers = [];
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
189 |
|
|
|
190 |
foreach ( $sources as $source ) {
|
191 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
192 |
|
193 |
-
|
194 |
-
|
|
|
|
|
|
|
|
|
195 |
}
|
196 |
}
|
197 |
|
9 |
*/
|
10 |
class Source_Manager {
|
11 |
/**
|
12 |
+
* Return the source for the post table
|
13 |
*
|
14 |
+
* @return Array
|
15 |
*/
|
16 |
+
private static function get_post_source() {
|
17 |
+
return [
|
18 |
+
'name' => 'posts',
|
19 |
+
'class' => 'SearchRegex\Source_Post',
|
20 |
+
'label' => __( 'All Post Types', 'search-regex' ),
|
21 |
+
'description' => __( 'Search all posts, pages, and custom post types.', 'search-regex' ),
|
22 |
+
'type' => 'core',
|
23 |
+
];
|
24 |
+
}
|
25 |
+
|
26 |
+
/**
|
27 |
+
* Return all the core source types
|
28 |
+
*
|
29 |
+
* @return Array
|
30 |
+
*/
|
31 |
+
private static function get_core_sources() {
|
32 |
+
$sources = [
|
33 |
+
self::get_post_source(),
|
34 |
[
|
35 |
'name' => 'comment',
|
36 |
'class' => 'SearchRegex\Source_Comment',
|
38 |
'description' => __( 'Search comment content, URL, and author, with optional support for spam comments.', 'search-regex' ),
|
39 |
'type' => 'core',
|
40 |
],
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
41 |
[
|
42 |
'name' => 'user',
|
43 |
'class' => 'SearchRegex\Source_User',
|
45 |
'description' => __( 'Search user email, URL, and name.', 'search-regex' ),
|
46 |
'type' => 'core',
|
47 |
],
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
48 |
[
|
49 |
'name' => 'options',
|
50 |
'class' => 'SearchRegex\Source_Options',
|
54 |
],
|
55 |
];
|
56 |
|
57 |
+
return apply_filters( 'searchregex_sources_core', $sources );
|
58 |
+
}
|
|
|
|
|
59 |
|
60 |
+
/**
|
61 |
+
* Return all the advanced source types
|
62 |
+
*
|
63 |
+
* @return Array
|
64 |
+
*/
|
65 |
+
private static function get_advanced_sources() {
|
66 |
+
$sources = [
|
67 |
+
[
|
68 |
+
'name' => 'post-meta',
|
69 |
+
'class' => 'SearchRegex\Source_Post_Meta',
|
70 |
+
'label' => __( 'Post Meta', 'search-regex' ),
|
71 |
+
'description' => __( 'Search post meta names and values.', 'search-regex' ),
|
72 |
+
'type' => 'advanced',
|
73 |
+
],
|
74 |
+
[
|
75 |
+
'name' => 'comment-meta',
|
76 |
+
'class' => 'SearchRegex\Source_Comment_Meta',
|
77 |
+
'label' => __( 'Comment Meta', 'search-regex' ),
|
78 |
+
'description' => __( 'Search comment meta names and values.', 'search-regex' ),
|
79 |
+
'type' => 'advanced',
|
80 |
+
],
|
81 |
+
[
|
82 |
+
'name' => 'user-meta',
|
83 |
+
'class' => 'SearchRegex\Source_User_Meta',
|
84 |
+
'label' => __( 'User Meta', 'search-regex' ),
|
85 |
+
'description' => __( 'Search user meta name and values.', 'search-regex' ),
|
86 |
+
'type' => 'advanced',
|
87 |
+
],
|
88 |
+
];
|
89 |
+
|
90 |
+
return apply_filters( 'searchregex_sources_advanced', $sources );
|
91 |
+
}
|
92 |
+
|
93 |
+
/**
|
94 |
+
* Return an array of all the database sources. Note this is filtered with `searchregex_sources`
|
95 |
+
*
|
96 |
+
* @return Array The array of database sources as name => class
|
97 |
+
*/
|
98 |
+
public static function get_all_sources() {
|
99 |
+
$core_sources = self::get_core_sources();
|
100 |
+
$advanced_sources = self::get_advanced_sources();
|
101 |
+
$post_sources = self::get_all_custom_post_types();
|
102 |
|
103 |
// Load custom stuff here
|
104 |
$plugin_sources = glob( dirname( SEARCHREGEX_FILE ) . '/source/plugin/*.php' );
|
115 |
return $source;
|
116 |
}, $plugin_sources );
|
117 |
|
118 |
+
return array_values(
|
119 |
+
array_merge(
|
120 |
+
array_values( $core_sources ),
|
121 |
+
array_values( $advanced_sources ),
|
122 |
+
array_values( $post_sources ),
|
123 |
+
array_values( $plugin_sources )
|
124 |
+
)
|
125 |
+
);
|
126 |
+
}
|
127 |
|
128 |
+
/**
|
129 |
+
* Return an array of all the custom sources. Note this is filtered with `searchregex_sources_posttype`
|
130 |
+
*
|
131 |
+
* @return Array{name: string, class: string, label: string, type: string} The array of database sources as name => class
|
132 |
+
*/
|
133 |
+
private static function get_all_custom_post_types() {
|
134 |
+
/** @var Array */
|
135 |
+
$post_types = get_post_types( [], 'objects' );
|
136 |
+
$post_sources = [];
|
137 |
+
|
138 |
+
foreach ( $post_types as $type ) {
|
139 |
+
if ( strlen( $type->label ) > 0 ) {
|
140 |
+
$post_sources[] = [
|
141 |
+
'name' => $type->name,
|
142 |
+
'class' => 'SearchRegex\Source_Post',
|
143 |
+
'label' => $type->label,
|
144 |
+
'type' => 'posttype',
|
145 |
+
];
|
146 |
+
}
|
147 |
+
}
|
148 |
+
|
149 |
+
return apply_filters( 'searchregex_sources_posttype', $post_sources );
|
150 |
}
|
151 |
|
152 |
/**
|
160 |
$groups = [
|
161 |
[
|
162 |
'name' => 'core',
|
163 |
+
'label' => __( 'Standard', 'search-regex' ),
|
164 |
'sources' => array_values( array_filter( $sources, function( $source ) {
|
165 |
return $source['type'] === 'core';
|
166 |
} ) ),
|
172 |
return $source['type'] === 'posttype';
|
173 |
} ) ),
|
174 |
],
|
175 |
+
[
|
176 |
+
'name' => 'advanced',
|
177 |
+
'label' => __( 'Advanced', 'search-regex' ),
|
178 |
+
'sources' => array_values( array_filter( $sources, function( $source ) {
|
179 |
+
return $source['type'] === 'advanced';
|
180 |
+
} ) ),
|
181 |
+
],
|
182 |
[
|
183 |
'name' => 'plugin',
|
184 |
'label' => __( 'Plugins', 'search-regex' ),
|
188 |
],
|
189 |
];
|
190 |
|
191 |
+
return array_values( array_filter( apply_filters( 'searchregex_source_groups', $groups ), function( $group ) {
|
192 |
return count( $group['sources'] ) > 0;
|
193 |
+
} ) );
|
194 |
}
|
195 |
|
196 |
/**
|
239 |
*/
|
240 |
public static function get( $sources, Search_Flags $search_flags, Source_Flags $source_flags ) {
|
241 |
$handlers = [];
|
242 |
+
$cpts = [];
|
243 |
+
|
244 |
+
/**
|
245 |
+
* @psalm-suppress InvalidArgument
|
246 |
+
*/
|
247 |
+
$all_cpts = array_map( function( array $source ) {
|
248 |
+
return $source['name'];
|
249 |
+
}, self::get_all_custom_post_types() );
|
250 |
|
251 |
+
// Create handlers for everything else
|
252 |
foreach ( $sources as $source ) {
|
253 |
+
if ( in_array( $source, $all_cpts, true ) ) {
|
254 |
+
$cpts[] = $source;
|
255 |
+
} else {
|
256 |
+
$handler = self::get_handler_for_source( $source, $search_flags, $source_flags );
|
257 |
+
|
258 |
+
if ( $handler ) {
|
259 |
+
$handlers[] = $handler;
|
260 |
+
}
|
261 |
+
}
|
262 |
+
}
|
263 |
|
264 |
+
// Merge all CPTs together
|
265 |
+
if ( count( $cpts ) > 0 ) {
|
266 |
+
$handler = self::get_handler_for_source( 'post', $search_flags, $source_flags );
|
267 |
+
if ( $handler instanceof Source_Post ) {
|
268 |
+
$handler->set_custom_post_types( $cpts );
|
269 |
+
array_unshift( $handlers, $handler );
|
270 |
}
|
271 |
}
|
272 |
|
models/source.php
CHANGED
@@ -8,13 +8,32 @@ use SearchRegex\Search_Regex;
|
|
8 |
* Represents a source of data that can be searched. Typically maps directly to a database table
|
9 |
*/
|
10 |
abstract class Search_Source {
|
11 |
-
/**
|
|
|
|
|
|
|
|
|
12 |
protected $search_flags;
|
13 |
-
|
|
|
|
|
|
|
|
|
|
|
14 |
protected $source_flags;
|
15 |
-
|
|
|
|
|
|
|
|
|
|
|
16 |
protected $source_type;
|
17 |
-
|
|
|
|
|
|
|
|
|
|
|
18 |
protected $source_name;
|
19 |
|
20 |
/**
|
@@ -38,10 +57,20 @@ abstract class Search_Source {
|
|
38 |
* @param Array $row Database row, used in some sources to determine the type.
|
39 |
* @return String Source type
|
40 |
*/
|
41 |
-
public function get_type( array $row ) {
|
42 |
return $this->source_type;
|
43 |
}
|
44 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
45 |
/**
|
46 |
* Return the source name
|
47 |
*
|
@@ -102,11 +131,10 @@ abstract class Search_Source {
|
|
102 |
* Return an array of additional search conditions applied to each query. These will be ANDed together.
|
103 |
* These conditions should be sanitized here, and won't be sanitized elsewhere.
|
104 |
*
|
105 |
-
* @
|
106 |
-
* @return Array Array of SQL condition
|
107 |
*/
|
108 |
-
public function get_search_conditions(
|
109 |
-
return
|
110 |
}
|
111 |
|
112 |
/**
|
@@ -142,7 +170,7 @@ abstract class Search_Source {
|
|
142 |
* Get the total number of matches for this search
|
143 |
*
|
144 |
* @param String $search Search string.
|
145 |
-
* @return Array
|
146 |
*/
|
147 |
public function get_total_matches( $search ) {
|
148 |
global $wpdb;
|
@@ -179,9 +207,14 @@ abstract class Search_Source {
|
|
179 |
public function get_total_rows() {
|
180 |
global $wpdb;
|
181 |
|
|
|
|
|
|
|
|
|
|
|
182 |
// This is a known and validated query
|
183 |
// phpcs:ignore
|
184 |
-
$result = $wpdb->get_var( "SELECT COUNT(*) FROM {$this->get_table_name()}" );
|
185 |
if ( $result === null ) {
|
186 |
return new \WP_Error( 'searchregex_database', $wpdb->last_error, 401 );
|
187 |
}
|
@@ -224,10 +257,10 @@ abstract class Search_Source {
|
|
224 |
$columns = $this->get_query_columns();
|
225 |
|
226 |
// Add any source specific conditions
|
227 |
-
$source_conditions = $this->get_search_conditions(
|
228 |
$search_phrase = '';
|
229 |
-
if (
|
230 |
-
$search_phrase = ' WHERE ' .
|
231 |
}
|
232 |
|
233 |
// This is a known and validated query
|
@@ -264,6 +297,38 @@ abstract class Search_Source {
|
|
264 |
return $results;
|
265 |
}
|
266 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
267 |
/**
|
268 |
* Save a replacement to the database
|
269 |
*
|
@@ -356,14 +421,23 @@ abstract class Search_Source {
|
|
356 |
}
|
357 |
|
358 |
// Add any source specific conditions
|
359 |
-
$source_conditions = $this->get_search_conditions(
|
360 |
|
361 |
$search_phrase = '(' . implode( ' OR ', $source_matches ) . ')';
|
362 |
$conditions = '';
|
363 |
-
if (
|
364 |
-
$conditions = ' AND ' .
|
365 |
}
|
366 |
|
367 |
return $search_phrase . $conditions;
|
368 |
}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
369 |
}
|
8 |
* Represents a source of data that can be searched. Typically maps directly to a database table
|
9 |
*/
|
10 |
abstract class Search_Source {
|
11 |
+
/**
|
12 |
+
* The search flags
|
13 |
+
*
|
14 |
+
* @var Search_Flags
|
15 |
+
**/
|
16 |
protected $search_flags;
|
17 |
+
|
18 |
+
/**
|
19 |
+
* The source flags
|
20 |
+
*
|
21 |
+
* @var Source_Flags
|
22 |
+
**/
|
23 |
protected $source_flags;
|
24 |
+
|
25 |
+
/**
|
26 |
+
* The source type
|
27 |
+
*
|
28 |
+
* @var String
|
29 |
+
**/
|
30 |
protected $source_type;
|
31 |
+
|
32 |
+
/**
|
33 |
+
* The source type name
|
34 |
+
*
|
35 |
+
* @var String
|
36 |
+
**/
|
37 |
protected $source_name;
|
38 |
|
39 |
/**
|
57 |
* @param Array $row Database row, used in some sources to determine the type.
|
58 |
* @return String Source type
|
59 |
*/
|
60 |
+
public function get_type( array $row = [] ) {
|
61 |
return $this->source_type;
|
62 |
}
|
63 |
|
64 |
+
/**
|
65 |
+
* Return true if the source matches the type, false otherwise
|
66 |
+
*
|
67 |
+
* @param String $type Source type.
|
68 |
+
* @return boolean
|
69 |
+
*/
|
70 |
+
public function is_type( $type ) {
|
71 |
+
return $this->source_type === $type;
|
72 |
+
}
|
73 |
+
|
74 |
/**
|
75 |
* Return the source name
|
76 |
*
|
131 |
* Return an array of additional search conditions applied to each query. These will be ANDed together.
|
132 |
* These conditions should be sanitized here, and won't be sanitized elsewhere.
|
133 |
*
|
134 |
+
* @return String SQL conditions
|
|
|
135 |
*/
|
136 |
+
public function get_search_conditions() {
|
137 |
+
return '';
|
138 |
}
|
139 |
|
140 |
/**
|
170 |
* Get the total number of matches for this search
|
171 |
*
|
172 |
* @param String $search Search string.
|
173 |
+
* @return Array{matches: int, rows: int}|\WP_Error The number of matches as an array of 'matches' and 'rows', or WP_Error on error
|
174 |
*/
|
175 |
public function get_total_matches( $search ) {
|
176 |
global $wpdb;
|
207 |
public function get_total_rows() {
|
208 |
global $wpdb;
|
209 |
|
210 |
+
$extra = $this->get_search_conditions();
|
211 |
+
if ( $extra ) {
|
212 |
+
$extra = ' WHERE (' . $extra . ')';
|
213 |
+
}
|
214 |
+
|
215 |
// This is a known and validated query
|
216 |
// phpcs:ignore
|
217 |
+
$result = $wpdb->get_var( "SELECT COUNT(*) FROM {$this->get_table_name()}" . $extra );
|
218 |
if ( $result === null ) {
|
219 |
return new \WP_Error( 'searchregex_database', $wpdb->last_error, 401 );
|
220 |
}
|
257 |
$columns = $this->get_query_columns();
|
258 |
|
259 |
// Add any source specific conditions
|
260 |
+
$source_conditions = $this->get_search_conditions();
|
261 |
$search_phrase = '';
|
262 |
+
if ( $source_conditions ) {
|
263 |
+
$search_phrase = ' WHERE (' . $source_conditions . ')';
|
264 |
}
|
265 |
|
266 |
// This is a known and validated query
|
297 |
return $results;
|
298 |
}
|
299 |
|
300 |
+
/**
|
301 |
+
* Get a set of matching rows from a given offset
|
302 |
+
*
|
303 |
+
* @param String $search The search string.
|
304 |
+
* @param int $offset The row offset.
|
305 |
+
* @param int $limit The number of rows to return.
|
306 |
+
* @param Bool $exclude_search_query Exclude the search query. Used for regular expression searches.
|
307 |
+
* @return Array|\WP_Error The database rows, or WP_Error on error
|
308 |
+
*/
|
309 |
+
public function get_matched_rows_offset( $search, $offset, $limit, $exclude_search_query ) {
|
310 |
+
global $wpdb;
|
311 |
+
|
312 |
+
$search_query = $exclude_search_query ? $this->get_search_conditions() : $this->get_search_query( $search );
|
313 |
+
$columns = $this->get_query_columns();
|
314 |
+
|
315 |
+
if ( $search_query ) {
|
316 |
+
$search_query .= ' AND ';
|
317 |
+
}
|
318 |
+
|
319 |
+
// phpcs:ignore
|
320 |
+
$search_query .= $wpdb->prepare( " {$this->get_table_id() } > %d", $offset );
|
321 |
+
|
322 |
+
// This is a known and validated query
|
323 |
+
// phpcs:ignore
|
324 |
+
$results = $wpdb->get_results( $wpdb->prepare( "SELECT {$columns} FROM {$this->get_table_name()} WHERE {$search_query} ORDER BY {$this->get_table_id()} ASC LIMIT %d", $limit ), ARRAY_A );
|
325 |
+
if ( $results === false || $wpdb->last_error ) {
|
326 |
+
return new \WP_Error( 'searchregex_database', $wpdb->last_error, 401 );
|
327 |
+
}
|
328 |
+
|
329 |
+
return $results;
|
330 |
+
}
|
331 |
+
|
332 |
/**
|
333 |
* Save a replacement to the database
|
334 |
*
|
421 |
}
|
422 |
|
423 |
// Add any source specific conditions
|
424 |
+
$source_conditions = $this->get_search_conditions();
|
425 |
|
426 |
$search_phrase = '(' . implode( ' OR ', $source_matches ) . ')';
|
427 |
$conditions = '';
|
428 |
+
if ( $source_conditions ) {
|
429 |
+
$conditions = ' AND (' . $source_conditions . ')';
|
430 |
}
|
431 |
|
432 |
return $search_phrase . $conditions;
|
433 |
}
|
434 |
+
|
435 |
+
/**
|
436 |
+
* Get search source flags
|
437 |
+
*
|
438 |
+
* @return Search_Flags
|
439 |
+
*/
|
440 |
+
public function get_flags() {
|
441 |
+
return $this->search_flags;
|
442 |
+
}
|
443 |
}
|
models/totals.php
ADDED
@@ -0,0 +1,117 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
<?php
|
2 |
+
|
3 |
+
namespace SearchRegex;
|
4 |
+
|
5 |
+
/**
|
6 |
+
* Collects totals for a search across multiple sources
|
7 |
+
*/
|
8 |
+
class Totals {
|
9 |
+
/**
|
10 |
+
* Total rows and matches
|
11 |
+
*
|
12 |
+
* @var array<string,array{rows: int, matched_rows: int, matched_phrases: int}>
|
13 |
+
*/
|
14 |
+
private $totals = [];
|
15 |
+
|
16 |
+
/**
|
17 |
+
* The grand totals across all sources
|
18 |
+
*
|
19 |
+
* @var array{rows: int, matched_rows: int, matched_phrases: int}
|
20 |
+
*/
|
21 |
+
private $grand_totals = [
|
22 |
+
'rows' => 0,
|
23 |
+
'matched_rows' => 0,
|
24 |
+
'matched_phrases' => 0,
|
25 |
+
];
|
26 |
+
|
27 |
+
/**
|
28 |
+
* Get total number of matches and rows across each source
|
29 |
+
*
|
30 |
+
* @param Array $sources Array of search sources.
|
31 |
+
* @param String $search Search phrase.
|
32 |
+
* @return \WP_Error|Bool Array of totals
|
33 |
+
*/
|
34 |
+
public function get_totals( array $sources, $search ) {
|
35 |
+
foreach ( $sources as $source ) {
|
36 |
+
$rows = $source->get_total_rows();
|
37 |
+
if ( $rows instanceof \WP_Error ) {
|
38 |
+
return $rows;
|
39 |
+
}
|
40 |
+
|
41 |
+
$name = $source->get_type();
|
42 |
+
|
43 |
+
// Total for each source
|
44 |
+
$this->totals[ $name ] = [
|
45 |
+
'rows' => intval( $rows, 10 ),
|
46 |
+
'matched_rows' => 0,
|
47 |
+
'matched_phrases' => 0,
|
48 |
+
];
|
49 |
+
|
50 |
+
if ( ! $source->get_flags()->is_regex() ) {
|
51 |
+
$matches = $source->get_total_matches( $search );
|
52 |
+
if ( $matches instanceof \WP_Error ) {
|
53 |
+
return $matches;
|
54 |
+
}
|
55 |
+
|
56 |
+
$this->totals[ $name ]['matched_rows'] += intval( $matches['rows'], 10 );
|
57 |
+
$this->totals[ $name ]['matched_phrases'] += intval( $matches['matches'], 10 );
|
58 |
+
}
|
59 |
+
|
60 |
+
// Add to grand totals
|
61 |
+
$this->add_to_grand_total( $this->totals[ $name ] );
|
62 |
+
}
|
63 |
+
|
64 |
+
return true;
|
65 |
+
}
|
66 |
+
|
67 |
+
/**
|
68 |
+
* Add a source total to the grand total
|
69 |
+
*
|
70 |
+
* @param array{rows: int, matched_rows: int, matched_phrases: int} $total The source totals.
|
71 |
+
* @return void
|
72 |
+
*/
|
73 |
+
private function add_to_grand_total( $total ) {
|
74 |
+
$this->grand_totals['rows'] += $total['rows'];
|
75 |
+
$this->grand_totals['matched_rows'] += $total['matched_rows'];
|
76 |
+
$this->grand_totals['matched_phrases'] += $total['matched_phrases'];
|
77 |
+
}
|
78 |
+
|
79 |
+
/**
|
80 |
+
* Get totals for a source
|
81 |
+
*
|
82 |
+
* @param String $source_name Source name.
|
83 |
+
* @param Bool $regex Is this a regex search.
|
84 |
+
* @return Int Number of matches for the row
|
85 |
+
*/
|
86 |
+
public function get_total_for_source( $source_name, $regex ) {
|
87 |
+
if ( isset( $this->totals[ $source_name ] ) ) {
|
88 |
+
return $regex ? $this->totals[ $source_name ]['rows'] : $this->totals[ $source_name ]['matched_rows'];
|
89 |
+
}
|
90 |
+
|
91 |
+
return 0;
|
92 |
+
}
|
93 |
+
|
94 |
+
/**
|
95 |
+
* Get the next page offset.
|
96 |
+
*
|
97 |
+
* @param Int $next_offset The offset of the next page.
|
98 |
+
* @param Bool $is_regex Is this a regex search.
|
99 |
+
* @return Int|false Next offset, or false if no next offset
|
100 |
+
*/
|
101 |
+
public function get_next_page( $next_offset, $is_regex ) {
|
102 |
+
if ( $is_regex ) {
|
103 |
+
return $next_offset >= $this->grand_totals['rows'] ? false : $next_offset;
|
104 |
+
}
|
105 |
+
|
106 |
+
return $next_offset >= $this->grand_totals['matched_rows'] ? false : $next_offset;
|
107 |
+
}
|
108 |
+
|
109 |
+
/**
|
110 |
+
* Return the grand totals as JSON
|
111 |
+
*
|
112 |
+
* @return array{rows: int, matched_rows: int, matched_phrases: int}
|
113 |
+
*/
|
114 |
+
public function to_json() {
|
115 |
+
return $this->grand_totals;
|
116 |
+
}
|
117 |
+
}
|
readme.txt
CHANGED
@@ -80,7 +80,17 @@ Full documentation can be found on the [Search Regex](http://searchregex.com/) s
|
|
80 |
|
81 |
== Changelog ==
|
82 |
|
83 |
-
= 2.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
84 |
- Comment title now takes you to comment page
|
85 |
- Improve regex performance when data has large gaps
|
86 |
- Use correct contact address
|
80 |
|
81 |
== Changelog ==
|
82 |
|
83 |
+
= 2.1 - 6th June 2020 =
|
84 |
+
- Support searching and replacing in multiple sources
|
85 |
+
- Improve regex search and replace speed
|
86 |
+
- Row actions have moved to a dropdown
|
87 |
+
- Fix HTML entities in row titles
|
88 |
+
- Handle unknown post types
|
89 |
+
- Fix global replace showing 0% progress
|
90 |
+
- Add Japanese locale
|
91 |
+
- Add Dutch locale
|
92 |
+
|
93 |
+
= 2.0.1 - 11th May 2020 =
|
94 |
- Comment title now takes you to comment page
|
95 |
- Improve regex performance when data has large gaps
|
96 |
- Use correct contact address
|
search-regex-admin.php
CHANGED
@@ -101,6 +101,8 @@ class Search_Regex_Admin {
|
|
101 |
'Browser: ' . $this->get_user_agent(),
|
102 |
'JavaScript: ' . plugin_dir_url( SEARCHREGEX_FILE ) . 'search-regex.js',
|
103 |
'REST API: ' . searchregex_get_rest_api(),
|
|
|
|
|
104 |
);
|
105 |
|
106 |
if ( defined( 'SEARCHREGEX_DEV_MODE' ) && SEARCHREGEX_DEV_MODE ) {
|
@@ -172,17 +174,16 @@ class Search_Regex_Admin {
|
|
172 |
* @return Array
|
173 |
*/
|
174 |
private function get_preload_data() {
|
175 |
-
$sources = Source_Manager::get_all_grouped();
|
176 |
$all = Source_Manager::get_all_source_names();
|
177 |
-
$
|
178 |
$flags = [];
|
179 |
|
180 |
-
foreach ( $
|
181 |
-
$flags[ $
|
182 |
}
|
183 |
|
184 |
return [
|
185 |
-
'sources' =>
|
186 |
'source_flags' => $flags,
|
187 |
];
|
188 |
}
|
101 |
'Browser: ' . $this->get_user_agent(),
|
102 |
'JavaScript: ' . plugin_dir_url( SEARCHREGEX_FILE ) . 'search-regex.js',
|
103 |
'REST API: ' . searchregex_get_rest_api(),
|
104 |
+
'Memory: ' . ini_get( 'memory_limit' ),
|
105 |
+
'Timeout: ' . ini_get( 'max_execution_time' ),
|
106 |
);
|
107 |
|
108 |
if ( defined( 'SEARCHREGEX_DEV_MODE' ) && SEARCHREGEX_DEV_MODE ) {
|
174 |
* @return Array
|
175 |
*/
|
176 |
private function get_preload_data() {
|
|
|
177 |
$all = Source_Manager::get_all_source_names();
|
178 |
+
$handlers = Source_Manager::get( $all, new Search_Flags(), new Source_Flags() );
|
179 |
$flags = [];
|
180 |
|
181 |
+
foreach ( $handlers as $source ) {
|
182 |
+
$flags[ $source->get_type() ] = $source->get_supported_flags();
|
183 |
}
|
184 |
|
185 |
return [
|
186 |
+
'sources' => Source_Manager::get_all_grouped(),
|
187 |
'source_flags' => $flags,
|
188 |
];
|
189 |
}
|
search-regex-settings.php
CHANGED
@@ -18,6 +18,7 @@ function searchregex_get_default_options() {
|
|
18 |
$defaults = [
|
19 |
'support' => false,
|
20 |
'rest_api' => SEARCHREGEX_API_JSON,
|
|
|
21 |
];
|
22 |
|
23 |
return \apply_filters( 'searchregex_default_options', $defaults );
|
@@ -40,6 +41,10 @@ function searchregex_set_options( array $settings = array() ) {
|
|
40 |
$options['support'] = $settings['support'] ? true : false;
|
41 |
}
|
42 |
|
|
|
|
|
|
|
|
|
43 |
\update_option( SEARCHREGEX_OPTION, \apply_filters( 'searchregex_save_options', $options ) );
|
44 |
return $options;
|
45 |
}
|
18 |
$defaults = [
|
19 |
'support' => false,
|
20 |
'rest_api' => SEARCHREGEX_API_JSON,
|
21 |
+
'actionDropdown' => true,
|
22 |
];
|
23 |
|
24 |
return \apply_filters( 'searchregex_default_options', $defaults );
|
41 |
$options['support'] = $settings['support'] ? true : false;
|
42 |
}
|
43 |
|
44 |
+
if ( isset( $settings['actionDropdown'] ) ) {
|
45 |
+
$options['actionDropdown'] = $settings['actionDropdown'] ? true : false;
|
46 |
+
}
|
47 |
+
|
48 |
\update_option( SEARCHREGEX_OPTION, \apply_filters( 'searchregex_save_options', $options ) );
|
49 |
return $options;
|
50 |
}
|
search-regex-strings.php
CHANGED
@@ -12,10 +12,11 @@ __( "Your server has rejected the request for being too big. You will need to ch
|
|
12 |
__( "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log", "search-regex" ), // client/component/decode-error/index.js:90
|
13 |
__( "Read this REST API guide for more information.", "search-regex" ), // client/component/decode-error/index.js:91
|
14 |
__( "Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working", "search-regex" ), // client/component/decode-error/index.js:97
|
15 |
-
__( "
|
16 |
-
__( "
|
17 |
-
__( "
|
18 |
-
__( "
|
|
|
19 |
__( "Editing %s", "search-regex" ), // client/component/editor/index.js:55
|
20 |
__( "Save", "search-regex" ), // client/component/editor/index.js:80
|
21 |
__( "Close", "search-regex" ), // client/component/editor/index.js:81
|
@@ -37,8 +38,8 @@ __( "{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the
|
|
37 |
__( "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.", "search-regex" ), // client/component/error/index.js:173
|
38 |
__( "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.", "search-regex" ), // client/component/error/index.js:180
|
39 |
__( "That didn't help", "search-regex" ), // client/component/error/index.js:188
|
40 |
-
__( "Replacement for this match", "search-regex" ), // client/component/highlight-matches/replacement.js:
|
41 |
-
__( "Replace single phrase.", "search-regex" ), // client/component/highlight-matches/replacement.js:
|
42 |
__( "Search & Replace", "search-regex" ), // client/component/menu/index.js:18
|
43 |
__( "Options", "search-regex" ), // client/component/menu/index.js:22
|
44 |
__( "Support", "search-regex" ), // client/component/menu/index.js:26
|
@@ -49,11 +50,11 @@ __( "Remove", "search-regex" ), // client/component/replace/index.js:27
|
|
49 |
__( "Search phrase will be removed", "search-regex" ), // client/component/replace/index.js:65
|
50 |
__( "Replace", "search-regex" ), // client/component/replace/index.js:117
|
51 |
__( "Cancel", "search-regex" ), // client/component/replace/index.js:120
|
52 |
-
__( "Replace progress", "search-regex" ), // client/component/replace-progress/index.js:
|
53 |
-
__( "
|
54 |
-
|
55 |
-
|
56 |
-
__( "Finished!", "search-regex" ), // client/component/replace-progress/index.js:
|
57 |
__( "Working!", "search-regex" ), // client/component/rest-api-status/api-result-pass.js:15
|
58 |
__( "Show Full", "search-regex" ), // client/component/rest-api-status/api-result-raw.js:41
|
59 |
__( "Hide", "search-regex" ), // client/component/rest-api-status/api-result-raw.js:42
|
@@ -70,14 +71,14 @@ __( "Summary", "search-regex" ), // client/component/rest-api-status/index.js:13
|
|
70 |
__( "Show Problems", "search-regex" ), // client/component/rest-api-status/index.js:134
|
71 |
__( "Testing - %s\$", "search-regex" ), // client/component/rest-api-status/index.js:160
|
72 |
__( "Check Again", "search-regex" ), // client/component/rest-api-status/index.js:167
|
73 |
-
__( "
|
74 |
-
__( "
|
75 |
-
__( "
|
76 |
-
__( "
|
77 |
-
__( "
|
78 |
-
_n( "Replace %(count)s match.", "Replace %(count)s matches.", 1, "search-regex" ), // client/component/result/index.js:
|
79 |
__( "Maximum number of matches exceeded and hidden from view. These will be included in any replacements.", "search-regex" ), // client/component/result/restricted-matches.js:11
|
80 |
-
_n( "Show %s more", "Show %s more", 1, "search-regex" ), // client/component/result/result-columns.js:
|
81 |
__( "Search Regex", "search-regex" ), // client/page/home/index.js:26
|
82 |
__( "Options", "search-regex" ), // client/page/home/index.js:27
|
83 |
__( "Support", "search-regex" ), // client/page/home/index.js:28
|
@@ -100,22 +101,24 @@ __( "Default REST API", "search-regex" ), // client/page/options/options-form.js
|
|
100 |
__( "Raw REST API", "search-regex" ), // client/page/options/options-form.js:19
|
101 |
__( "Relative REST API", "search-regex" ), // client/page/options/options-form.js:20
|
102 |
__( "I'm a nice person and I have helped support the author of this plugin", "search-regex" ), // client/page/options/options-form.js:51
|
103 |
-
__( "
|
104 |
-
__( "
|
105 |
-
__( "
|
106 |
-
__( "
|
|
|
|
|
107 |
__( "Search and replace information in your database.", "search-regex" ), // client/page/search-replace/index.js:28
|
108 |
__( "Search", "search-regex" ), // client/page/search-replace/search-actions.js:32
|
109 |
__( "Replace All", "search-regex" ), // client/page/search-replace/search-actions.js:40
|
110 |
__( "Cancel", "search-regex" ), // client/page/search-replace/search-actions.js:51
|
111 |
-
__( "Search", "search-regex" ), // client/page/search-replace/search-form.js:
|
112 |
-
__( "Enter search phrase", "search-regex" ), // client/page/search-replace/search-form.js:
|
113 |
-
__( "Search Flags", "search-regex" ), // client/page/search-replace/search-form.js:
|
114 |
-
__( "Replace", "search-regex" ), // client/page/search-replace/search-form.js:
|
115 |
-
__( "Enter global replacement text", "search-regex" ), // client/page/search-replace/search-form.js:
|
116 |
-
__( "Source", "search-regex" ), // client/page/search-replace/search-form.js:
|
117 |
-
__( "Source Options", "search-regex" ), // client/page/search-replace/search-form.js:
|
118 |
-
__( "Results", "search-regex" ), // client/page/search-replace/search-form.js:
|
119 |
__( "Need more help?", "search-regex" ), // client/page/support/help.js:14
|
120 |
__( "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.", "search-regex" ), // client/page/support/help.js:16
|
121 |
__( "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.", "search-regex" ), // client/page/support/help.js:22
|
@@ -133,18 +136,19 @@ __( "Settings saved", "search-regex" ), // client/state/message/reducer.js:30
|
|
133 |
__( "Row deleted", "search-regex" ), // client/state/message/reducer.js:31
|
134 |
__( "Row replaced", "search-regex" ), // client/state/message/reducer.js:32
|
135 |
__( "Row updated", "search-regex" ), // client/state/message/reducer.js:33
|
136 |
-
__( "Regular Expression", "search-regex" ), // client/state/search/selector.js:
|
137 |
-
__( "Ignore Case", "search-regex" ), // client/state/search/selector.js:
|
138 |
-
__( "25 per page ", "search-regex" ), // client/state/search/selector.js:
|
139 |
-
__( "50 per page ", "search-regex" ), // client/state/search/selector.js:
|
140 |
-
__( "100 per page", "search-regex" ), // client/state/search/selector.js:
|
141 |
-
__( "250 per page", "search-regex" ), // client/state/search/selector.js:
|
142 |
-
__( "500 per page", "search-regex" ), // client/state/search/selector.js:
|
143 |
-
_n( "%s database row in total", "%s database rows in total", 1, "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:
|
144 |
-
__( "
|
145 |
-
__( "
|
146 |
-
__( "
|
147 |
-
__( "
|
|
|
148 |
_n( "Matches: %(phrases)s across %(rows)s database row.", "Matches: %(phrases)s across %(rows)s database rows.", 1, "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:27
|
149 |
__( "First page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:37
|
150 |
__( "Prev page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:38
|
@@ -153,10 +157,10 @@ __( "Next page", "search-regex" ), // client/page/search-replace/pagination/simp
|
|
153 |
__( "Last page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:50
|
154 |
__( "No more matching results found.", "search-regex" ), // client/page/search-replace/search-results/empty-results.js:11
|
155 |
__( "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.", "search-regex" ), // client/page/search-replace/search-results/index.js:37
|
156 |
-
__( "Source", "search-regex" ), // client/page/search-replace/search-results/index.js:
|
157 |
-
__( "Row ID", "search-regex" ), // client/page/search-replace/search-results/index.js:
|
158 |
-
__( "Matches", "search-regex" ), // client/page/search-replace/search-results/index.js:
|
159 |
-
__( "Matched Phrases", "search-regex" ), // client/page/search-replace/search-results/index.js:
|
160 |
-
__( "Actions", "search-regex" ), // client/page/search-replace/search-results/index.js:
|
161 |
);
|
162 |
/* THIS IS THE END OF THE GENERATED FILE */
|
12 |
__( "This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log", "search-regex" ), // client/component/decode-error/index.js:90
|
13 |
__( "Read this REST API guide for more information.", "search-regex" ), // client/component/decode-error/index.js:91
|
14 |
__( "Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working", "search-regex" ), // client/component/decode-error/index.js:97
|
15 |
+
__( "An unknown error occurred.", "search-regex" ), // client/component/decode-error/index.js:101
|
16 |
+
__( "WordPress returned an unexpected message. This is probably a PHP error from another plugin.", "search-regex" ), // client/component/decode-error/index.js:110
|
17 |
+
__( "Possible cause", "search-regex" ), // client/component/decode-error/index.js:111
|
18 |
+
__( "Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.", "search-regex" ), // client/component/decode-error/index.js:121
|
19 |
+
__( "Read this REST API guide for more information.", "search-regex" ), // client/component/decode-error/index.js:122
|
20 |
__( "Editing %s", "search-regex" ), // client/component/editor/index.js:55
|
21 |
__( "Save", "search-regex" ), // client/component/editor/index.js:80
|
22 |
__( "Close", "search-regex" ), // client/component/editor/index.js:81
|
38 |
__( "{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.", "search-regex" ), // client/component/error/index.js:173
|
39 |
__( "If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.", "search-regex" ), // client/component/error/index.js:180
|
40 |
__( "That didn't help", "search-regex" ), // client/component/error/index.js:188
|
41 |
+
__( "Replacement for this match", "search-regex" ), // client/component/highlight-matches/replacement.js:51
|
42 |
+
__( "Replace single phrase.", "search-regex" ), // client/component/highlight-matches/replacement.js:52
|
43 |
__( "Search & Replace", "search-regex" ), // client/component/menu/index.js:18
|
44 |
__( "Options", "search-regex" ), // client/component/menu/index.js:22
|
45 |
__( "Support", "search-regex" ), // client/component/menu/index.js:26
|
50 |
__( "Search phrase will be removed", "search-regex" ), // client/component/replace/index.js:65
|
51 |
__( "Replace", "search-regex" ), // client/component/replace/index.js:117
|
52 |
__( "Cancel", "search-regex" ), // client/component/replace/index.js:120
|
53 |
+
__( "Replace progress", "search-regex" ), // client/component/replace-progress/index.js:49
|
54 |
+
__( "Replace Information", "search-regex" ), // client/component/replace-progress/index.js:60
|
55 |
+
_n( "%s phrase.", "%s phrases.", 1, "search-regex" ), // client/component/replace-progress/index.js:62
|
56 |
+
_n( "%s row.", "%s rows.", 1, "search-regex" ), // client/component/replace-progress/index.js:67
|
57 |
+
__( "Finished!", "search-regex" ), // client/component/replace-progress/index.js:73
|
58 |
__( "Working!", "search-regex" ), // client/component/rest-api-status/api-result-pass.js:15
|
59 |
__( "Show Full", "search-regex" ), // client/component/rest-api-status/api-result-raw.js:41
|
60 |
__( "Hide", "search-regex" ), // client/component/rest-api-status/api-result-raw.js:42
|
71 |
__( "Show Problems", "search-regex" ), // client/component/rest-api-status/index.js:134
|
72 |
__( "Testing - %s\$", "search-regex" ), // client/component/rest-api-status/index.js:160
|
73 |
__( "Check Again", "search-regex" ), // client/component/rest-api-status/index.js:167
|
74 |
+
__( "Edit Page", "search-regex" ), // client/component/result/actions.js:48
|
75 |
+
__( "Inline Editor", "search-regex" ), // client/component/result/actions.js:58
|
76 |
+
__( "Delete Row", "search-regex" ), // client/component/result/actions.js:59
|
77 |
+
__( "Replace Row", "search-regex" ), // client/component/result/actions.js:67
|
78 |
+
__( "Replacement for all matches in this row", "search-regex" ), // client/component/result/actions.js:82
|
79 |
+
_n( "Replace %(count)s match.", "Replace %(count)s matches.", 1, "search-regex" ), // client/component/result/index.js:88
|
80 |
__( "Maximum number of matches exceeded and hidden from view. These will be included in any replacements.", "search-regex" ), // client/component/result/restricted-matches.js:11
|
81 |
+
_n( "Show %s more", "Show %s more", 1, "search-regex" ), // client/component/result/result-columns.js:43
|
82 |
__( "Search Regex", "search-regex" ), // client/page/home/index.js:26
|
83 |
__( "Options", "search-regex" ), // client/page/home/index.js:27
|
84 |
__( "Support", "search-regex" ), // client/page/home/index.js:28
|
101 |
__( "Raw REST API", "search-regex" ), // client/page/options/options-form.js:19
|
102 |
__( "Relative REST API", "search-regex" ), // client/page/options/options-form.js:20
|
103 |
__( "I'm a nice person and I have helped support the author of this plugin", "search-regex" ), // client/page/options/options-form.js:51
|
104 |
+
__( "Actions", "search-regex" ), // client/page/options/options-form.js:55
|
105 |
+
__( "Show row actions as dropdown menu.", "search-regex" ), // client/page/options/options-form.js:58
|
106 |
+
__( "REST API", "search-regex" ), // client/page/options/options-form.js:62
|
107 |
+
__( "How Search Regex uses the REST API - don't change unless necessary", "search-regex" ), // client/page/options/options-form.js:64
|
108 |
+
__( "Update", "search-regex" ), // client/page/options/options-form.js:68
|
109 |
+
__( "Please backup your data before making modifications.", "search-regex" ), // client/page/search-replace/index.js:25
|
110 |
__( "Search and replace information in your database.", "search-regex" ), // client/page/search-replace/index.js:28
|
111 |
__( "Search", "search-regex" ), // client/page/search-replace/search-actions.js:32
|
112 |
__( "Replace All", "search-regex" ), // client/page/search-replace/search-actions.js:40
|
113 |
__( "Cancel", "search-regex" ), // client/page/search-replace/search-actions.js:51
|
114 |
+
__( "Search", "search-regex" ), // client/page/search-replace/search-form.js:132
|
115 |
+
__( "Enter search phrase", "search-regex" ), // client/page/search-replace/search-form.js:139
|
116 |
+
__( "Search Flags", "search-regex" ), // client/page/search-replace/search-form.js:148
|
117 |
+
__( "Replace", "search-regex" ), // client/page/search-replace/search-form.js:156
|
118 |
+
__( "Enter global replacement text", "search-regex" ), // client/page/search-replace/search-form.js:161
|
119 |
+
__( "Source", "search-regex" ), // client/page/search-replace/search-form.js:167
|
120 |
+
__( "Source Options", "search-regex" ), // client/page/search-replace/search-form.js:185
|
121 |
+
__( "Results", "search-regex" ), // client/page/search-replace/search-form.js:195
|
122 |
__( "Need more help?", "search-regex" ), // client/page/support/help.js:14
|
123 |
__( "Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.", "search-regex" ), // client/page/support/help.js:16
|
124 |
__( "If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.", "search-regex" ), // client/page/support/help.js:22
|
136 |
__( "Row deleted", "search-regex" ), // client/state/message/reducer.js:31
|
137 |
__( "Row replaced", "search-regex" ), // client/state/message/reducer.js:32
|
138 |
__( "Row updated", "search-regex" ), // client/state/message/reducer.js:33
|
139 |
+
__( "Regular Expression", "search-regex" ), // client/state/search/selector.js:21
|
140 |
+
__( "Ignore Case", "search-regex" ), // client/state/search/selector.js:25
|
141 |
+
__( "25 per page ", "search-regex" ), // client/state/search/selector.js:35
|
142 |
+
__( "50 per page ", "search-regex" ), // client/state/search/selector.js:39
|
143 |
+
__( "100 per page", "search-regex" ), // client/state/search/selector.js:43
|
144 |
+
__( "250 per page", "search-regex" ), // client/state/search/selector.js:47
|
145 |
+
__( "500 per page", "search-regex" ), // client/state/search/selector.js:51
|
146 |
+
_n( "%s database row in total", "%s database rows in total", 1, "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:29
|
147 |
+
__( "matched rows = %(searched)s, phrases = %(found)s", "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:34
|
148 |
+
__( "First page", "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:43
|
149 |
+
__( "Prev page", "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:44
|
150 |
+
__( "Progress %(current)s\$", "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:47
|
151 |
+
__( "Next page", "search-regex" ), // client/page/search-replace/pagination/advanced-pagination.js:54
|
152 |
_n( "Matches: %(phrases)s across %(rows)s database row.", "Matches: %(phrases)s across %(rows)s database rows.", 1, "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:27
|
153 |
__( "First page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:37
|
154 |
__( "Prev page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:38
|
157 |
__( "Last page", "search-regex" ), // client/page/search-replace/pagination/simple-pagination.js:50
|
158 |
__( "No more matching results found.", "search-regex" ), // client/page/search-replace/search-results/empty-results.js:11
|
159 |
__( "Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.", "search-regex" ), // client/page/search-replace/search-results/index.js:37
|
160 |
+
__( "Source", "search-regex" ), // client/page/search-replace/search-results/index.js:65
|
161 |
+
__( "Row ID", "search-regex" ), // client/page/search-replace/search-results/index.js:66
|
162 |
+
__( "Matches", "search-regex" ), // client/page/search-replace/search-results/index.js:67
|
163 |
+
__( "Matched Phrases", "search-regex" ), // client/page/search-replace/search-results/index.js:68
|
164 |
+
__( "Actions", "search-regex" ), // client/page/search-replace/search-results/index.js:69
|
165 |
);
|
166 |
/* THIS IS THE END OF THE GENERATED FILE */
|
search-regex-version.php
CHANGED
@@ -1,5 +1,5 @@
|
|
1 |
<?php
|
2 |
|
3 |
-
define( 'SEARCHREGEX_VERSION', '2.
|
4 |
-
define( 'SEARCHREGEX_BUILD', '
|
5 |
define( 'SEARCHREGEX_MIN_WP', '4.6' );
|
1 |
<?php
|
2 |
|
3 |
+
define( 'SEARCHREGEX_VERSION', '2.1' );
|
4 |
+
define( 'SEARCHREGEX_BUILD', 'f9a0631467b28b3eb7843458a2ff0952' );
|
5 |
define( 'SEARCHREGEX_MIN_WP', '4.6' );
|
search-regex.js
CHANGED
@@ -1,14 +1,29 @@
|
|
1 |
-
/*! Search Regex v2.
|
2 |
/*!
|
3 |
Copyright (c) 2017 Jed Watson.
|
4 |
Licensed under the MIT License (MIT), see
|
5 |
http://jedwatson.github.io/classnames
|
6 |
-
*/!function(){"use strict";var n={}.hasOwnProperty;function o(){for(var e=[],t=0;t<arguments.length;t++){var r=arguments[t];if(r){var a=typeof r;if("string"===a||"number"===a)e.push(r);else if(Array.isArray(r)&&r.length){var i=o.apply(null,r);i&&e.push(i)}else if("object"===a)for(var l in r)n.call(r,l)&&r[l]&&e.push(l)}}return e.join(" ")}e.exports?(o.default=o,e.exports=o):void 0===(r=function(){return o}.apply(t,[]))||(e.exports=r)}()},function(e,t,n){"use strict";!function e(){if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__&&"function"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE){0;try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(e)}catch(e){console.error(e)}}}(),e.exports=n(22)},function(e,t,n){"use strict";n.r(t),n.d(t,"__DO_NOT_USE__ActionTypes",(function(){return a})),n.d(t,"applyMiddleware",(function(){return g})),n.d(t,"bindActionCreators",(function(){return f})),n.d(t,"combineReducers",(function(){return c})),n.d(t,"compose",(function(){return m})),n.d(t,"createStore",(function(){return l}));var r=n(12),o=function(){return Math.random().toString(36).substring(7).split("").join(".")},a={INIT:"@@redux/INIT"+o(),REPLACE:"@@redux/REPLACE"+o(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+o()}};function i(e){if("object"!=typeof e||null===e)return!1;for(var t=e;null!==Object.getPrototypeOf(t);)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function l(e,t,n){var o;if("function"==typeof t&&"function"==typeof n||"function"==typeof n&&"function"==typeof arguments[3])throw new Error("It looks like you are passing several store enhancers to createStore(). This is not supported. Instead, compose them together to a single function.");if("function"==typeof t&&void 0===n&&(n=t,t=void 0),void 0!==n){if("function"!=typeof n)throw new Error("Expected the enhancer to be a function.");return n(l)(e,t)}if("function"!=typeof e)throw new Error("Expected the reducer to be a function.");var u=e,c=t,s=[],f=s,p=!1;function d(){f===s&&(f=s.slice())}function h(){if(p)throw new Error("You may not call store.getState() while the reducer is executing. The reducer has already received the state as an argument. Pass it down from the top reducer instead of reading it from the store.");return c}function m(e){if("function"!=typeof e)throw new Error("Expected the listener to be a function.");if(p)throw new Error("You may not call store.subscribe() while the reducer is executing. If you would like to be notified after the store has been updated, subscribe from a component and invoke store.getState() in the callback to access the latest state. See https://redux.js.org/api-reference/store#subscribelistener for more details.");var t=!0;return d(),f.push(e),function(){if(t){if(p)throw new Error("You may not unsubscribe from a store listener while the reducer is executing. See https://redux.js.org/api-reference/store#subscribelistener for more details.");t=!1,d();var n=f.indexOf(e);f.splice(n,1),s=null}}}function g(e){if(!i(e))throw new Error("Actions must be plain objects. Use custom middleware for async actions.");if(void 0===e.type)throw new Error('Actions may not have an undefined "type" property. Have you misspelled a constant?');if(p)throw new Error("Reducers may not dispatch actions.");try{p=!0,c=u(c,e)}finally{p=!1}for(var t=s=f,n=0;n<t.length;n++){(0,t[n])()}return e}function y(e){if("function"!=typeof e)throw new Error("Expected the nextReducer to be a function.");u=e,g({type:a.REPLACE})}function b(){var e,t=m;return(e={subscribe:function(e){if("object"!=typeof e||null===e)throw new TypeError("Expected the observer to be an object.");function n(){e.next&&e.next(h())}return n(),{unsubscribe:t(n)}}})[r.a]=function(){return this},e}return g({type:a.INIT}),(o={dispatch:g,subscribe:m,getState:h,replaceReducer:y})[r.a]=b,o}function u(e,t){var n=t&&t.type;return"Given "+(n&&'action "'+String(n)+'"'||"an action")+', reducer "'+e+'" returned undefined. To ignore an action, you must explicitly return the previous state. If you want this reducer to hold no value, you can return null instead of undefined.'}function c(e){for(var t=Object.keys(e),n={},r=0;r<t.length;r++){var o=t[r];0,"function"==typeof e[o]&&(n[o]=e[o])}var i,l=Object.keys(n);try{!function(e){Object.keys(e).forEach((function(t){var n=e[t];if(void 0===n(void 0,{type:a.INIT}))throw new Error('Reducer "'+t+"\" returned undefined during initialization. If the state passed to the reducer is undefined, you must explicitly return the initial state. The initial state may not be undefined. If you don't want to set a value for this reducer, you can use null instead of undefined.");if(void 0===n(void 0,{type:a.PROBE_UNKNOWN_ACTION()}))throw new Error('Reducer "'+t+"\" returned undefined when probed with a random type. Don't try to handle "+a.INIT+' or other actions in "redux/*" namespace. They are considered private. Instead, you must return the current state for any unknown actions, unless it is undefined, in which case you must return the initial state, regardless of the action type. The initial state may not be undefined, but can be null.')}))}(n)}catch(e){i=e}return function(e,t){if(void 0===e&&(e={}),i)throw i;for(var r=!1,o={},a=0;a<l.length;a++){var c=l[a],s=n[c],f=e[c],p=s(f,t);if(void 0===p){var d=u(c,t);throw new Error(d)}o[c]=p,r=r||p!==f}return(r=r||l.length!==Object.keys(e).length)?o:e}}function s(e,t){return function(){return t(e.apply(this,arguments))}}function f(e,t){if("function"==typeof e)return s(e,t);if("object"!=typeof e||null===e)throw new Error("bindActionCreators expected an object or a function, instead received "+(null===e?"null":typeof e)+'. Did you write "import ActionCreators from" instead of "import * as ActionCreators from"?');var n={};for(var r in e){var o=e[r];"function"==typeof o&&(n[r]=s(o,t))}return n}function p(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function d(e,t){var n=Object.keys(e);return Object.getOwnPropertySymbols&&n.push.apply(n,Object.getOwnPropertySymbols(e)),t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n}function h(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?d(n,!0).forEach((function(t){p(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):d(n).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function m(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return 0===t.length?function(e){return e}:1===t.length?t[0]:t.reduce((function(e,t){return function(){return e(t.apply(void 0,arguments))}}))}function g(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e){return function(){var n=e.apply(void 0,arguments),r=function(){throw new Error("Dispatching while constructing your middleware is not allowed. Other middleware would not be applied to this dispatch.")},o={getState:n.getState,dispatch:function(){return r.apply(void 0,arguments)}},a=t.map((function(e){return e(o)}));return h({},n,{dispatch:r=m.apply(void 0,a)(n.dispatch)})}}}},function(e,t,n){"use strict";var r=n(40),o=n(41),a=n(16);e.exports={formats:a,parse:o,stringify:r}},function(e,t,n){"use strict";var r=Object.prototype.hasOwnProperty,o=Array.isArray,a=function(){for(var e=[],t=0;t<256;++t)e.push("%"+((t<16?"0":"")+t.toString(16)).toUpperCase());return e}(),i=function(e,t){for(var n=t&&t.plainObjects?Object.create(null):{},r=0;r<e.length;++r)void 0!==e[r]&&(n[r]=e[r]);return n};e.exports={arrayToObject:i,assign:function(e,t){return Object.keys(t).reduce((function(e,n){return e[n]=t[n],e}),e)},combine:function(e,t){return[].concat(e,t)},compact:function(e){for(var t=[{obj:{o:e},prop:"o"}],n=[],r=0;r<t.length;++r)for(var a=t[r],i=a.obj[a.prop],l=Object.keys(i),u=0;u<l.length;++u){var c=l[u],s=i[c];"object"==typeof s&&null!==s&&-1===n.indexOf(s)&&(t.push({obj:i,prop:c}),n.push(s))}return function(e){for(;e.length>1;){var t=e.pop(),n=t.obj[t.prop];if(o(n)){for(var r=[],a=0;a<n.length;++a)void 0!==n[a]&&r.push(n[a]);t.obj[t.prop]=r}}}(t),e},decode:function(e,t,n){var r=e.replace(/\+/g," ");if("iso-8859-1"===n)return r.replace(/%[0-9a-f]{2}/gi,unescape);try{return decodeURIComponent(r)}catch(e){return r}},encode:function(e,t,n){if(0===e.length)return e;var r=e;if("symbol"==typeof e?r=Symbol.prototype.toString.call(e):"string"!=typeof e&&(r=String(e)),"iso-8859-1"===n)return escape(r).replace(/%u[0-9a-f]{4}/gi,(function(e){return"%26%23"+parseInt(e.slice(2),16)+"%3B"}));for(var o="",i=0;i<r.length;++i){var l=r.charCodeAt(i);45===l||46===l||95===l||126===l||l>=48&&l<=57||l>=65&&l<=90||l>=97&&l<=122?o+=r.charAt(i):l<128?o+=a[l]:l<2048?o+=a[192|l>>6]+a[128|63&l]:l<55296||l>=57344?o+=a[224|l>>12]+a[128|l>>6&63]+a[128|63&l]:(i+=1,l=65536+((1023&l)<<10|1023&r.charCodeAt(i)),o+=a[240|l>>18]+a[128|l>>12&63]+a[128|l>>6&63]+a[128|63&l])}return o},isBuffer:function(e){return!(!e||"object"!=typeof e)&&!!(e.constructor&&e.constructor.isBuffer&&e.constructor.isBuffer(e))},isRegExp:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},merge:function e(t,n,a){if(!n)return t;if("object"!=typeof n){if(o(t))t.push(n);else{if(!t||"object"!=typeof t)return[t,n];(a&&(a.plainObjects||a.allowPrototypes)||!r.call(Object.prototype,n))&&(t[n]=!0)}return t}if(!t||"object"!=typeof t)return[t].concat(n);var l=t;return o(t)&&!o(n)&&(l=i(t,a)),o(t)&&o(n)?(n.forEach((function(n,o){if(r.call(t,o)){var i=t[o];i&&"object"==typeof i&&n&&"object"==typeof n?t[o]=e(i,n,a):t.push(n)}else t[o]=n})),t):Object.keys(n).reduce((function(t,o){var i=n[o];return r.call(t,o)?t[o]=e(t[o],i,a):t[o]=i,t}),l)}}},function(e,t,n){"use strict";e.exports=n(37)},function(e,t,n){"use strict";var r=n(10),o={childContextTypes:!0,contextType:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,getDerivedStateFromError:!0,getDerivedStateFromProps:!0,mixins:!0,propTypes:!0,type:!0},a={name:!0,length:!0,prototype:!0,caller:!0,callee:!0,arguments:!0,arity:!0},i={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},l={};function u(e){return r.isMemo(e)?i:l[e.$$typeof]||o}l[r.ForwardRef]={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},l[r.Memo]=i;var c=Object.defineProperty,s=Object.getOwnPropertyNames,f=Object.getOwnPropertySymbols,p=Object.getOwnPropertyDescriptor,d=Object.getPrototypeOf,h=Object.prototype;e.exports=function e(t,n,r){if("string"!=typeof n){if(h){var o=d(n);o&&o!==h&&e(t,o,r)}var i=s(n);f&&(i=i.concat(f(n)));for(var l=u(t),m=u(n),g=0;g<i.length;++g){var y=i[g];if(!(a[y]||r&&r[y]||m&&m[y]||l&&l[y])){var b=p(n,y);try{c(t,y,b)}catch(e){}}}}return t}},function(e,t,n){"use strict";(function(e,r){var o,a=n(18);o="undefined"!=typeof self?self:"undefined"!=typeof window?window:void 0!==e?e:r;var i=Object(a.a)(o);t.a=i}).call(this,n(38),n(39)(e))},function(e,t,n){"use strict";
|
7 |
/*
|
8 |
object-assign
|
9 |
(c) Sindre Sorhus
|
10 |
@license MIT
|
11 |
-
*/var r=Object.getOwnPropertySymbols,o=Object.prototype.hasOwnProperty,a=Object.prototype.propertyIsEnumerable;function i(e){if(null==e)throw new TypeError("Object.assign cannot be called with null or undefined");return Object(e)}e.exports=function(){try{if(!Object.assign)return!1;var e=new String("abc");if(e[5]="de","5"===Object.getOwnPropertyNames(e)[0])return!1;for(var t={},n=0;n<10;n++)t["_"+String.fromCharCode(n)]=n;if("0123456789"!==Object.getOwnPropertyNames(t).map((function(e){return t[e]})).join(""))return!1;var r={};return"abcdefghijklmnopqrst".split("").forEach((function(e){r[e]=e})),"abcdefghijklmnopqrst"===Object.keys(Object.assign({},r)).join("")}catch(e){return!1}}()?Object.assign:function(e,t){for(var n,l,u=i(e),c=1;c<arguments.length;c++){for(var s in n=Object(arguments[c]))o.call(n,s)&&(u[s]=n[s]);if(r){l=r(n);for(var f=0;f<l.length;f++)a.call(n,l[f])&&(u[l[f]]=n[l[f]])}}return u}},function(e,t,n){"use strict";var r,o="object"==typeof Reflect?Reflect:null,a=o&&"function"==typeof o.apply?o.apply:function(e,t,n){return Function.prototype.apply.call(e,t,n)};r=o&&"function"==typeof o.ownKeys?o.ownKeys:Object.getOwnPropertySymbols?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:function(e){return Object.getOwnPropertyNames(e)};var i=Number.isNaN||function(e){return e!=e};function l(){l.init.call(this)}e.exports=l,l.EventEmitter=l,l.prototype._events=void 0,l.prototype._eventsCount=0,l.prototype._maxListeners=void 0;var u=10;function c(e){if("function"!=typeof e)throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof e)}function s(e){return void 0===e._maxListeners?l.defaultMaxListeners:e._maxListeners}function f(e,t,n,r){var o,a,i,l;if(c(n),void 0===(a=e._events)?(a=e._events=Object.create(null),e._eventsCount=0):(void 0!==a.newListener&&(e.emit("newListener",t,n.listener?n.listener:n),a=e._events),i=a[t]),void 0===i)i=a[t]=n,++e._eventsCount;else if("function"==typeof i?i=a[t]=r?[n,i]:[i,n]:r?i.unshift(n):i.push(n),(o=s(e))>0&&i.length>o&&!i.warned){i.warned=!0;var u=new Error("Possible EventEmitter memory leak detected. "+i.length+" "+String(t)+" listeners added. Use emitter.setMaxListeners() to increase limit");u.name="MaxListenersExceededWarning",u.emitter=e,u.type=t,u.count=i.length,l=u,console&&console.warn&&console.warn(l)}return e}function p(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,0===arguments.length?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function d(e,t,n){var r={fired:!1,wrapFn:void 0,target:e,type:t,listener:n},o=p.bind(r);return o.listener=n,r.wrapFn=o,o}function h(e,t,n){var r=e._events;if(void 0===r)return[];var o=r[t];return void 0===o?[]:"function"==typeof o?n?[o.listener||o]:[o]:n?function(e){for(var t=new Array(e.length),n=0;n<t.length;++n)t[n]=e[n].listener||e[n];return t}(o):g(o,o.length)}function m(e){var t=this._events;if(void 0!==t){var n=t[e];if("function"==typeof n)return 1;if(void 0!==n)return n.length}return 0}function g(e,t){for(var n=new Array(t),r=0;r<t;++r)n[r]=e[r];return n}Object.defineProperty(l,"defaultMaxListeners",{enumerable:!0,get:function(){return u},set:function(e){if("number"!=typeof e||e<0||i(e))throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received '+e+".");u=e}}),l.init=function(){void 0!==this._events&&this._events!==Object.getPrototypeOf(this)._events||(this._events=Object.create(null),this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},l.prototype.setMaxListeners=function(e){if("number"!=typeof e||e<0||i(e))throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received '+e+".");return this._maxListeners=e,this},l.prototype.getMaxListeners=function(){return s(this)},l.prototype.emit=function(e){for(var t=[],n=1;n<arguments.length;n++)t.push(arguments[n]);var r="error"===e,o=this._events;if(void 0!==o)r=r&&void 0===o.error;else if(!r)return!1;if(r){var i;if(t.length>0&&(i=t[0]),i instanceof Error)throw i;var l=new Error("Unhandled error."+(i?" ("+i.message+")":""));throw l.context=i,l}var u=o[e];if(void 0===u)return!1;if("function"==typeof u)a(u,this,t);else{var c=u.length,s=g(u,c);for(n=0;n<c;++n)a(s[n],this,t)}return!0},l.prototype.addListener=function(e,t){return f(this,e,t,!1)},l.prototype.on=l.prototype.addListener,l.prototype.prependListener=function(e,t){return f(this,e,t,!0)},l.prototype.once=function(e,t){return c(t),this.on(e,d(this,e,t)),this},l.prototype.prependOnceListener=function(e,t){return c(t),this.prependListener(e,d(this,e,t)),this},l.prototype.removeListener=function(e,t){var n,r,o,a,i;if(c(t),void 0===(r=this._events))return this;if(void 0===(n=r[e]))return this;if(n===t||n.listener===t)0==--this._eventsCount?this._events=Object.create(null):(delete r[e],r.removeListener&&this.emit("removeListener",e,n.listener||t));else if("function"!=typeof n){for(o=-1,a=n.length-1;a>=0;a--)if(n[a]===t||n[a].listener===t){i=n[a].listener,o=a;break}if(o<0)return this;0===o?n.shift():function(e,t){for(;t+1<e.length;t++)e[t]=e[t+1];e.pop()}(n,o),1===n.length&&(r[e]=n[0]),void 0!==r.removeListener&&this.emit("removeListener",e,i||t)}return this},l.prototype.off=l.prototype.removeListener,l.prototype.removeAllListeners=function(e){var t,n,r;if(void 0===(n=this._events))return this;if(void 0===n.removeListener)return 0===arguments.length?(this._events=Object.create(null),this._eventsCount=0):void 0!==n[e]&&(0==--this._eventsCount?this._events=Object.create(null):delete n[e]),this;if(0===arguments.length){var o,a=Object.keys(n);for(r=0;r<a.length;++r)"removeListener"!==(o=a[r])&&this.removeAllListeners(o);return this.removeAllListeners("removeListener"),this._events=Object.create(null),this._eventsCount=0,this}if("function"==typeof(t=n[e]))this.removeListener(e,t);else if(void 0!==t)for(r=t.length-1;r>=0;r--)this.removeListener(e,t[r]);return this},l.prototype.listeners=function(e){return h(this,e,!0)},l.prototype.rawListeners=function(e){return h(this,e,!1)},l.listenerCount=function(e,t){return"function"==typeof e.listenerCount?e.listenerCount(t):m.call(e,t)},l.prototype.listenerCount=m,l.prototype.eventNames=function(){return this._eventsCount>0?r(this._events):[]}},function(e,t,n){"use strict";function r(e){return function(){return e}}var o=function(){};o.thatReturns=r,o.thatReturnsFalse=r(!1),o.thatReturnsTrue=r(!0),o.thatReturnsNull=r(null),o.thatReturnsThis=function(){return this},o.thatReturnsArgument=function(e){return e},e.exports=o},function(e,t,n){"use strict";var r=String.prototype.replace,o=/%20/g,a=n(9),i={RFC1738:"RFC1738",RFC3986:"RFC3986"};e.exports=a.assign({default:i.RFC3986,formatters:{RFC1738:function(e){return r.call(e,o,"+")},RFC3986:function(e){return String(e)}}},i)},function(e,t,n){function r(e){var t,n=function(){};function o(e,t,n){e&&e.then?e.then((function(e){o(e,t,n)})).catch((function(e){o(e,n,n)})):t(e)}function a(e){t=function(t,n){try{e(t,n)}catch(e){n(e)}},n(),n=void 0}function i(e){a((function(t,n){n(e)}))}function l(e){a((function(t){t(e)}))}function u(e,r){var o=n;n=function(){o(),t(e,r)}}function c(e){!t&&o(e,l,i)}function s(e){!t&&o(e,i,i)}var f={then:function(e){var n=t||u;return r((function(t,r){n((function(n){t(e(n))}),r)}))},catch:function(e){var n=t||u;return r((function(t,r){n(t,(function(t){r(e(t))}))}))},resolve:c,reject:s};try{e&&e(c,s)}catch(e){s(e)}return f}r.resolve=function(e){return r((function(t){t(e)}))},r.reject=function(e){return r((function(t,n){n(e)}))},r.race=function(e){return e=e||[],r((function(t,n){var r=e.length;if(!r)return t();for(var o=0;o<r;++o){var a=e[o];a&&a.then&&a.then(t).catch(n)}}))},r.all=function(e){return e=e||[],r((function(t,n){var r=e.length,o=r;if(!r)return t();function a(){--o<=0&&t(e)}function i(t,r){t&&t.then?t.then((function(t){e[r]=t,a()})).catch(n):a()}for(var l=0;l<r;++l)i(e[l],l)}))},e.exports&&(e.exports=r)},function(e,t,n){"use strict";function r(e){var t,n=e.Symbol;return"function"==typeof n?n.observable?t=n.observable:(t=n("observable"),n.observable=t):t="@@observable",t}n.d(t,"a",(function(){return r}))},function(e,t,n){"use strict";var r=n(7).compose;t.__esModule=!0,t.composeWithDevTools=function(){if(0!==arguments.length)return"object"==typeof arguments[0]?r:r.apply(null,arguments)},t.devToolsEnhancer=function(){return function(e){return e}}},function(e,t,n){e.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
12 |
/** @license React v16.13.1
|
13 |
* react.production.min.js
|
14 |
*
|
@@ -16,7 +31,7 @@ object-assign
|
|
16 |
*
|
17 |
* This source code is licensed under the MIT license found in the
|
18 |
* LICENSE file in the root directory of this source tree.
|
19 |
-
*/var r=n(13),o="function"==typeof Symbol&&Symbol.for,a=o?Symbol.for("react.element"):60103,i=o?Symbol.for("react.portal"):60106,l=o?Symbol.for("react.fragment"):60107,u=o?Symbol.for("react.strict_mode"):60108,c=o?Symbol.for("react.profiler"):60114,s=o?Symbol.for("react.provider"):60109,f=o?Symbol.for("react.context"):60110,p=o?Symbol.for("react.forward_ref"):60112,d=o?Symbol.for("react.suspense"):60113,h=o?Symbol.for("react.memo"):60115,m=o?Symbol.for("react.lazy"):60116,g="function"==typeof Symbol&&Symbol.iterator;function y(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var b={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},v={};function w(e,t,n){this.props=e,this.context=t,this.refs=v,this.updater=n||b}function
|
20 |
/** @license React v16.13.1
|
21 |
* react-dom.production.min.js
|
22 |
*
|
@@ -24,7 +39,7 @@ object-assign
|
|
24 |
*
|
25 |
* This source code is licensed under the MIT license found in the
|
26 |
* LICENSE file in the root directory of this source tree.
|
27 |
-
*/var r=n(0),o=n(13),a=n(23);function i(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}if(!r)throw Error(i(227));function l(e,t,n,r,o,a,i,l,u){var c=Array.prototype.slice.call(arguments,3);try{t.apply(n,c)}catch(e){this.onError(e)}}var u=!1,c=null,s=!1,f=null,p={onError:function(e){u=!0,c=e}};function d(e,t,n,r,o,a,i,s,f){u=!1,c=null,l.apply(p,arguments)}var h=null,m=null,g=null;function y(e,t,n){var r=e.type||"unknown-event";e.currentTarget=g(n),function(e,t,n,r,o,a,l,p,h){if(d.apply(this,arguments),u){if(!u)throw Error(i(198));var m=c;u=!1,c=null,s||(s=!0,f=m)}}(r,t,void 0,e),e.currentTarget=null}var b=null,v={};function w(){if(b)for(var e in v){var t=v[e],n=b.indexOf(e);if(!(-1<n))throw Error(i(96,e));if(!x[n]){if(!t.extractEvents)throw Error(i(97,e));for(var r in x[n]=t,n=t.eventTypes){var o=void 0,a=n[r],l=t,u=r;if(_.hasOwnProperty(u))throw Error(i(99,u));_[u]=a;var c=a.phasedRegistrationNames;if(c){for(o in c)c.hasOwnProperty(o)&&E(c[o],l,u);o=!0}else a.registrationName?(E(a.registrationName,l,u),o=!0):o=!1;if(!o)throw Error(i(98,r,e))}}}}function E(e,t,n){if(S[e])throw Error(i(100,e));S[e]=t,O[e]=t.eventTypes[n].dependencies}var x=[],_={},S={},O={};function k(e){var t,n=!1;for(t in e)if(e.hasOwnProperty(t)){var r=e[t];if(!v.hasOwnProperty(t)||v[t]!==r){if(v[t])throw Error(i(102,t));v[t]=r,n=!0}}n&&w()}var P=!("undefined"==typeof window||void 0===window.document||void 0===window.document.createElement),T=null,j=null,C=null;function R(e){if(e=m(e)){if("function"!=typeof T)throw Error(i(280));var t=e.stateNode;t&&(t=h(t),T(e.stateNode,e.type,t))}}function N(e){j?C?C.push(e):C=[e]:j=e}function A(){if(j){var e=j,t=C;if(C=j=null,R(e),t)for(e=0;e<t.length;e++)R(t[e])}}function I(e,t){return e(t)}function D(e,t,n,r,o){return e(t,n,r,o)}function L(){}var F=I,M=!1,z=!1;function U(){null===j&&null===C||(L(),A())}function H(e,t,n){if(z)return e(t,n);z=!0;try{return F(e,t,n)}finally{z=!1,U()}}var W=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,B=Object.prototype.hasOwnProperty,$={},V={};function q(e,t,n,r,o,a){this.acceptsBooleans=2===t||3===t||4===t,this.attributeName=r,this.attributeNamespace=o,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=a}var Q={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach((function(e){Q[e]=new q(e,0,!1,e,null,!1)})),[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach((function(e){var t=e[0];Q[t]=new q(t,1,!1,e[1],null,!1)})),["contentEditable","draggable","spellCheck","value"].forEach((function(e){Q[e]=new q(e,2,!1,e.toLowerCase(),null,!1)})),["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach((function(e){Q[e]=new q(e,2,!1,e,null,!1)})),"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach((function(e){Q[e]=new q(e,3,!1,e.toLowerCase(),null,!1)})),["checked","multiple","muted","selected"].forEach((function(e){Q[e]=new q(e,3,!0,e,null,!1)})),["capture","download"].forEach((function(e){Q[e]=new q(e,4,!1,e,null,!1)})),["cols","rows","size","span"].forEach((function(e){Q[e]=new q(e,6,!1,e,null,!1)})),["rowSpan","start"].forEach((function(e){Q[e]=new q(e,5,!1,e.toLowerCase(),null,!1)}));var G=/[\-:]([a-z])/g;function K(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach((function(e){var t=e.replace(G,K);Q[t]=new q(t,1,!1,e,null,!1)})),"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach((function(e){var t=e.replace(G,K);Q[t]=new q(t,1,!1,e,"http://www.w3.org/1999/xlink",!1)})),["xml:base","xml:lang","xml:space"].forEach((function(e){var t=e.replace(G,K);Q[t]=new q(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1)})),["tabIndex","crossOrigin"].forEach((function(e){Q[e]=new q(e,1,!1,e.toLowerCase(),null,!1)})),Q.xlinkHref=new q("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0),["src","href","action","formAction"].forEach((function(e){Q[e]=new q(e,1,!1,e.toLowerCase(),null,!0)}));var Y=r.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;function X(e,t,n,r){var o=Q.hasOwnProperty(t)?Q[t]:null;(null!==o?0===o.type:!r&&(2<t.length&&("o"===t[0]||"O"===t[0])&&("n"===t[1]||"N"===t[1])))||(function(e,t,n,r){if(null==t||function(e,t,n,r){if(null!==n&&0===n.type)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return!r&&(null!==n?!n.acceptsBooleans:"data-"!==(e=e.toLowerCase().slice(0,5))&&"aria-"!==e);default:return!1}}(e,t,n,r))return!0;if(r)return!1;if(null!==n)switch(n.type){case 3:return!t;case 4:return!1===t;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}(t,n,o,r)&&(n=null),r||null===o?function(e){return!!B.call(V,e)||!B.call($,e)&&(W.test(e)?V[e]=!0:($[e]=!0,!1))}(t)&&(null===n?e.removeAttribute(t):e.setAttribute(t,""+n)):o.mustUseProperty?e[o.propertyName]=null===n?3!==o.type&&"":n:(t=o.attributeName,r=o.attributeNamespace,null===n?e.removeAttribute(t):(n=3===(o=o.type)||4===o&&!0===n?"":""+n,r?e.setAttributeNS(r,t,n):e.setAttribute(t,n))))}Y.hasOwnProperty("ReactCurrentDispatcher")||(Y.ReactCurrentDispatcher={current:null}),Y.hasOwnProperty("ReactCurrentBatchConfig")||(Y.ReactCurrentBatchConfig={suspense:null});var J=/^(.*)[\\\/]/,Z="function"==typeof Symbol&&Symbol.for,ee=Z?Symbol.for("react.element"):60103,te=Z?Symbol.for("react.portal"):60106,ne=Z?Symbol.for("react.fragment"):60107,re=Z?Symbol.for("react.strict_mode"):60108,oe=Z?Symbol.for("react.profiler"):60114,ae=Z?Symbol.for("react.provider"):60109,ie=Z?Symbol.for("react.context"):60110,le=Z?Symbol.for("react.concurrent_mode"):60111,ue=Z?Symbol.for("react.forward_ref"):60112,ce=Z?Symbol.for("react.suspense"):60113,se=Z?Symbol.for("react.suspense_list"):60120,fe=Z?Symbol.for("react.memo"):60115,pe=Z?Symbol.for("react.lazy"):60116,de=Z?Symbol.for("react.block"):60121,he="function"==typeof Symbol&&Symbol.iterator;function me(e){return null===e||"object"!=typeof e?null:"function"==typeof(e=he&&e[he]||e["@@iterator"])?e:null}function ge(e){if(null==e)return null;if("function"==typeof e)return e.displayName||e.name||null;if("string"==typeof e)return e;switch(e){case ne:return"Fragment";case te:return"Portal";case oe:return"Profiler";case re:return"StrictMode";case ce:return"Suspense";case se:return"SuspenseList"}if("object"==typeof e)switch(e.$$typeof){case ie:return"Context.Consumer";case ae:return"Context.Provider";case ue:var t=e.render;return t=t.displayName||t.name||"",e.displayName||(""!==t?"ForwardRef("+t+")":"ForwardRef");case fe:return ge(e.type);case de:return ge(e.render);case pe:if(e=1===e._status?e._result:null)return ge(e)}return null}function ye(e){var t="";do{e:switch(e.tag){case 3:case 4:case 6:case 7:case 10:case 9:var n="";break e;default:var r=e._debugOwner,o=e._debugSource,a=ge(e.type);n=null,r&&(n=ge(r.type)),r=a,a="",o?a=" (at "+o.fileName.replace(J,"")+":"+o.lineNumber+")":n&&(a=" (created by "+n+")"),n="\n in "+(r||"Unknown")+a}t+=n,e=e.return}while(e);return t}function be(e){switch(typeof e){case"boolean":case"number":case"object":case"string":case"undefined":return e;default:return""}}function ve(e){var t=e.type;return(e=e.nodeName)&&"input"===e.toLowerCase()&&("checkbox"===t||"radio"===t)}function we(e){e._valueTracker||(e._valueTracker=function(e){var t=ve(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&void 0!==n&&"function"==typeof n.get&&"function"==typeof n.set){var o=n.get,a=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return o.call(this)},set:function(e){r=""+e,a.call(this,e)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(e){r=""+e},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}(e))}function Ee(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=ve(e)?e.checked?"true":"false":e.value),(e=r)!==n&&(t.setValue(e),!0)}function xe(e,t){var n=t.checked;return o({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:null!=n?n:e._wrapperState.initialChecked})}function _e(e,t){var n=null==t.defaultValue?"":t.defaultValue,r=null!=t.checked?t.checked:t.defaultChecked;n=be(null!=t.value?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:"checkbox"===t.type||"radio"===t.type?null!=t.checked:null!=t.value}}function Se(e,t){null!=(t=t.checked)&&X(e,"checked",t,!1)}function Oe(e,t){Se(e,t);var n=be(t.value),r=t.type;if(null!=n)"number"===r?(0===n&&""===e.value||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if("submit"===r||"reset"===r)return void e.removeAttribute("value");t.hasOwnProperty("value")?Pe(e,t.type,n):t.hasOwnProperty("defaultValue")&&Pe(e,t.type,be(t.defaultValue)),null==t.checked&&null!=t.defaultChecked&&(e.defaultChecked=!!t.defaultChecked)}function ke(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!("submit"!==r&&"reset"!==r||void 0!==t.value&&null!==t.value))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}""!==(n=e.name)&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,""!==n&&(e.name=n)}function Pe(e,t,n){"number"===t&&e.ownerDocument.activeElement===e||(null==n?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}function Te(e,t){return e=o({children:void 0},t),(t=function(e){var t="";return r.Children.forEach(e,(function(e){null!=e&&(t+=e)})),t}(t.children))&&(e.children=t),e}function je(e,t,n,r){if(e=e.options,t){t={};for(var o=0;o<n.length;o++)t["$"+n[o]]=!0;for(n=0;n<e.length;n++)o=t.hasOwnProperty("$"+e[n].value),e[n].selected!==o&&(e[n].selected=o),o&&r&&(e[n].defaultSelected=!0)}else{for(n=""+be(n),t=null,o=0;o<e.length;o++){if(e[o].value===n)return e[o].selected=!0,void(r&&(e[o].defaultSelected=!0));null!==t||e[o].disabled||(t=e[o])}null!==t&&(t.selected=!0)}}function Ce(e,t){if(null!=t.dangerouslySetInnerHTML)throw Error(i(91));return o({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function Re(e,t){var n=t.value;if(null==n){if(n=t.children,t=t.defaultValue,null!=n){if(null!=t)throw Error(i(92));if(Array.isArray(n)){if(!(1>=n.length))throw Error(i(93));n=n[0]}t=n}null==t&&(t=""),n=t}e._wrapperState={initialValue:be(n)}}function Ne(e,t){var n=be(t.value),r=be(t.defaultValue);null!=n&&((n=""+n)!==e.value&&(e.value=n),null==t.defaultValue&&e.defaultValue!==n&&(e.defaultValue=n)),null!=r&&(e.defaultValue=""+r)}function Ae(e){var t=e.textContent;t===e._wrapperState.initialValue&&""!==t&&null!==t&&(e.value=t)}var Ie="http://www.w3.org/1999/xhtml",De="http://www.w3.org/2000/svg";function Le(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function Fe(e,t){return null==e||"http://www.w3.org/1999/xhtml"===e?Le(t):"http://www.w3.org/2000/svg"===e&&"foreignObject"===t?"http://www.w3.org/1999/xhtml":e}var Me,ze=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction((function(){return e(t,n)}))}:e}((function(e,t){if(e.namespaceURI!==De||"innerHTML"in e)e.innerHTML=t;else{for((Me=Me||document.createElement("div")).innerHTML="<svg>"+t.valueOf().toString()+"</svg>",t=Me.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}}));function Ue(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t}function He(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var We={animationend:He("Animation","AnimationEnd"),animationiteration:He("Animation","AnimationIteration"),animationstart:He("Animation","AnimationStart"),transitionend:He("Transition","TransitionEnd")},Be={},$e={};function Ve(e){if(Be[e])return Be[e];if(!We[e])return e;var t,n=We[e];for(t in n)if(n.hasOwnProperty(t)&&t in $e)return Be[e]=n[t];return e}P&&($e=document.createElement("div").style,"AnimationEvent"in window||(delete We.animationend.animation,delete We.animationiteration.animation,delete We.animationstart.animation),"TransitionEvent"in window||delete We.transitionend.transition);var qe=Ve("animationend"),Qe=Ve("animationiteration"),Ge=Ve("animationstart"),Ke=Ve("transitionend"),Ye="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),Xe=new("function"==typeof WeakMap?WeakMap:Map);function Je(e){var t=Xe.get(e);return void 0===t&&(t=new Map,Xe.set(e,t)),t}function Ze(e){var t=e,n=e;if(e.alternate)for(;t.return;)t=t.return;else{e=t;do{0!=(1026&(t=e).effectTag)&&(n=t.return),e=t.return}while(e)}return 3===t.tag?n:null}function et(e){if(13===e.tag){var t=e.memoizedState;if(null===t&&(null!==(e=e.alternate)&&(t=e.memoizedState)),null!==t)return t.dehydrated}return null}function tt(e){if(Ze(e)!==e)throw Error(i(188))}function nt(e){if(!(e=function(e){var t=e.alternate;if(!t){if(null===(t=Ze(e)))throw Error(i(188));return t!==e?null:e}for(var n=e,r=t;;){var o=n.return;if(null===o)break;var a=o.alternate;if(null===a){if(null!==(r=o.return)){n=r;continue}break}if(o.child===a.child){for(a=o.child;a;){if(a===n)return tt(o),e;if(a===r)return tt(o),t;a=a.sibling}throw Error(i(188))}if(n.return!==r.return)n=o,r=a;else{for(var l=!1,u=o.child;u;){if(u===n){l=!0,n=o,r=a;break}if(u===r){l=!0,r=o,n=a;break}u=u.sibling}if(!l){for(u=a.child;u;){if(u===n){l=!0,n=a,r=o;break}if(u===r){l=!0,r=a,n=o;break}u=u.sibling}if(!l)throw Error(i(189))}}if(n.alternate!==r)throw Error(i(190))}if(3!==n.tag)throw Error(i(188));return n.stateNode.current===n?e:t}(e)))return null;for(var t=e;;){if(5===t.tag||6===t.tag)return t;if(t.child)t.child.return=t,t=t.child;else{if(t===e)break;for(;!t.sibling;){if(!t.return||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}}return null}function rt(e,t){if(null==t)throw Error(i(30));return null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}function ot(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}var at=null;function it(e){if(e){var t=e._dispatchListeners,n=e._dispatchInstances;if(Array.isArray(t))for(var r=0;r<t.length&&!e.isPropagationStopped();r++)y(e,t[r],n[r]);else t&&y(e,t,n);e._dispatchListeners=null,e._dispatchInstances=null,e.isPersistent()||e.constructor.release(e)}}function lt(e){if(null!==e&&(at=rt(at,e)),e=at,at=null,e){if(ot(e,it),at)throw Error(i(95));if(s)throw e=f,s=!1,f=null,e}}function ut(e){return(e=e.target||e.srcElement||window).correspondingUseElement&&(e=e.correspondingUseElement),3===e.nodeType?e.parentNode:e}function ct(e){if(!P)return!1;var t=(e="on"+e)in document;return t||((t=document.createElement("div")).setAttribute(e,"return;"),t="function"==typeof t[e]),t}var st=[];function ft(e){e.topLevelType=null,e.nativeEvent=null,e.targetInst=null,e.ancestors.length=0,10>st.length&&st.push(e)}function pt(e,t,n,r){if(st.length){var o=st.pop();return o.topLevelType=e,o.eventSystemFlags=r,o.nativeEvent=t,o.targetInst=n,o}return{topLevelType:e,eventSystemFlags:r,nativeEvent:t,targetInst:n,ancestors:[]}}function dt(e){var t=e.targetInst,n=t;do{if(!n){e.ancestors.push(n);break}var r=n;if(3===r.tag)r=r.stateNode.containerInfo;else{for(;r.return;)r=r.return;r=3!==r.tag?null:r.stateNode.containerInfo}if(!r)break;5!==(t=n.tag)&&6!==t||e.ancestors.push(n),n=Pn(r)}while(n);for(n=0;n<e.ancestors.length;n++){t=e.ancestors[n];var o=ut(e.nativeEvent);r=e.topLevelType;var a=e.nativeEvent,i=e.eventSystemFlags;0===n&&(i|=64);for(var l=null,u=0;u<x.length;u++){var c=x[u];c&&(c=c.extractEvents(r,t,a,o,i))&&(l=rt(l,c))}lt(l)}}function ht(e,t,n){if(!n.has(e)){switch(e){case"scroll":Gt(t,"scroll",!0);break;case"focus":case"blur":Gt(t,"focus",!0),Gt(t,"blur",!0),n.set("blur",null),n.set("focus",null);break;case"cancel":case"close":ct(e)&&Gt(t,e,!0);break;case"invalid":case"submit":case"reset":break;default:-1===Ye.indexOf(e)&&Qt(e,t)}n.set(e,null)}}var mt,gt,yt,bt=!1,vt=[],wt=null,Et=null,xt=null,_t=new Map,St=new Map,Ot=[],kt="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput close cancel copy cut paste click change contextmenu reset submit".split(" "),Pt="focus blur dragenter dragleave mouseover mouseout pointerover pointerout gotpointercapture lostpointercapture".split(" ");function Tt(e,t,n,r,o){return{blockedOn:e,topLevelType:t,eventSystemFlags:32|n,nativeEvent:o,container:r}}function jt(e,t){switch(e){case"focus":case"blur":wt=null;break;case"dragenter":case"dragleave":Et=null;break;case"mouseover":case"mouseout":xt=null;break;case"pointerover":case"pointerout":_t.delete(t.pointerId);break;case"gotpointercapture":case"lostpointercapture":St.delete(t.pointerId)}}function Ct(e,t,n,r,o,a){return null===e||e.nativeEvent!==a?(e=Tt(t,n,r,o,a),null!==t&&(null!==(t=Tn(t))&>(t)),e):(e.eventSystemFlags|=r,e)}function Rt(e){var t=Pn(e.target);if(null!==t){var n=Ze(t);if(null!==n)if(13===(t=n.tag)){if(null!==(t=et(n)))return e.blockedOn=t,void a.unstable_runWithPriority(e.priority,(function(){yt(n)}))}else if(3===t&&n.stateNode.hydrate)return void(e.blockedOn=3===n.tag?n.stateNode.containerInfo:null)}e.blockedOn=null}function Nt(e){if(null!==e.blockedOn)return!1;var t=Jt(e.topLevelType,e.eventSystemFlags,e.container,e.nativeEvent);if(null!==t){var n=Tn(t);return null!==n&>(n),e.blockedOn=t,!1}return!0}function At(e,t,n){Nt(e)&&n.delete(t)}function It(){for(bt=!1;0<vt.length;){var e=vt[0];if(null!==e.blockedOn){null!==(e=Tn(e.blockedOn))&&mt(e);break}var t=Jt(e.topLevelType,e.eventSystemFlags,e.container,e.nativeEvent);null!==t?e.blockedOn=t:vt.shift()}null!==wt&&Nt(wt)&&(wt=null),null!==Et&&Nt(Et)&&(Et=null),null!==xt&&Nt(xt)&&(xt=null),_t.forEach(At),St.forEach(At)}function Dt(e,t){e.blockedOn===t&&(e.blockedOn=null,bt||(bt=!0,a.unstable_scheduleCallback(a.unstable_NormalPriority,It)))}function Lt(e){function t(t){return Dt(t,e)}if(0<vt.length){Dt(vt[0],e);for(var n=1;n<vt.length;n++){var r=vt[n];r.blockedOn===e&&(r.blockedOn=null)}}for(null!==wt&&Dt(wt,e),null!==Et&&Dt(Et,e),null!==xt&&Dt(xt,e),_t.forEach(t),St.forEach(t),n=0;n<Ot.length;n++)(r=Ot[n]).blockedOn===e&&(r.blockedOn=null);for(;0<Ot.length&&null===(n=Ot[0]).blockedOn;)Rt(n),null===n.blockedOn&&Ot.shift()}var Ft={},Mt=new Map,zt=new Map,Ut=["abort","abort",qe,"animationEnd",Qe,"animationIteration",Ge,"animationStart","canplay","canPlay","canplaythrough","canPlayThrough","durationchange","durationChange","emptied","emptied","encrypted","encrypted","ended","ended","error","error","gotpointercapture","gotPointerCapture","load","load","loadeddata","loadedData","loadedmetadata","loadedMetadata","loadstart","loadStart","lostpointercapture","lostPointerCapture","playing","playing","progress","progress","seeking","seeking","stalled","stalled","suspend","suspend","timeupdate","timeUpdate",Ke,"transitionEnd","waiting","waiting"];function Ht(e,t){for(var n=0;n<e.length;n+=2){var r=e[n],o=e[n+1],a="on"+(o[0].toUpperCase()+o.slice(1));a={phasedRegistrationNames:{bubbled:a,captured:a+"Capture"},dependencies:[r],eventPriority:t},zt.set(r,t),Mt.set(r,a),Ft[o]=a}}Ht("blur blur cancel cancel click click close close contextmenu contextMenu copy copy cut cut auxclick auxClick dblclick doubleClick dragend dragEnd dragstart dragStart drop drop focus focus input input invalid invalid keydown keyDown keypress keyPress keyup keyUp mousedown mouseDown mouseup mouseUp paste paste pause pause play play pointercancel pointerCancel pointerdown pointerDown pointerup pointerUp ratechange rateChange reset reset seeked seeked submit submit touchcancel touchCancel touchend touchEnd touchstart touchStart volumechange volumeChange".split(" "),0),Ht("drag drag dragenter dragEnter dragexit dragExit dragleave dragLeave dragover dragOver mousemove mouseMove mouseout mouseOut mouseover mouseOver pointermove pointerMove pointerout pointerOut pointerover pointerOver scroll scroll toggle toggle touchmove touchMove wheel wheel".split(" "),1),Ht(Ut,2);for(var Wt="change selectionchange textInput compositionstart compositionend compositionupdate".split(" "),Bt=0;Bt<Wt.length;Bt++)zt.set(Wt[Bt],0);var $t=a.unstable_UserBlockingPriority,Vt=a.unstable_runWithPriority,qt=!0;function Qt(e,t){Gt(t,e,!1)}function Gt(e,t,n){var r=zt.get(t);switch(void 0===r?2:r){case 0:r=Kt.bind(null,t,1,e);break;case 1:r=Yt.bind(null,t,1,e);break;default:r=Xt.bind(null,t,1,e)}n?e.addEventListener(t,r,!0):e.addEventListener(t,r,!1)}function Kt(e,t,n,r){M||L();var o=Xt,a=M;M=!0;try{D(o,e,t,n,r)}finally{(M=a)||U()}}function Yt(e,t,n,r){Vt($t,Xt.bind(null,e,t,n,r))}function Xt(e,t,n,r){if(qt)if(0<vt.length&&-1<kt.indexOf(e))e=Tt(null,e,t,n,r),vt.push(e);else{var o=Jt(e,t,n,r);if(null===o)jt(e,r);else if(-1<kt.indexOf(e))e=Tt(o,e,t,n,r),vt.push(e);else if(!function(e,t,n,r,o){switch(t){case"focus":return wt=Ct(wt,e,t,n,r,o),!0;case"dragenter":return Et=Ct(Et,e,t,n,r,o),!0;case"mouseover":return xt=Ct(xt,e,t,n,r,o),!0;case"pointerover":var a=o.pointerId;return _t.set(a,Ct(_t.get(a)||null,e,t,n,r,o)),!0;case"gotpointercapture":return a=o.pointerId,St.set(a,Ct(St.get(a)||null,e,t,n,r,o)),!0}return!1}(o,e,t,n,r)){jt(e,r),e=pt(e,r,null,t);try{H(dt,e)}finally{ft(e)}}}}function Jt(e,t,n,r){if(null!==(n=Pn(n=ut(r)))){var o=Ze(n);if(null===o)n=null;else{var a=o.tag;if(13===a){if(null!==(n=et(o)))return n;n=null}else if(3===a){if(o.stateNode.hydrate)return 3===o.tag?o.stateNode.containerInfo:null;n=null}else o!==n&&(n=null)}}e=pt(e,r,n,t);try{H(dt,e)}finally{ft(e)}return null}var Zt={animationIterationCount:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},en=["Webkit","ms","Moz","O"];function tn(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||Zt.hasOwnProperty(e)&&Zt[e]?(""+t).trim():t+"px"}function nn(e,t){for(var n in e=e.style,t)if(t.hasOwnProperty(n)){var r=0===n.indexOf("--"),o=tn(n,t[n],r);"float"===n&&(n="cssFloat"),r?e.setProperty(n,o):e[n]=o}}Object.keys(Zt).forEach((function(e){en.forEach((function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Zt[t]=Zt[e]}))}));var rn=o({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function on(e,t){if(t){if(rn[e]&&(null!=t.children||null!=t.dangerouslySetInnerHTML))throw Error(i(137,e,""));if(null!=t.dangerouslySetInnerHTML){if(null!=t.children)throw Error(i(60));if("object"!=typeof t.dangerouslySetInnerHTML||!("__html"in t.dangerouslySetInnerHTML))throw Error(i(61))}if(null!=t.style&&"object"!=typeof t.style)throw Error(i(62,""))}}function an(e,t){if(-1===e.indexOf("-"))return"string"==typeof t.is;switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var ln=Ie;function un(e,t){var n=Je(e=9===e.nodeType||11===e.nodeType?e:e.ownerDocument);t=O[t];for(var r=0;r<t.length;r++)ht(t[r],e,n)}function cn(){}function sn(e){if(void 0===(e=e||("undefined"!=typeof document?document:void 0)))return null;try{return e.activeElement||e.body}catch(t){return e.body}}function fn(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function pn(e,t){var n,r=fn(e);for(e=0;r;){if(3===r.nodeType){if(n=e+r.textContent.length,e<=t&&n>=t)return{node:r,offset:t-e};e=n}e:{for(;r;){if(r.nextSibling){r=r.nextSibling;break e}r=r.parentNode}r=void 0}r=fn(r)}}function dn(){for(var e=window,t=sn();t instanceof e.HTMLIFrameElement;){try{var n="string"==typeof t.contentWindow.location.href}catch(e){n=!1}if(!n)break;t=sn((e=t.contentWindow).document)}return t}function hn(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&("input"===t&&("text"===e.type||"search"===e.type||"tel"===e.type||"url"===e.type||"password"===e.type)||"textarea"===t||"true"===e.contentEditable)}var mn=null,gn=null;function yn(e,t){switch(e){case"button":case"input":case"select":case"textarea":return!!t.autoFocus}return!1}function bn(e,t){return"textarea"===e||"option"===e||"noscript"===e||"string"==typeof t.children||"number"==typeof t.children||"object"==typeof t.dangerouslySetInnerHTML&&null!==t.dangerouslySetInnerHTML&&null!=t.dangerouslySetInnerHTML.__html}var vn="function"==typeof setTimeout?setTimeout:void 0,wn="function"==typeof clearTimeout?clearTimeout:void 0;function En(e){for(;null!=e;e=e.nextSibling){var t=e.nodeType;if(1===t||3===t)break}return e}function xn(e){e=e.previousSibling;for(var t=0;e;){if(8===e.nodeType){var n=e.data;if("$"===n||"$!"===n||"$?"===n){if(0===t)return e;t--}else"/$"===n&&t++}e=e.previousSibling}return null}var _n=Math.random().toString(36).slice(2),Sn="__reactInternalInstance$"+_n,On="__reactEventHandlers$"+_n,kn="__reactContainere$"+_n;function Pn(e){var t=e[Sn];if(t)return t;for(var n=e.parentNode;n;){if(t=n[kn]||n[Sn]){if(n=t.alternate,null!==t.child||null!==n&&null!==n.child)for(e=xn(e);null!==e;){if(n=e[Sn])return n;e=xn(e)}return t}n=(e=n).parentNode}return null}function Tn(e){return!(e=e[Sn]||e[kn])||5!==e.tag&&6!==e.tag&&13!==e.tag&&3!==e.tag?null:e}function jn(e){if(5===e.tag||6===e.tag)return e.stateNode;throw Error(i(33))}function Cn(e){return e[On]||null}function Rn(e){do{e=e.return}while(e&&5!==e.tag);return e||null}function Nn(e,t){var n=e.stateNode;if(!n)return null;var r=h(n);if(!r)return null;n=r[t];e:switch(t){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(r=!("button"===(e=e.type)||"input"===e||"select"===e||"textarea"===e)),e=!r;break e;default:e=!1}if(e)return null;if(n&&"function"!=typeof n)throw Error(i(231,t,typeof n));return n}function An(e,t,n){(t=Nn(e,n.dispatchConfig.phasedRegistrationNames[t]))&&(n._dispatchListeners=rt(n._dispatchListeners,t),n._dispatchInstances=rt(n._dispatchInstances,e))}function In(e){if(e&&e.dispatchConfig.phasedRegistrationNames){for(var t=e._targetInst,n=[];t;)n.push(t),t=Rn(t);for(t=n.length;0<t--;)An(n[t],"captured",e);for(t=0;t<n.length;t++)An(n[t],"bubbled",e)}}function Dn(e,t,n){e&&n&&n.dispatchConfig.registrationName&&(t=Nn(e,n.dispatchConfig.registrationName))&&(n._dispatchListeners=rt(n._dispatchListeners,t),n._dispatchInstances=rt(n._dispatchInstances,e))}function Ln(e){e&&e.dispatchConfig.registrationName&&Dn(e._targetInst,null,e)}function Fn(e){ot(e,In)}var Mn=null,zn=null,Un=null;function Hn(){if(Un)return Un;var e,t,n=zn,r=n.length,o="value"in Mn?Mn.value:Mn.textContent,a=o.length;for(e=0;e<r&&n[e]===o[e];e++);var i=r-e;for(t=1;t<=i&&n[r-t]===o[a-t];t++);return Un=o.slice(e,1<t?1-t:void 0)}function Wn(){return!0}function Bn(){return!1}function $n(e,t,n,r){for(var o in this.dispatchConfig=e,this._targetInst=t,this.nativeEvent=n,e=this.constructor.Interface)e.hasOwnProperty(o)&&((t=e[o])?this[o]=t(n):"target"===o?this.target=r:this[o]=n[o]);return this.isDefaultPrevented=(null!=n.defaultPrevented?n.defaultPrevented:!1===n.returnValue)?Wn:Bn,this.isPropagationStopped=Bn,this}function Vn(e,t,n,r){if(this.eventPool.length){var o=this.eventPool.pop();return this.call(o,e,t,n,r),o}return new this(e,t,n,r)}function qn(e){if(!(e instanceof this))throw Error(i(279));e.destructor(),10>this.eventPool.length&&this.eventPool.push(e)}function Qn(e){e.eventPool=[],e.getPooled=Vn,e.release=qn}o($n.prototype,{preventDefault:function(){this.defaultPrevented=!0;var e=this.nativeEvent;e&&(e.preventDefault?e.preventDefault():"unknown"!=typeof e.returnValue&&(e.returnValue=!1),this.isDefaultPrevented=Wn)},stopPropagation:function(){var e=this.nativeEvent;e&&(e.stopPropagation?e.stopPropagation():"unknown"!=typeof e.cancelBubble&&(e.cancelBubble=!0),this.isPropagationStopped=Wn)},persist:function(){this.isPersistent=Wn},isPersistent:Bn,destructor:function(){var e,t=this.constructor.Interface;for(e in t)this[e]=null;this.nativeEvent=this._targetInst=this.dispatchConfig=null,this.isPropagationStopped=this.isDefaultPrevented=Bn,this._dispatchInstances=this._dispatchListeners=null}}),$n.Interface={type:null,target:null,currentTarget:function(){return null},eventPhase:null,bubbles:null,cancelable:null,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:null,isTrusted:null},$n.extend=function(e){function t(){}function n(){return r.apply(this,arguments)}var r=this;t.prototype=r.prototype;var a=new t;return o(a,n.prototype),n.prototype=a,n.prototype.constructor=n,n.Interface=o({},r.Interface,e),n.extend=r.extend,Qn(n),n},Qn($n);var Gn=$n.extend({data:null}),Kn=$n.extend({data:null}),Yn=[9,13,27,32],Xn=P&&"CompositionEvent"in window,Jn=null;P&&"documentMode"in document&&(Jn=document.documentMode);var Zn=P&&"TextEvent"in window&&!Jn,er=P&&(!Xn||Jn&&8<Jn&&11>=Jn),tr=String.fromCharCode(32),nr={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["compositionend","keypress","textInput","paste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:"blur compositionend keydown keypress keyup mousedown".split(" ")},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:"blur compositionstart keydown keypress keyup mousedown".split(" ")},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:"blur compositionupdate keydown keypress keyup mousedown".split(" ")}},rr=!1;function or(e,t){switch(e){case"keyup":return-1!==Yn.indexOf(t.keyCode);case"keydown":return 229!==t.keyCode;case"keypress":case"mousedown":case"blur":return!0;default:return!1}}function ar(e){return"object"==typeof(e=e.detail)&&"data"in e?e.data:null}var ir=!1;var lr={eventTypes:nr,extractEvents:function(e,t,n,r){var o;if(Xn)e:{switch(e){case"compositionstart":var a=nr.compositionStart;break e;case"compositionend":a=nr.compositionEnd;break e;case"compositionupdate":a=nr.compositionUpdate;break e}a=void 0}else ir?or(e,n)&&(a=nr.compositionEnd):"keydown"===e&&229===n.keyCode&&(a=nr.compositionStart);return a?(er&&"ko"!==n.locale&&(ir||a!==nr.compositionStart?a===nr.compositionEnd&&ir&&(o=Hn()):(zn="value"in(Mn=r)?Mn.value:Mn.textContent,ir=!0)),a=Gn.getPooled(a,t,n,r),o?a.data=o:null!==(o=ar(n))&&(a.data=o),Fn(a),o=a):o=null,(e=Zn?function(e,t){switch(e){case"compositionend":return ar(t);case"keypress":return 32!==t.which?null:(rr=!0,tr);case"textInput":return(e=t.data)===tr&&rr?null:e;default:return null}}(e,n):function(e,t){if(ir)return"compositionend"===e||!Xn&&or(e,t)?(e=Hn(),Un=zn=Mn=null,ir=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1<t.char.length)return t.char;if(t.which)return String.fromCharCode(t.which)}return null;case"compositionend":return er&&"ko"!==t.locale?null:t.data;default:return null}}(e,n))?((t=Kn.getPooled(nr.beforeInput,t,n,r)).data=e,Fn(t)):t=null,null===o?t:null===t?o:[o,t]}},ur={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function cr(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!ur[e.type]:"textarea"===t}var sr={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:"blur change click focus input keydown keyup selectionchange".split(" ")}};function fr(e,t,n){return(e=$n.getPooled(sr.change,e,t,n)).type="change",N(n),Fn(e),e}var pr=null,dr=null;function hr(e){lt(e)}function mr(e){if(Ee(jn(e)))return e}function gr(e,t){if("change"===e)return t}var yr=!1;function br(){pr&&(pr.detachEvent("onpropertychange",vr),dr=pr=null)}function vr(e){if("value"===e.propertyName&&mr(dr))if(e=fr(dr,e,ut(e)),M)lt(e);else{M=!0;try{I(hr,e)}finally{M=!1,U()}}}function wr(e,t,n){"focus"===e?(br(),dr=n,(pr=t).attachEvent("onpropertychange",vr)):"blur"===e&&br()}function Er(e){if("selectionchange"===e||"keyup"===e||"keydown"===e)return mr(dr)}function xr(e,t){if("click"===e)return mr(t)}function _r(e,t){if("input"===e||"change"===e)return mr(t)}P&&(yr=ct("input")&&(!document.documentMode||9<document.documentMode));var Sr={eventTypes:sr,_isInputEventSupported:yr,extractEvents:function(e,t,n,r){var o=t?jn(t):window,a=o.nodeName&&o.nodeName.toLowerCase();if("select"===a||"input"===a&&"file"===o.type)var i=gr;else if(cr(o))if(yr)i=_r;else{i=Er;var l=wr}else(a=o.nodeName)&&"input"===a.toLowerCase()&&("checkbox"===o.type||"radio"===o.type)&&(i=xr);if(i&&(i=i(e,t)))return fr(i,n,r);l&&l(e,o,t),"blur"===e&&(e=o._wrapperState)&&e.controlled&&"number"===o.type&&Pe(o,"number",o.value)}},Or=$n.extend({view:null,detail:null}),kr={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function Pr(e){var t=this.nativeEvent;return t.getModifierState?t.getModifierState(e):!!(e=kr[e])&&!!t[e]}function Tr(){return Pr}var jr=0,Cr=0,Rr=!1,Nr=!1,Ar=Or.extend({screenX:null,screenY:null,clientX:null,clientY:null,pageX:null,pageY:null,ctrlKey:null,shiftKey:null,altKey:null,metaKey:null,getModifierState:Tr,button:null,buttons:null,relatedTarget:function(e){return e.relatedTarget||(e.fromElement===e.srcElement?e.toElement:e.fromElement)},movementX:function(e){if("movementX"in e)return e.movementX;var t=jr;return jr=e.screenX,Rr?"mousemove"===e.type?e.screenX-t:0:(Rr=!0,0)},movementY:function(e){if("movementY"in e)return e.movementY;var t=Cr;return Cr=e.screenY,Nr?"mousemove"===e.type?e.screenY-t:0:(Nr=!0,0)}}),Ir=Ar.extend({pointerId:null,width:null,height:null,pressure:null,tangentialPressure:null,tiltX:null,tiltY:null,twist:null,pointerType:null,isPrimary:null}),Dr={mouseEnter:{registrationName:"onMouseEnter",dependencies:["mouseout","mouseover"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["mouseout","mouseover"]},pointerEnter:{registrationName:"onPointerEnter",dependencies:["pointerout","pointerover"]},pointerLeave:{registrationName:"onPointerLeave",dependencies:["pointerout","pointerover"]}},Lr={eventTypes:Dr,extractEvents:function(e,t,n,r,o){var a="mouseover"===e||"pointerover"===e,i="mouseout"===e||"pointerout"===e;if(a&&0==(32&o)&&(n.relatedTarget||n.fromElement)||!i&&!a)return null;(a=r.window===r?r:(a=r.ownerDocument)?a.defaultView||a.parentWindow:window,i)?(i=t,null!==(t=(t=n.relatedTarget||n.toElement)?Pn(t):null)&&(t!==Ze(t)||5!==t.tag&&6!==t.tag)&&(t=null)):i=null;if(i===t)return null;if("mouseout"===e||"mouseover"===e)var l=Ar,u=Dr.mouseLeave,c=Dr.mouseEnter,s="mouse";else"pointerout"!==e&&"pointerover"!==e||(l=Ir,u=Dr.pointerLeave,c=Dr.pointerEnter,s="pointer");if(e=null==i?a:jn(i),a=null==t?a:jn(t),(u=l.getPooled(u,i,n,r)).type=s+"leave",u.target=e,u.relatedTarget=a,(n=l.getPooled(c,t,n,r)).type=s+"enter",n.target=a,n.relatedTarget=e,s=t,(r=i)&&s)e:{for(c=s,i=0,e=l=r;e;e=Rn(e))i++;for(e=0,t=c;t;t=Rn(t))e++;for(;0<i-e;)l=Rn(l),i--;for(;0<e-i;)c=Rn(c),e--;for(;i--;){if(l===c||l===c.alternate)break e;l=Rn(l),c=Rn(c)}l=null}else l=null;for(c=l,l=[];r&&r!==c&&(null===(i=r.alternate)||i!==c);)l.push(r),r=Rn(r);for(r=[];s&&s!==c&&(null===(i=s.alternate)||i!==c);)r.push(s),s=Rn(s);for(s=0;s<l.length;s++)Dn(l[s],"bubbled",u);for(s=r.length;0<s--;)Dn(r[s],"captured",n);return 0==(64&o)?[u]:[u,n]}};var Fr="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},Mr=Object.prototype.hasOwnProperty;function zr(e,t){if(Fr(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(r=0;r<n.length;r++)if(!Mr.call(t,n[r])||!Fr(e[n[r]],t[n[r]]))return!1;return!0}var Ur=P&&"documentMode"in document&&11>=document.documentMode,Hr={select:{phasedRegistrationNames:{bubbled:"onSelect",captured:"onSelectCapture"},dependencies:"blur contextmenu dragend focus keydown keyup mousedown mouseup selectionchange".split(" ")}},Wr=null,Br=null,$r=null,Vr=!1;function qr(e,t){var n=t.window===t?t.document:9===t.nodeType?t:t.ownerDocument;return Vr||null==Wr||Wr!==sn(n)?null:("selectionStart"in(n=Wr)&&hn(n)?n={start:n.selectionStart,end:n.selectionEnd}:n={anchorNode:(n=(n.ownerDocument&&n.ownerDocument.defaultView||window).getSelection()).anchorNode,anchorOffset:n.anchorOffset,focusNode:n.focusNode,focusOffset:n.focusOffset},$r&&zr($r,n)?null:($r=n,(e=$n.getPooled(Hr.select,Br,e,t)).type="select",e.target=Wr,Fn(e),e))}var Qr={eventTypes:Hr,extractEvents:function(e,t,n,r,o,a){if(!(a=!(o=a||(r.window===r?r.document:9===r.nodeType?r:r.ownerDocument)))){e:{o=Je(o),a=O.onSelect;for(var i=0;i<a.length;i++)if(!o.has(a[i])){o=!1;break e}o=!0}a=!o}if(a)return null;switch(o=t?jn(t):window,e){case"focus":(cr(o)||"true"===o.contentEditable)&&(Wr=o,Br=t,$r=null);break;case"blur":$r=Br=Wr=null;break;case"mousedown":Vr=!0;break;case"contextmenu":case"mouseup":case"dragend":return Vr=!1,qr(n,r);case"selectionchange":if(Ur)break;case"keydown":case"keyup":return qr(n,r)}return null}},Gr=$n.extend({animationName:null,elapsedTime:null,pseudoElement:null}),Kr=$n.extend({clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),Yr=Or.extend({relatedTarget:null});function Xr(e){var t=e.keyCode;return"charCode"in e?0===(e=e.charCode)&&13===t&&(e=13):e=t,10===e&&(e=13),32<=e||13===e?e:0}var Jr={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},Zr={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},eo=Or.extend({key:function(e){if(e.key){var t=Jr[e.key]||e.key;if("Unidentified"!==t)return t}return"keypress"===e.type?13===(e=Xr(e))?"Enter":String.fromCharCode(e):"keydown"===e.type||"keyup"===e.type?Zr[e.keyCode]||"Unidentified":""},location:null,ctrlKey:null,shiftKey:null,altKey:null,metaKey:null,repeat:null,locale:null,getModifierState:Tr,charCode:function(e){return"keypress"===e.type?Xr(e):0},keyCode:function(e){return"keydown"===e.type||"keyup"===e.type?e.keyCode:0},which:function(e){return"keypress"===e.type?Xr(e):"keydown"===e.type||"keyup"===e.type?e.keyCode:0}}),to=Ar.extend({dataTransfer:null}),no=Or.extend({touches:null,targetTouches:null,changedTouches:null,altKey:null,metaKey:null,ctrlKey:null,shiftKey:null,getModifierState:Tr}),ro=$n.extend({propertyName:null,elapsedTime:null,pseudoElement:null}),oo=Ar.extend({deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:null,deltaMode:null}),ao={eventTypes:Ft,extractEvents:function(e,t,n,r){var o=Mt.get(e);if(!o)return null;switch(e){case"keypress":if(0===Xr(n))return null;case"keydown":case"keyup":e=eo;break;case"blur":case"focus":e=Yr;break;case"click":if(2===n.button)return null;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":e=Ar;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":e=to;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":e=no;break;case qe:case Qe:case Ge:e=Gr;break;case Ke:e=ro;break;case"scroll":e=Or;break;case"wheel":e=oo;break;case"copy":case"cut":case"paste":e=Kr;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":e=Ir;break;default:e=$n}return Fn(t=e.getPooled(o,t,n,r)),t}};if(b)throw Error(i(101));b=Array.prototype.slice.call("ResponderEventPlugin SimpleEventPlugin EnterLeaveEventPlugin ChangeEventPlugin SelectEventPlugin BeforeInputEventPlugin".split(" ")),w(),h=Cn,m=Tn,g=jn,k({SimpleEventPlugin:ao,EnterLeaveEventPlugin:Lr,ChangeEventPlugin:Sr,SelectEventPlugin:Qr,BeforeInputEventPlugin:lr});var io=[],lo=-1;function uo(e){0>lo||(e.current=io[lo],io[lo]=null,lo--)}function co(e,t){lo++,io[lo]=e.current,e.current=t}var so={},fo={current:so},po={current:!1},ho=so;function mo(e,t){var n=e.type.contextTypes;if(!n)return so;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var o,a={};for(o in n)a[o]=t[o];return r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=a),a}function go(e){return null!=(e=e.childContextTypes)}function yo(){uo(po),uo(fo)}function bo(e,t,n){if(fo.current!==so)throw Error(i(168));co(fo,t),co(po,n)}function vo(e,t,n){var r=e.stateNode;if(e=t.childContextTypes,"function"!=typeof r.getChildContext)return n;for(var a in r=r.getChildContext())if(!(a in e))throw Error(i(108,ge(t)||"Unknown",a));return o({},n,{},r)}function wo(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||so,ho=fo.current,co(fo,e),co(po,po.current),!0}function Eo(e,t,n){var r=e.stateNode;if(!r)throw Error(i(169));n?(e=vo(e,t,ho),r.__reactInternalMemoizedMergedChildContext=e,uo(po),uo(fo),co(fo,e)):uo(po),co(po,n)}var xo=a.unstable_runWithPriority,_o=a.unstable_scheduleCallback,So=a.unstable_cancelCallback,Oo=a.unstable_requestPaint,ko=a.unstable_now,Po=a.unstable_getCurrentPriorityLevel,To=a.unstable_ImmediatePriority,jo=a.unstable_UserBlockingPriority,Co=a.unstable_NormalPriority,Ro=a.unstable_LowPriority,No=a.unstable_IdlePriority,Ao={},Io=a.unstable_shouldYield,Do=void 0!==Oo?Oo:function(){},Lo=null,Fo=null,Mo=!1,zo=ko(),Uo=1e4>zo?ko:function(){return ko()-zo};function Ho(){switch(Po()){case To:return 99;case jo:return 98;case Co:return 97;case Ro:return 96;case No:return 95;default:throw Error(i(332))}}function Wo(e){switch(e){case 99:return To;case 98:return jo;case 97:return Co;case 96:return Ro;case 95:return No;default:throw Error(i(332))}}function Bo(e,t){return e=Wo(e),xo(e,t)}function $o(e,t,n){return e=Wo(e),_o(e,t,n)}function Vo(e){return null===Lo?(Lo=[e],Fo=_o(To,Qo)):Lo.push(e),Ao}function qo(){if(null!==Fo){var e=Fo;Fo=null,So(e)}Qo()}function Qo(){if(!Mo&&null!==Lo){Mo=!0;var e=0;try{var t=Lo;Bo(99,(function(){for(;e<t.length;e++){var n=t[e];do{n=n(!0)}while(null!==n)}})),Lo=null}catch(t){throw null!==Lo&&(Lo=Lo.slice(e+1)),_o(To,qo),t}finally{Mo=!1}}}function Go(e,t,n){return 1073741821-(1+((1073741821-e+t/10)/(n/=10)|0))*n}function Ko(e,t){if(e&&e.defaultProps)for(var n in t=o({},t),e=e.defaultProps)void 0===t[n]&&(t[n]=e[n]);return t}var Yo={current:null},Xo=null,Jo=null,Zo=null;function ea(){Zo=Jo=Xo=null}function ta(e){var t=Yo.current;uo(Yo),e.type._context._currentValue=t}function na(e,t){for(;null!==e;){var n=e.alternate;if(e.childExpirationTime<t)e.childExpirationTime=t,null!==n&&n.childExpirationTime<t&&(n.childExpirationTime=t);else{if(!(null!==n&&n.childExpirationTime<t))break;n.childExpirationTime=t}e=e.return}}function ra(e,t){Xo=e,Zo=Jo=null,null!==(e=e.dependencies)&&null!==e.firstContext&&(e.expirationTime>=t&&(Ci=!0),e.firstContext=null)}function oa(e,t){if(Zo!==e&&!1!==t&&0!==t)if("number"==typeof t&&1073741823!==t||(Zo=e,t=1073741823),t={context:e,observedBits:t,next:null},null===Jo){if(null===Xo)throw Error(i(308));Jo=t,Xo.dependencies={expirationTime:0,firstContext:t,responders:null}}else Jo=Jo.next=t;return e._currentValue}var aa=!1;function ia(e){e.updateQueue={baseState:e.memoizedState,baseQueue:null,shared:{pending:null},effects:null}}function la(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,baseQueue:e.baseQueue,shared:e.shared,effects:e.effects})}function ua(e,t){return(e={expirationTime:e,suspenseConfig:t,tag:0,payload:null,callback:null,next:null}).next=e}function ca(e,t){if(null!==(e=e.updateQueue)){var n=(e=e.shared).pending;null===n?t.next=t:(t.next=n.next,n.next=t),e.pending=t}}function sa(e,t){var n=e.alternate;null!==n&&la(n,e),null===(n=(e=e.updateQueue).baseQueue)?(e.baseQueue=t.next=t,t.next=t):(t.next=n.next,n.next=t)}function fa(e,t,n,r){var a=e.updateQueue;aa=!1;var i=a.baseQueue,l=a.shared.pending;if(null!==l){if(null!==i){var u=i.next;i.next=l.next,l.next=u}i=l,a.shared.pending=null,null!==(u=e.alternate)&&(null!==(u=u.updateQueue)&&(u.baseQueue=l))}if(null!==i){u=i.next;var c=a.baseState,s=0,f=null,p=null,d=null;if(null!==u)for(var h=u;;){if((l=h.expirationTime)<r){var m={expirationTime:h.expirationTime,suspenseConfig:h.suspenseConfig,tag:h.tag,payload:h.payload,callback:h.callback,next:null};null===d?(p=d=m,f=c):d=d.next=m,l>s&&(s=l)}else{null!==d&&(d=d.next={expirationTime:1073741823,suspenseConfig:h.suspenseConfig,tag:h.tag,payload:h.payload,callback:h.callback,next:null}),au(l,h.suspenseConfig);e:{var g=e,y=h;switch(l=t,m=n,y.tag){case 1:if("function"==typeof(g=y.payload)){c=g.call(m,c,l);break e}c=g;break e;case 3:g.effectTag=-4097&g.effectTag|64;case 0:if(null==(l="function"==typeof(g=y.payload)?g.call(m,c,l):g))break e;c=o({},c,l);break e;case 2:aa=!0}}null!==h.callback&&(e.effectTag|=32,null===(l=a.effects)?a.effects=[h]:l.push(h))}if(null===(h=h.next)||h===u){if(null===(l=a.shared.pending))break;h=i.next=l.next,l.next=u,a.baseQueue=i=l,a.shared.pending=null}}null===d?f=c:d.next=p,a.baseState=f,a.baseQueue=d,iu(s),e.expirationTime=s,e.memoizedState=c}}function pa(e,t,n){if(e=t.effects,t.effects=null,null!==e)for(t=0;t<e.length;t++){var r=e[t],o=r.callback;if(null!==o){if(r.callback=null,r=o,o=n,"function"!=typeof r)throw Error(i(191,r));r.call(o)}}}var da=Y.ReactCurrentBatchConfig,ha=(new r.Component).refs;function ma(e,t,n,r){n=null==(n=n(r,t=e.memoizedState))?t:o({},t,n),e.memoizedState=n,0===e.expirationTime&&(e.updateQueue.baseState=n)}var ga={isMounted:function(e){return!!(e=e._reactInternalFiber)&&Ze(e)===e},enqueueSetState:function(e,t,n){e=e._reactInternalFiber;var r=ql(),o=da.suspense;(o=ua(r=Ql(r,e,o),o)).payload=t,null!=n&&(o.callback=n),ca(e,o),Gl(e,r)},enqueueReplaceState:function(e,t,n){e=e._reactInternalFiber;var r=ql(),o=da.suspense;(o=ua(r=Ql(r,e,o),o)).tag=1,o.payload=t,null!=n&&(o.callback=n),ca(e,o),Gl(e,r)},enqueueForceUpdate:function(e,t){e=e._reactInternalFiber;var n=ql(),r=da.suspense;(r=ua(n=Ql(n,e,r),r)).tag=2,null!=t&&(r.callback=t),ca(e,r),Gl(e,n)}};function ya(e,t,n,r,o,a,i){return"function"==typeof(e=e.stateNode).shouldComponentUpdate?e.shouldComponentUpdate(r,a,i):!t.prototype||!t.prototype.isPureReactComponent||(!zr(n,r)||!zr(o,a))}function ba(e,t,n){var r=!1,o=so,a=t.contextType;return"object"==typeof a&&null!==a?a=oa(a):(o=go(t)?ho:fo.current,a=(r=null!=(r=t.contextTypes))?mo(e,o):so),t=new t(n,a),e.memoizedState=null!==t.state&&void 0!==t.state?t.state:null,t.updater=ga,e.stateNode=t,t._reactInternalFiber=e,r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=o,e.__reactInternalMemoizedMaskedChildContext=a),t}function va(e,t,n,r){e=t.state,"function"==typeof t.componentWillReceiveProps&&t.componentWillReceiveProps(n,r),"function"==typeof t.UNSAFE_componentWillReceiveProps&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&ga.enqueueReplaceState(t,t.state,null)}function wa(e,t,n,r){var o=e.stateNode;o.props=n,o.state=e.memoizedState,o.refs=ha,ia(e);var a=t.contextType;"object"==typeof a&&null!==a?o.context=oa(a):(a=go(t)?ho:fo.current,o.context=mo(e,a)),fa(e,n,o,r),o.state=e.memoizedState,"function"==typeof(a=t.getDerivedStateFromProps)&&(ma(e,t,a,n),o.state=e.memoizedState),"function"==typeof t.getDerivedStateFromProps||"function"==typeof o.getSnapshotBeforeUpdate||"function"!=typeof o.UNSAFE_componentWillMount&&"function"!=typeof o.componentWillMount||(t=o.state,"function"==typeof o.componentWillMount&&o.componentWillMount(),"function"==typeof o.UNSAFE_componentWillMount&&o.UNSAFE_componentWillMount(),t!==o.state&&ga.enqueueReplaceState(o,o.state,null),fa(e,n,o,r),o.state=e.memoizedState),"function"==typeof o.componentDidMount&&(e.effectTag|=4)}var Ea=Array.isArray;function xa(e,t,n){if(null!==(e=n.ref)&&"function"!=typeof e&&"object"!=typeof e){if(n._owner){if(n=n._owner){if(1!==n.tag)throw Error(i(309));var r=n.stateNode}if(!r)throw Error(i(147,e));var o=""+e;return null!==t&&null!==t.ref&&"function"==typeof t.ref&&t.ref._stringRef===o?t.ref:((t=function(e){var t=r.refs;t===ha&&(t=r.refs={}),null===e?delete t[o]:t[o]=e})._stringRef=o,t)}if("string"!=typeof e)throw Error(i(284));if(!n._owner)throw Error(i(290,e))}return e}function _a(e,t){if("textarea"!==e.type)throw Error(i(31,"[object Object]"===Object.prototype.toString.call(t)?"object with keys {"+Object.keys(t).join(", ")+"}":t,""))}function Sa(e){function t(t,n){if(e){var r=t.lastEffect;null!==r?(r.nextEffect=n,t.lastEffect=n):t.firstEffect=t.lastEffect=n,n.nextEffect=null,n.effectTag=8}}function n(n,r){if(!e)return null;for(;null!==r;)t(n,r),r=r.sibling;return null}function r(e,t){for(e=new Map;null!==t;)null!==t.key?e.set(t.key,t):e.set(t.index,t),t=t.sibling;return e}function o(e,t){return(e=ku(e,t)).index=0,e.sibling=null,e}function a(t,n,r){return t.index=r,e?null!==(r=t.alternate)?(r=r.index)<n?(t.effectTag=2,n):r:(t.effectTag=2,n):n}function l(t){return e&&null===t.alternate&&(t.effectTag=2),t}function u(e,t,n,r){return null===t||6!==t.tag?((t=ju(n,e.mode,r)).return=e,t):((t=o(t,n)).return=e,t)}function c(e,t,n,r){return null!==t&&t.elementType===n.type?((r=o(t,n.props)).ref=xa(e,t,n),r.return=e,r):((r=Pu(n.type,n.key,n.props,null,e.mode,r)).ref=xa(e,t,n),r.return=e,r)}function s(e,t,n,r){return null===t||4!==t.tag||t.stateNode.containerInfo!==n.containerInfo||t.stateNode.implementation!==n.implementation?((t=Cu(n,e.mode,r)).return=e,t):((t=o(t,n.children||[])).return=e,t)}function f(e,t,n,r,a){return null===t||7!==t.tag?((t=Tu(n,e.mode,r,a)).return=e,t):((t=o(t,n)).return=e,t)}function p(e,t,n){if("string"==typeof t||"number"==typeof t)return(t=ju(""+t,e.mode,n)).return=e,t;if("object"==typeof t&&null!==t){switch(t.$$typeof){case ee:return(n=Pu(t.type,t.key,t.props,null,e.mode,n)).ref=xa(e,null,t),n.return=e,n;case te:return(t=Cu(t,e.mode,n)).return=e,t}if(Ea(t)||me(t))return(t=Tu(t,e.mode,n,null)).return=e,t;_a(e,t)}return null}function d(e,t,n,r){var o=null!==t?t.key:null;if("string"==typeof n||"number"==typeof n)return null!==o?null:u(e,t,""+n,r);if("object"==typeof n&&null!==n){switch(n.$$typeof){case ee:return n.key===o?n.type===ne?f(e,t,n.props.children,r,o):c(e,t,n,r):null;case te:return n.key===o?s(e,t,n,r):null}if(Ea(n)||me(n))return null!==o?null:f(e,t,n,r,null);_a(e,n)}return null}function h(e,t,n,r,o){if("string"==typeof r||"number"==typeof r)return u(t,e=e.get(n)||null,""+r,o);if("object"==typeof r&&null!==r){switch(r.$$typeof){case ee:return e=e.get(null===r.key?n:r.key)||null,r.type===ne?f(t,e,r.props.children,o,r.key):c(t,e,r,o);case te:return s(t,e=e.get(null===r.key?n:r.key)||null,r,o)}if(Ea(r)||me(r))return f(t,e=e.get(n)||null,r,o,null);_a(t,r)}return null}function m(o,i,l,u){for(var c=null,s=null,f=i,m=i=0,g=null;null!==f&&m<l.length;m++){f.index>m?(g=f,f=null):g=f.sibling;var y=d(o,f,l[m],u);if(null===y){null===f&&(f=g);break}e&&f&&null===y.alternate&&t(o,f),i=a(y,i,m),null===s?c=y:s.sibling=y,s=y,f=g}if(m===l.length)return n(o,f),c;if(null===f){for(;m<l.length;m++)null!==(f=p(o,l[m],u))&&(i=a(f,i,m),null===s?c=f:s.sibling=f,s=f);return c}for(f=r(o,f);m<l.length;m++)null!==(g=h(f,o,m,l[m],u))&&(e&&null!==g.alternate&&f.delete(null===g.key?m:g.key),i=a(g,i,m),null===s?c=g:s.sibling=g,s=g);return e&&f.forEach((function(e){return t(o,e)})),c}function g(o,l,u,c){var s=me(u);if("function"!=typeof s)throw Error(i(150));if(null==(u=s.call(u)))throw Error(i(151));for(var f=s=null,m=l,g=l=0,y=null,b=u.next();null!==m&&!b.done;g++,b=u.next()){m.index>g?(y=m,m=null):y=m.sibling;var v=d(o,m,b.value,c);if(null===v){null===m&&(m=y);break}e&&m&&null===v.alternate&&t(o,m),l=a(v,l,g),null===f?s=v:f.sibling=v,f=v,m=y}if(b.done)return n(o,m),s;if(null===m){for(;!b.done;g++,b=u.next())null!==(b=p(o,b.value,c))&&(l=a(b,l,g),null===f?s=b:f.sibling=b,f=b);return s}for(m=r(o,m);!b.done;g++,b=u.next())null!==(b=h(m,o,g,b.value,c))&&(e&&null!==b.alternate&&m.delete(null===b.key?g:b.key),l=a(b,l,g),null===f?s=b:f.sibling=b,f=b);return e&&m.forEach((function(e){return t(o,e)})),s}return function(e,r,a,u){var c="object"==typeof a&&null!==a&&a.type===ne&&null===a.key;c&&(a=a.props.children);var s="object"==typeof a&&null!==a;if(s)switch(a.$$typeof){case ee:e:{for(s=a.key,c=r;null!==c;){if(c.key===s){switch(c.tag){case 7:if(a.type===ne){n(e,c.sibling),(r=o(c,a.props.children)).return=e,e=r;break e}break;default:if(c.elementType===a.type){n(e,c.sibling),(r=o(c,a.props)).ref=xa(e,c,a),r.return=e,e=r;break e}}n(e,c);break}t(e,c),c=c.sibling}a.type===ne?((r=Tu(a.props.children,e.mode,u,a.key)).return=e,e=r):((u=Pu(a.type,a.key,a.props,null,e.mode,u)).ref=xa(e,r,a),u.return=e,e=u)}return l(e);case te:e:{for(c=a.key;null!==r;){if(r.key===c){if(4===r.tag&&r.stateNode.containerInfo===a.containerInfo&&r.stateNode.implementation===a.implementation){n(e,r.sibling),(r=o(r,a.children||[])).return=e,e=r;break e}n(e,r);break}t(e,r),r=r.sibling}(r=Cu(a,e.mode,u)).return=e,e=r}return l(e)}if("string"==typeof a||"number"==typeof a)return a=""+a,null!==r&&6===r.tag?(n(e,r.sibling),(r=o(r,a)).return=e,e=r):(n(e,r),(r=ju(a,e.mode,u)).return=e,e=r),l(e);if(Ea(a))return m(e,r,a,u);if(me(a))return g(e,r,a,u);if(s&&_a(e,a),void 0===a&&!c)switch(e.tag){case 1:case 0:throw e=e.type,Error(i(152,e.displayName||e.name||"Component"))}return n(e,r)}}var Oa=Sa(!0),ka=Sa(!1),Pa={},Ta={current:Pa},ja={current:Pa},Ca={current:Pa};function Ra(e){if(e===Pa)throw Error(i(174));return e}function Na(e,t){switch(co(Ca,t),co(ja,e),co(Ta,Pa),e=t.nodeType){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:Fe(null,"");break;default:t=Fe(t=(e=8===e?t.parentNode:t).namespaceURI||null,e=e.tagName)}uo(Ta),co(Ta,t)}function Aa(){uo(Ta),uo(ja),uo(Ca)}function Ia(e){Ra(Ca.current);var t=Ra(Ta.current),n=Fe(t,e.type);t!==n&&(co(ja,e),co(Ta,n))}function Da(e){ja.current===e&&(uo(Ta),uo(ja))}var La={current:0};function Fa(e){for(var t=e;null!==t;){if(13===t.tag){var n=t.memoizedState;if(null!==n&&(null===(n=n.dehydrated)||"$?"===n.data||"$!"===n.data))return t}else if(19===t.tag&&void 0!==t.memoizedProps.revealOrder){if(0!=(64&t.effectTag))return t}else if(null!==t.child){t.child.return=t,t=t.child;continue}if(t===e)break;for(;null===t.sibling;){if(null===t.return||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}function Ma(e,t){return{responder:e,props:t}}var za=Y.ReactCurrentDispatcher,Ua=Y.ReactCurrentBatchConfig,Ha=0,Wa=null,Ba=null,$a=null,Va=!1;function qa(){throw Error(i(321))}function Qa(e,t){if(null===t)return!1;for(var n=0;n<t.length&&n<e.length;n++)if(!Fr(e[n],t[n]))return!1;return!0}function Ga(e,t,n,r,o,a){if(Ha=a,Wa=t,t.memoizedState=null,t.updateQueue=null,t.expirationTime=0,za.current=null===e||null===e.memoizedState?yi:bi,e=n(r,o),t.expirationTime===Ha){a=0;do{if(t.expirationTime=0,!(25>a))throw Error(i(301));a+=1,$a=Ba=null,t.updateQueue=null,za.current=vi,e=n(r,o)}while(t.expirationTime===Ha)}if(za.current=gi,t=null!==Ba&&null!==Ba.next,Ha=0,$a=Ba=Wa=null,Va=!1,t)throw Error(i(300));return e}function Ka(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return null===$a?Wa.memoizedState=$a=e:$a=$a.next=e,$a}function Ya(){if(null===Ba){var e=Wa.alternate;e=null!==e?e.memoizedState:null}else e=Ba.next;var t=null===$a?Wa.memoizedState:$a.next;if(null!==t)$a=t,Ba=e;else{if(null===e)throw Error(i(310));e={memoizedState:(Ba=e).memoizedState,baseState:Ba.baseState,baseQueue:Ba.baseQueue,queue:Ba.queue,next:null},null===$a?Wa.memoizedState=$a=e:$a=$a.next=e}return $a}function Xa(e,t){return"function"==typeof t?t(e):t}function Ja(e){var t=Ya(),n=t.queue;if(null===n)throw Error(i(311));n.lastRenderedReducer=e;var r=Ba,o=r.baseQueue,a=n.pending;if(null!==a){if(null!==o){var l=o.next;o.next=a.next,a.next=l}r.baseQueue=o=a,n.pending=null}if(null!==o){o=o.next,r=r.baseState;var u=l=a=null,c=o;do{var s=c.expirationTime;if(s<Ha){var f={expirationTime:c.expirationTime,suspenseConfig:c.suspenseConfig,action:c.action,eagerReducer:c.eagerReducer,eagerState:c.eagerState,next:null};null===u?(l=u=f,a=r):u=u.next=f,s>Wa.expirationTime&&(Wa.expirationTime=s,iu(s))}else null!==u&&(u=u.next={expirationTime:1073741823,suspenseConfig:c.suspenseConfig,action:c.action,eagerReducer:c.eagerReducer,eagerState:c.eagerState,next:null}),au(s,c.suspenseConfig),r=c.eagerReducer===e?c.eagerState:e(r,c.action);c=c.next}while(null!==c&&c!==o);null===u?a=r:u.next=l,Fr(r,t.memoizedState)||(Ci=!0),t.memoizedState=r,t.baseState=a,t.baseQueue=u,n.lastRenderedState=r}return[t.memoizedState,n.dispatch]}function Za(e){var t=Ya(),n=t.queue;if(null===n)throw Error(i(311));n.lastRenderedReducer=e;var r=n.dispatch,o=n.pending,a=t.memoizedState;if(null!==o){n.pending=null;var l=o=o.next;do{a=e(a,l.action),l=l.next}while(l!==o);Fr(a,t.memoizedState)||(Ci=!0),t.memoizedState=a,null===t.baseQueue&&(t.baseState=a),n.lastRenderedState=a}return[a,r]}function ei(e){var t=Ka();return"function"==typeof e&&(e=e()),t.memoizedState=t.baseState=e,e=(e=t.queue={pending:null,dispatch:null,lastRenderedReducer:Xa,lastRenderedState:e}).dispatch=mi.bind(null,Wa,e),[t.memoizedState,e]}function ti(e,t,n,r){return e={tag:e,create:t,destroy:n,deps:r,next:null},null===(t=Wa.updateQueue)?(t={lastEffect:null},Wa.updateQueue=t,t.lastEffect=e.next=e):null===(n=t.lastEffect)?t.lastEffect=e.next=e:(r=n.next,n.next=e,e.next=r,t.lastEffect=e),e}function ni(){return Ya().memoizedState}function ri(e,t,n,r){var o=Ka();Wa.effectTag|=e,o.memoizedState=ti(1|t,n,void 0,void 0===r?null:r)}function oi(e,t,n,r){var o=Ya();r=void 0===r?null:r;var a=void 0;if(null!==Ba){var i=Ba.memoizedState;if(a=i.destroy,null!==r&&Qa(r,i.deps))return void ti(t,n,a,r)}Wa.effectTag|=e,o.memoizedState=ti(1|t,n,a,r)}function ai(e,t){return ri(516,4,e,t)}function ii(e,t){return oi(516,4,e,t)}function li(e,t){return oi(4,2,e,t)}function ui(e,t){return"function"==typeof t?(e=e(),t(e),function(){t(null)}):null!=t?(e=e(),t.current=e,function(){t.current=null}):void 0}function ci(e,t,n){return n=null!=n?n.concat([e]):null,oi(4,2,ui.bind(null,t,e),n)}function si(){}function fi(e,t){return Ka().memoizedState=[e,void 0===t?null:t],e}function pi(e,t){var n=Ya();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Qa(t,r[1])?r[0]:(n.memoizedState=[e,t],e)}function di(e,t){var n=Ya();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Qa(t,r[1])?r[0]:(e=e(),n.memoizedState=[e,t],e)}function hi(e,t,n){var r=Ho();Bo(98>r?98:r,(function(){e(!0)})),Bo(97<r?97:r,(function(){var r=Ua.suspense;Ua.suspense=void 0===t?null:t;try{e(!1),n()}finally{Ua.suspense=r}}))}function mi(e,t,n){var r=ql(),o=da.suspense;o={expirationTime:r=Ql(r,e,o),suspenseConfig:o,action:n,eagerReducer:null,eagerState:null,next:null};var a=t.pending;if(null===a?o.next=o:(o.next=a.next,a.next=o),t.pending=o,a=e.alternate,e===Wa||null!==a&&a===Wa)Va=!0,o.expirationTime=Ha,Wa.expirationTime=Ha;else{if(0===e.expirationTime&&(null===a||0===a.expirationTime)&&null!==(a=t.lastRenderedReducer))try{var i=t.lastRenderedState,l=a(i,n);if(o.eagerReducer=a,o.eagerState=l,Fr(l,i))return}catch(e){}Gl(e,r)}}var gi={readContext:oa,useCallback:qa,useContext:qa,useEffect:qa,useImperativeHandle:qa,useLayoutEffect:qa,useMemo:qa,useReducer:qa,useRef:qa,useState:qa,useDebugValue:qa,useResponder:qa,useDeferredValue:qa,useTransition:qa},yi={readContext:oa,useCallback:fi,useContext:oa,useEffect:ai,useImperativeHandle:function(e,t,n){return n=null!=n?n.concat([e]):null,ri(4,2,ui.bind(null,t,e),n)},useLayoutEffect:function(e,t){return ri(4,2,e,t)},useMemo:function(e,t){var n=Ka();return t=void 0===t?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=Ka();return t=void 0!==n?n(t):t,r.memoizedState=r.baseState=t,e=(e=r.queue={pending:null,dispatch:null,lastRenderedReducer:e,lastRenderedState:t}).dispatch=mi.bind(null,Wa,e),[r.memoizedState,e]},useRef:function(e){return e={current:e},Ka().memoizedState=e},useState:ei,useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=ei(e),r=n[0],o=n[1];return ai((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=ei(!1),n=t[0];return t=t[1],[fi(hi.bind(null,t,e),[t,e]),n]}},bi={readContext:oa,useCallback:pi,useContext:oa,useEffect:ii,useImperativeHandle:ci,useLayoutEffect:li,useMemo:di,useReducer:Ja,useRef:ni,useState:function(){return Ja(Xa)},useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=Ja(Xa),r=n[0],o=n[1];return ii((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=Ja(Xa),n=t[0];return t=t[1],[pi(hi.bind(null,t,e),[t,e]),n]}},vi={readContext:oa,useCallback:pi,useContext:oa,useEffect:ii,useImperativeHandle:ci,useLayoutEffect:li,useMemo:di,useReducer:Za,useRef:ni,useState:function(){return Za(Xa)},useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=Za(Xa),r=n[0],o=n[1];return ii((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=Za(Xa),n=t[0];return t=t[1],[pi(hi.bind(null,t,e),[t,e]),n]}},wi=null,Ei=null,xi=!1;function _i(e,t){var n=Su(5,null,null,0);n.elementType="DELETED",n.type="DELETED",n.stateNode=t,n.return=e,n.effectTag=8,null!==e.lastEffect?(e.lastEffect.nextEffect=n,e.lastEffect=n):e.firstEffect=e.lastEffect=n}function Si(e,t){switch(e.tag){case 5:var n=e.type;return null!==(t=1!==t.nodeType||n.toLowerCase()!==t.nodeName.toLowerCase()?null:t)&&(e.stateNode=t,!0);case 6:return null!==(t=""===e.pendingProps||3!==t.nodeType?null:t)&&(e.stateNode=t,!0);case 13:default:return!1}}function Oi(e){if(xi){var t=Ei;if(t){var n=t;if(!Si(e,t)){if(!(t=En(n.nextSibling))||!Si(e,t))return e.effectTag=-1025&e.effectTag|2,xi=!1,void(wi=e);_i(wi,n)}wi=e,Ei=En(t.firstChild)}else e.effectTag=-1025&e.effectTag|2,xi=!1,wi=e}}function ki(e){for(e=e.return;null!==e&&5!==e.tag&&3!==e.tag&&13!==e.tag;)e=e.return;wi=e}function Pi(e){if(e!==wi)return!1;if(!xi)return ki(e),xi=!0,!1;var t=e.type;if(5!==e.tag||"head"!==t&&"body"!==t&&!bn(t,e.memoizedProps))for(t=Ei;t;)_i(e,t),t=En(t.nextSibling);if(ki(e),13===e.tag){if(!(e=null!==(e=e.memoizedState)?e.dehydrated:null))throw Error(i(317));e:{for(e=e.nextSibling,t=0;e;){if(8===e.nodeType){var n=e.data;if("/$"===n){if(0===t){Ei=En(e.nextSibling);break e}t--}else"$"!==n&&"$!"!==n&&"$?"!==n||t++}e=e.nextSibling}Ei=null}}else Ei=wi?En(e.stateNode.nextSibling):null;return!0}function Ti(){Ei=wi=null,xi=!1}var ji=Y.ReactCurrentOwner,Ci=!1;function Ri(e,t,n,r){t.child=null===e?ka(t,null,n,r):Oa(t,e.child,n,r)}function Ni(e,t,n,r,o){n=n.render;var a=t.ref;return ra(t,o),r=Ga(e,t,n,r,a,o),null===e||Ci?(t.effectTag|=1,Ri(e,t,r,o),t.child):(t.updateQueue=e.updateQueue,t.effectTag&=-517,e.expirationTime<=o&&(e.expirationTime=0),Gi(e,t,o))}function Ai(e,t,n,r,o,a){if(null===e){var i=n.type;return"function"!=typeof i||Ou(i)||void 0!==i.defaultProps||null!==n.compare||void 0!==n.defaultProps?((e=Pu(n.type,null,r,null,t.mode,a)).ref=t.ref,e.return=t,t.child=e):(t.tag=15,t.type=i,Ii(e,t,i,r,o,a))}return i=e.child,o<a&&(o=i.memoizedProps,(n=null!==(n=n.compare)?n:zr)(o,r)&&e.ref===t.ref)?Gi(e,t,a):(t.effectTag|=1,(e=ku(i,r)).ref=t.ref,e.return=t,t.child=e)}function Ii(e,t,n,r,o,a){return null!==e&&zr(e.memoizedProps,r)&&e.ref===t.ref&&(Ci=!1,o<a)?(t.expirationTime=e.expirationTime,Gi(e,t,a)):Li(e,t,n,r,a)}function Di(e,t){var n=t.ref;(null===e&&null!==n||null!==e&&e.ref!==n)&&(t.effectTag|=128)}function Li(e,t,n,r,o){var a=go(n)?ho:fo.current;return a=mo(t,a),ra(t,o),n=Ga(e,t,n,r,a,o),null===e||Ci?(t.effectTag|=1,Ri(e,t,n,o),t.child):(t.updateQueue=e.updateQueue,t.effectTag&=-517,e.expirationTime<=o&&(e.expirationTime=0),Gi(e,t,o))}function Fi(e,t,n,r,o){if(go(n)){var a=!0;wo(t)}else a=!1;if(ra(t,o),null===t.stateNode)null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),ba(t,n,r),wa(t,n,r,o),r=!0;else if(null===e){var i=t.stateNode,l=t.memoizedProps;i.props=l;var u=i.context,c=n.contextType;"object"==typeof c&&null!==c?c=oa(c):c=mo(t,c=go(n)?ho:fo.current);var s=n.getDerivedStateFromProps,f="function"==typeof s||"function"==typeof i.getSnapshotBeforeUpdate;f||"function"!=typeof i.UNSAFE_componentWillReceiveProps&&"function"!=typeof i.componentWillReceiveProps||(l!==r||u!==c)&&va(t,i,r,c),aa=!1;var p=t.memoizedState;i.state=p,fa(t,r,i,o),u=t.memoizedState,l!==r||p!==u||po.current||aa?("function"==typeof s&&(ma(t,n,s,r),u=t.memoizedState),(l=aa||ya(t,n,l,r,p,u,c))?(f||"function"!=typeof i.UNSAFE_componentWillMount&&"function"!=typeof i.componentWillMount||("function"==typeof i.componentWillMount&&i.componentWillMount(),"function"==typeof i.UNSAFE_componentWillMount&&i.UNSAFE_componentWillMount()),"function"==typeof i.componentDidMount&&(t.effectTag|=4)):("function"==typeof i.componentDidMount&&(t.effectTag|=4),t.memoizedProps=r,t.memoizedState=u),i.props=r,i.state=u,i.context=c,r=l):("function"==typeof i.componentDidMount&&(t.effectTag|=4),r=!1)}else i=t.stateNode,la(e,t),l=t.memoizedProps,i.props=t.type===t.elementType?l:Ko(t.type,l),u=i.context,"object"==typeof(c=n.contextType)&&null!==c?c=oa(c):c=mo(t,c=go(n)?ho:fo.current),(f="function"==typeof(s=n.getDerivedStateFromProps)||"function"==typeof i.getSnapshotBeforeUpdate)||"function"!=typeof i.UNSAFE_componentWillReceiveProps&&"function"!=typeof i.componentWillReceiveProps||(l!==r||u!==c)&&va(t,i,r,c),aa=!1,u=t.memoizedState,i.state=u,fa(t,r,i,o),p=t.memoizedState,l!==r||u!==p||po.current||aa?("function"==typeof s&&(ma(t,n,s,r),p=t.memoizedState),(s=aa||ya(t,n,l,r,u,p,c))?(f||"function"!=typeof i.UNSAFE_componentWillUpdate&&"function"!=typeof i.componentWillUpdate||("function"==typeof i.componentWillUpdate&&i.componentWillUpdate(r,p,c),"function"==typeof i.UNSAFE_componentWillUpdate&&i.UNSAFE_componentWillUpdate(r,p,c)),"function"==typeof i.componentDidUpdate&&(t.effectTag|=4),"function"==typeof i.getSnapshotBeforeUpdate&&(t.effectTag|=256)):("function"!=typeof i.componentDidUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=4),"function"!=typeof i.getSnapshotBeforeUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=256),t.memoizedProps=r,t.memoizedState=p),i.props=r,i.state=p,i.context=c,r=s):("function"!=typeof i.componentDidUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=4),"function"!=typeof i.getSnapshotBeforeUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=256),r=!1);return Mi(e,t,n,r,a,o)}function Mi(e,t,n,r,o,a){Di(e,t);var i=0!=(64&t.effectTag);if(!r&&!i)return o&&Eo(t,n,!1),Gi(e,t,a);r=t.stateNode,ji.current=t;var l=i&&"function"!=typeof n.getDerivedStateFromError?null:r.render();return t.effectTag|=1,null!==e&&i?(t.child=Oa(t,e.child,null,a),t.child=Oa(t,null,l,a)):Ri(e,t,l,a),t.memoizedState=r.state,o&&Eo(t,n,!0),t.child}function zi(e){var t=e.stateNode;t.pendingContext?bo(0,t.pendingContext,t.pendingContext!==t.context):t.context&&bo(0,t.context,!1),Na(e,t.containerInfo)}var Ui,Hi,Wi,Bi={dehydrated:null,retryTime:0};function $i(e,t,n){var r,o=t.mode,a=t.pendingProps,i=La.current,l=!1;if((r=0!=(64&t.effectTag))||(r=0!=(2&i)&&(null===e||null!==e.memoizedState)),r?(l=!0,t.effectTag&=-65):null!==e&&null===e.memoizedState||void 0===a.fallback||!0===a.unstable_avoidThisFallback||(i|=1),co(La,1&i),null===e){if(void 0!==a.fallback&&Oi(t),l){if(l=a.fallback,(a=Tu(null,o,0,null)).return=t,0==(2&t.mode))for(e=null!==t.memoizedState?t.child.child:t.child,a.child=e;null!==e;)e.return=a,e=e.sibling;return(n=Tu(l,o,n,null)).return=t,a.sibling=n,t.memoizedState=Bi,t.child=a,n}return o=a.children,t.memoizedState=null,t.child=ka(t,null,o,n)}if(null!==e.memoizedState){if(o=(e=e.child).sibling,l){if(a=a.fallback,(n=ku(e,e.pendingProps)).return=t,0==(2&t.mode)&&(l=null!==t.memoizedState?t.child.child:t.child)!==e.child)for(n.child=l;null!==l;)l.return=n,l=l.sibling;return(o=ku(o,a)).return=t,n.sibling=o,n.childExpirationTime=0,t.memoizedState=Bi,t.child=n,o}return n=Oa(t,e.child,a.children,n),t.memoizedState=null,t.child=n}if(e=e.child,l){if(l=a.fallback,(a=Tu(null,o,0,null)).return=t,a.child=e,null!==e&&(e.return=a),0==(2&t.mode))for(e=null!==t.memoizedState?t.child.child:t.child,a.child=e;null!==e;)e.return=a,e=e.sibling;return(n=Tu(l,o,n,null)).return=t,a.sibling=n,n.effectTag|=2,a.childExpirationTime=0,t.memoizedState=Bi,t.child=a,n}return t.memoizedState=null,t.child=Oa(t,e,a.children,n)}function Vi(e,t){e.expirationTime<t&&(e.expirationTime=t);var n=e.alternate;null!==n&&n.expirationTime<t&&(n.expirationTime=t),na(e.return,t)}function qi(e,t,n,r,o,a){var i=e.memoizedState;null===i?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailExpiration:0,tailMode:o,lastEffect:a}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailExpiration=0,i.tailMode=o,i.lastEffect=a)}function Qi(e,t,n){var r=t.pendingProps,o=r.revealOrder,a=r.tail;if(Ri(e,t,r.children,n),0!=(2&(r=La.current)))r=1&r|2,t.effectTag|=64;else{if(null!==e&&0!=(64&e.effectTag))e:for(e=t.child;null!==e;){if(13===e.tag)null!==e.memoizedState&&Vi(e,n);else if(19===e.tag)Vi(e,n);else if(null!==e.child){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;null===e.sibling;){if(null===e.return||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(co(La,r),0==(2&t.mode))t.memoizedState=null;else switch(o){case"forwards":for(n=t.child,o=null;null!==n;)null!==(e=n.alternate)&&null===Fa(e)&&(o=n),n=n.sibling;null===(n=o)?(o=t.child,t.child=null):(o=n.sibling,n.sibling=null),qi(t,!1,o,n,a,t.lastEffect);break;case"backwards":for(n=null,o=t.child,t.child=null;null!==o;){if(null!==(e=o.alternate)&&null===Fa(e)){t.child=o;break}e=o.sibling,o.sibling=n,n=o,o=e}qi(t,!0,n,null,a,t.lastEffect);break;case"together":qi(t,!1,null,null,void 0,t.lastEffect);break;default:t.memoizedState=null}return t.child}function Gi(e,t,n){null!==e&&(t.dependencies=e.dependencies);var r=t.expirationTime;if(0!==r&&iu(r),t.childExpirationTime<n)return null;if(null!==e&&t.child!==e.child)throw Error(i(153));if(null!==t.child){for(n=ku(e=t.child,e.pendingProps),t.child=n,n.return=t;null!==e.sibling;)e=e.sibling,(n=n.sibling=ku(e,e.pendingProps)).return=t;n.sibling=null}return t.child}function Ki(e,t){switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;null!==t;)null!==t.alternate&&(n=t),t=t.sibling;null===n?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;null!==n;)null!==n.alternate&&(r=n),n=n.sibling;null===r?t||null===e.tail?e.tail=null:e.tail.sibling=null:r.sibling=null}}function Yi(e,t,n){var r=t.pendingProps;switch(t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return null;case 1:return go(t.type)&&yo(),null;case 3:return Aa(),uo(po),uo(fo),(n=t.stateNode).pendingContext&&(n.context=n.pendingContext,n.pendingContext=null),null!==e&&null!==e.child||!Pi(t)||(t.effectTag|=4),null;case 5:Da(t),n=Ra(Ca.current);var a=t.type;if(null!==e&&null!=t.stateNode)Hi(e,t,a,r,n),e.ref!==t.ref&&(t.effectTag|=128);else{if(!r){if(null===t.stateNode)throw Error(i(166));return null}if(e=Ra(Ta.current),Pi(t)){r=t.stateNode,a=t.type;var l=t.memoizedProps;switch(r[Sn]=t,r[On]=l,a){case"iframe":case"object":case"embed":Qt("load",r);break;case"video":case"audio":for(e=0;e<Ye.length;e++)Qt(Ye[e],r);break;case"source":Qt("error",r);break;case"img":case"image":case"link":Qt("error",r),Qt("load",r);break;case"form":Qt("reset",r),Qt("submit",r);break;case"details":Qt("toggle",r);break;case"input":_e(r,l),Qt("invalid",r),un(n,"onChange");break;case"select":r._wrapperState={wasMultiple:!!l.multiple},Qt("invalid",r),un(n,"onChange");break;case"textarea":Re(r,l),Qt("invalid",r),un(n,"onChange")}for(var u in on(a,l),e=null,l)if(l.hasOwnProperty(u)){var c=l[u];"children"===u?"string"==typeof c?r.textContent!==c&&(e=["children",c]):"number"==typeof c&&r.textContent!==""+c&&(e=["children",""+c]):S.hasOwnProperty(u)&&null!=c&&un(n,u)}switch(a){case"input":we(r),ke(r,l,!0);break;case"textarea":we(r),Ae(r);break;case"select":case"option":break;default:"function"==typeof l.onClick&&(r.onclick=cn)}n=e,t.updateQueue=n,null!==n&&(t.effectTag|=4)}else{switch(u=9===n.nodeType?n:n.ownerDocument,e===ln&&(e=Le(a)),e===ln?"script"===a?((e=u.createElement("div")).innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):"string"==typeof r.is?e=u.createElement(a,{is:r.is}):(e=u.createElement(a),"select"===a&&(u=e,r.multiple?u.multiple=!0:r.size&&(u.size=r.size))):e=u.createElementNS(e,a),e[Sn]=t,e[On]=r,Ui(e,t),t.stateNode=e,u=an(a,r),a){case"iframe":case"object":case"embed":Qt("load",e),c=r;break;case"video":case"audio":for(c=0;c<Ye.length;c++)Qt(Ye[c],e);c=r;break;case"source":Qt("error",e),c=r;break;case"img":case"image":case"link":Qt("error",e),Qt("load",e),c=r;break;case"form":Qt("reset",e),Qt("submit",e),c=r;break;case"details":Qt("toggle",e),c=r;break;case"input":_e(e,r),c=xe(e,r),Qt("invalid",e),un(n,"onChange");break;case"option":c=Te(e,r);break;case"select":e._wrapperState={wasMultiple:!!r.multiple},c=o({},r,{value:void 0}),Qt("invalid",e),un(n,"onChange");break;case"textarea":Re(e,r),c=Ce(e,r),Qt("invalid",e),un(n,"onChange");break;default:c=r}on(a,c);var s=c;for(l in s)if(s.hasOwnProperty(l)){var f=s[l];"style"===l?nn(e,f):"dangerouslySetInnerHTML"===l?null!=(f=f?f.__html:void 0)&&ze(e,f):"children"===l?"string"==typeof f?("textarea"!==a||""!==f)&&Ue(e,f):"number"==typeof f&&Ue(e,""+f):"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&"autoFocus"!==l&&(S.hasOwnProperty(l)?null!=f&&un(n,l):null!=f&&X(e,l,f,u))}switch(a){case"input":we(e),ke(e,r,!1);break;case"textarea":we(e),Ae(e);break;case"option":null!=r.value&&e.setAttribute("value",""+be(r.value));break;case"select":e.multiple=!!r.multiple,null!=(n=r.value)?je(e,!!r.multiple,n,!1):null!=r.defaultValue&&je(e,!!r.multiple,r.defaultValue,!0);break;default:"function"==typeof c.onClick&&(e.onclick=cn)}yn(a,r)&&(t.effectTag|=4)}null!==t.ref&&(t.effectTag|=128)}return null;case 6:if(e&&null!=t.stateNode)Wi(0,t,e.memoizedProps,r);else{if("string"!=typeof r&&null===t.stateNode)throw Error(i(166));n=Ra(Ca.current),Ra(Ta.current),Pi(t)?(n=t.stateNode,r=t.memoizedProps,n[Sn]=t,n.nodeValue!==r&&(t.effectTag|=4)):((n=(9===n.nodeType?n:n.ownerDocument).createTextNode(r))[Sn]=t,t.stateNode=n)}return null;case 13:return uo(La),r=t.memoizedState,0!=(64&t.effectTag)?(t.expirationTime=n,t):(n=null!==r,r=!1,null===e?void 0!==t.memoizedProps.fallback&&Pi(t):(r=null!==(a=e.memoizedState),n||null===a||null!==(a=e.child.sibling)&&(null!==(l=t.firstEffect)?(t.firstEffect=a,a.nextEffect=l):(t.firstEffect=t.lastEffect=a,a.nextEffect=null),a.effectTag=8)),n&&!r&&0!=(2&t.mode)&&(null===e&&!0!==t.memoizedProps.unstable_avoidThisFallback||0!=(1&La.current)?Pl===wl&&(Pl=El):(Pl!==wl&&Pl!==El||(Pl=xl),0!==Nl&&null!==Sl&&(Au(Sl,kl),Iu(Sl,Nl)))),(n||r)&&(t.effectTag|=4),null);case 4:return Aa(),null;case 10:return ta(t),null;case 17:return go(t.type)&&yo(),null;case 19:if(uo(La),null===(r=t.memoizedState))return null;if(a=0!=(64&t.effectTag),null===(l=r.rendering)){if(a)Ki(r,!1);else if(Pl!==wl||null!==e&&0!=(64&e.effectTag))for(l=t.child;null!==l;){if(null!==(e=Fa(l))){for(t.effectTag|=64,Ki(r,!1),null!==(a=e.updateQueue)&&(t.updateQueue=a,t.effectTag|=4),null===r.lastEffect&&(t.firstEffect=null),t.lastEffect=r.lastEffect,r=t.child;null!==r;)l=n,(a=r).effectTag&=2,a.nextEffect=null,a.firstEffect=null,a.lastEffect=null,null===(e=a.alternate)?(a.childExpirationTime=0,a.expirationTime=l,a.child=null,a.memoizedProps=null,a.memoizedState=null,a.updateQueue=null,a.dependencies=null):(a.childExpirationTime=e.childExpirationTime,a.expirationTime=e.expirationTime,a.child=e.child,a.memoizedProps=e.memoizedProps,a.memoizedState=e.memoizedState,a.updateQueue=e.updateQueue,l=e.dependencies,a.dependencies=null===l?null:{expirationTime:l.expirationTime,firstContext:l.firstContext,responders:l.responders}),r=r.sibling;return co(La,1&La.current|2),t.child}l=l.sibling}}else{if(!a)if(null!==(e=Fa(l))){if(t.effectTag|=64,a=!0,null!==(n=e.updateQueue)&&(t.updateQueue=n,t.effectTag|=4),Ki(r,!0),null===r.tail&&"hidden"===r.tailMode&&!l.alternate)return null!==(t=t.lastEffect=r.lastEffect)&&(t.nextEffect=null),null}else 2*Uo()-r.renderingStartTime>r.tailExpiration&&1<n&&(t.effectTag|=64,a=!0,Ki(r,!1),t.expirationTime=t.childExpirationTime=n-1);r.isBackwards?(l.sibling=t.child,t.child=l):(null!==(n=r.last)?n.sibling=l:t.child=l,r.last=l)}return null!==r.tail?(0===r.tailExpiration&&(r.tailExpiration=Uo()+500),n=r.tail,r.rendering=n,r.tail=n.sibling,r.lastEffect=t.lastEffect,r.renderingStartTime=Uo(),n.sibling=null,t=La.current,co(La,a?1&t|2:1&t),n):null}throw Error(i(156,t.tag))}function Xi(e){switch(e.tag){case 1:go(e.type)&&yo();var t=e.effectTag;return 4096&t?(e.effectTag=-4097&t|64,e):null;case 3:if(Aa(),uo(po),uo(fo),0!=(64&(t=e.effectTag)))throw Error(i(285));return e.effectTag=-4097&t|64,e;case 5:return Da(e),null;case 13:return uo(La),4096&(t=e.effectTag)?(e.effectTag=-4097&t|64,e):null;case 19:return uo(La),null;case 4:return Aa(),null;case 10:return ta(e),null;default:return null}}function Ji(e,t){return{value:e,source:t,stack:ye(t)}}Ui=function(e,t){for(var n=t.child;null!==n;){if(5===n.tag||6===n.tag)e.appendChild(n.stateNode);else if(4!==n.tag&&null!==n.child){n.child.return=n,n=n.child;continue}if(n===t)break;for(;null===n.sibling;){if(null===n.return||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}},Hi=function(e,t,n,r,a){var i=e.memoizedProps;if(i!==r){var l,u,c=t.stateNode;switch(Ra(Ta.current),e=null,n){case"input":i=xe(c,i),r=xe(c,r),e=[];break;case"option":i=Te(c,i),r=Te(c,r),e=[];break;case"select":i=o({},i,{value:void 0}),r=o({},r,{value:void 0}),e=[];break;case"textarea":i=Ce(c,i),r=Ce(c,r),e=[];break;default:"function"!=typeof i.onClick&&"function"==typeof r.onClick&&(c.onclick=cn)}for(l in on(n,r),n=null,i)if(!r.hasOwnProperty(l)&&i.hasOwnProperty(l)&&null!=i[l])if("style"===l)for(u in c=i[l])c.hasOwnProperty(u)&&(n||(n={}),n[u]="");else"dangerouslySetInnerHTML"!==l&&"children"!==l&&"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&"autoFocus"!==l&&(S.hasOwnProperty(l)?e||(e=[]):(e=e||[]).push(l,null));for(l in r){var s=r[l];if(c=null!=i?i[l]:void 0,r.hasOwnProperty(l)&&s!==c&&(null!=s||null!=c))if("style"===l)if(c){for(u in c)!c.hasOwnProperty(u)||s&&s.hasOwnProperty(u)||(n||(n={}),n[u]="");for(u in s)s.hasOwnProperty(u)&&c[u]!==s[u]&&(n||(n={}),n[u]=s[u])}else n||(e||(e=[]),e.push(l,n)),n=s;else"dangerouslySetInnerHTML"===l?(s=s?s.__html:void 0,c=c?c.__html:void 0,null!=s&&c!==s&&(e=e||[]).push(l,s)):"children"===l?c===s||"string"!=typeof s&&"number"!=typeof s||(e=e||[]).push(l,""+s):"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&(S.hasOwnProperty(l)?(null!=s&&un(a,l),e||c===s||(e=[])):(e=e||[]).push(l,s))}n&&(e=e||[]).push("style",n),a=e,(t.updateQueue=a)&&(t.effectTag|=4)}},Wi=function(e,t,n,r){n!==r&&(t.effectTag|=4)};var Zi="function"==typeof WeakSet?WeakSet:Set;function el(e,t){var n=t.source,r=t.stack;null===r&&null!==n&&(r=ye(n)),null!==n&&ge(n.type),t=t.value,null!==e&&1===e.tag&&ge(e.type);try{console.error(t)}catch(e){setTimeout((function(){throw e}))}}function tl(e){var t=e.ref;if(null!==t)if("function"==typeof t)try{t(null)}catch(t){bu(e,t)}else t.current=null}function nl(e,t){switch(t.tag){case 0:case 11:case 15:case 22:return;case 1:if(256&t.effectTag&&null!==e){var n=e.memoizedProps,r=e.memoizedState;t=(e=t.stateNode).getSnapshotBeforeUpdate(t.elementType===t.type?n:Ko(t.type,n),r),e.__reactInternalSnapshotBeforeUpdate=t}return;case 3:case 5:case 6:case 4:case 17:return}throw Error(i(163))}function rl(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.destroy;n.destroy=void 0,void 0!==r&&r()}n=n.next}while(n!==t)}}function ol(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function al(e,t,n){switch(n.tag){case 0:case 11:case 15:case 22:return void ol(3,n);case 1:if(e=n.stateNode,4&n.effectTag)if(null===t)e.componentDidMount();else{var r=n.elementType===n.type?t.memoizedProps:Ko(n.type,t.memoizedProps);e.componentDidUpdate(r,t.memoizedState,e.__reactInternalSnapshotBeforeUpdate)}return void(null!==(t=n.updateQueue)&&pa(n,t,e));case 3:if(null!==(t=n.updateQueue)){if(e=null,null!==n.child)switch(n.child.tag){case 5:e=n.child.stateNode;break;case 1:e=n.child.stateNode}pa(n,t,e)}return;case 5:return e=n.stateNode,void(null===t&&4&n.effectTag&&yn(n.type,n.memoizedProps)&&e.focus());case 6:case 4:case 12:return;case 13:return void(null===n.memoizedState&&(n=n.alternate,null!==n&&(n=n.memoizedState,null!==n&&(n=n.dehydrated,null!==n&&Lt(n)))));case 19:case 17:case 20:case 21:return}throw Error(i(163))}function il(e,t,n){switch("function"==typeof xu&&xu(t),t.tag){case 0:case 11:case 14:case 15:case 22:if(null!==(e=t.updateQueue)&&null!==(e=e.lastEffect)){var r=e.next;Bo(97<n?97:n,(function(){var e=r;do{var n=e.destroy;if(void 0!==n){var o=t;try{n()}catch(e){bu(o,e)}}e=e.next}while(e!==r)}))}break;case 1:tl(t),"function"==typeof(n=t.stateNode).componentWillUnmount&&function(e,t){try{t.props=e.memoizedProps,t.state=e.memoizedState,t.componentWillUnmount()}catch(t){bu(e,t)}}(t,n);break;case 5:tl(t);break;case 4:sl(e,t,n)}}function ll(e){var t=e.alternate;e.return=null,e.child=null,e.memoizedState=null,e.updateQueue=null,e.dependencies=null,e.alternate=null,e.firstEffect=null,e.lastEffect=null,e.pendingProps=null,e.memoizedProps=null,e.stateNode=null,null!==t&&ll(t)}function ul(e){return 5===e.tag||3===e.tag||4===e.tag}function cl(e){e:{for(var t=e.return;null!==t;){if(ul(t)){var n=t;break e}t=t.return}throw Error(i(160))}switch(t=n.stateNode,n.tag){case 5:var r=!1;break;case 3:case 4:t=t.containerInfo,r=!0;break;default:throw Error(i(161))}16&n.effectTag&&(Ue(t,""),n.effectTag&=-17);e:t:for(n=e;;){for(;null===n.sibling;){if(null===n.return||ul(n.return)){n=null;break e}n=n.return}for(n.sibling.return=n.return,n=n.sibling;5!==n.tag&&6!==n.tag&&18!==n.tag;){if(2&n.effectTag)continue t;if(null===n.child||4===n.tag)continue t;n.child.return=n,n=n.child}if(!(2&n.effectTag)){n=n.stateNode;break e}}r?function e(t,n,r){var o=t.tag,a=5===o||6===o;if(a)t=a?t.stateNode:t.stateNode.instance,n?8===r.nodeType?r.parentNode.insertBefore(t,n):r.insertBefore(t,n):(8===r.nodeType?(n=r.parentNode).insertBefore(t,r):(n=r).appendChild(t),null!==(r=r._reactRootContainer)&&void 0!==r||null!==n.onclick||(n.onclick=cn));else if(4!==o&&null!==(t=t.child))for(e(t,n,r),t=t.sibling;null!==t;)e(t,n,r),t=t.sibling}(e,n,t):function e(t,n,r){var o=t.tag,a=5===o||6===o;if(a)t=a?t.stateNode:t.stateNode.instance,n?r.insertBefore(t,n):r.appendChild(t);else if(4!==o&&null!==(t=t.child))for(e(t,n,r),t=t.sibling;null!==t;)e(t,n,r),t=t.sibling}(e,n,t)}function sl(e,t,n){for(var r,o,a=t,l=!1;;){if(!l){l=a.return;e:for(;;){if(null===l)throw Error(i(160));switch(r=l.stateNode,l.tag){case 5:o=!1;break e;case 3:case 4:r=r.containerInfo,o=!0;break e}l=l.return}l=!0}if(5===a.tag||6===a.tag){e:for(var u=e,c=a,s=n,f=c;;)if(il(u,f,s),null!==f.child&&4!==f.tag)f.child.return=f,f=f.child;else{if(f===c)break e;for(;null===f.sibling;){if(null===f.return||f.return===c)break e;f=f.return}f.sibling.return=f.return,f=f.sibling}o?(u=r,c=a.stateNode,8===u.nodeType?u.parentNode.removeChild(c):u.removeChild(c)):r.removeChild(a.stateNode)}else if(4===a.tag){if(null!==a.child){r=a.stateNode.containerInfo,o=!0,a.child.return=a,a=a.child;continue}}else if(il(e,a,n),null!==a.child){a.child.return=a,a=a.child;continue}if(a===t)break;for(;null===a.sibling;){if(null===a.return||a.return===t)return;4===(a=a.return).tag&&(l=!1)}a.sibling.return=a.return,a=a.sibling}}function fl(e,t){switch(t.tag){case 0:case 11:case 14:case 15:case 22:return void rl(3,t);case 1:return;case 5:var n=t.stateNode;if(null!=n){var r=t.memoizedProps,o=null!==e?e.memoizedProps:r;e=t.type;var a=t.updateQueue;if(t.updateQueue=null,null!==a){for(n[On]=r,"input"===e&&"radio"===r.type&&null!=r.name&&Se(n,r),an(e,o),t=an(e,r),o=0;o<a.length;o+=2){var l=a[o],u=a[o+1];"style"===l?nn(n,u):"dangerouslySetInnerHTML"===l?ze(n,u):"children"===l?Ue(n,u):X(n,l,u,t)}switch(e){case"input":Oe(n,r);break;case"textarea":Ne(n,r);break;case"select":t=n._wrapperState.wasMultiple,n._wrapperState.wasMultiple=!!r.multiple,null!=(e=r.value)?je(n,!!r.multiple,e,!1):t!==!!r.multiple&&(null!=r.defaultValue?je(n,!!r.multiple,r.defaultValue,!0):je(n,!!r.multiple,r.multiple?[]:"",!1))}}}return;case 6:if(null===t.stateNode)throw Error(i(162));return void(t.stateNode.nodeValue=t.memoizedProps);case 3:return void((t=t.stateNode).hydrate&&(t.hydrate=!1,Lt(t.containerInfo)));case 12:return;case 13:if(n=t,null===t.memoizedState?r=!1:(r=!0,n=t.child,Il=Uo()),null!==n)e:for(e=n;;){if(5===e.tag)a=e.stateNode,r?"function"==typeof(a=a.style).setProperty?a.setProperty("display","none","important"):a.display="none":(a=e.stateNode,o=null!=(o=e.memoizedProps.style)&&o.hasOwnProperty("display")?o.display:null,a.style.display=tn("display",o));else if(6===e.tag)e.stateNode.nodeValue=r?"":e.memoizedProps;else{if(13===e.tag&&null!==e.memoizedState&&null===e.memoizedState.dehydrated){(a=e.child.sibling).return=e,e=a;continue}if(null!==e.child){e.child.return=e,e=e.child;continue}}if(e===n)break;for(;null===e.sibling;){if(null===e.return||e.return===n)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}return void pl(t);case 19:return void pl(t);case 17:return}throw Error(i(163))}function pl(e){var t=e.updateQueue;if(null!==t){e.updateQueue=null;var n=e.stateNode;null===n&&(n=e.stateNode=new Zi),t.forEach((function(t){var r=wu.bind(null,e,t);n.has(t)||(n.add(t),t.then(r,r))}))}}var dl="function"==typeof WeakMap?WeakMap:Map;function hl(e,t,n){(n=ua(n,null)).tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){Ll||(Ll=!0,Fl=r),el(e,t)},n}function ml(e,t,n){(n=ua(n,null)).tag=3;var r=e.type.getDerivedStateFromError;if("function"==typeof r){var o=t.value;n.payload=function(){return el(e,t),r(o)}}var a=e.stateNode;return null!==a&&"function"==typeof a.componentDidCatch&&(n.callback=function(){"function"!=typeof r&&(null===Ml?Ml=new Set([this]):Ml.add(this),el(e,t));var n=t.stack;this.componentDidCatch(t.value,{componentStack:null!==n?n:""})}),n}var gl,yl=Math.ceil,bl=Y.ReactCurrentDispatcher,vl=Y.ReactCurrentOwner,wl=0,El=3,xl=4,_l=0,Sl=null,Ol=null,kl=0,Pl=wl,Tl=null,jl=1073741823,Cl=1073741823,Rl=null,Nl=0,Al=!1,Il=0,Dl=null,Ll=!1,Fl=null,Ml=null,zl=!1,Ul=null,Hl=90,Wl=null,Bl=0,$l=null,Vl=0;function ql(){return 0!=(48&_l)?1073741821-(Uo()/10|0):0!==Vl?Vl:Vl=1073741821-(Uo()/10|0)}function Ql(e,t,n){if(0==(2&(t=t.mode)))return 1073741823;var r=Ho();if(0==(4&t))return 99===r?1073741823:1073741822;if(0!=(16&_l))return kl;if(null!==n)e=Go(e,0|n.timeoutMs||5e3,250);else switch(r){case 99:e=1073741823;break;case 98:e=Go(e,150,100);break;case 97:case 96:e=Go(e,5e3,250);break;case 95:e=2;break;default:throw Error(i(326))}return null!==Sl&&e===kl&&--e,e}function Gl(e,t){if(50<Bl)throw Bl=0,$l=null,Error(i(185));if(null!==(e=Kl(e,t))){var n=Ho();1073741823===t?0!=(8&_l)&&0==(48&_l)?Zl(e):(Xl(e),0===_l&&qo()):Xl(e),0==(4&_l)||98!==n&&99!==n||(null===Wl?Wl=new Map([[e,t]]):(void 0===(n=Wl.get(e))||n>t)&&Wl.set(e,t))}}function Kl(e,t){e.expirationTime<t&&(e.expirationTime=t);var n=e.alternate;null!==n&&n.expirationTime<t&&(n.expirationTime=t);var r=e.return,o=null;if(null===r&&3===e.tag)o=e.stateNode;else for(;null!==r;){if(n=r.alternate,r.childExpirationTime<t&&(r.childExpirationTime=t),null!==n&&n.childExpirationTime<t&&(n.childExpirationTime=t),null===r.return&&3===r.tag){o=r.stateNode;break}r=r.return}return null!==o&&(Sl===o&&(iu(t),Pl===xl&&Au(o,kl)),Iu(o,t)),o}function Yl(e){var t=e.lastExpiredTime;if(0!==t)return t;if(!Nu(e,t=e.firstPendingTime))return t;var n=e.lastPingedTime;return 2>=(e=n>(e=e.nextKnownPendingLevel)?n:e)&&t!==e?0:e}function Xl(e){if(0!==e.lastExpiredTime)e.callbackExpirationTime=1073741823,e.callbackPriority=99,e.callbackNode=Vo(Zl.bind(null,e));else{var t=Yl(e),n=e.callbackNode;if(0===t)null!==n&&(e.callbackNode=null,e.callbackExpirationTime=0,e.callbackPriority=90);else{var r=ql();if(1073741823===t?r=99:1===t||2===t?r=95:r=0>=(r=10*(1073741821-t)-10*(1073741821-r))?99:250>=r?98:5250>=r?97:95,null!==n){var o=e.callbackPriority;if(e.callbackExpirationTime===t&&o>=r)return;n!==Ao&&So(n)}e.callbackExpirationTime=t,e.callbackPriority=r,t=1073741823===t?Vo(Zl.bind(null,e)):$o(r,Jl.bind(null,e),{timeout:10*(1073741821-t)-Uo()}),e.callbackNode=t}}}function Jl(e,t){if(Vl=0,t)return Du(e,t=ql()),Xl(e),null;var n=Yl(e);if(0!==n){if(t=e.callbackNode,0!=(48&_l))throw Error(i(327));if(mu(),e===Sl&&n===kl||nu(e,n),null!==Ol){var r=_l;_l|=16;for(var o=ou();;)try{uu();break}catch(t){ru(e,t)}if(ea(),_l=r,bl.current=o,1===Pl)throw t=Tl,nu(e,n),Au(e,n),Xl(e),t;if(null===Ol)switch(o=e.finishedWork=e.current.alternate,e.finishedExpirationTime=n,r=Pl,Sl=null,r){case wl:case 1:throw Error(i(345));case 2:Du(e,2<n?2:n);break;case El:if(Au(e,n),n===(r=e.lastSuspendedTime)&&(e.nextKnownPendingLevel=fu(o)),1073741823===jl&&10<(o=Il+500-Uo())){if(Al){var a=e.lastPingedTime;if(0===a||a>=n){e.lastPingedTime=n,nu(e,n);break}}if(0!==(a=Yl(e))&&a!==n)break;if(0!==r&&r!==n){e.lastPingedTime=r;break}e.timeoutHandle=vn(pu.bind(null,e),o);break}pu(e);break;case xl:if(Au(e,n),n===(r=e.lastSuspendedTime)&&(e.nextKnownPendingLevel=fu(o)),Al&&(0===(o=e.lastPingedTime)||o>=n)){e.lastPingedTime=n,nu(e,n);break}if(0!==(o=Yl(e))&&o!==n)break;if(0!==r&&r!==n){e.lastPingedTime=r;break}if(1073741823!==Cl?r=10*(1073741821-Cl)-Uo():1073741823===jl?r=0:(r=10*(1073741821-jl)-5e3,0>(r=(o=Uo())-r)&&(r=0),(n=10*(1073741821-n)-o)<(r=(120>r?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*yl(r/1960))-r)&&(r=n)),10<r){e.timeoutHandle=vn(pu.bind(null,e),r);break}pu(e);break;case 5:if(1073741823!==jl&&null!==Rl){a=jl;var l=Rl;if(0>=(r=0|l.busyMinDurationMs)?r=0:(o=0|l.busyDelayMs,r=(a=Uo()-(10*(1073741821-a)-(0|l.timeoutMs||5e3)))<=o?0:o+r-a),10<r){Au(e,n),e.timeoutHandle=vn(pu.bind(null,e),r);break}}pu(e);break;default:throw Error(i(329))}if(Xl(e),e.callbackNode===t)return Jl.bind(null,e)}}return null}function Zl(e){var t=e.lastExpiredTime;if(t=0!==t?t:1073741823,0!=(48&_l))throw Error(i(327));if(mu(),e===Sl&&t===kl||nu(e,t),null!==Ol){var n=_l;_l|=16;for(var r=ou();;)try{lu();break}catch(t){ru(e,t)}if(ea(),_l=n,bl.current=r,1===Pl)throw n=Tl,nu(e,t),Au(e,t),Xl(e),n;if(null!==Ol)throw Error(i(261));e.finishedWork=e.current.alternate,e.finishedExpirationTime=t,Sl=null,pu(e),Xl(e)}return null}function eu(e,t){var n=_l;_l|=1;try{return e(t)}finally{0===(_l=n)&&qo()}}function tu(e,t){var n=_l;_l&=-2,_l|=8;try{return e(t)}finally{0===(_l=n)&&qo()}}function nu(e,t){e.finishedWork=null,e.finishedExpirationTime=0;var n=e.timeoutHandle;if(-1!==n&&(e.timeoutHandle=-1,wn(n)),null!==Ol)for(n=Ol.return;null!==n;){var r=n;switch(r.tag){case 1:null!=(r=r.type.childContextTypes)&&yo();break;case 3:Aa(),uo(po),uo(fo);break;case 5:Da(r);break;case 4:Aa();break;case 13:case 19:uo(La);break;case 10:ta(r)}n=n.return}Sl=e,Ol=ku(e.current,null),kl=t,Pl=wl,Tl=null,Cl=jl=1073741823,Rl=null,Nl=0,Al=!1}function ru(e,t){for(;;){try{if(ea(),za.current=gi,Va)for(var n=Wa.memoizedState;null!==n;){var r=n.queue;null!==r&&(r.pending=null),n=n.next}if(Ha=0,$a=Ba=Wa=null,Va=!1,null===Ol||null===Ol.return)return Pl=1,Tl=t,Ol=null;e:{var o=e,a=Ol.return,i=Ol,l=t;if(t=kl,i.effectTag|=2048,i.firstEffect=i.lastEffect=null,null!==l&&"object"==typeof l&&"function"==typeof l.then){var u=l;if(0==(2&i.mode)){var c=i.alternate;c?(i.updateQueue=c.updateQueue,i.memoizedState=c.memoizedState,i.expirationTime=c.expirationTime):(i.updateQueue=null,i.memoizedState=null)}var s=0!=(1&La.current),f=a;do{var p;if(p=13===f.tag){var d=f.memoizedState;if(null!==d)p=null!==d.dehydrated;else{var h=f.memoizedProps;p=void 0!==h.fallback&&(!0!==h.unstable_avoidThisFallback||!s)}}if(p){var m=f.updateQueue;if(null===m){var g=new Set;g.add(u),f.updateQueue=g}else m.add(u);if(0==(2&f.mode)){if(f.effectTag|=64,i.effectTag&=-2981,1===i.tag)if(null===i.alternate)i.tag=17;else{var y=ua(1073741823,null);y.tag=2,ca(i,y)}i.expirationTime=1073741823;break e}l=void 0,i=t;var b=o.pingCache;if(null===b?(b=o.pingCache=new dl,l=new Set,b.set(u,l)):void 0===(l=b.get(u))&&(l=new Set,b.set(u,l)),!l.has(i)){l.add(i);var v=vu.bind(null,o,u,i);u.then(v,v)}f.effectTag|=4096,f.expirationTime=t;break e}f=f.return}while(null!==f);l=Error((ge(i.type)||"A React component")+" suspended while rendering, but no fallback UI was specified.\n\nAdd a <Suspense fallback=...> component higher in the tree to provide a loading indicator or placeholder to display."+ye(i))}5!==Pl&&(Pl=2),l=Ji(l,i),f=a;do{switch(f.tag){case 3:u=l,f.effectTag|=4096,f.expirationTime=t,sa(f,hl(f,u,t));break e;case 1:u=l;var w=f.type,E=f.stateNode;if(0==(64&f.effectTag)&&("function"==typeof w.getDerivedStateFromError||null!==E&&"function"==typeof E.componentDidCatch&&(null===Ml||!Ml.has(E)))){f.effectTag|=4096,f.expirationTime=t,sa(f,ml(f,u,t));break e}}f=f.return}while(null!==f)}Ol=su(Ol)}catch(e){t=e;continue}break}}function ou(){var e=bl.current;return bl.current=gi,null===e?gi:e}function au(e,t){e<jl&&2<e&&(jl=e),null!==t&&e<Cl&&2<e&&(Cl=e,Rl=t)}function iu(e){e>Nl&&(Nl=e)}function lu(){for(;null!==Ol;)Ol=cu(Ol)}function uu(){for(;null!==Ol&&!Io();)Ol=cu(Ol)}function cu(e){var t=gl(e.alternate,e,kl);return e.memoizedProps=e.pendingProps,null===t&&(t=su(e)),vl.current=null,t}function su(e){Ol=e;do{var t=Ol.alternate;if(e=Ol.return,0==(2048&Ol.effectTag)){if(t=Yi(t,Ol,kl),1===kl||1!==Ol.childExpirationTime){for(var n=0,r=Ol.child;null!==r;){var o=r.expirationTime,a=r.childExpirationTime;o>n&&(n=o),a>n&&(n=a),r=r.sibling}Ol.childExpirationTime=n}if(null!==t)return t;null!==e&&0==(2048&e.effectTag)&&(null===e.firstEffect&&(e.firstEffect=Ol.firstEffect),null!==Ol.lastEffect&&(null!==e.lastEffect&&(e.lastEffect.nextEffect=Ol.firstEffect),e.lastEffect=Ol.lastEffect),1<Ol.effectTag&&(null!==e.lastEffect?e.lastEffect.nextEffect=Ol:e.firstEffect=Ol,e.lastEffect=Ol))}else{if(null!==(t=Xi(Ol)))return t.effectTag&=2047,t;null!==e&&(e.firstEffect=e.lastEffect=null,e.effectTag|=2048)}if(null!==(t=Ol.sibling))return t;Ol=e}while(null!==Ol);return Pl===wl&&(Pl=5),null}function fu(e){var t=e.expirationTime;return t>(e=e.childExpirationTime)?t:e}function pu(e){var t=Ho();return Bo(99,du.bind(null,e,t)),null}function du(e,t){do{mu()}while(null!==Ul);if(0!=(48&_l))throw Error(i(327));var n=e.finishedWork,r=e.finishedExpirationTime;if(null===n)return null;if(e.finishedWork=null,e.finishedExpirationTime=0,n===e.current)throw Error(i(177));e.callbackNode=null,e.callbackExpirationTime=0,e.callbackPriority=90,e.nextKnownPendingLevel=0;var o=fu(n);if(e.firstPendingTime=o,r<=e.lastSuspendedTime?e.firstSuspendedTime=e.lastSuspendedTime=e.nextKnownPendingLevel=0:r<=e.firstSuspendedTime&&(e.firstSuspendedTime=r-1),r<=e.lastPingedTime&&(e.lastPingedTime=0),r<=e.lastExpiredTime&&(e.lastExpiredTime=0),e===Sl&&(Ol=Sl=null,kl=0),1<n.effectTag?null!==n.lastEffect?(n.lastEffect.nextEffect=n,o=n.firstEffect):o=n:o=n.firstEffect,null!==o){var a=_l;_l|=32,vl.current=null,mn=qt;var l=dn();if(hn(l)){if("selectionStart"in l)var u={start:l.selectionStart,end:l.selectionEnd};else e:{var c=(u=(u=l.ownerDocument)&&u.defaultView||window).getSelection&&u.getSelection();if(c&&0!==c.rangeCount){u=c.anchorNode;var s=c.anchorOffset,f=c.focusNode;c=c.focusOffset;try{u.nodeType,f.nodeType}catch(e){u=null;break e}var p=0,d=-1,h=-1,m=0,g=0,y=l,b=null;t:for(;;){for(var v;y!==u||0!==s&&3!==y.nodeType||(d=p+s),y!==f||0!==c&&3!==y.nodeType||(h=p+c),3===y.nodeType&&(p+=y.nodeValue.length),null!==(v=y.firstChild);)b=y,y=v;for(;;){if(y===l)break t;if(b===u&&++m===s&&(d=p),b===f&&++g===c&&(h=p),null!==(v=y.nextSibling))break;b=(y=b).parentNode}y=v}u=-1===d||-1===h?null:{start:d,end:h}}else u=null}u=u||{start:0,end:0}}else u=null;gn={activeElementDetached:null,focusedElem:l,selectionRange:u},qt=!1,Dl=o;do{try{hu()}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);Dl=o;do{try{for(l=e,u=t;null!==Dl;){var w=Dl.effectTag;if(16&w&&Ue(Dl.stateNode,""),128&w){var E=Dl.alternate;if(null!==E){var x=E.ref;null!==x&&("function"==typeof x?x(null):x.current=null)}}switch(1038&w){case 2:cl(Dl),Dl.effectTag&=-3;break;case 6:cl(Dl),Dl.effectTag&=-3,fl(Dl.alternate,Dl);break;case 1024:Dl.effectTag&=-1025;break;case 1028:Dl.effectTag&=-1025,fl(Dl.alternate,Dl);break;case 4:fl(Dl.alternate,Dl);break;case 8:sl(l,s=Dl,u),ll(s)}Dl=Dl.nextEffect}}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);if(x=gn,E=dn(),w=x.focusedElem,u=x.selectionRange,E!==w&&w&&w.ownerDocument&&function e(t,n){return!(!t||!n)&&(t===n||(!t||3!==t.nodeType)&&(n&&3===n.nodeType?e(t,n.parentNode):"contains"in t?t.contains(n):!!t.compareDocumentPosition&&!!(16&t.compareDocumentPosition(n))))}(w.ownerDocument.documentElement,w)){null!==u&&hn(w)&&(E=u.start,void 0===(x=u.end)&&(x=E),"selectionStart"in w?(w.selectionStart=E,w.selectionEnd=Math.min(x,w.value.length)):(x=(E=w.ownerDocument||document)&&E.defaultView||window).getSelection&&(x=x.getSelection(),s=w.textContent.length,l=Math.min(u.start,s),u=void 0===u.end?l:Math.min(u.end,s),!x.extend&&l>u&&(s=u,u=l,l=s),s=pn(w,l),f=pn(w,u),s&&f&&(1!==x.rangeCount||x.anchorNode!==s.node||x.anchorOffset!==s.offset||x.focusNode!==f.node||x.focusOffset!==f.offset)&&((E=E.createRange()).setStart(s.node,s.offset),x.removeAllRanges(),l>u?(x.addRange(E),x.extend(f.node,f.offset)):(E.setEnd(f.node,f.offset),x.addRange(E))))),E=[];for(x=w;x=x.parentNode;)1===x.nodeType&&E.push({element:x,left:x.scrollLeft,top:x.scrollTop});for("function"==typeof w.focus&&w.focus(),w=0;w<E.length;w++)(x=E[w]).element.scrollLeft=x.left,x.element.scrollTop=x.top}qt=!!mn,gn=mn=null,e.current=n,Dl=o;do{try{for(w=e;null!==Dl;){var _=Dl.effectTag;if(36&_&&al(w,Dl.alternate,Dl),128&_){E=void 0;var S=Dl.ref;if(null!==S){var O=Dl.stateNode;switch(Dl.tag){case 5:E=O;break;default:E=O}"function"==typeof S?S(E):S.current=E}}Dl=Dl.nextEffect}}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);Dl=null,Do(),_l=a}else e.current=n;if(zl)zl=!1,Ul=e,Hl=t;else for(Dl=o;null!==Dl;)t=Dl.nextEffect,Dl.nextEffect=null,Dl=t;if(0===(t=e.firstPendingTime)&&(Ml=null),1073741823===t?e===$l?Bl++:(Bl=0,$l=e):Bl=0,"function"==typeof Eu&&Eu(n.stateNode,r),Xl(e),Ll)throw Ll=!1,e=Fl,Fl=null,e;return 0!=(8&_l)||qo(),null}function hu(){for(;null!==Dl;){var e=Dl.effectTag;0!=(256&e)&&nl(Dl.alternate,Dl),0==(512&e)||zl||(zl=!0,$o(97,(function(){return mu(),null}))),Dl=Dl.nextEffect}}function mu(){if(90!==Hl){var e=97<Hl?97:Hl;return Hl=90,Bo(e,gu)}}function gu(){if(null===Ul)return!1;var e=Ul;if(Ul=null,0!=(48&_l))throw Error(i(331));var t=_l;for(_l|=32,e=e.current.firstEffect;null!==e;){try{var n=e;if(0!=(512&n.effectTag))switch(n.tag){case 0:case 11:case 15:case 22:rl(5,n),ol(5,n)}}catch(t){if(null===e)throw Error(i(330));bu(e,t)}n=e.nextEffect,e.nextEffect=null,e=n}return _l=t,qo(),!0}function yu(e,t,n){ca(e,t=hl(e,t=Ji(n,t),1073741823)),null!==(e=Kl(e,1073741823))&&Xl(e)}function bu(e,t){if(3===e.tag)yu(e,e,t);else for(var n=e.return;null!==n;){if(3===n.tag){yu(n,e,t);break}if(1===n.tag){var r=n.stateNode;if("function"==typeof n.type.getDerivedStateFromError||"function"==typeof r.componentDidCatch&&(null===Ml||!Ml.has(r))){ca(n,e=ml(n,e=Ji(t,e),1073741823)),null!==(n=Kl(n,1073741823))&&Xl(n);break}}n=n.return}}function vu(e,t,n){var r=e.pingCache;null!==r&&r.delete(t),Sl===e&&kl===n?Pl===xl||Pl===El&&1073741823===jl&&Uo()-Il<500?nu(e,kl):Al=!0:Nu(e,n)&&(0!==(t=e.lastPingedTime)&&t<n||(e.lastPingedTime=n,Xl(e)))}function wu(e,t){var n=e.stateNode;null!==n&&n.delete(t),0===(t=0)&&(t=Ql(t=ql(),e,null)),null!==(e=Kl(e,t))&&Xl(e)}gl=function(e,t,n){var r=t.expirationTime;if(null!==e){var o=t.pendingProps;if(e.memoizedProps!==o||po.current)Ci=!0;else{if(r<n){switch(Ci=!1,t.tag){case 3:zi(t),Ti();break;case 5:if(Ia(t),4&t.mode&&1!==n&&o.hidden)return t.expirationTime=t.childExpirationTime=1,null;break;case 1:go(t.type)&&wo(t);break;case 4:Na(t,t.stateNode.containerInfo);break;case 10:r=t.memoizedProps.value,o=t.type._context,co(Yo,o._currentValue),o._currentValue=r;break;case 13:if(null!==t.memoizedState)return 0!==(r=t.child.childExpirationTime)&&r>=n?$i(e,t,n):(co(La,1&La.current),null!==(t=Gi(e,t,n))?t.sibling:null);co(La,1&La.current);break;case 19:if(r=t.childExpirationTime>=n,0!=(64&e.effectTag)){if(r)return Qi(e,t,n);t.effectTag|=64}if(null!==(o=t.memoizedState)&&(o.rendering=null,o.tail=null),co(La,La.current),!r)return null}return Gi(e,t,n)}Ci=!1}}else Ci=!1;switch(t.expirationTime=0,t.tag){case 2:if(r=t.type,null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),e=t.pendingProps,o=mo(t,fo.current),ra(t,n),o=Ga(null,t,r,e,o,n),t.effectTag|=1,"object"==typeof o&&null!==o&&"function"==typeof o.render&&void 0===o.$$typeof){if(t.tag=1,t.memoizedState=null,t.updateQueue=null,go(r)){var a=!0;wo(t)}else a=!1;t.memoizedState=null!==o.state&&void 0!==o.state?o.state:null,ia(t);var l=r.getDerivedStateFromProps;"function"==typeof l&&ma(t,r,l,e),o.updater=ga,t.stateNode=o,o._reactInternalFiber=t,wa(t,r,e,n),t=Mi(null,t,r,!0,a,n)}else t.tag=0,Ri(null,t,o,n),t=t.child;return t;case 16:e:{if(o=t.elementType,null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),e=t.pendingProps,function(e){if(-1===e._status){e._status=0;var t=e._ctor;t=t(),e._result=t,t.then((function(t){0===e._status&&(t=t.default,e._status=1,e._result=t)}),(function(t){0===e._status&&(e._status=2,e._result=t)}))}}(o),1!==o._status)throw o._result;switch(o=o._result,t.type=o,a=t.tag=function(e){if("function"==typeof e)return Ou(e)?1:0;if(null!=e){if((e=e.$$typeof)===ue)return 11;if(e===fe)return 14}return 2}(o),e=Ko(o,e),a){case 0:t=Li(null,t,o,e,n);break e;case 1:t=Fi(null,t,o,e,n);break e;case 11:t=Ni(null,t,o,e,n);break e;case 14:t=Ai(null,t,o,Ko(o.type,e),r,n);break e}throw Error(i(306,o,""))}return t;case 0:return r=t.type,o=t.pendingProps,Li(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 1:return r=t.type,o=t.pendingProps,Fi(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 3:if(zi(t),r=t.updateQueue,null===e||null===r)throw Error(i(282));if(r=t.pendingProps,o=null!==(o=t.memoizedState)?o.element:null,la(e,t),fa(t,r,null,n),(r=t.memoizedState.element)===o)Ti(),t=Gi(e,t,n);else{if((o=t.stateNode.hydrate)&&(Ei=En(t.stateNode.containerInfo.firstChild),wi=t,o=xi=!0),o)for(n=ka(t,null,r,n),t.child=n;n;)n.effectTag=-3&n.effectTag|1024,n=n.sibling;else Ri(e,t,r,n),Ti();t=t.child}return t;case 5:return Ia(t),null===e&&Oi(t),r=t.type,o=t.pendingProps,a=null!==e?e.memoizedProps:null,l=o.children,bn(r,o)?l=null:null!==a&&bn(r,a)&&(t.effectTag|=16),Di(e,t),4&t.mode&&1!==n&&o.hidden?(t.expirationTime=t.childExpirationTime=1,t=null):(Ri(e,t,l,n),t=t.child),t;case 6:return null===e&&Oi(t),null;case 13:return $i(e,t,n);case 4:return Na(t,t.stateNode.containerInfo),r=t.pendingProps,null===e?t.child=Oa(t,null,r,n):Ri(e,t,r,n),t.child;case 11:return r=t.type,o=t.pendingProps,Ni(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 7:return Ri(e,t,t.pendingProps,n),t.child;case 8:case 12:return Ri(e,t,t.pendingProps.children,n),t.child;case 10:e:{r=t.type._context,o=t.pendingProps,l=t.memoizedProps,a=o.value;var u=t.type._context;if(co(Yo,u._currentValue),u._currentValue=a,null!==l)if(u=l.value,0===(a=Fr(u,a)?0:0|("function"==typeof r._calculateChangedBits?r._calculateChangedBits(u,a):1073741823))){if(l.children===o.children&&!po.current){t=Gi(e,t,n);break e}}else for(null!==(u=t.child)&&(u.return=t);null!==u;){var c=u.dependencies;if(null!==c){l=u.child;for(var s=c.firstContext;null!==s;){if(s.context===r&&0!=(s.observedBits&a)){1===u.tag&&((s=ua(n,null)).tag=2,ca(u,s)),u.expirationTime<n&&(u.expirationTime=n),null!==(s=u.alternate)&&s.expirationTime<n&&(s.expirationTime=n),na(u.return,n),c.expirationTime<n&&(c.expirationTime=n);break}s=s.next}}else l=10===u.tag&&u.type===t.type?null:u.child;if(null!==l)l.return=u;else for(l=u;null!==l;){if(l===t){l=null;break}if(null!==(u=l.sibling)){u.return=l.return,l=u;break}l=l.return}u=l}Ri(e,t,o.children,n),t=t.child}return t;case 9:return o=t.type,r=(a=t.pendingProps).children,ra(t,n),r=r(o=oa(o,a.unstable_observedBits)),t.effectTag|=1,Ri(e,t,r,n),t.child;case 14:return a=Ko(o=t.type,t.pendingProps),Ai(e,t,o,a=Ko(o.type,a),r,n);case 15:return Ii(e,t,t.type,t.pendingProps,r,n);case 17:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Ko(r,o),null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),t.tag=1,go(r)?(e=!0,wo(t)):e=!1,ra(t,n),ba(t,r,o),wa(t,r,o,n),Mi(null,t,r,!0,e,n);case 19:return Qi(e,t,n)}throw Error(i(156,t.tag))};var Eu=null,xu=null;function _u(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.effectTag=0,this.lastEffect=this.firstEffect=this.nextEffect=null,this.childExpirationTime=this.expirationTime=0,this.alternate=null}function Su(e,t,n,r){return new _u(e,t,n,r)}function Ou(e){return!(!(e=e.prototype)||!e.isReactComponent)}function ku(e,t){var n=e.alternate;return null===n?((n=Su(e.tag,t,e.key,e.mode)).elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.effectTag=0,n.nextEffect=null,n.firstEffect=null,n.lastEffect=null),n.childExpirationTime=e.childExpirationTime,n.expirationTime=e.expirationTime,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=null===t?null:{expirationTime:t.expirationTime,firstContext:t.firstContext,responders:t.responders},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function Pu(e,t,n,r,o,a){var l=2;if(r=e,"function"==typeof e)Ou(e)&&(l=1);else if("string"==typeof e)l=5;else e:switch(e){case ne:return Tu(n.children,o,a,t);case le:l=8,o|=7;break;case re:l=8,o|=1;break;case oe:return(e=Su(12,n,t,8|o)).elementType=oe,e.type=oe,e.expirationTime=a,e;case ce:return(e=Su(13,n,t,o)).type=ce,e.elementType=ce,e.expirationTime=a,e;case se:return(e=Su(19,n,t,o)).elementType=se,e.expirationTime=a,e;default:if("object"==typeof e&&null!==e)switch(e.$$typeof){case ae:l=10;break e;case ie:l=9;break e;case ue:l=11;break e;case fe:l=14;break e;case pe:l=16,r=null;break e;case de:l=22;break e}throw Error(i(130,null==e?e:typeof e,""))}return(t=Su(l,n,t,o)).elementType=e,t.type=r,t.expirationTime=a,t}function Tu(e,t,n,r){return(e=Su(7,e,r,t)).expirationTime=n,e}function ju(e,t,n){return(e=Su(6,e,null,t)).expirationTime=n,e}function Cu(e,t,n){return(t=Su(4,null!==e.children?e.children:[],e.key,t)).expirationTime=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function Ru(e,t,n){this.tag=t,this.current=null,this.containerInfo=e,this.pingCache=this.pendingChildren=null,this.finishedExpirationTime=0,this.finishedWork=null,this.timeoutHandle=-1,this.pendingContext=this.context=null,this.hydrate=n,this.callbackNode=null,this.callbackPriority=90,this.lastExpiredTime=this.lastPingedTime=this.nextKnownPendingLevel=this.lastSuspendedTime=this.firstSuspendedTime=this.firstPendingTime=0}function Nu(e,t){var n=e.firstSuspendedTime;return e=e.lastSuspendedTime,0!==n&&n>=t&&e<=t}function Au(e,t){var n=e.firstSuspendedTime,r=e.lastSuspendedTime;n<t&&(e.firstSuspendedTime=t),(r>t||0===n)&&(e.lastSuspendedTime=t),t<=e.lastPingedTime&&(e.lastPingedTime=0),t<=e.lastExpiredTime&&(e.lastExpiredTime=0)}function Iu(e,t){t>e.firstPendingTime&&(e.firstPendingTime=t);var n=e.firstSuspendedTime;0!==n&&(t>=n?e.firstSuspendedTime=e.lastSuspendedTime=e.nextKnownPendingLevel=0:t>=e.lastSuspendedTime&&(e.lastSuspendedTime=t+1),t>e.nextKnownPendingLevel&&(e.nextKnownPendingLevel=t))}function Du(e,t){var n=e.lastExpiredTime;(0===n||n>t)&&(e.lastExpiredTime=t)}function Lu(e,t,n,r){var o=t.current,a=ql(),l=da.suspense;a=Ql(a,o,l);e:if(n){t:{if(Ze(n=n._reactInternalFiber)!==n||1!==n.tag)throw Error(i(170));var u=n;do{switch(u.tag){case 3:u=u.stateNode.context;break t;case 1:if(go(u.type)){u=u.stateNode.__reactInternalMemoizedMergedChildContext;break t}}u=u.return}while(null!==u);throw Error(i(171))}if(1===n.tag){var c=n.type;if(go(c)){n=vo(n,c,u);break e}}n=u}else n=so;return null===t.context?t.context=n:t.pendingContext=n,(t=ua(a,l)).payload={element:e},null!==(r=void 0===r?null:r)&&(t.callback=r),ca(o,t),Gl(o,a),a}function Fu(e){if(!(e=e.current).child)return null;switch(e.child.tag){case 5:default:return e.child.stateNode}}function Mu(e,t){null!==(e=e.memoizedState)&&null!==e.dehydrated&&e.retryTime<t&&(e.retryTime=t)}function zu(e,t){Mu(e,t),(e=e.alternate)&&Mu(e,t)}function Uu(e,t,n){var r=new Ru(e,t,n=null!=n&&!0===n.hydrate),o=Su(3,null,null,2===t?7:1===t?3:0);r.current=o,o.stateNode=r,ia(o),e[kn]=r.current,n&&0!==t&&function(e,t){var n=Je(t);kt.forEach((function(e){ht(e,t,n)})),Pt.forEach((function(e){ht(e,t,n)}))}(0,9===e.nodeType?e:e.ownerDocument),this._internalRoot=r}function Hu(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType&&(8!==e.nodeType||" react-mount-point-unstable "!==e.nodeValue))}function Wu(e,t,n,r,o){var a=n._reactRootContainer;if(a){var i=a._internalRoot;if("function"==typeof o){var l=o;o=function(){var e=Fu(i);l.call(e)}}Lu(t,i,e,o)}else{if(a=n._reactRootContainer=function(e,t){if(t||(t=!(!(t=e?9===e.nodeType?e.documentElement:e.firstChild:null)||1!==t.nodeType||!t.hasAttribute("data-reactroot"))),!t)for(var n;n=e.lastChild;)e.removeChild(n);return new Uu(e,0,t?{hydrate:!0}:void 0)}(n,r),i=a._internalRoot,"function"==typeof o){var u=o;o=function(){var e=Fu(i);u.call(e)}}tu((function(){Lu(t,i,e,o)}))}return Fu(i)}function Bu(e,t,n){var r=3<arguments.length&&void 0!==arguments[3]?arguments[3]:null;return{$$typeof:te,key:null==r?null:""+r,children:e,containerInfo:t,implementation:n}}function $u(e,t){var n=2<arguments.length&&void 0!==arguments[2]?arguments[2]:null;if(!Hu(t))throw Error(i(200));return Bu(e,t,null,n)}Uu.prototype.render=function(e){Lu(e,this._internalRoot,null,null)},Uu.prototype.unmount=function(){var e=this._internalRoot,t=e.containerInfo;Lu(null,e,null,(function(){t[kn]=null}))},mt=function(e){if(13===e.tag){var t=Go(ql(),150,100);Gl(e,t),zu(e,t)}},gt=function(e){13===e.tag&&(Gl(e,3),zu(e,3))},yt=function(e){if(13===e.tag){var t=ql();Gl(e,t=Ql(t,e,null)),zu(e,t)}},T=function(e,t,n){switch(t){case"input":if(Oe(e,n),t=n.name,"radio"===n.type&&null!=t){for(n=e;n.parentNode;)n=n.parentNode;for(n=n.querySelectorAll("input[name="+JSON.stringify(""+t)+'][type="radio"]'),t=0;t<n.length;t++){var r=n[t];if(r!==e&&r.form===e.form){var o=Cn(r);if(!o)throw Error(i(90));Ee(r),Oe(r,o)}}}break;case"textarea":Ne(e,n);break;case"select":null!=(t=n.value)&&je(e,!!n.multiple,t,!1)}},I=eu,D=function(e,t,n,r,o){var a=_l;_l|=4;try{return Bo(98,e.bind(null,t,n,r,o))}finally{0===(_l=a)&&qo()}},L=function(){0==(49&_l)&&(function(){if(null!==Wl){var e=Wl;Wl=null,e.forEach((function(e,t){Du(t,e),Xl(t)})),qo()}}(),mu())},F=function(e,t){var n=_l;_l|=2;try{return e(t)}finally{0===(_l=n)&&qo()}};var Vu,qu,Qu={Events:[Tn,jn,Cn,k,_,Fn,function(e){ot(e,Ln)},N,A,Xt,lt,mu,{current:!1}]};qu=(Vu={findFiberByHostInstance:Pn,bundleType:0,version:"16.13.1",rendererPackageName:"react-dom"}).findFiberByHostInstance,function(e){if("undefined"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__)return!1;var t=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(t.isDisabled||!t.supportsFiber)return!0;try{var n=t.inject(e);Eu=function(e){try{t.onCommitFiberRoot(n,e,void 0,64==(64&e.current.effectTag))}catch(e){}},xu=function(e){try{t.onCommitFiberUnmount(n,e)}catch(e){}}}catch(e){}}(o({},Vu,{overrideHookState:null,overrideProps:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:Y.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return null===(e=nt(e))?null:e.stateNode},findFiberByHostInstance:function(e){return qu?qu(e):null},findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null})),t.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=Qu,t.createPortal=$u,t.findDOMNode=function(e){if(null==e)return null;if(1===e.nodeType)return e;var t=e._reactInternalFiber;if(void 0===t){if("function"==typeof e.render)throw Error(i(188));throw Error(i(268,Object.keys(e)))}return e=null===(e=nt(t))?null:e.stateNode},t.flushSync=function(e,t){if(0!=(48&_l))throw Error(i(187));var n=_l;_l|=1;try{return Bo(99,e.bind(null,t))}finally{_l=n,qo()}},t.hydrate=function(e,t,n){if(!Hu(t))throw Error(i(200));return Wu(null,e,t,!0,n)},t.render=function(e,t,n){if(!Hu(t))throw Error(i(200));return Wu(null,e,t,!1,n)},t.unmountComponentAtNode=function(e){if(!Hu(e))throw Error(i(40));return!!e._reactRootContainer&&(tu((function(){Wu(null,null,e,!1,(function(){e._reactRootContainer=null,e[kn]=null}))})),!0)},t.unstable_batchedUpdates=eu,t.unstable_createPortal=function(e,t){return $u(e,t,2<arguments.length&&void 0!==arguments[2]?arguments[2]:null)},t.unstable_renderSubtreeIntoContainer=function(e,t,n,r){if(!Hu(n))throw Error(i(200));if(null==e||void 0===e._reactInternalFiber)throw Error(i(38));return Wu(e,t,n,!1,r)},t.version="16.13.1"},function(e,t,n){"use strict";e.exports=n(24)},function(e,t,n){"use strict";
|
28 |
/** @license React v0.19.1
|
29 |
* scheduler.production.min.js
|
30 |
*
|
@@ -32,11 +47,11 @@ object-assign
|
|
32 |
*
|
33 |
* This source code is licensed under the MIT license found in the
|
34 |
* LICENSE file in the root directory of this source tree.
|
35 |
-
*/var r,o,a,i,l;if("undefined"==typeof window||"function"!=typeof MessageChannel){var u=null,c=null,s=function(){if(null!==u)try{var e=t.unstable_now();u(!0,e),u=null}catch(e){throw setTimeout(s,0),e}},f=Date.now();t.unstable_now=function(){return Date.now()-f},r=function(e){null!==u?setTimeout(r,0,e):(u=e,setTimeout(s,0))},o=function(e,t){c=setTimeout(e,t)},a=function(){clearTimeout(c)},i=function(){return!1},l=t.unstable_forceFrameRate=function(){}}else{var p=window.performance,d=window.Date,h=window.setTimeout,m=window.clearTimeout;if("undefined"!=typeof console){var g=window.cancelAnimationFrame;"function"!=typeof window.requestAnimationFrame&&console.error("This browser doesn't support requestAnimationFrame. Make sure that you load a polyfill in older browsers. https://fb.me/react-polyfills"),"function"!=typeof g&&console.error("This browser doesn't support cancelAnimationFrame. Make sure that you load a polyfill in older browsers. https://fb.me/react-polyfills")}if("object"==typeof p&&"function"==typeof p.now)t.unstable_now=function(){return p.now()};else{var y=d.now();t.unstable_now=function(){return d.now()-y}}var b=!1,v=null,w=-1,
|
36 |
/**
|
37 |
* @preserve jed.js https://github.com/SlexAxton/Jed
|
38 |
*/
|
39 |
-
!function(n,r){var o=Array.prototype,a=Object.prototype,i=o.slice,l=a.hasOwnProperty,u=o.forEach,c={},s={forEach:function(e,t,n){var r,o,a;if(null!==e)if(u&&e.forEach===u)e.forEach(t,n);else if(e.length===+e.length){for(r=0,o=e.length;r<o;r++)if(r in e&&t.call(n,e[r],r,e)===c)return}else for(a in e)if(l.call(e,a)&&t.call(n,e[a],a,e)===c)return},extend:function(e){return this.forEach(i.call(arguments,1),(function(t){for(var n in t)e[n]=t[n]})),e}},f=function(e){if(this.defaults={locale_data:{messages:{"":{domain:"messages",lang:"en",plural_forms:"nplurals=2; plural=(n != 1);"}}},domain:"messages",debug:!1},this.options=s.extend({},this.defaults,e),this.textdomain(this.options.domain),e.domain&&!this.options.locale_data[this.options.domain])throw new Error("Text domain set to non-existent domain: `"+e.domain+"`")};function p(e){return f.PF.compile(e||"nplurals=2; plural=(n != 1);")}function d(e,t){this._key=e,this._i18n=t}f.context_delimiter=String.fromCharCode(4),s.extend(d.prototype,{onDomain:function(e){return this._domain=e,this},withContext:function(e){return this._context=e,this},ifPlural:function(e,t){return this._val=e,this._pkey=t,this},fetch:function(e){return"[object Array]"!={}.toString.call(e)&&(e=[].slice.call(arguments,0)),(e&&e.length?f.sprintf:function(e){return e})(this._i18n.dcnpgettext(this._domain,this._context,this._key,this._pkey,this._val),e)}}),s.extend(f.prototype,{translate:function(e){return new d(e,this)},textdomain:function(e){if(!e)return this._textdomain;this._textdomain=e},gettext:function(e){return this.dcnpgettext.call(this,void 0,void 0,e)},dgettext:function(e,t){return this.dcnpgettext.call(this,e,void 0,t)},dcgettext:function(e,t){return this.dcnpgettext.call(this,e,void 0,t)},ngettext:function(e,t,n){return this.dcnpgettext.call(this,void 0,void 0,e,t,n)},dngettext:function(e,t,n,r){return this.dcnpgettext.call(this,e,void 0,t,n,r)},dcngettext:function(e,t,n,r){return this.dcnpgettext.call(this,e,void 0,t,n,r)},pgettext:function(e,t){return this.dcnpgettext.call(this,void 0,e,t)},dpgettext:function(e,t,n){return this.dcnpgettext.call(this,e,t,n)},dcpgettext:function(e,t,n){return this.dcnpgettext.call(this,e,t,n)},npgettext:function(e,t,n,r){return this.dcnpgettext.call(this,void 0,e,t,n,r)},dnpgettext:function(e,t,n,r,o){return this.dcnpgettext.call(this,e,t,n,r,o)},dcnpgettext:function(e,t,n,r,o){var a;if(r=r||n,e=e||this._textdomain,!this.options)return(a=new f).dcnpgettext.call(a,void 0,void 0,n,r,o);if(!this.options.locale_data)throw new Error("No locale data provided.");if(!this.options.locale_data[e])throw new Error("Domain `"+e+"` was not found.");if(!this.options.locale_data[e][""])throw new Error("No locale meta information provided.");if(!n)throw new Error("No translation key found.");var i,l,u,c=t?t+f.context_delimiter+n:n,s=this.options.locale_data,d=s[e],h=(s.messages||this.defaults.locale_data.messages)[""],m=d[""].plural_forms||d[""]["Plural-Forms"]||d[""]["plural-forms"]||h.plural_forms||h["Plural-Forms"]||h["plural-forms"];if(void 0===o)u=0;else{if("number"!=typeof o&&(o=parseInt(o,10),isNaN(o)))throw new Error("The number that was passed in is not a number.");u=p(m)(o)}if(!d)throw new Error("No domain named `"+e+"` could be found.");return!(i=d[c])||u>i.length?(this.options.missing_key_callback&&this.options.missing_key_callback(c,e),l=[n,r],!0===this.options.debug&&console.log(l[p(m)(o)]),l[p()(o)]):(l=i[u])||(l=[n,r])[p()(o)]}});var h,m,g=function(){function e(e){return Object.prototype.toString.call(e).slice(8,-1).toLowerCase()}function t(e,t){for(var n=[];t>0;n[--t]=e);return n.join("")}var n=function(){return n.cache.hasOwnProperty(arguments[0])||(n.cache[arguments[0]]=n.parse(arguments[0])),n.format.call(null,n.cache[arguments[0]],arguments)};return n.format=function(n,r){var o,a,i,l,u,c,s,f=1,p=n.length,d="",h=[];for(a=0;a<p;a++)if("string"===(d=e(n[a])))h.push(n[a]);else if("array"===d){if((l=n[a])[2])for(o=r[f],i=0;i<l[2].length;i++){if(!o.hasOwnProperty(l[2][i]))throw g('[sprintf] property "%s" does not exist',l[2][i]);o=o[l[2][i]]}else o=l[1]?r[l[1]]:r[f++];if(/[^s]/.test(l[8])&&"number"!=e(o))throw g("[sprintf] expecting number but found %s",e(o));switch(null==o&&(o=""),l[8]){case"b":o=o.toString(2);break;case"c":o=String.fromCharCode(o);break;case"d":o=parseInt(o,10);break;case"e":o=l[7]?o.toExponential(l[7]):o.toExponential();break;case"f":o=l[7]?parseFloat(o).toFixed(l[7]):parseFloat(o);break;case"o":o=o.toString(8);break;case"s":o=(o=String(o))&&l[7]?o.substring(0,l[7]):o;break;case"u":o=Math.abs(o);break;case"x":o=o.toString(16);break;case"X":o=o.toString(16).toUpperCase()}o=/[def]/.test(l[8])&&l[3]&&o>=0?"+"+o:o,c=l[4]?"0"==l[4]?"0":l[4].charAt(1):" ",s=l[6]-String(o).length,u=l[6]?t(c,s):"",h.push(l[5]?o+u:u+o)}return h.join("")},n.cache={},n.parse=function(e){for(var t=e,n=[],r=[],o=0;t;){if(null!==(n=/^[^\x25]+/.exec(t)))r.push(n[0]);else if(null!==(n=/^\x25{2}/.exec(t)))r.push("%");else{if(null===(n=/^\x25(?:([1-9]\d*)\$|\(([^\)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-fosuxX])/.exec(t)))throw"[sprintf] huh?";if(n[2]){o|=1;var a=[],i=n[2],l=[];if(null===(l=/^([a-z_][a-z_\d]*)/i.exec(i)))throw"[sprintf] huh?";for(a.push(l[1]);""!==(i=i.substring(l[0].length));)if(null!==(l=/^\.([a-z_][a-z_\d]*)/i.exec(i)))a.push(l[1]);else{if(null===(l=/^\[(\d+)\]/.exec(i)))throw"[sprintf] huh?";a.push(l[1])}n[2]=a}else o|=2;if(3===o)throw"[sprintf] mixing positional and named placeholders is not (yet) supported";r.push(n)}t=t.substring(n[0].length)}return r},n}(),y=function(e,t){return t.unshift(e),g.apply(null,t)};f.parse_plural=function(e,t){return e=e.replace(/n/g,t),f.parse_expression(e)},f.sprintf=function(e,t){return"[object Array]"=={}.toString.call(t)?y(e,[].slice.call(t)):g.apply(this,[].slice.call(arguments))},f.prototype.sprintf=function(){return f.sprintf.apply(this,arguments)},(f.PF={}).parse=function(e){var t=f.PF.extractPluralExpr(e);return f.PF.parser.parse.call(f.PF.parser,t)},f.PF.compile=function(e){var t=f.PF.parse(e);return function(e){return!0===(n=f.PF.interpreter(t)(e))?1:n||0;var n}},f.PF.interpreter=function(e){return function(t){switch(e.type){case"GROUP":return f.PF.interpreter(e.expr)(t);case"TERNARY":return f.PF.interpreter(e.expr)(t)?f.PF.interpreter(e.truthy)(t):f.PF.interpreter(e.falsey)(t);case"OR":return f.PF.interpreter(e.left)(t)||f.PF.interpreter(e.right)(t);case"AND":return f.PF.interpreter(e.left)(t)&&f.PF.interpreter(e.right)(t);case"LT":return f.PF.interpreter(e.left)(t)<f.PF.interpreter(e.right)(t);case"GT":return f.PF.interpreter(e.left)(t)>f.PF.interpreter(e.right)(t);case"LTE":return f.PF.interpreter(e.left)(t)<=f.PF.interpreter(e.right)(t);case"GTE":return f.PF.interpreter(e.left)(t)>=f.PF.interpreter(e.right)(t);case"EQ":return f.PF.interpreter(e.left)(t)==f.PF.interpreter(e.right)(t);case"NEQ":return f.PF.interpreter(e.left)(t)!=f.PF.interpreter(e.right)(t);case"MOD":return f.PF.interpreter(e.left)(t)%f.PF.interpreter(e.right)(t);case"VAR":return t;case"NUM":return e.val;default:throw new Error("Invalid Token found.")}}},f.PF.extractPluralExpr=function(e){e=e.replace(/^\s\s*/,"").replace(/\s\s*$/,""),/;\s*$/.test(e)||(e=e.concat(";"));var t,n=/nplurals\=(\d+);/,r=e.match(n);if(!(r.length>1))throw new Error("nplurals not found in plural_forms string: "+e);if(r[1],!((t=(e=e.replace(n,"")).match(/plural\=(.*);/))&&t.length>1))throw new Error("`plural` expression not found: "+e);return t[1]},f.PF.parser=(h={trace:function(){},yy:{},symbols_:{error:2,expressions:3,e:4,EOF:5,"?":6,":":7,"||":8,"&&":9,"<":10,"<=":11,">":12,">=":13,"!=":14,"==":15,"%":16,"(":17,")":18,n:19,NUMBER:20,$accept:0,$end:1},terminals_:{2:"error",5:"EOF",6:"?",7:":",8:"||",9:"&&",10:"<",11:"<=",12:">",13:">=",14:"!=",15:"==",16:"%",17:"(",18:")",19:"n",20:"NUMBER"},productions_:[0,[3,2],[4,5],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,1],[4,1]],performAction:function(e,t,n,r,o,a,i){var l=a.length-1;switch(o){case 1:return{type:"GROUP",expr:a[l-1]};case 2:this.$={type:"TERNARY",expr:a[l-4],truthy:a[l-2],falsey:a[l]};break;case 3:this.$={type:"OR",left:a[l-2],right:a[l]};break;case 4:this.$={type:"AND",left:a[l-2],right:a[l]};break;case 5:this.$={type:"LT",left:a[l-2],right:a[l]};break;case 6:this.$={type:"LTE",left:a[l-2],right:a[l]};break;case 7:this.$={type:"GT",left:a[l-2],right:a[l]};break;case 8:this.$={type:"GTE",left:a[l-2],right:a[l]};break;case 9:this.$={type:"NEQ",left:a[l-2],right:a[l]};break;case 10:this.$={type:"EQ",left:a[l-2],right:a[l]};break;case 11:this.$={type:"MOD",left:a[l-2],right:a[l]};break;case 12:this.$={type:"GROUP",expr:a[l-1]};break;case 13:this.$={type:"VAR"};break;case 14:this.$={type:"NUM",val:Number(e)}}},table:[{3:1,4:2,17:[1,3],19:[1,4],20:[1,5]},{1:[3]},{5:[1,6],6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{4:17,17:[1,3],19:[1,4],20:[1,5]},{5:[2,13],6:[2,13],7:[2,13],8:[2,13],9:[2,13],10:[2,13],11:[2,13],12:[2,13],13:[2,13],14:[2,13],15:[2,13],16:[2,13],18:[2,13]},{5:[2,14],6:[2,14],7:[2,14],8:[2,14],9:[2,14],10:[2,14],11:[2,14],12:[2,14],13:[2,14],14:[2,14],15:[2,14],16:[2,14],18:[2,14]},{1:[2,1]},{4:18,17:[1,3],19:[1,4],20:[1,5]},{4:19,17:[1,3],19:[1,4],20:[1,5]},{4:20,17:[1,3],19:[1,4],20:[1,5]},{4:21,17:[1,3],19:[1,4],20:[1,5]},{4:22,17:[1,3],19:[1,4],20:[1,5]},{4:23,17:[1,3],19:[1,4],20:[1,5]},{4:24,17:[1,3],19:[1,4],20:[1,5]},{4:25,17:[1,3],19:[1,4],20:[1,5]},{4:26,17:[1,3],19:[1,4],20:[1,5]},{4:27,17:[1,3],19:[1,4],20:[1,5]},{6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[1,28]},{6:[1,7],7:[1,29],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{5:[2,3],6:[2,3],7:[2,3],8:[2,3],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,3]},{5:[2,4],6:[2,4],7:[2,4],8:[2,4],9:[2,4],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,4]},{5:[2,5],6:[2,5],7:[2,5],8:[2,5],9:[2,5],10:[2,5],11:[2,5],12:[2,5],13:[2,5],14:[2,5],15:[2,5],16:[1,16],18:[2,5]},{5:[2,6],6:[2,6],7:[2,6],8:[2,6],9:[2,6],10:[2,6],11:[2,6],12:[2,6],13:[2,6],14:[2,6],15:[2,6],16:[1,16],18:[2,6]},{5:[2,7],6:[2,7],7:[2,7],8:[2,7],9:[2,7],10:[2,7],11:[2,7],12:[2,7],13:[2,7],14:[2,7],15:[2,7],16:[1,16],18:[2,7]},{5:[2,8],6:[2,8],7:[2,8],8:[2,8],9:[2,8],10:[2,8],11:[2,8],12:[2,8],13:[2,8],14:[2,8],15:[2,8],16:[1,16],18:[2,8]},{5:[2,9],6:[2,9],7:[2,9],8:[2,9],9:[2,9],10:[2,9],11:[2,9],12:[2,9],13:[2,9],14:[2,9],15:[2,9],16:[1,16],18:[2,9]},{5:[2,10],6:[2,10],7:[2,10],8:[2,10],9:[2,10],10:[2,10],11:[2,10],12:[2,10],13:[2,10],14:[2,10],15:[2,10],16:[1,16],18:[2,10]},{5:[2,11],6:[2,11],7:[2,11],8:[2,11],9:[2,11],10:[2,11],11:[2,11],12:[2,11],13:[2,11],14:[2,11],15:[2,11],16:[2,11],18:[2,11]},{5:[2,12],6:[2,12],7:[2,12],8:[2,12],9:[2,12],10:[2,12],11:[2,12],12:[2,12],13:[2,12],14:[2,12],15:[2,12],16:[2,12],18:[2,12]},{4:30,17:[1,3],19:[1,4],20:[1,5]},{5:[2,2],6:[1,7],7:[2,2],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,2]}],defaultActions:{6:[2,1]},parseError:function(e,t){throw new Error(e)},parse:function(e){var t=this,n=[0],r=[null],o=[],a=this.table,i="",l=0,u=0,c=0;this.lexer.setInput(e),this.lexer.yy=this.yy,this.yy.lexer=this.lexer,void 0===this.lexer.yylloc&&(this.lexer.yylloc={});var s=this.lexer.yylloc;function f(){var e;return"number"!=typeof(e=t.lexer.lex()||1)&&(e=t.symbols_[e]||e),e}o.push(s),"function"==typeof this.yy.parseError&&(this.parseError=this.yy.parseError);for(var p,d,h,m,g,y,b,v,w,E,x={};;){if(h=n[n.length-1],this.defaultActions[h]?m=this.defaultActions[h]:(null==p&&(p=f()),m=a[h]&&a[h][p]),void 0===m||!m.length||!m[0]){if(!c){for(y in w=[],a[h])this.terminals_[y]&&y>2&&w.push("'"+this.terminals_[y]+"'");var _="";_=this.lexer.showPosition?"Parse error on line "+(l+1)+":\n"+this.lexer.showPosition()+"\nExpecting "+w.join(", ")+", got '"+this.terminals_[p]+"'":"Parse error on line "+(l+1)+": Unexpected "+(1==p?"end of input":"'"+(this.terminals_[p]||p)+"'"),this.parseError(_,{text:this.lexer.match,token:this.terminals_[p]||p,line:this.lexer.yylineno,loc:s,expected:w})}if(3==c){if(1==p)throw new Error(_||"Parsing halted.");u=this.lexer.yyleng,i=this.lexer.yytext,l=this.lexer.yylineno,s=this.lexer.yylloc,p=f()}for(;!(2..toString()in a[h]);){if(0==h)throw new Error(_||"Parsing halted.");E=1,n.length=n.length-2*E,r.length=r.length-E,o.length=o.length-E,h=n[n.length-1]}d=p,p=2,m=a[h=n[n.length-1]]&&a[h][2],c=3}if(m[0]instanceof Array&&m.length>1)throw new Error("Parse Error: multiple actions possible at state: "+h+", token: "+p);switch(m[0]){case 1:n.push(p),r.push(this.lexer.yytext),o.push(this.lexer.yylloc),n.push(m[1]),p=null,d?(p=d,d=null):(u=this.lexer.yyleng,i=this.lexer.yytext,l=this.lexer.yylineno,s=this.lexer.yylloc,c>0&&c--);break;case 2:if(b=this.productions_[m[1]][1],x.$=r[r.length-b],x._$={first_line:o[o.length-(b||1)].first_line,last_line:o[o.length-1].last_line,first_column:o[o.length-(b||1)].first_column,last_column:o[o.length-1].last_column},void 0!==(g=this.performAction.call(x,i,u,l,this.yy,m[1],r,o)))return g;b&&(n=n.slice(0,-1*b*2),r=r.slice(0,-1*b),o=o.slice(0,-1*b)),n.push(this.productions_[m[1]][0]),r.push(x.$),o.push(x._$),v=a[n[n.length-2]][n[n.length-1]],n.push(v);break;case 3:return!0}}return!0}},m=function(){var e={EOF:1,parseError:function(e,t){if(!this.yy.parseError)throw new Error(e);this.yy.parseError(e,t)},setInput:function(e){return this._input=e,this._more=this._less=this.done=!1,this.yylineno=this.yyleng=0,this.yytext=this.matched=this.match="",this.conditionStack=["INITIAL"],this.yylloc={first_line:1,first_column:0,last_line:1,last_column:0},this},input:function(){var e=this._input[0];return this.yytext+=e,this.yyleng++,this.match+=e,this.matched+=e,e.match(/\n/)&&this.yylineno++,this._input=this._input.slice(1),e},unput:function(e){return this._input=e+this._input,this},more:function(){return this._more=!0,this},pastInput:function(){var e=this.matched.substr(0,this.matched.length-this.match.length);return(e.length>20?"...":"")+e.substr(-20).replace(/\n/g,"")},upcomingInput:function(){var e=this.match;return e.length<20&&(e+=this._input.substr(0,20-e.length)),(e.substr(0,20)+(e.length>20?"...":"")).replace(/\n/g,"")},showPosition:function(){var e=this.pastInput(),t=new Array(e.length+1).join("-");return e+this.upcomingInput()+"\n"+t+"^"},next:function(){if(this.done)return this.EOF;var e,t;this._input||(this.done=!0),this._more||(this.yytext="",this.match="");for(var n=this._currentRules(),r=0;r<n.length;r++)if(e=this._input.match(this.rules[n[r]]))return(t=e[0].match(/\n.*/g))&&(this.yylineno+=t.length),this.yylloc={first_line:this.yylloc.last_line,last_line:this.yylineno+1,first_column:this.yylloc.last_column,last_column:t?t[t.length-1].length-1:this.yylloc.last_column+e[0].length},this.yytext+=e[0],this.match+=e[0],this.matches=e,this.yyleng=this.yytext.length,this._more=!1,this._input=this._input.slice(e[0].length),this.matched+=e[0],this.performAction.call(this,this.yy,this,n[r],this.conditionStack[this.conditionStack.length-1])||void 0;if(""===this._input)return this.EOF;this.parseError("Lexical error on line "+(this.yylineno+1)+". Unrecognized text.\n"+this.showPosition(),{text:"",token:null,line:this.yylineno})},lex:function(){var e=this.next();return void 0!==e?e:this.lex()},begin:function(e){this.conditionStack.push(e)},popState:function(){return this.conditionStack.pop()},_currentRules:function(){return this.conditions[this.conditionStack[this.conditionStack.length-1]].rules},topState:function(){return this.conditionStack[this.conditionStack.length-2]},pushState:function(e){this.begin(e)},performAction:function(e,t,n,r){switch(n){case 0:break;case 1:return 20;case 2:return 19;case 3:return 8;case 4:return 9;case 5:return 6;case 6:return 7;case 7:return 11;case 8:return 13;case 9:return 10;case 10:return 12;case 11:return 14;case 12:return 15;case 13:return 16;case 14:return 17;case 15:return 18;case 16:return 5;case 17:return"INVALID"}},rules:[/^\s+/,/^[0-9]+(\.[0-9]+)?\b/,/^n\b/,/^\|\|/,/^&&/,/^\?/,/^:/,/^<=/,/^>=/,/^</,/^>/,/^!=/,/^==/,/^%/,/^\(/,/^\)/,/^$/,/^./],conditions:{INITIAL:{rules:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17],inclusive:!0}}};return e}(),h.lexer=m,h),e.exports&&(t=e.exports=f),t.Jed=f}()},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},o=l(n(0)),a=l(n(28)),i=l(n(31));function l(e){return e&&e.__esModule?e:{default:e}}var u=void 0;function c(e,t){var n,i,l,s,f,p,d,h,m=[],g={};for(p=0;p<e.length;p++)if("string"!==(f=e[p]).type){if(!t.hasOwnProperty(f.value)||void 0===t[f.value])throw new Error("Invalid interpolation, missing component node: `"+f.value+"`");if("object"!==r(t[f.value]))throw new Error("Invalid interpolation, component node must be a ReactElement or null: `"+f.value+"`","\n> "+u);if("componentClose"===f.type)throw new Error("Missing opening component token: `"+f.value+"`");if("componentOpen"===f.type){n=t[f.value],l=p;break}m.push(t[f.value])}else m.push(f.value);return n&&(s=function(e,t){var n,r,o=t[e],a=0;for(r=e+1;r<t.length;r++)if((n=t[r]).value===o.value){if("componentOpen"===n.type){a++;continue}if("componentClose"===n.type){if(0===a)return r;a--}}throw new Error("Missing closing component token `"+o.value+"`")}(l,e),d=c(e.slice(l+1,s),t),i=o.default.cloneElement(n,{},d),m.push(i),s<e.length-1&&(h=c(e.slice(s+1),t),m=m.concat(h))),1===m.length?m[0]:(m.forEach((function(e,t){e&&(g["interpolation-child-"+t]=e)})),(0,a.default)(g))}t.default=function(e){var t=e.mixedString,n=e.components,o=e.throwErrors;if(u=t,!n)return t;if("object"!==(void 0===n?"undefined":r(n))){if(o)throw new Error("Interpolation Error: unable to process `"+t+"` because components is not an object");return t}var a=(0,i.default)(t);try{return c(a,n)}catch(e){if(o)throw new Error("Interpolation Error: unable to process `"+t+"` because of error `"+e.message+"`");return t}}},function(e,t,n){"use strict";var r=n(0),o="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103,a=n(15),i=n(29),l=n(30),u="function"==typeof Symbol&&Symbol.iterator;function c(e,t){return e&&"object"==typeof e&&null!=e.key?(n=e.key,r={"=":"=0",":":"=2"},"$"+(""+n).replace(/[=:]/g,(function(e){return r[e]}))):t.toString(36);var n,r}function s(e,t,n,r){var a,l=typeof e;if("undefined"!==l&&"boolean"!==l||(e=null),null===e||"string"===l||"number"===l||"object"===l&&e.$$typeof===o)return n(r,e,""===t?"."+c(e,0):t),1;var f=0,p=""===t?".":t+":";if(Array.isArray(e))for(var d=0;d<e.length;d++)f+=s(a=e[d],p+c(a,d),n,r);else{var h=function(e){var t=e&&(u&&e[u]||e["@@iterator"]);if("function"==typeof t)return t}(e);if(h){0;for(var m,g=h.call(e),y=0;!(m=g.next()).done;)f+=s(a=m.value,p+c(a,y++),n,r)}else if("object"===l){0;var b=""+e;i(!1,"Objects are not valid as a React child (found: %s).%s","[object Object]"===b?"object with keys {"+Object.keys(e).join(", ")+"}":b,"")}}return f}var f=/\/+/g;function p(e){return(""+e).replace(f,"$&/")}var d,h,m=g,g=function(e){if(this.instancePool.length){var t=this.instancePool.pop();return this.call(t,e),t}return new this(e)},y=function(e){i(e instanceof this,"Trying to release an instance into a pool of a different type."),e.destructor(),this.instancePool.length<this.poolSize&&this.instancePool.push(e)};function b(e,t,n,r){this.result=e,this.keyPrefix=t,this.func=n,this.context=r,this.count=0}function v(e,t,n){var o,i,l=e.result,u=e.keyPrefix,c=e.func,s=e.context,f=c.call(s,t,e.count++);Array.isArray(f)?w(f,l,n,a.thatReturnsArgument):null!=f&&(r.isValidElement(f)&&(o=f,i=u+(!f.key||t&&t.key===f.key?"":p(f.key)+"/")+n,f=r.cloneElement(o,{key:i},void 0!==o.props?o.props.children:void 0)),l.push(f))}function w(e,t,n,r,o){var a="";null!=n&&(a=p(n)+"/");var i=b.getPooled(t,a,r,o);!function(e,t,n){null==e||s(e,"",t,n)}(e,v,i),b.release(i)}b.prototype.destructor=function(){this.result=null,this.keyPrefix=null,this.func=null,this.context=null,this.count=0},d=function(e,t,n,r){if(this.instancePool.length){var o=this.instancePool.pop();return this.call(o,e,t,n,r),o}return new this(e,t,n,r)},(h=b).instancePool=[],h.getPooled=d||m,h.poolSize||(h.poolSize=10),h.release=y;e.exports=function(e){if("object"!=typeof e||!e||Array.isArray(e))return l(!1,"React.addons.createFragment only accepts a single object. Got: %s",e),e;if(r.isValidElement(e))return l(!1,"React.addons.createFragment does not accept a ReactElement without a wrapper object."),e;i(1!==e.nodeType,"React.addons.createFragment(...): Encountered an invalid child; DOM elements are not valid children of React components.");var t=[];for(var n in e)w(e[n],t,n,a.thatReturnsArgument);return t}},function(e,t,n){"use strict";e.exports=function(e,t,n,r,o,a,i,l){if(!e){var u;if(void 0===t)u=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var c=[n,r,o,a,i,l],s=0;(u=new Error(t.replace(/%s/g,(function(){return c[s++]})))).name="Invariant Violation"}throw u.framesToPop=1,u}}},function(e,t,n){"use strict";var r=n(15);e.exports=r},function(e,t,n){"use strict";function r(e){return e.match(/^\{\{\//)?{type:"componentClose",value:e.replace(/\W/g,"")}:e.match(/\/\}\}$/)?{type:"componentSelfClosing",value:e.replace(/\W/g,"")}:e.match(/^\{\{/)?{type:"componentOpen",value:e.replace(/\W/g,"")}:{type:"string",value:e}}e.exports=function(e){return e.split(/(\{\{\/?\s*\w+\s*\/?\}\})/g).map(r)}},function(e,t,n){var r=n(14),o=n(33);function a(e){if(!(this instanceof a))return new a(e);"number"==typeof e&&(e={max:e}),e||(e={}),r.EventEmitter.call(this),this.cache={},this.head=this.tail=null,this.length=0,this.max=e.max||1e3,this.maxAge=e.maxAge||0}e.exports=a,o(a,r.EventEmitter),Object.defineProperty(a.prototype,"keys",{get:function(){return Object.keys(this.cache)}}),a.prototype.clear=function(){this.cache={},this.head=this.tail=null,this.length=0},a.prototype.remove=function(e){if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){var t=this.cache[e];return delete this.cache[e],this._unlink(e,t.prev,t.next),t.value}},a.prototype._unlink=function(e,t,n){this.length--,0===this.length?this.head=this.tail=null:this.head===e?(this.head=t,this.cache[this.head].next=null):this.tail===e?(this.tail=n,this.cache[this.tail].prev=null):(this.cache[t].next=n,this.cache[n].prev=t)},a.prototype.peek=function(e){if(this.cache.hasOwnProperty(e)){var t=this.cache[e];if(this._checkAge(e,t))return t.value}},a.prototype.set=function(e,t){var n;if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){if((n=this.cache[e]).value=t,this.maxAge&&(n.modified=Date.now()),e===this.head)return t;this._unlink(e,n.prev,n.next)}else n={value:t,modified:0,next:null,prev:null},this.maxAge&&(n.modified=Date.now()),this.cache[e]=n,this.length===this.max&&this.evict();return this.length++,n.next=null,n.prev=this.head,this.head&&(this.cache[this.head].next=e),this.head=e,this.tail||(this.tail=e),t},a.prototype._checkAge=function(e,t){return!(this.maxAge&&Date.now()-t.modified>this.maxAge)||(this.remove(e),this.emit("evict",{key:e,value:t.value}),!1)},a.prototype.get=function(e){if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){var t=this.cache[e];if(this._checkAge(e,t))return this.head!==e&&(e===this.tail?(this.tail=t.next,this.cache[this.tail].prev=null):this.cache[t.prev].next=t.next,this.cache[t.next].prev=t.prev,this.cache[this.head].next=e,t.prev=this.head,t.next=null,this.head=e),t.value}},a.prototype.evict=function(){if(this.tail){var e=this.tail,t=this.remove(this.tail);this.emit("evict",{key:e,value:t})}}},function(e,t){"function"==typeof Object.create?e.exports=function(e,t){t&&(e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}))}:e.exports=function(e,t){if(t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e}}},function(e,t){e.exports=
|
40 |
/**
|
41 |
* Exposes number format capability through i18n mixin
|
42 |
*
|
@@ -44,7 +59,7 @@ object-assign
|
|
44 |
* @license See CREDITS.md
|
45 |
* @see https://github.com/kvz/phpjs/blob/ffe1356af23a6f2512c84c954dd4e828e92579fa/functions/strings/number_format.js
|
46 |
*/
|
47 |
-
function(e,t,n,r){e=(e+"").replace(/[^0-9+\-Ee.]/g,"");var o=isFinite(+e)?+e:0,a=isFinite(+t)?Math.abs(t):0,i=void 0===r?",":r,l=void 0===n?".":n,u="";return(u=(a?function(e,t){var n=Math.pow(10,t);return""+(Math.round(e*n)/n).toFixed(t)}(o,a):""+Math.round(o)).split("."))[0].length>3&&(u[0]=u[0].replace(/\B(?=(?:\d{3})+(?!\d))/g,i)),(u[1]||"").length<a&&(u[1]=u[1]||"",u[1]+=new Array(a-u[1].length+1).join("0")),u.join(l)}},function(e,t,n){"use strict";var r=n(
|
48 |
/** @license React v16.13.1
|
49 |
* react-is.production.min.js
|
50 |
*
|
@@ -52,4 +67,4 @@ function(e,t,n,r){e=(e+"").replace(/[^0-9+\-Ee.]/g,"");var o=isFinite(+e)?+e:0,a
|
|
52 |
*
|
53 |
* This source code is licensed under the MIT license found in the
|
54 |
* LICENSE file in the root directory of this source tree.
|
55 |
-
*/var r="function"==typeof Symbol&&Symbol.for,o=r?Symbol.for("react.element"):60103,a=r?Symbol.for("react.portal"):60106,i=r?Symbol.for("react.fragment"):60107,l=r?Symbol.for("react.strict_mode"):60108,u=r?Symbol.for("react.profiler"):60114,c=r?Symbol.for("react.provider"):60109,s=r?Symbol.for("react.context"):60110,f=r?Symbol.for("react.async_mode"):60111,p=r?Symbol.for("react.concurrent_mode"):60111,d=r?Symbol.for("react.forward_ref"):60112,h=r?Symbol.for("react.suspense"):60113,m=r?Symbol.for("react.suspense_list"):60120,g=r?Symbol.for("react.memo"):60115,y=r?Symbol.for("react.lazy"):60116,b=r?Symbol.for("react.block"):60121,v=r?Symbol.for("react.fundamental"):60117,w=r?Symbol.for("react.responder"):60118,E=r?Symbol.for("react.scope"):60119;function x(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case o:switch(e=e.type){case f:case p:case i:case u:case l:case h:return e;default:switch(e=e&&e.$$typeof){case s:case d:case y:case g:case c:return e;default:return t}}case a:return t}}}function _(e){return x(e)===p}t.AsyncMode=f,t.ConcurrentMode=p,t.ContextConsumer=s,t.ContextProvider=c,t.Element=o,t.ForwardRef=d,t.Fragment=i,t.Lazy=y,t.Memo=g,t.Portal=a,t.Profiler=u,t.StrictMode=l,t.Suspense=h,t.isAsyncMode=function(e){return _(e)||x(e)===f},t.isConcurrentMode=_,t.isContextConsumer=function(e){return x(e)===s},t.isContextProvider=function(e){return x(e)===c},t.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===o},t.isForwardRef=function(e){return x(e)===d},t.isFragment=function(e){return x(e)===i},t.isLazy=function(e){return x(e)===y},t.isMemo=function(e){return x(e)===g},t.isPortal=function(e){return x(e)===a},t.isProfiler=function(e){return x(e)===u},t.isStrictMode=function(e){return x(e)===l},t.isSuspense=function(e){return x(e)===h},t.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===i||e===p||e===u||e===l||e===h||e===m||"object"==typeof e&&null!==e&&(e.$$typeof===y||e.$$typeof===g||e.$$typeof===c||e.$$typeof===s||e.$$typeof===d||e.$$typeof===v||e.$$typeof===w||e.$$typeof===E||e.$$typeof===b)},t.typeOf=x},function(e,t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t){e.exports=function(e){if(!e.webpackPolyfill){var t=Object.create(e);t.children||(t.children=[]),Object.defineProperty(t,"loaded",{enumerable:!0,get:function(){return t.l}}),Object.defineProperty(t,"id",{enumerable:!0,get:function(){return t.i}}),Object.defineProperty(t,"exports",{enumerable:!0}),t.webpackPolyfill=1}return t}},function(e,t,n){"use strict";var r=n(9),o=n(16),a=Object.prototype.hasOwnProperty,i={brackets:function(e){return e+"[]"},comma:"comma",indices:function(e,t){return e+"["+t+"]"},repeat:function(e){return e}},l=Array.isArray,u=Array.prototype.push,c=function(e,t){u.apply(e,l(t)?t:[t])},s=Date.prototype.toISOString,f=o.default,p={addQueryPrefix:!1,allowDots:!1,charset:"utf-8",charsetSentinel:!1,delimiter:"&",encode:!0,encoder:r.encode,encodeValuesOnly:!1,format:f,formatter:o.formatters[f],indices:!1,serializeDate:function(e){return s.call(e)},skipNulls:!1,strictNullHandling:!1},d=function e(t,n,o,a,i,u,s,f,d,h,m,g,y){var b,v=t;if("function"==typeof s?v=s(n,v):v instanceof Date?v=h(v):"comma"===o&&l(v)&&(v=v.join(",")),null===v){if(a)return u&&!g?u(n,p.encoder,y,"key"):n;v=""}if("string"==typeof(b=v)||"number"==typeof b||"boolean"==typeof b||"symbol"==typeof b||"bigint"==typeof b||r.isBuffer(v))return u?[m(g?n:u(n,p.encoder,y,"key"))+"="+m(u(v,p.encoder,y,"value"))]:[m(n)+"="+m(String(v))];var w,E=[];if(void 0===v)return E;if(l(s))w=s;else{var x=Object.keys(v);w=f?x.sort(f):x}for(var _=0;_<w.length;++_){var S=w[_];i&&null===v[S]||(l(v)?c(E,e(v[S],"function"==typeof o?o(n,S):n,o,a,i,u,s,f,d,h,m,g,y)):c(E,e(v[S],n+(d?"."+S:"["+S+"]"),o,a,i,u,s,f,d,h,m,g,y)))}return E};e.exports=function(e,t){var n,r=e,u=function(e){if(!e)return p;if(null!==e.encoder&&void 0!==e.encoder&&"function"!=typeof e.encoder)throw new TypeError("Encoder has to be a function.");var t=e.charset||p.charset;if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var n=o.default;if(void 0!==e.format){if(!a.call(o.formatters,e.format))throw new TypeError("Unknown format option provided.");n=e.format}var r=o.formatters[n],i=p.filter;return("function"==typeof e.filter||l(e.filter))&&(i=e.filter),{addQueryPrefix:"boolean"==typeof e.addQueryPrefix?e.addQueryPrefix:p.addQueryPrefix,allowDots:void 0===e.allowDots?p.allowDots:!!e.allowDots,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:p.charsetSentinel,delimiter:void 0===e.delimiter?p.delimiter:e.delimiter,encode:"boolean"==typeof e.encode?e.encode:p.encode,encoder:"function"==typeof e.encoder?e.encoder:p.encoder,encodeValuesOnly:"boolean"==typeof e.encodeValuesOnly?e.encodeValuesOnly:p.encodeValuesOnly,filter:i,formatter:r,serializeDate:"function"==typeof e.serializeDate?e.serializeDate:p.serializeDate,skipNulls:"boolean"==typeof e.skipNulls?e.skipNulls:p.skipNulls,sort:"function"==typeof e.sort?e.sort:null,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:p.strictNullHandling}}(t);"function"==typeof u.filter?r=(0,u.filter)("",r):l(u.filter)&&(n=u.filter);var s,f=[];if("object"!=typeof r||null===r)return"";s=t&&t.arrayFormat in i?t.arrayFormat:t&&"indices"in t?t.indices?"indices":"repeat":"indices";var h=i[s];n||(n=Object.keys(r)),u.sort&&n.sort(u.sort);for(var m=0;m<n.length;++m){var g=n[m];u.skipNulls&&null===r[g]||c(f,d(r[g],g,h,u.strictNullHandling,u.skipNulls,u.encode?u.encoder:null,u.filter,u.sort,u.allowDots,u.serializeDate,u.formatter,u.encodeValuesOnly,u.charset))}var y=f.join(u.delimiter),b=!0===u.addQueryPrefix?"?":"";return u.charsetSentinel&&("iso-8859-1"===u.charset?b+="utf8=%26%2310003%3B&":b+="utf8=%E2%9C%93&"),y.length>0?b+y:""}},function(e,t,n){"use strict";var r=n(9),o=Object.prototype.hasOwnProperty,a=Array.isArray,i={allowDots:!1,allowPrototypes:!1,arrayLimit:20,charset:"utf-8",charsetSentinel:!1,comma:!1,decoder:r.decode,delimiter:"&",depth:5,ignoreQueryPrefix:!1,interpretNumericEntities:!1,parameterLimit:1e3,parseArrays:!0,plainObjects:!1,strictNullHandling:!1},l=function(e){return e.replace(/&#(\d+);/g,(function(e,t){return String.fromCharCode(parseInt(t,10))}))},u=function(e,t){return e&&"string"==typeof e&&t.comma&&e.indexOf(",")>-1?e.split(","):e},c=function(e,t){if(a(e)){for(var n=[],r=0;r<e.length;r+=1)n.push(t(e[r]));return n}return t(e)},s=function(e,t,n,r){if(e){var a=n.allowDots?e.replace(/\.([^.[]+)/g,"[$1]"):e,i=/(\[[^[\]]*])/g,l=n.depth>0&&/(\[[^[\]]*])/.exec(a),c=l?a.slice(0,l.index):a,s=[];if(c){if(!n.plainObjects&&o.call(Object.prototype,c)&&!n.allowPrototypes)return;s.push(c)}for(var f=0;n.depth>0&&null!==(l=i.exec(a))&&f<n.depth;){if(f+=1,!n.plainObjects&&o.call(Object.prototype,l[1].slice(1,-1))&&!n.allowPrototypes)return;s.push(l[1])}return l&&s.push("["+a.slice(l.index)+"]"),function(e,t,n,r){for(var o=r?t:u(t,n),a=e.length-1;a>=0;--a){var i,l=e[a];if("[]"===l&&n.parseArrays)i=[].concat(o);else{i=n.plainObjects?Object.create(null):{};var c="["===l.charAt(0)&&"]"===l.charAt(l.length-1)?l.slice(1,-1):l,s=parseInt(c,10);n.parseArrays||""!==c?!isNaN(s)&&l!==c&&String(s)===c&&s>=0&&n.parseArrays&&s<=n.arrayLimit?(i=[])[s]=o:i[c]=o:i={0:o}}o=i}return o}(s,t,n,r)}};e.exports=function(e,t){var n=function(e){if(!e)return i;if(null!==e.decoder&&void 0!==e.decoder&&"function"!=typeof e.decoder)throw new TypeError("Decoder has to be a function.");if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var t=void 0===e.charset?i.charset:e.charset;return{allowDots:void 0===e.allowDots?i.allowDots:!!e.allowDots,allowPrototypes:"boolean"==typeof e.allowPrototypes?e.allowPrototypes:i.allowPrototypes,arrayLimit:"number"==typeof e.arrayLimit?e.arrayLimit:i.arrayLimit,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:i.charsetSentinel,comma:"boolean"==typeof e.comma?e.comma:i.comma,decoder:"function"==typeof e.decoder?e.decoder:i.decoder,delimiter:"string"==typeof e.delimiter||r.isRegExp(e.delimiter)?e.delimiter:i.delimiter,depth:"number"==typeof e.depth||!1===e.depth?+e.depth:i.depth,ignoreQueryPrefix:!0===e.ignoreQueryPrefix,interpretNumericEntities:"boolean"==typeof e.interpretNumericEntities?e.interpretNumericEntities:i.interpretNumericEntities,parameterLimit:"number"==typeof e.parameterLimit?e.parameterLimit:i.parameterLimit,parseArrays:!1!==e.parseArrays,plainObjects:"boolean"==typeof e.plainObjects?e.plainObjects:i.plainObjects,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:i.strictNullHandling}}(t);if(""===e||null==e)return n.plainObjects?Object.create(null):{};for(var f="string"==typeof e?function(e,t){var n,s={},f=t.ignoreQueryPrefix?e.replace(/^\?/,""):e,p=t.parameterLimit===1/0?void 0:t.parameterLimit,d=f.split(t.delimiter,p),h=-1,m=t.charset;if(t.charsetSentinel)for(n=0;n<d.length;++n)0===d[n].indexOf("utf8=")&&("utf8=%E2%9C%93"===d[n]?m="utf-8":"utf8=%26%2310003%3B"===d[n]&&(m="iso-8859-1"),h=n,n=d.length);for(n=0;n<d.length;++n)if(n!==h){var g,y,b=d[n],v=b.indexOf("]="),w=-1===v?b.indexOf("="):v+1;-1===w?(g=t.decoder(b,i.decoder,m,"key"),y=t.strictNullHandling?null:""):(g=t.decoder(b.slice(0,w),i.decoder,m,"key"),y=c(u(b.slice(w+1),t),(function(e){return t.decoder(e,i.decoder,m,"value")}))),y&&t.interpretNumericEntities&&"iso-8859-1"===m&&(y=l(y)),b.indexOf("[]=")>-1&&(y=a(y)?[y]:y),o.call(s,g)?s[g]=r.combine(s[g],y):s[g]=y}return s}(e,n):e,p=n.plainObjects?Object.create(null):{},d=Object.keys(f),h=0;h<d.length;++h){var m=d[h],g=s(m,f[m],n,"string"==typeof e);p=r.merge(p,g,n)}return r.compact(p)}},function(e,t,n){var r=n(3),o=n(43);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".redirection .form-table th a{color:#444}.redirection .form-table td ul{padding-left:20px;list-style-type:disc;margin:0;margin-top:15px}.redirection .form-table td li{margin-bottom:0;line-height:1.6}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(45);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'@-webkit-keyframes loading-fade{0%{opacity:0.5}50%{opacity:1}100%{opacity:0.5}}@keyframes loading-fade{0%{opacity:0.5}50%{opacity:1}100%{opacity:0.5}}.placeholder-container{width:100%;height:100px;position:relative}.placeholder-loading{content:"";position:absolute;top:16px;right:8px;bottom:16px;left:8px;padding-left:8px;padding-top:8px;background-color:#bbb;-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.placeholder-inline{width:100%;height:50px;position:relative}.placeholder-inline .placeholder-loading{top:0;right:0;left:0;bottom:0}.loading-small{width:25px;height:25px}input.current-page{width:60px}.loader-wrapper{position:relative}.loader-textarea{height:100px}.wp-list-table .is-placeholder td{position:relative;height:50px}.wp-list-table .item-loading{opacity:0.3}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(47);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.donation .donation-amount{float:left;margin-top:10px}.donation .donation-amount span{font-size:28px;margin-top:4px;vertical-align:bottom}.donation .donation-amount img{width:24px !important;margin-bottom:-5px !important}.donation .donation-amount:after{content:"";display:block;clear:both}.donation input[type="number"]{width:60px;margin-left:10px}.donation td,.donation th{padding-bottom:0;margin-bottom:0}.donation input[type="submit"]{margin-left:10px}.newsletter h3{margin-top:30px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(49);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".github{margin-top:8px}.github a{text-decoration:none}.github img{padding-right:10px;margin-bottom:-10px}.searchregex-help ul{list-style:disc;margin-left:20px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(51);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-popover__toggle{display:inline-block;flex:none !important;cursor:pointer}.redirect-popover__content{box-shadow:0 3px 30px rgba(51,51,51,0.1);border:1px solid #ddd;background:white;min-width:150px;max-height:400px;position:absolute;z-index:10001;height:auto;overflow-y:auto}.redirect-popover__arrows{position:absolute;width:100%}.redirect-popover__arrows::after,.redirect-popover__arrows::before{content:"";box-shadow:0 3px 30px rgba(51,51,51,0.1);position:absolute;height:0;width:0;line-height:0;margin-left:10px}.redirect-popover__arrows::before{border:8px solid #ddd;border-bottom-style:solid;border-left-color:transparent;border-right-color:transparent;border-top:none;top:-8px}.redirect-popover__arrows::after{border:8px solid white;border-bottom-style:solid;border-left-color:transparent;border-right-color:transparent;border-top:none;top:-6px;z-index:10003}.redirect-popover__arrows.redirect-popover__arrows__right::after,.redirect-popover__arrows.redirect-popover__arrows__right::before{right:0;margin-right:10px}.redirect-popover__arrows.redirect-popover__arrows__centre::after,.redirect-popover__arrows.redirect-popover__arrows__centre::before{left:calc(50% - 16px)}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(53);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-badge{display:inline-block;padding:0 5px 0 6px;font-size:12px;background-color:#ddd;border-radius:3px;font-feature-settings:"c2sc";font-variant:small-caps;white-space:nowrap;color:black}.redirect-badge>div{display:flex;align-items:center}.redirect-badge.redirect-badge__click{cursor:pointer;border:1px solid transparent}.redirect-badge.redirect-badge__click:hover{border:1px solid black}.redirect-badge span{background-color:transparent;border:none;width:15px;text-align:center;padding:0;margin-left:4px;font-size:20px;vertical-align:middle;margin-top:-5px;margin-right:-3px}.redirect-badge span:hover{color:white;background-color:#333}.redirect-badge:not(:last-child){margin-right:5px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(55);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-multioption .redirect-popover__content{padding:10px 10px;white-space:nowrap;box-sizing:border-box}.redirect-multioption .redirect-popover__content h4{margin-top:5px}.redirect-multioption .redirect-popover__content h5{margin-top:3px;margin-bottom:6px;text-transform:uppercase;color:#999}.redirect-multioption .redirect-popover__content p{margin:2px 0 0.8em !important}.redirect-multioption .redirect-popover__content p:first-child{margin-top:0}.redirect-multioption .redirect-popover__content p:last-child{margin-bottom:0 !important}.redirect-multioption .redirect-popover__content label{display:inline-block;width:100%}.button.redirect-multioption__button,.redirect-multioption__button{box-sizing:border-box;display:flex;align-items:center;justify-content:space-between;box-shadow:none;height:30px;max-width:500px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;background-color:#fff;border-color:#7e8993;color:#32373c}.button.redirect-multioption__button svg,.redirect-multioption__button svg{margin-left:5px;margin-right:-4px;display:inline-block;fill:#888;border-left:1px solid #ddd;padding-left:5px}.button.redirect-multioption__button h5,.redirect-multioption__button h5{padding:0;margin:0;margin-right:10px;font-size:13px;font-weight:normal}.button.redirect-multioption__button .redirect-badge,.redirect-multioption__button .redirect-badge{line-height:1.3;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.actions .button.redirect-multioption__button{height:28px}.actions .redirect-multioption__button .redirect-badge{margin-top:-1px}.redirect-multioption__button.redirect-multioption__button_enabled{background-color:#fff}.redirect-multioption__button.redirect-multioption__button_enabled svg{transform:rotate(180deg);border-right:1px solid #ddd;border-left:1px solid transparent;padding-right:4px;padding-left:0}.redirect-multioption__group{margin-bottom:20px}.redirect-multioption__group:last-child{margin-bottom:10px}.branch-4-9 .redirect-dropdownbutton .button,.branch-4-9 .button.redirect-multioption__button,.branch-5-0 .redirect-dropdownbutton .button,.branch-5-0 .button.redirect-multioption__button,.branch-5-1 .redirect-dropdownbutton .button,.branch-5-1 .button.redirect-multioption__button,.branch-5-2 .redirect-dropdownbutton .button,.branch-5-2 .button.redirect-multioption__button{border-color:#ddd}.branch-4-9 input[type="search"],.branch-5-0 input[type="search"],.branch-5-1 input[type="search"],.branch-5-2 input[type="search"]{height:30px}.branch-4-9 .redirect-multioption__button .redirect-badge,.branch-4-9 .redirect-multioption,.branch-4-9 .actions .redirect-multioption__button .redirect-badge,.branch-5-0 .redirect-multioption__button .redirect-badge,.branch-5-0 .redirect-multioption,.branch-5-0 .actions .redirect-multioption__button .redirect-badge,.branch-5-1 .redirect-multioption__button .redirect-badge,.branch-5-1 .redirect-multioption,.branch-5-1 .actions .redirect-multioption__button .redirect-badge,.branch-5-2 .redirect-multioption__button .redirect-badge,.branch-5-2 .redirect-multioption,.branch-5-2 .actions .redirect-multioption__button .redirect-badge{margin-top:1px !important}.actions .redirect-popover__content{margin-top:-1px}.redirect-multioption{padding:0 10px}.redirect-multioption p{white-space:nowrap}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(57);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.searchregex-replace__input{display:flex;width:100%;align-items:flex-start}.searchregex-replace__input input[type="text"]{width:100%}.searchregex-replace__input select{margin-left:10px}.searchregex-replace__input textarea{width:100%;margin-left:1px;margin-right:1px;padding:4px 8px}.redirect-popover__content .searchregex-replace__action{display:flex;justify-content:space-between;align-items:center;margin-top:10px;margin-left:10px}.redirect-popover__content .searchregex-replace__action p{color:#999;margin:0}.searchregex-replace__modal{padding:13px 10px;width:450px}.searchregex-replace__modal input[type="text"]{width:75%}.searchregex-replace__modal select{width:25%}.searchregex-replace__modal p.searchregex-replace__actions{text-align:right;margin-bottom:0}.searchregex-replace__modal p.searchregex-replace__actions input{margin-left:10px}.searchregex-replace__modal textarea{width:75%}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(59);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".spinner-container{display:inline-block;position:relative}.css-spinner{position:absolute;left:10px;top:-25px;display:block;width:40px;height:40px;background-color:#333;border-radius:100%;-webkit-animation:sk-scaleout 1.0s infinite ease-in-out;animation:sk-scaleout 1.0s infinite ease-in-out}@-webkit-keyframes sk-scaleout{0%{-webkit-transform:scale(0)}100%{-webkit-transform:scale(1);opacity:0}}@keyframes sk-scaleout{0%{transform:scale(0)}100%{transform:scale(1);opacity:0}}.spinner-small .css-spinner{width:20px;height:20px;top:-15px;left:5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(61);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__replaced,.searchregex-result__highlight{background-color:yellow;font-weight:bold;padding:1px;cursor:pointer}.searchregex-result__replaced{background-color:orange;display:inline}.searchregex-result__deleted{background-color:red;color:white}.searchregex-match{display:flex;align-items:flex-start;justify-content:flex-start;line-height:2}.searchregex-match .searchregex-match__column{margin-right:10px;background-color:#ddd;padding:0 5px;border-radius:3px;margin-bottom:5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(63);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,"body.redirection-modal_shown{overflow:hidden}.redirection-modal_wrapper{width:100%}.redirection-modal_backdrop{width:100%;height:100%;position:fixed;top:0;left:0;z-index:10000;background-color:rgba(255,255,255,0.4)}.redirection-modal_main{position:fixed;top:0;left:0;height:100%;width:100%;z-index:10000;align-items:center;flex-grow:1;display:flex;flex-direction:row;justify-content:center}.redirection-modal_main .redirect-click-outside{min-height:100px;max-width:90%;max-height:90%;min-width:60%}.redirection-modal_main .redirection-modal_content{position:relative;background:#fff;opacity:1;border:1px solid #e2e4e7;box-shadow:0 3px 30px rgba(25,30,35,0.2);transition:height 0.05s ease;min-height:100px;max-width:90%;max-height:90%;min-width:60%;margin:0 auto}.redirection-modal_main .redirection-modal_content h1{margin:0 !important;color:#333 !important}.redirection-modal_main .redirection-modal_close button{position:absolute;top:0;right:0;padding-top:10px;padding-right:10px;border:none;background-color:#fff;border-radius:2px;cursor:pointer;z-index:10001}.redirection-modal_wrapper.redirection-modal_wrapper-padless .redirection-modal_content{padding:20px}.redirection-modal_wrapper-padding .redirection-modal_content{padding:10px}.redirection-modal_error h2{text-align:center}.redirection-modal_loading{display:flex;height:100px}.redirection-modal_loading>*{justify-content:center;align-self:center;margin-left:calc(50% - 30px);margin-top:40px}@media screen and (max-width: 782px){.redirection-modal_main .redirection-modal_content{width:80%;margin-right:10%}}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(65);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-editor{padding:5px}.searchregex-editor textarea{width:100%;min-height:150px;margin-bottom:10px}.searchregex-editor h2{margin-top:0}.searchregex-editor .searchregex-editor__actions{display:flex;justify-content:space-between}.searchregex-editor button.button-primary{margin-right:10px}.searchregex-editor .css-spinner{margin-left:-50px;height:24px;width:24px;margin-top:12px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(67);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__more{font-style:italic}.searchregex-result__updating{-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.searchregex-result__updating .css-spinner{width:24px;height:24px;margin-top:10px}.searchregex-result h2{margin:0;padding:0;margin-bottom:10px;font-weight:normal;font-size:1.2em}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(69);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".tablenav-pages{display:flex;justify-content:space-between;align-items:center;padding:10px}.pagination-links{display:flex;align-items:center}.pagination-links .button{margin:0 2px}.pagination-links .paging-input{margin:0 4px}.pagination-links .tablenav-paging-text{margin:0 5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(71);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__table{width:100px}.searchregex-result__row{width:50px}.searchregex-result__matches{width:70px}.searchregex-result__column{width:100px}.searchregex-result__action{width:200px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(73);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-replaceall{margin-top:50px}.searchregex-replaceall__progress{position:relative}.searchregex-replaceall__status{position:absolute;top:0;left:0;width:100%;text-align:center;font-size:18px;font-weight:bold;margin-top:20px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(75);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.searchregex-loading{opacity:0.8;-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.searchregex-search table{table-layout:fixed;width:100%}.searchregex-search th{text-align:left;width:80px;vertical-align:top;padding-top:5px}.searchregex-search td{width:100%}.searchregex-search .inline-error{margin-top:20px}.searchregex-search__search td{display:flex;justify-content:flex-start;align-items:flex-start}.searchregex-search__search input[type="text"]{width:100%}.searchregex-search__search .redirect-popover__toggle,.searchregex-search__search select{margin-left:10px}.searchregex-search__replace,.searchregex-search__search,.searchregex-search__source{width:100%;margin-bottom:10px}.searchregex-search__replace>label,.searchregex-search__search>label,.searchregex-search__source>label{font-weight:bold;width:60px}.searchregex-search__replace .redirect-popover__toggle button,.searchregex-search__search .redirect-popover__toggle button,.searchregex-search__source .redirect-popover__toggle button{min-width:150px;margin-right:2px}.searchregex-search__replace select,.searchregex-search__search select,.searchregex-search__source select{min-width:150px;margin-right:0}.searchregex-search__source select{margin-right:10px}.searchregex-search__source td{display:flex;align-items:center}.searchregex-search__source__description{margin-left:5px}.searchregex-search__action{margin-top:10px}.searchregex-search__action input.button{margin-right:10px}.searchregex-search__action .css-spinner{width:28px;height:28px;margin-top:10px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(77);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".api-result-retry{float:right;clear:both}.api-result-log{background-color:#ddd;padding:5px 10px;color:#111;margin:10px 0;position:relative}.api-result-log .api-result-method_fail{color:white;background-color:#ff3860;padding:3px 5px;margin-right:5px}.api-result-log .api-result-method_pass{color:white;background-color:#4ab866;padding:3px 5px;width:150px;margin-right:5px}.api-result-log .dashicons{vertical-align:middle;width:26px;height:26px;font-size:26px;padding:0}.api-result-log .dashicons-no{color:#ff3860}.api-result-log .dashicons-yes{color:#4ab866}.api-result-log pre{background-color:#ccc;padding:10px 15px}.api-result-log pre{font-family:'Courier New', Courier, monospace}.api-result-log code{background-color:transparent}.api-result-log h4{margin:0;margin-top:5px;font-size:14px}.api-result-log_details{display:flex}.api-result-log_details>div{width:95%}.api-result-log_details a{color:#111}.api-result-log_details a:hover{font-weight:bold}.api-result-log_details pre{white-space:pre-wrap;white-space:-moz-pre-wrap;white-space:-pre-wrap;white-space:-o-pre-wrap;word-wrap:break-word}.api-result-hide{position:absolute;bottom:25px;right:5%}.api-result-select{position:absolute;right:10px;top:15px}.api-result-select span{background-color:#777;color:white;padding:5px 10px;margin-left:10px}.api-result-header{display:flex;align-items:center}.api-result-header .api-result-progress{margin:0 15px}.api-result-header .css-spinner{width:18px;height:18px;top:-14px}.api-result-header .api-result-status{text-align:center;top:0;left:0;padding:5px 10px;background-color:#ddd;font-weight:bold}.api-result-header .api-result-status_good{background-color:#4ab866;color:white}.api-result-header .api-result-status_problem{background-color:#f0b849}.api-result-header .api-result-status_failed{background-color:#ff3860;color:white}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(79);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".red-error{background:#fff;border-left:4px solid #fff;box-shadow:0 1px 1px 0 rgba(0,0,0,0.1);margin:5px 15px 2px;padding:1px 12px;border-left-color:#dc3232;margin:5px 0 15px;margin-top:2em}.red-error .closer{float:right;padding-top:5px;font-size:18px;cursor:pointer;color:#333}.red-error textarea{font-family:courier,Monaco,monospace;font-size:12px;background-color:#eee;width:100%}.red-error span code{background-color:transparent}.red-error h3{font-size:1.2em}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(81);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".redirection-notice{position:fixed;bottom:25px;right:0;font-weight:bold;box-shadow:3px 3px 3px rgba(0,0,0,0.2);border-top:1px solid #eee;cursor:pointer;transition:width 1s ease-in-out}.redirection-notice p{padding-right:20px}.redirection-notice .closer{position:absolute;right:5px;top:10px;font-size:16px;opacity:0.8}.redirection-notice.notice-shrunk{width:20px}.redirection-notice.notice-shrunk p{font-size:16px}.redirection-notice.notice-shrunk .closer{display:none}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(83);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.subsubsub-container::before,.subsubsub-container::after{content:"";display:table}.subsubsub-container::after{clear:both}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(85);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.wp-core-ui .button-delete{box-shadow:none;text-shadow:none;background-color:#ff3860;border-color:transparent;color:#fff}.wp-core-ui .button-delete:hover{background-color:#ff3860;border-color:transparent;box-shadow:none;text-shadow:none}.inline-notice{background:#fff;border-left:4px solid #fff;box-shadow:0 1px 1px 0 rgba(0,0,0,0.1);margin:5px 15px 2px;padding:5px 12px;margin:5px 0 15px;border-left-color:#ffb900}.inline-notice.inline-general{border-left-color:#46b450}.inline-error{border-color:red}.addTop{margin-top:20px}@media screen and (max-width: 782px){.newsletter form input[type="email"]{display:block;width:100%;margin:5px 0}.import select{width:100%;margin:5px 0}.plugin-importer button{width:100%}p.search-box input[name="s"]{margin-top:20px}}.module-export{border:1px solid #ddd;padding:5px;font-family:courier,Monaco,monospace;margin-top:15px;width:100%;background-color:white !important}.redirect-edit .table-actions{margin-left:1px;margin-top:2px;display:flex;align-items:center;justify-content:flex-start}.redirect-edit .table-actions .redirection-edit_advanced{text-decoration:none;font-size:16px}.redirect-edit .table-actions .redirection-edit_advanced svg{padding-top:2px}.error{padding-bottom:10px !important}.notice{display:block !important}.database-switch{float:right}.database-switch a{color:#444;text-decoration:none}.database-switch a:hover{text-decoration:underline}\n',""]),e.exports=t},function(e,t,n){"use strict";n.r(t);var r=n(17),o=n.n(r),a="URLSearchParams"in self,i="Symbol"in self&&"iterator"in Symbol,l="FileReader"in self&&"Blob"in self&&function(){try{return new Blob,!0}catch(e){return!1}}(),u="FormData"in self,c="ArrayBuffer"in self;if(c)var s=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],f=ArrayBuffer.isView||function(e){return e&&s.indexOf(Object.prototype.toString.call(e))>-1};function p(e){if("string"!=typeof e&&(e=String(e)),/[^a-z0-9\-#$%&'*+.^_`|~]/i.test(e))throw new TypeError("Invalid character in header field name");return e.toLowerCase()}function d(e){return"string"!=typeof e&&(e=String(e)),e}function h(e){var t={next:function(){var t=e.shift();return{done:void 0===t,value:t}}};return i&&(t[Symbol.iterator]=function(){return t}),t}function m(e){this.map={},e instanceof m?e.forEach((function(e,t){this.append(t,e)}),this):Array.isArray(e)?e.forEach((function(e){this.append(e[0],e[1])}),this):e&&Object.getOwnPropertyNames(e).forEach((function(t){this.append(t,e[t])}),this)}function g(e){if(e.bodyUsed)return Promise.reject(new TypeError("Already read"));e.bodyUsed=!0}function y(e){return new Promise((function(t,n){e.onload=function(){t(e.result)},e.onerror=function(){n(e.error)}}))}function b(e){var t=new FileReader,n=y(t);return t.readAsArrayBuffer(e),n}function v(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function w(){return this.bodyUsed=!1,this._initBody=function(e){var t;this._bodyInit=e,e?"string"==typeof e?this._bodyText=e:l&&Blob.prototype.isPrototypeOf(e)?this._bodyBlob=e:u&&FormData.prototype.isPrototypeOf(e)?this._bodyFormData=e:a&&URLSearchParams.prototype.isPrototypeOf(e)?this._bodyText=e.toString():c&&l&&((t=e)&&DataView.prototype.isPrototypeOf(t))?(this._bodyArrayBuffer=v(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):c&&(ArrayBuffer.prototype.isPrototypeOf(e)||f(e))?this._bodyArrayBuffer=v(e):this._bodyText=e=Object.prototype.toString.call(e):this._bodyText="",this.headers.get("content-type")||("string"==typeof e?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):a&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},l&&(this.blob=function(){var e=g(this);if(e)return e;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))},this.arrayBuffer=function(){return this._bodyArrayBuffer?g(this)||Promise.resolve(this._bodyArrayBuffer):this.blob().then(b)}),this.text=function(){var e,t,n,r=g(this);if(r)return r;if(this._bodyBlob)return e=this._bodyBlob,t=new FileReader,n=y(t),t.readAsText(e),n;if(this._bodyArrayBuffer)return Promise.resolve(function(e){for(var t=new Uint8Array(e),n=new Array(t.length),r=0;r<t.length;r++)n[r]=String.fromCharCode(t[r]);return n.join("")}(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},u&&(this.formData=function(){return this.text().then(_)}),this.json=function(){return this.text().then(JSON.parse)},this}m.prototype.append=function(e,t){e=p(e),t=d(t);var n=this.map[e];this.map[e]=n?n+", "+t:t},m.prototype.delete=function(e){delete this.map[p(e)]},m.prototype.get=function(e){return e=p(e),this.has(e)?this.map[e]:null},m.prototype.has=function(e){return this.map.hasOwnProperty(p(e))},m.prototype.set=function(e,t){this.map[p(e)]=d(t)},m.prototype.forEach=function(e,t){for(var n in this.map)this.map.hasOwnProperty(n)&&e.call(t,this.map[n],n,this)},m.prototype.keys=function(){var e=[];return this.forEach((function(t,n){e.push(n)})),h(e)},m.prototype.values=function(){var e=[];return this.forEach((function(t){e.push(t)})),h(e)},m.prototype.entries=function(){var e=[];return this.forEach((function(t,n){e.push([n,t])})),h(e)},i&&(m.prototype[Symbol.iterator]=m.prototype.entries);var E=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];function x(e,t){var n,r,o=(t=t||{}).body;if(e instanceof x){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new m(e.headers)),this.method=e.method,this.mode=e.mode,this.signal=e.signal,o||null==e._bodyInit||(o=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"same-origin",!t.headers&&this.headers||(this.headers=new m(t.headers)),this.method=(n=t.method||this.method||"GET",r=n.toUpperCase(),E.indexOf(r)>-1?r:n),this.mode=t.mode||this.mode||null,this.signal=t.signal||this.signal,this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&o)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(o)}function _(e){var t=new FormData;return e.trim().split("&").forEach((function(e){if(e){var n=e.split("="),r=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");t.append(decodeURIComponent(r),decodeURIComponent(o))}})),t}function S(e,t){t||(t={}),this.type="default",this.status=void 0===t.status?200:t.status,this.ok=this.status>=200&&this.status<300,this.statusText="statusText"in t?t.statusText:"OK",this.headers=new m(t.headers),this.url=t.url||"",this._initBody(e)}x.prototype.clone=function(){return new x(this,{body:this._bodyInit})},w.call(x.prototype),w.call(S.prototype),S.prototype.clone=function(){return new S(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new m(this.headers),url:this.url})},S.error=function(){var e=new S(null,{status:0,statusText:""});return e.type="error",e};var O=[301,302,303,307,308];S.redirect=function(e,t){if(-1===O.indexOf(t))throw new RangeError("Invalid status code");return new S(null,{status:t,headers:{location:e}})};var k=self.DOMException;try{new k}catch(e){(k=function(e,t){this.message=e,this.name=t;var n=Error(e);this.stack=n.stack}).prototype=Object.create(Error.prototype),k.prototype.constructor=k}function P(e,t){return new Promise((function(n,r){var o=new x(e,t);if(o.signal&&o.signal.aborted)return r(new k("Aborted","AbortError"));var a=new XMLHttpRequest;function i(){a.abort()}a.onload=function(){var e,t,r={status:a.status,statusText:a.statusText,headers:(e=a.getAllResponseHeaders()||"",t=new m,e.replace(/\r?\n[\t ]+/g," ").split(/\r?\n/).forEach((function(e){var n=e.split(":"),r=n.shift().trim();if(r){var o=n.join(":").trim();t.append(r,o)}})),t)};r.url="responseURL"in a?a.responseURL:r.headers.get("X-Request-URL");var o="response"in a?a.response:a.responseText;n(new S(o,r))},a.onerror=function(){r(new TypeError("Network request failed"))},a.ontimeout=function(){r(new TypeError("Network request failed"))},a.onabort=function(){r(new k("Aborted","AbortError"))},a.open(o.method,o.url,!0),"include"===o.credentials?a.withCredentials=!0:"omit"===o.credentials&&(a.withCredentials=!1),"responseType"in a&&l&&(a.responseType="blob"),o.headers.forEach((function(e,t){a.setRequestHeader(t,e)})),o.signal&&(o.signal.addEventListener("abort",i),a.onreadystatechange=function(){4===a.readyState&&o.signal.removeEventListener("abort",i)}),a.send(void 0===o._bodyInit?null:o._bodyInit)}))}P.polyfill=!0,self.fetch||(self.fetch=P,self.Headers=m,self.Request=x,self.Response=S),!window.Promise&&(window.Promise=o.a),Array.from||(Array.from=function(e){return[].slice.call(e)}),"function"!=typeof Object.assign&&(Object.assign=function(e){if(null==e)throw new TypeError("Cannot convert undefined or null to object");for(var t=Object(e),n=1;n<arguments.length;n++){var r=arguments[n];if(null!=r)for(var o in r)r.hasOwnProperty(o)&&(t[o]=r[o])}return t}),Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(e){if(null==this)throw new TypeError('"this" is null or not defined');var t=Object(this),n=t.length>>>0;if("function"!=typeof e)throw new TypeError("predicate must be a function");for(var r=arguments[1],o=0;o<n;){var a=t[o];if(e.call(r,a,o,t))return a;o++}}});var T=n(0),j=n.n(T),C=n(6),R=n.n(C),N=n(1),A=n.n(N),I=n(2),D=n.n(I),L=j.a.createContext(null);var F=function(e){e()},M={notify:function(){}};function z(){var e=F,t=null,n=null;return{clear:function(){t=null,n=null},notify:function(){e((function(){for(var e=t;e;)e.callback(),e=e.next}))},get:function(){for(var e=[],n=t;n;)e.push(n),n=n.next;return e},subscribe:function(e){var r=!0,o=n={callback:e,next:null,prev:n};return o.prev?o.prev.next=o:t=o,function(){r&&null!==t&&(r=!1,o.next?o.next.prev=o.prev:n=o.prev,o.prev?o.prev.next=o.next:t=o.next)}}}}var U=function(){function e(e,t){this.store=e,this.parentSub=t,this.unsubscribe=null,this.listeners=M,this.handleChangeWrapper=this.handleChangeWrapper.bind(this)}var t=e.prototype;return t.addNestedSub=function(e){return this.trySubscribe(),this.listeners.subscribe(e)},t.notifyNestedSubs=function(){this.listeners.notify()},t.handleChangeWrapper=function(){this.onStateChange&&this.onStateChange()},t.isSubscribed=function(){return Boolean(this.unsubscribe)},t.trySubscribe=function(){this.unsubscribe||(this.unsubscribe=this.parentSub?this.parentSub.addNestedSub(this.handleChangeWrapper):this.store.subscribe(this.handleChangeWrapper),this.listeners=z())},t.tryUnsubscribe=function(){this.unsubscribe&&(this.unsubscribe(),this.unsubscribe=null,this.listeners.clear(),this.listeners=M)},e}();var H=function(e){var t=e.store,n=e.context,r=e.children,o=Object(T.useMemo)((function(){var e=new U(t);return e.onStateChange=e.notifyNestedSubs,{store:t,subscription:e}}),[t]),a=Object(T.useMemo)((function(){return t.getState()}),[t]);Object(T.useEffect)((function(){var e=o.subscription;return e.trySubscribe(),a!==t.getState()&&e.notifyNestedSubs(),function(){e.tryUnsubscribe(),e.onStateChange=null}}),[o,a]);var i=n||L;return j.a.createElement(i.Provider,{value:o},r)};function W(){return(W=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function B(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}var $=n(11),V=n.n($),q=n(10),Q="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement?T.useLayoutEffect:T.useEffect,G=[],K=[null,null];function Y(e,t){var n=e[1];return[t.payload,n+1]}function X(e,t,n){Q((function(){return e.apply(void 0,t)}),n)}function J(e,t,n,r,o,a,i){e.current=r,t.current=o,n.current=!1,a.current&&(a.current=null,i())}function Z(e,t,n,r,o,a,i,l,u,c){if(e){var s=!1,f=null,p=function(){if(!s){var e,n,p=t.getState();try{e=r(p,o.current)}catch(e){n=e,f=e}n||(f=null),e===a.current?i.current||u():(a.current=e,l.current=e,i.current=!0,c({type:"STORE_UPDATED",payload:{error:n}}))}};n.onStateChange=p,n.trySubscribe(),p();return function(){if(s=!0,n.tryUnsubscribe(),n.onStateChange=null,f)throw f}}}var ee=function(){return[null,0]};function te(e,t){void 0===t&&(t={});var n=t,r=n.getDisplayName,o=void 0===r?function(e){return"ConnectAdvanced("+e+")"}:r,a=n.methodName,i=void 0===a?"connectAdvanced":a,l=n.renderCountProp,u=void 0===l?void 0:l,c=n.shouldHandleStateChanges,s=void 0===c||c,f=n.storeKey,p=void 0===f?"store":f,d=(n.withRef,n.forwardRef),h=void 0!==d&&d,m=n.context,g=void 0===m?L:m,y=B(n,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef","forwardRef","context"]),b=g;return function(t){var n=t.displayName||t.name||"Component",r=o(n),a=W({},y,{getDisplayName:o,methodName:i,renderCountProp:u,shouldHandleStateChanges:s,storeKey:p,displayName:r,wrappedComponentName:n,WrappedComponent:t}),l=y.pure;var c=l?T.useMemo:function(e){return e()};function f(n){var r=Object(T.useMemo)((function(){var e=n.forwardedRef,t=B(n,["forwardedRef"]);return[n.context,e,t]}),[n]),o=r[0],i=r[1],l=r[2],u=Object(T.useMemo)((function(){return o&&o.Consumer&&Object(q.isContextConsumer)(j.a.createElement(o.Consumer,null))?o:b}),[o,b]),f=Object(T.useContext)(u),p=Boolean(n.store)&&Boolean(n.store.getState)&&Boolean(n.store.dispatch);Boolean(f)&&Boolean(f.store);var d=p?n.store:f.store,h=Object(T.useMemo)((function(){return function(t){return e(t.dispatch,a)}(d)}),[d]),m=Object(T.useMemo)((function(){if(!s)return K;var e=new U(d,p?null:f.subscription),t=e.notifyNestedSubs.bind(e);return[e,t]}),[d,p,f]),g=m[0],y=m[1],v=Object(T.useMemo)((function(){return p?f:W({},f,{subscription:g})}),[p,f,g]),w=Object(T.useReducer)(Y,G,ee),E=w[0][0],x=w[1];if(E&&E.error)throw E.error;var _=Object(T.useRef)(),S=Object(T.useRef)(l),O=Object(T.useRef)(),k=Object(T.useRef)(!1),P=c((function(){return O.current&&l===S.current?O.current:h(d.getState(),l)}),[d,E,l]);X(J,[S,_,k,l,P,O,y]),X(Z,[s,d,g,h,S,_,k,O,y,x],[d,g,h]);var C=Object(T.useMemo)((function(){return j.a.createElement(t,W({},P,{ref:i}))}),[i,t,P]);return Object(T.useMemo)((function(){return s?j.a.createElement(u.Provider,{value:v},C):C}),[u,C,v])}var d=l?j.a.memo(f):f;if(d.WrappedComponent=t,d.displayName=r,h){var m=j.a.forwardRef((function(e,t){return j.a.createElement(d,W({},e,{forwardedRef:t}))}));return m.displayName=r,m.WrappedComponent=t,V()(m,t)}return V()(d,t)}}function ne(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!=e&&t!=t}function re(e,t){if(ne(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(var o=0;o<n.length;o++)if(!Object.prototype.hasOwnProperty.call(t,n[o])||!ne(e[n[o]],t[n[o]]))return!1;return!0}var oe=n(7);function ae(e){return function(t,n){var r=e(t,n);function o(){return r}return o.dependsOnOwnProps=!1,o}}function ie(e){return null!==e.dependsOnOwnProps&&void 0!==e.dependsOnOwnProps?Boolean(e.dependsOnOwnProps):1!==e.length}function le(e,t){return function(t,n){n.displayName;var r=function(e,t){return r.dependsOnOwnProps?r.mapToProps(e,t):r.mapToProps(e)};return r.dependsOnOwnProps=!0,r.mapToProps=function(t,n){r.mapToProps=e,r.dependsOnOwnProps=ie(e);var o=r(t,n);return"function"==typeof o&&(r.mapToProps=o,r.dependsOnOwnProps=ie(o),o=r(t,n)),o},r}}var ue=[function(e){return"function"==typeof e?le(e):void 0},function(e){return e?void 0:ae((function(e){return{dispatch:e}}))},function(e){return e&&"object"==typeof e?ae((function(t){return Object(oe.bindActionCreators)(e,t)})):void 0}];var ce=[function(e){return"function"==typeof e?le(e):void 0},function(e){return e?void 0:ae((function(){return{}}))}];function se(e,t,n){return W({},n,{},e,{},t)}var fe=[function(e){return"function"==typeof e?function(e){return function(t,n){n.displayName;var r,o=n.pure,a=n.areMergedPropsEqual,i=!1;return function(t,n,l){var u=e(t,n,l);return i?o&&a(u,r)||(r=u):(i=!0,r=u),r}}}(e):void 0},function(e){return e?void 0:function(){return se}}];function pe(e,t,n,r){return function(o,a){return n(e(o,a),t(r,a),a)}}function de(e,t,n,r,o){var a,i,l,u,c,s=o.areStatesEqual,f=o.areOwnPropsEqual,p=o.areStatePropsEqual,d=!1;function h(o,d){var h,m,g=!f(d,i),y=!s(o,a);return a=o,i=d,g&&y?(l=e(a,i),t.dependsOnOwnProps&&(u=t(r,i)),c=n(l,u,i)):g?(e.dependsOnOwnProps&&(l=e(a,i)),t.dependsOnOwnProps&&(u=t(r,i)),c=n(l,u,i)):y?(h=e(a,i),m=!p(h,l),l=h,m&&(c=n(l,u,i)),c):c}return function(o,s){return d?h(o,s):(l=e(a=o,i=s),u=t(r,i),c=n(l,u,i),d=!0,c)}}function he(e,t){var n=t.initMapStateToProps,r=t.initMapDispatchToProps,o=t.initMergeProps,a=B(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),i=n(e,a),l=r(e,a),u=o(e,a);return(a.pure?de:pe)(i,l,u,e,a)}function me(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function ge(e,t){return e===t}function ye(e){var t=void 0===e?{}:e,n=t.connectHOC,r=void 0===n?te:n,o=t.mapStateToPropsFactories,a=void 0===o?ce:o,i=t.mapDispatchToPropsFactories,l=void 0===i?ue:i,u=t.mergePropsFactories,c=void 0===u?fe:u,s=t.selectorFactory,f=void 0===s?he:s;return function(e,t,n,o){void 0===o&&(o={});var i=o,u=i.pure,s=void 0===u||u,p=i.areStatesEqual,d=void 0===p?ge:p,h=i.areOwnPropsEqual,m=void 0===h?re:h,g=i.areStatePropsEqual,y=void 0===g?re:g,b=i.areMergedPropsEqual,v=void 0===b?re:b,w=B(i,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),E=me(e,a,"mapStateToProps"),x=me(t,l,"mapDispatchToProps"),_=me(n,c,"mergeProps");return r(f,W({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:E,initMapDispatchToProps:x,initMergeProps:_,pure:s,areStatesEqual:d,areOwnPropsEqual:m,areStatePropsEqual:y,areMergedPropsEqual:v},w))}}var be=ye();var ve;ve=C.unstable_batchedUpdates,F=ve;var we=n(19);function Ee(e){return function(t){var n=t.dispatch,r=t.getState;return function(t){return function(o){return"function"==typeof o?o(n,r,e):t(o)}}}}var xe=Ee();xe.withExtraArgument=Ee;var _e=xe,Se="STATUS_IN_PROGRESS",Oe="STATUS_COMPLETE";function ke(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Pe(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?ke(Object(n),!0).forEach((function(t){Te(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):ke(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Te(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function je(e,t,n,r){var o=e[t]?Pe({},e[t]):[];return o[n]=r,Te({},t,o)}var Ce="SEARCH_FAIL";function Re(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Ne(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Re(Object(n),!0).forEach((function(t){Ae(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Re(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Ae(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Ie(e,t){return e.search.searchFlags.regex?function(e,t){var n,r,o,a,i="forward"===e.searchDirection?e.results.concat(t.results):t.results.concat(e.results),l=function(e,t,n){return"forward"===n&&!1===e.progress.next||"backward"===n&&!1===e.progress.previous||t.length>=e.perPage}(t,i,e.searchDirection)?Oe:e.status;return Ne(Ne({},e),{},{status:l,results:i,requestCount:e.requestCount+1,progress:(n=e.progress,r=t.progress,o=e.searchDirection,a=0===e.requestCount,Ne(Ne({},n),{},{current:r.current,next:"forward"===o||a?r.next:n.next,previous:"backward"===o||a?r.previous:n.previous,rows:(n.rows?n.rows:0)+r.rows})),totals:Ne(Ne({},e.totals),t.totals),canCancel:l!==Oe,showLoading:l!==Oe})}(e,t):function(e,t){return Ne(Ne({},e),{},{status:Oe,results:t.results,progress:t.progress,totals:t.totals?Ne(Ne({},e.totals),t.totals):e.totals,canCancel:!1,showLoading:!1})}(e,t)}var De=function(){return Ne(Ne({},Le()),{},{results:[],totals:{},progress:{},status:null})},Le=function(){return{requestCount:0,searchedPhrase:"",replaceCount:0,phraseCount:0,status:Oe,replacing:[],replaceAll:!1,row:null,canCancel:!1,showLoading:!1}};function Fe(e,t){var n=t.results.rows+e.replaceCount,r=t.totals.matched_rows?t.totals.matched_rows:t.totals.rows?t.totals.rows:e.totals.rows;return!1===t.progress.next||n>=r||e.totals.matched_rows>0&&n>=e.totals.matched_rows}var Me=function(e){return e.status===Oe||null===e.status};function ze(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Ue(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?ze(Object(n),!0).forEach((function(t){He(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):ze(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function He(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var We=function(e,t){return e.slice(0).concat([t])},Be=function(e,t){return e.slice(0).concat([t])},$e=function(e){return Math.max(0,e.inProgress-1)},Ve={SETTING_SAVED:Object(N.translate)("Settings saved"),SEARCH_DELETE_COMPLETE:Object(N.translate)("Row deleted"),SEARCH_REPLACE_COMPLETE:Object(N.translate)("Row replaced"),SEARCH_SAVE_ROW_COMPLETE:Object(N.translate)("Row updated")};var qe=Object(oe.combineReducers)({settings:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case"SETTING_API_TRY":return Pe(Pe({},e),{},{apiTest:Pe(Pe({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"loading"}))});case"SETTING_API_SUCCESS":return Pe(Pe({},e),{},{apiTest:Pe(Pe({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"ok"}))});case"SETTING_API_FAILED":return Pe(Pe({},e),{},{apiTest:Pe(Pe({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"fail",error:t.error}))});case"SETTING_LOAD_START":return Pe(Pe({},e),{},{loadStatus:Se});case"SETTING_LOAD_SUCCESS":return Pe(Pe({},e),{},{loadStatus:Oe,values:t.values});case"SETTING_LOAD_FAILED":return Pe(Pe({},e),{},{loadStatus:"STATUS_FAILED",error:t.error});case"SETTING_SAVING":return Pe(Pe({},e),{},{saveStatus:Se,warning:!1});case"SETTING_SAVED":return Pe(Pe({},e),{},{saveStatus:Oe,values:t.values,warning:!!t.warning&&t.warning});case"SETTING_SAVE_FAILED":return Pe(Pe({},e),{},{saveStatus:"STATUS_FAILED",error:t.error});case"SETTING_LOAD_STATUS":return Pe(Pe({},e),{},{pluginStatus:t.pluginStatus})}return e},search:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case"SEARCH_VALUES":return Ne(Ne({},e),{},{search:Ne(Ne({},e.search),t.searchValue),results:void 0!==t.searchValue.replacement?e.results:[],status:void 0!==t.searchValue.replacement?e.status:null});case"SEARCH_CANCEL":return t.clearAll?Ne(Ne({},e),De()):Ne(Ne({},e),Le());case"SEARCH_START_FRESH":return Ne(Ne({},e),{},{requestCount:0,status:Se,totals:0===t.page?[]:e.totals,progress:0===t.page?[]:e.progress,results:[],searchDirection:t.searchDirection,searchedPhrase:t.replacement,showLoading:!0});case"SEARCH_START_MORE":return Me(e)?e:Ne(Ne({},e),{},{canCancel:!0,showLoading:!0});case"SEARCH_COMPLETE":return Me(e)?e:Ie(e,t);case"SEARCH_REPLACE_COMPLETE":return Me(e)?e:Ne(Ne({},Ie(Ne(Ne({},e),{},{results:[]}),t)),{},{replacing:e.replacing.filter((function(e){return e!==t.rowId}))});case"SEARCH_REPLACE_ALL":return Ne(Ne(Ne({},e),De()),{},{replaceAll:!0,status:Se,canCancel:!0});case"SEARCH_REPLACE_ALL_COMPLETE":return Me(e)?e:Ne(Ne({},e),{},{replaceCount:t.results.rows+e.replaceCount,phraseCount:t.results.phrases+e.phraseCount,requestCount:!1===t.progress.next?0:e.requestCount+1,progress:t.progress,totals:Ne(Ne({},e.totals),t.totals),status:Fe(e,t)?Oe:Se});case"SEARCH_SAVE_ROW_COMPLETE":return Ne(Ne({},e),{},{status:Oe,replacing:e.replacing.filter((function(e){return e!==t.rowId})),results:e.results.map((function(e){return e.row_id===t.result.row_id?t.result:e})),rawData:null});case"SEARCH_LOAD_ROW_COMPLETE":return Ne(Ne({},e),{},{replacing:e.replacing.filter((function(e){return e!==t.rowId})),status:Oe,rawData:t.row});case"SEARCH_REPLACE_ROW":return Ne(Ne({},e),{},{replacing:e.replacing.concat(t.rowId),status:Se,rawData:null});case Ce:return Ne(Ne(Ne({},e),Le()),{},{status:"STATUS_FAILED"});case"SEARCH_DELETE_COMPLETE":return Ne(Ne({},e),{},{results:e.results.filter((function(e){return e.row_id!==t.rowId})),replacing:e.replacing.filter((function(e){return e!==t.rowId})),status:Oe})}return e},message:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case Ce:case"SETTING_LOAD_FAILED":case"SETTING_SAVE_FAILED":var n=We(e.errors,t.error);return console.error(t.error.message),Ue(Ue({},e),{},{errors:n,inProgress:$e(e)});case"SEARCH_REPLACE_ROW":case"SETTING_SAVING":return Ue(Ue({},e),{},{inProgress:e.inProgress+1});case"SEARCH_REPLACE_COMPLETE":case"SEARCH_DELETE_COMPLETE":case"SEARCH_SAVE_ROW_COMPLETE":case"SETTING_SAVED":return Ue(Ue({},e),{},{notices:Be(e.notices,Ve[t.type]),inProgress:$e(e)});case"MESSAGE_CLEAR_NOTICES":return Ue(Ue({},e),{},{notices:[]});case"MESSAGE_CLEAR_ERRORS":return Ue(Ue({},e),{},{errors:[]})}return e}}),Qe=n(8),Ge=n.n(Qe),Ke=["search","options","support"];function Ye(e,t){var n=function(e,t,n){var r=Xe(n);for(var o in e)e[o]&&t[o]!==e[o]?r[o.toLowerCase()]=e[o]:t[o]===e[o]&&delete r[o.toLowerCase()];return"?"+Qe.stringify(r)}(e,t);document.location.search!==n&&history.pushState({},null,n)}function Xe(e){return Qe.parse(e?e.slice(1):document.location.search.slice(1))}function Je(e){var t=Xe(e);return-1!==Ke.indexOf(t.sub)?t.sub:"search"}var Ze=Object(we.composeWithDevTools)({name:"Search Regex"}),et=[_e,function(){return function(e){return function(t){switch(t.type){case"SEARCH_START_FRESH":!function(e){Ye({searchPhrase:e.searchPhrase,searchFlags:e.searchFlags,source:e.source,sourceFlags:e.sourceFlags,perPage:e.perPage},{searchPhrase:"",searchFlags:[],source:[],sourceFlags:[],perPage:25,sub:"search"})}(t)}return e(t)}}}];function tt(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=Object(oe.createStore)(qe,e,Ze(oe.applyMiddleware.apply(void 0,et)));return t}function nt(){var e=SearchRegexi10n&&SearchRegexi10n.preload&&SearchRegexi10n.preload.pluginStatus?SearchRegexi10n.preload.pluginStatus:[];return{loadStatus:Se,saveStatus:!1,error:!1,pluginStatus:e,apiTest:{},database:SearchRegexi10n.database?SearchRegexi10n.database:{},values:SearchRegexi10n.settings?SearchRegexi10n.settings:{},api:SearchRegexi10n.api?SearchRegexi10n.api:[],warning:!1}}var rt=function(){return[{value:"regex",label:Object(N.translate)("Regular Expression")},{value:"case",label:Object(N.translate)("Ignore Case")}]},ot=function(){return[{value:25,label:Object(N.translate)("25 per page ")},{value:50,label:Object(N.translate)("50 per page ")},{value:100,label:Object(N.translate)("100 per page")},{value:250,label:Object(N.translate)("250 per page")},{value:500,label:Object(N.translate)("500 per page")}]};function at(e,t,n){return t.find((function(t){return t.value===e||t.name===e}))?e:n}function it(e,t){return e.filter((function(e){return at(e,t,!1)}))}function lt(e,t,n){return t[e[0]]?n.filter((function(n){return void 0!==t[e[0]][n]})):[]}function ut(e){for(var t={},n=0;n<e.length;n++)t[e[n]]=!0;return t}function ct(e){var t,n,r=e.searchPhrase,o=e.searchFlags,a=e.sourceFlags,i=e.replacement,l=e.perPage,u=(t=SearchRegexi10n.preload.sources,n=e.source.length>0?e.source[0]:[],t.map((function(e){return at(n,e.sources)})).filter((function(e){return e})));return{searchPhrase:r,searchFlags:ut(it(o,rt())),source:u,sourceFlags:ut(lt(u,SearchRegexi10n.preload.source_flags,a)),replacement:i,perPage:at(parseInt(l,10),ot(),25)}}function st(e){return(st="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ft(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function pt(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?ft(Object(n),!0).forEach((function(t){dt(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):ft(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function dt(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var ht=function(e){return Object.keys(e).filter((function(t){return e[t]||0===e[t]||!1===e[t]})).reduce((function(t,n){return t[n]=e[n],t}),{})},mt=function(){return SearchRegexi10n.api&&SearchRegexi10n.api.WP_API_root?SearchRegexi10n.api.WP_API_root:"/wp-json/"},gt=function(){return SearchRegexi10n.api.WP_API_nonce},yt=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=mt()+"search-regex/v1/"+e+"/";if(t._wpnonce=gt(),t&&Object.keys(t).length>0&&(t=ht(t),Object.keys(t).length>0)){var r=n+(-1===mt().indexOf("?")?"?":"&")+Ge.a.stringify(t);return r}return n},bt=function(){return new Headers({Accept:"application/json, */*;q=0.1"})},vt=function(){return new Headers({"Content-Type":"application/json; charset=utf-8"})},wt=function(e){return{url:e,credentials:"same-origin"}},Et=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return pt(pt({headers:bt()},wt(yt(e,t))),{},{method:"get"})},xt=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r=pt(pt({headers:vt()},wt(yt(e,n))),{},{method:"post",params:t});return r.body="{}",Object.keys(t).length>0&&(r.body=JSON.stringify(t)),r},_t={get:function(){return Et("setting")},update:function(e){return xt("setting",e)}},St={get:function(e){return Et("search",e)},replace:function(e){return xt("replace",e)}},Ot={deleteRow:function(e,t){return xt("source/".concat(e,"/").concat(t,"/delete"))},loadRow:function(e,t){return Et("source/".concat(e,"/").concat(t))},saveRow:function(e,t,n){return xt("source/".concat(e,"/").concat(t),n)}},kt={checkApi:function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=t?xt("plugin/test",{test:"ping"}):Et("plugin/test");return n.url=n.url.replace(mt(),e).replace(/[\?&]_wpnonce=[a-f0-9]*/,""),n.url+=(-1===n.url.indexOf("?")?"?":"&")+"_wpnonce="+gt(),n}},Pt=function(e){return 0===e?"Admin AJAX returned 0":e.message?e.message:(console.error(e),"Unknown error "+("object"===st(e)?Object.keys(e):e))},Tt=function(e){return e.error_code?e.error_code:e.data&&e.data.error_code?e.data.error_code:0===e?"admin-ajax":e.code?e.code:"unknown"},jt=function(e){return e.action=function(e){return e.url.replace(mt(),"").replace(/[\?&]_wpnonce=[a-f0-9]*/,"")+" "+e.method.toUpperCase()}(e),fetch(e.url,e).then((function(t){if(!t||!t.status)throw{message:"No data or status object returned in request",code:0};var n;return t.status&&void 0!==t.statusText&&(e.status=t.status,e.statusText=t.statusText),t.headers.get("x-wp-nonce")&&(n=t.headers.get("x-wp-nonce"),SearchRegexi10n.api.WP_API_nonce=n),t.text()})).then((function(t){e.raw=t;try{var n=JSON.parse(t.replace(/\ufeff/,""));if(e.status&&200!==e.status)throw{message:Pt(n),code:Tt(n),request:e,data:n.data?n.data:null};if(0===n)throw{message:"Failed to get data",code:"json-zero"};return n}catch(t){throw t.request=e,t.code=t.code||t.name,t}}))},Ct=(n(42),function(e){var t=e.title,n=e.url,r=void 0!==n&&n;return j.a.createElement("tr",null,j.a.createElement("th",null,!r&&t,r&&j.a.createElement("a",{href:r,target:"_blank"},t)),j.a.createElement("td",null,e.children))}),Rt=function(e){return j.a.createElement("table",{className:"form-table"},j.a.createElement("tbody",null,e.children))};function Nt(e){return(Nt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var At=function e(t){var n=t.value,r=t.label;return"object"===Nt(n)?j.a.createElement("optgroup",{label:r},n.map((function(t,n){return j.a.createElement(e,{label:t.label,value:t.value,key:n})}))):j.a.createElement("option",{value:n},r)},It=function(e){var t=e.items,n=e.value,r=e.name,o=e.onChange,a=e.isEnabled,i=void 0===a||a;return j.a.createElement("select",{name:r,value:n,onChange:o,disabled:!i},t.map((function(e,t){return j.a.createElement(At,{value:e.value,label:e.label,key:t})})))};function Dt(e){return(Dt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Lt(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Ft(e,t){return(Ft=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Mt(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Ht(e);if(t){var o=Ht(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return zt(this,n)}}function zt(e,t){return!t||"object"!==Dt(t)&&"function"!=typeof t?Ut(e):t}function Ut(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Ht(e){return(Ht=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Wt(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Bt=function(){return[{value:0,label:Object(N.translate)("Default REST API")},{value:1,label:Object(N.translate)("Raw REST API")},{value:3,label:Object(N.translate)("Relative REST API")}]},$t=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ft(e,t)}(a,e);var t,n,r,o=Mt(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Wt(Ut(t=o.call(this,e)),"onChange",(function(e){var n=e.target,r="checkbox"===n.type?n.checked:n.value;t.setState(Wt({},n.name,r))})),Wt(Ut(t),"onSubmit",(function(e){e.preventDefault(),t.props.onSaveSettings(t.state)})),t.state=e.values,t}return t=a,(n=[{key:"render",value:function(){var e=this.props.saveStatus;return j.a.createElement("form",{onSubmit:this.onSubmit},j.a.createElement(Rt,null,j.a.createElement(Ct,{title:""},j.a.createElement("label",null,j.a.createElement("input",{type:"checkbox",checked:this.state.support,name:"support",onChange:this.onChange}),j.a.createElement("span",{className:"sub"},Object(N.translate)("I'm a nice person and I have helped support the author of this plugin")))),j.a.createElement(Ct,{title:Object(N.translate)("REST API")},j.a.createElement(It,{items:Bt(),name:"rest_api",value:parseInt(this.state.rest_api,10),onChange:this.onChange})," ",j.a.createElement("span",{className:"sub"},Object(N.translate)("How Search Regex uses the REST API - don't change unless necessary")))),j.a.createElement("input",{className:"button-primary",type:"submit",name:"update",value:Object(N.translate)("Update"),disabled:e===Se}))}}])&&Lt(t.prototype,n),r&&Lt(t,r),a}(j.a.Component);var Vt=be((function(e){var t=e.settings;return{values:t.values,saveStatus:t.saveStatus}}),(function(e){return{onSaveSettings:function(t){e(function(e){return function(t){return jt(_t.update(e)).then((function(e){t({type:"SETTING_SAVED",values:e.settings,warning:e.warning})})).catch((function(e){t({type:"SETTING_SAVE_FAILED",error:e})})),t({type:"SETTING_SAVING",settings:e})}}(t))}}}))($t),qt=(n(44),function(){return j.a.createElement("div",{className:"placeholder-container"},j.a.createElement("div",{className:"placeholder-loading"}))});n(46);function Qt(e){return(Qt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Gt(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Kt(e,t){return(Kt=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yt(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Zt(e);if(t){var o=Zt(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Xt(this,n)}}function Xt(e,t){return!t||"object"!==Qt(t)&&"function"!=typeof t?Jt(e):t}function Jt(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Zt(e){return(Zt=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var en=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Kt(e,t)}(a,e);var t,n,r,o=Yt(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),(t=o.call(this,e)).onDonate=t.handleDonation.bind(Jt(t)),t.onChange=t.handleChange.bind(Jt(t)),t.onBlur=t.handleBlur.bind(Jt(t)),t.onInput=t.handleInput.bind(Jt(t)),t.state={support:e.support,amount:20},t}return t=a,(n=[{key:"handleBlur",value:function(){this.setState({amount:Math.max(16,this.state.amount)})}},{key:"handleDonation",value:function(){this.setState({support:!1})}},{key:"getReturnUrl",value:function(){return document.location.href+"#thanks"}},{key:"handleChange",value:function(e){this.state.amount!==e.value&&this.setState({amount:parseInt(e.value,10)})}},{key:"handleInput",value:function(e){var t=e.target.value?parseInt(e.target.value,10):16;this.setState({amount:t})}},{key:"getAmountoji",value:function(e){for(var t=[[100,"😍"],[80,"😎"],[60,"😊"],[40,"😃"],[20,"😀"],[10,"🙂"]],n=0;n<t.length;n++)if(e>=t[n][0])return t[n][1];return t[t.length-1][1]}},{key:"renderSupported",value:function(){return j.a.createElement("div",null,Object(N.translate)("You've supported this plugin - thank you!")," ",j.a.createElement("a",{href:"#",onClick:this.onDonate},Object(N.translate)("I'd like to support some more.")))}},{key:"renderUnsupported",value:function(){for(var e,t,n,r=(n="",(t=16)in(e={})?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e),o=20;o<=100;o+=20)r[o]="";return j.a.createElement("div",null,j.a.createElement("label",null,j.a.createElement("p",null,Object(N.translate)("Search Regex 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}}.",{components:{strong:j.a.createElement("strong",null)}})," ",Object(N.translate)("You get useful software and I get to carry on making it better."))),j.a.createElement("input",{type:"hidden",name:"cmd",value:"_xclick"}),j.a.createElement("input",{type:"hidden",name:"business",value:"admin@urbangiraffe.com"}),j.a.createElement("input",{type:"hidden",name:"item_name",value:"Search Regex (WordPress Plugin)"}),j.a.createElement("input",{type:"hidden",name:"buyer_credit_promo_code",value:""}),j.a.createElement("input",{type:"hidden",name:"buyer_credit_product_category",value:""}),j.a.createElement("input",{type:"hidden",name:"buyer_credit_shipping_method",value:""}),j.a.createElement("input",{type:"hidden",name:"buyer_credit_user_address_change",value:""}),j.a.createElement("input",{type:"hidden",name:"no_shipping",value:"1"}),j.a.createElement("input",{type:"hidden",name:"return",value:this.getReturnUrl()}),j.a.createElement("input",{type:"hidden",name:"no_note",value:"1"}),j.a.createElement("input",{type:"hidden",name:"currency_code",value:"USD"}),j.a.createElement("input",{type:"hidden",name:"tax",value:"0"}),j.a.createElement("input",{type:"hidden",name:"lc",value:"US"}),j.a.createElement("input",{type:"hidden",name:"bn",value:"PP-DonationsBF"}),j.a.createElement("div",{className:"donation-amount"},"$",j.a.createElement("input",{type:"number",name:"amount",min:16,value:this.state.amount,onChange:this.onInput,onBlur:this.onBlur}),j.a.createElement("span",null,this.getAmountoji(this.state.amount)),j.a.createElement("input",{type:"submit",className:"button-primary",value:Object(N.translate)("Support 💰")})))}},{key:"render",value:function(){var e=this.state.support;return j.a.createElement("form",{action:"https://www.paypal.com/cgi-bin/webscr",method:"post",className:"donation"},j.a.createElement(Rt,null,j.a.createElement(Ct,{title:Object(N.translate)("Plugin Support")+":"},e?this.renderSupported():this.renderUnsupported())))}}])&&Gt(t.prototype,n),r&&Gt(t,r),a}(j.a.Component);function tn(e){return(tn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function nn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function rn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function on(e,t){return(on=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function an(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=un(e);if(t){var o=un(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return ln(this,n)}}function ln(e,t){return!t||"object"!==tn(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function un(e){return(un=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var cn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&on(e,t)}(a,e);var t,n,r,o=an(a);function a(){return nn(this,a),o.apply(this,arguments)}return t=a,(n=[{key:"componentDidMount",value:function(){this.props.onLoadSettings()}},{key:"render",value:function(){var e=this.props,t=e.loadStatus,n=e.values;return t!==Se&&n?j.a.createElement("div",null,t===Oe&&j.a.createElement(en,{support:n.support}),t===Oe&&j.a.createElement(Vt,null)):j.a.createElement(qt,null)}}])&&rn(t.prototype,n),r&&rn(t,r),a}(j.a.Component);var sn=be((function(e){var t=e.settings;return{loadStatus:t.loadStatus,values:t.values}}),(function(e){return{onLoadSettings:function(){e((function(e,t){return t().settings.loadStatus===Oe?null:(jt(_t.get()).then((function(t){e({type:"SETTING_LOAD_SUCCESS",values:t.settings})})).catch((function(t){e({type:"SETTING_LOAD_FAILED",error:t})})),e({type:"SETTING_LOAD_START"}))}))}}}))(cn),fn=function(e){var t=e.url,n=e.children;return j.a.createElement("a",{href:t,target:"_blank",rel:"noopener noreferrer"},n)},pn=function(){return j.a.createElement("div",null,j.a.createElement("h2",null,Object(N.translate)("Need more help?")),j.a.createElement("p",null,Object(N.translate)("Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.",{components:{site:j.a.createElement(fn,{url:"https://searchregex.com/support/"})}})),j.a.createElement("p",null,j.a.createElement("strong",null,Object(N.translate)("If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.",{components:{report:j.a.createElement(fn,{url:"https://searchregex.com/support/reporting-bugs/"})}}))),j.a.createElement("div",{className:"inline-notice inline-general"},j.a.createElement("p",{className:"github"},j.a.createElement(fn,{url:"https://github.com/johngodley/search-regex/issues"},j.a.createElement("img",{src:SearchRegexi10n.pluginBaseUrl+"/images/GitHub-Mark-64px.png",width:"32",height:"32"})),j.a.createElement(fn,{url:"https://github.com/johngodley/search-regex/issues"},"https://github.com/johngodley/search-regex/"))),j.a.createElement("p",null,Object(N.translate)("Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.")),j.a.createElement("p",null,Object(N.translate)("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!",{components:{email:j.a.createElement("a",{href:"mailto:john@searchregex.com?subject=Search%20Regex%20Issue&body="+encodeURIComponent("Search Regex: "+SearchRegexi10n.versions)})}})),j.a.createElement("h2",null,Object(N.translate)("Redirection")),j.a.createElement("p",null,Object(N.translate)("Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me.",{components:{link:j.a.createElement(fn,{url:"https://redirection.me"})}})))};var dn=function(){return j.a.createElement("div",{className:"searchregex-help"},j.a.createElement("h3",null,Object(N.translate)("Quick Help")),j.a.createElement("p",null,Object(N.translate)("The following concepts are used by Search Regex:")),j.a.createElement("ul",null,j.a.createElement("li",null,Object(N.translate)("{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/searching/"})}})),j.a.createElement("li",null,Object(N.translate)("{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/regular-expression/"})}})),j.a.createElement("li",null,Object(N.translate)("{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/search-source/"})}})),j.a.createElement("li",null,Object(N.translate)("{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/search-source/"}),guid:j.a.createElement(fn,{url:"https://deliciousbrains.com/wordpress-post-guids-sometimes-update/"})}}))))},hn=(n(48),function(){return j.a.createElement(j.a.Fragment,null,j.a.createElement(dn,null),j.a.createElement(pn,null))}),mn=n(5),gn=n.n(mn);n(50);function yn(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function bn(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?yn(Object(n),!0).forEach((function(t){vn(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):yn(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function vn(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function wn(e,t){if(null===e)return{};var n=e.left,r=e.top,o=e.width,a={left:n,top:r+e.height};return t&&(a.width=o),a}function En(e){var t=e.style,n=e.align,r=gn()("redirect-popover__arrows",{"redirect-popover__arrows__left":"left"===n,"redirect-popover__arrows__right":"right"===n,"redirect-popover__arrows__centre":"centre"===n});return j.a.createElement("div",{className:r,style:t})}var xn=function(e){var t=e.position,n=e.children,r=e.togglePosition,o=e.align,a=e.hasArrow,i=Object(T.useRef)(null),l=Object(T.useMemo)((function(){return function(e,t,n,r,o){if(!r.current)return bn(bn({},e),{},{visibility:"hidden"});var a=e.width?e.width:r.current.getBoundingClientRect().width,i=t.parentWidth-a-20,l=function(e,t,n,r){return"right"===r?e+n-t:"centre"===r?e-(t+n)/2:e}(t.left,e.width?e.width:a,t.width,n);return bn(bn({},e),{},{left:Math.min(i,l),top:o?e.top+5:e.top})}(t,r,o,i,a)}),[t,r]),u=Object(T.useMemo)((function(){return function(e,t){return t?bn(bn({},e),{},{width:t.getBoundingClientRect().width}):e}(l,i.current)}),[l]);return j.a.createElement(j.a.Fragment,null,a&&j.a.createElement(En,{style:u,align:o}),j.a.createElement("div",{className:"redirect-popover__content",style:l,ref:i},n))};function _n(e){var t=Object(T.useRef)(null),n=e.children,r=e.onOutside,o=e.className,a=function(e){(function(e,t){return!!t.current&&!t.current.contains(e.target)}(e,t)||"Escape"===e.key)&&r(e)};return Object(T.useEffect)((function(){return addEventListener("click",a),addEventListener("keydown",a),function(){removeEventListener("click",a),removeEventListener("keydown",a)}}),[]),j.a.createElement("div",{className:o,ref:t},n)}function Sn(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return On(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return On(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function On(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var kn=function(e){var t=e.renderContent,n=e.className,r=e.renderToggle,o=e.align,a=void 0===o?"left":o,i=e.onHide,l=e.matchToggle,u=void 0!==l&&l,c=e.hasArrow,s=void 0!==c&&c,f=e.offset,p=Sn(Object(T.useState)(!1),2),d=p[0],h=p[1],m=Sn(Object(T.useState)(null),2),g=m[0],y=m[1],b=Object(T.useRef)(null);return Object(T.useEffect)((function(){d&&y(function(e,t){if(null===e)return{};var n=document.getElementById("react-portal").getBoundingClientRect(),r=e.getBoundingClientRect(),o=r.height,a=r.width,i=r.left,l=r.top;return{left:i-n.left+(t||0),top:l-n.top,width:a,height:o,parentWidth:n.width,parentHeight:n.height}}(b.current,f))}),[d,u]),Object(T.useEffect)((function(){if(d){var e=window.addEventListener("resize",(function(){h(!1)}));return function(){window.removeEventListener("resize",e)}}}),[d]),j.a.createElement(j.a.Fragment,null,j.a.createElement("div",{className:gn()("redirect-popover__toggle",n),ref:b},r(d,(function(e){return h(!d)}))),d&&Object(C.createPortal)(j.a.createElement(_n,{className:"redirect-popover",onOutside:function(){h(!1),i&&i()}},j.a.createElement(xn,{position:wn(g,u),togglePosition:g,align:a,hasArrow:s},t((function(){return h(!1)})))),document.getElementById("react-portal")))};n(52);function Pn(){return(Pn=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}var Tn=function(e){var t=e.children,n=e.className,r=e.onClick,o=e.title,a=e.onCancel,i={title:o,onClick:r};return j.a.createElement("div",Pn({className:gn()("redirect-badge",n,r?"redirect-badge__click":null)},i),j.a.createElement("div",null,t,a&&j.a.createElement("span",{onClick:a},"⨯")))};function jn(e){return(jn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Cn(e){return function(e){if(Array.isArray(e))return Rn(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return Rn(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Rn(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Rn(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Nn(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function An(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Nn(Object(n),!0).forEach((function(t){Hn(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Nn(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function In(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Dn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Ln(e,t){return(Ln=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Fn(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Un(e);if(t){var o=Un(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Mn(this,n)}}function Mn(e,t){return!t||"object"!==jn(t)&&"function"!=typeof t?zn(e):t}function zn(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Un(e){return(Un=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Hn(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Wn=function(e){var t=e.label,n=e.value,r=e.onSelect,o=e.isSelected;return j.a.createElement("p",null,j.a.createElement("label",null,j.a.createElement("input",{type:"checkbox",name:n,onChange:function(e){return r(n,e.target.checked)},checked:o}),t))},Bn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ln(e,t)}(a,e);var t,n,r,o=Fn(a);function a(){var e;In(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return Hn(zn(e=o.call.apply(o,[this].concat(n))),"onSelect",(function(t,n){var r=e.props,o=r.selected,a=r.value,i=r.multiple,l=An({},o);if(n){var u=t===a||t;l[a]=i?[].concat(Cn(l[a]),[t]):u}else i?l[a]=l[a].filter((function(e){return e!==t})):delete l[a];e.props.onApply(l,t)})),e}return t=a,(n=[{key:"isSelected",value:function(e){var t=this.props,n=t.multiple,r=t.selected,o=t.value;return n&&Array.isArray(r[o])?-1!==r[o].indexOf(e):!(o!==e||!r[o])||r[o]===e}},{key:"render",value:function(){var e=this,t=this.props,n=t.label,r=t.options,o=t.value;return r?j.a.createElement("div",{className:"redirect-multioption__group"},j.a.createElement("h5",null,n),r.map((function(t){return j.a.createElement(Wn,{label:t.label,value:t.value,onSelect:e.onSelect,isSelected:e.isSelected(t.value),key:t.value})}))):j.a.createElement(Wn,{label:n,value:o,onSelect:this.onSelect,isSelected:this.isSelected(o)})}}])&&Dn(t.prototype,n),r&&Dn(t,r),a}(j.a.Component);n(54);function $n(e){return($n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Vn(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function qn(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Vn(Object(n),!0).forEach((function(t){er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Vn(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Qn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Gn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Kn(e,t){return(Kn=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yn(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Zn(e);if(t){var o=Zn(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Xn(this,n)}}function Xn(e,t){return!t||"object"!==$n(t)&&"function"!=typeof t?Jn(e):t}function Jn(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Zn(e){return(Zn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function er(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var tr=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Kn(e,t)}(a,e);var t,n,r,o=Yn(a);function a(){var e;Qn(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return er(Jn(e=o.call.apply(o,[this].concat(n))),"removeFilter",(function(t,n){n.preventDefault(),n.stopPropagation();var r=qn({},e.props.selected);delete r[t],e.props.onApply(r,t)})),e}return t=a,(n=[{key:"getBadges",value:function(){var e=this,t=this.props,n=t.selected,r=t.options,o=t.badges,a=Object.keys(n).filter((function(e){return void 0!==n[e]}));return a.length>0&&o?a.slice(0,3).map((function(t){var o=r.find((function(e){return e.value===t}));return o&&n[t]?j.a.createElement(Tn,{key:t,onCancel:function(n){return e.removeFilter(t,n)}},o.label):null})).concat([a.length>3?j.a.createElement("span",{key:"end"},"..."):null]):null}},{key:"shouldShowTitle",value:function(){var e=this.props,t=e.selected;return!1===e.hideTitle||0===Object.keys(t).filter((function(e){return t[e]})).length}},{key:"render",value:function(){var e=this,t=this.props,n=t.options,r=t.selected,o=t.onApply,a=t.title,i=t.isEnabled,l=t.multiple,u=t.className,c=this.getBadges();return j.a.createElement(kn,{renderToggle:function(t,n){return j.a.createElement("button",{className:gn()("button","action","redirect-multioption__button",i?null:"redirect-multioption__disabled",t?"redirect-multioption__button_enabled":null),onClick:n,disabled:!i,type:"button"},e.shouldShowTitle()&&j.a.createElement("h5",null,a),c,j.a.createElement("svg",{height:"20",width:"20",viewBox:"0 0 20 20","aria-hidden":"true",focusable:"false"},j.a.createElement("path",{d:"M4.516 7.548c0.436-0.446 1.043-0.481 1.576 0l3.908 3.747 3.908-3.747c0.533-0.481 1.141-0.446 1.574 0 0.436 0.445 0.408 1.197 0 1.615-0.406 0.418-4.695 4.502-4.695 4.502-0.217 0.223-0.502 0.335-0.787 0.335s-0.57-0.112-0.789-0.335c0 0-4.287-4.084-4.695-4.502s-0.436-1.17 0-1.615z"})))},matchToggle:c&&Object.keys(r),align:"right",renderContent:function(){return j.a.createElement("div",{className:gn()("redirect-multioption",u)},n.map((function(e){return j.a.createElement(Bn,{label:e.label,value:e.value,options:e.options,multiple:e.multiple||l||!1,selected:r,key:e.label,onApply:o})})))}})}}])&&Gn(t.prototype,n),r&&Gn(t,r),a}(j.a.Component);er(tr,"defaultProps",{badges:!1,hideTitle:!1,isEnabled:!0});var nr=tr;n(56);function rr(){return(rr=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function or(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return ar(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return ar(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function ar(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function ir(e){var t=e.children,n=e.onSave,r=e.className,o=gn()("searchregex-replace",r);if(n){return j.a.createElement("form",{className:o,onSubmit:function(e){e.preventDefault(),n()}},t)}return j.a.createElement("div",{className:o},t)}var lr=function(e){var t=e.canReplace,n=e.setReplace,r=e.className,o=e.autoFocus,a=e.onSave,i=e.onCancel,l=e.placeholder,u=e.description,c=Object(T.useRef)(null),s=or(Object(T.useState)(""),2),f=s[0],p=s[1],d=or(Object(T.useState)(""),2),h=d[0],m=d[1],g={id:"replace",value:null===f?"":f,name:"replace",onChange:function(e){return p(e.target.value)},disabled:!t||"remove"===h,placeholder:"remove"===h?Object(N.translate)("Search phrase will be removed"):l,ref:c};return Object(T.useEffect)((function(){p("remove"===h?null:""),n("remove"===h?null:"")}),[h]),Object(T.useEffect)((function(){n(f)}),[f]),Object(T.useEffect)((function(){setTimeout((function(){o&&c&&c.current.focus()}),50)}),[c]),j.a.createElement(ir,{onSave:a&&function(){return a(f)},className:r},j.a.createElement("div",{className:"searchregex-replace__input"},"multi"===h?j.a.createElement("textarea",rr({rows:"4"},g)):j.a.createElement("input",rr({type:"text"},g)),j.a.createElement(It,{items:[{value:"",label:Object(N.translate)("Single")},{value:"multi",label:Object(N.translate)("Multi")},{value:"remove",label:Object(N.translate)("Remove")}],name:"replace_flags",value:h,onChange:function(e){return m(e.target.value)},isEnabled:t})),j.a.createElement("div",{className:"searchregex-replace__action"},u&&j.a.createElement("p",null,u),a&&j.a.createElement("p",{className:"searchregex-replace__actions"},j.a.createElement("input",{type:"submit",className:"button button-primary",value:Object(N.translate)("Replace"),disabled:""===f}),j.a.createElement("input",{type:"button",className:"button button-secondary",value:Object(N.translate)("Cancel"),onClick:i}))))};function ur(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function cr(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?ur(Object(n),!0).forEach((function(t){sr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):ur(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function sr(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function fr(e,t){return cr(cr({},e),{},{searchFlags:Object.keys(e.searchFlags),sourceFlags:Object.keys(e.sourceFlags)})}var pr=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"forward";return function(r,o){var a=cr(cr({},fr(e,o().search.sources)),{},{page:t,searchDirection:n});return jt(St.get(a)).then((function(e){r(cr(cr({type:"SEARCH_COMPLETE"},e),{},{perPage:a.perPage}))})).catch((function(e){r({type:Ce,error:e})})),r(cr({type:"SEARCH_START_FRESH"},a))}},dr=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return function(o,a){var i=a().search.search,l=cr(cr({},fr(i,a().search.sources)),{},{rowId:t,replacePhrase:e});return n&&(l.columnId=n),r&&(l.posId=r),jt(St.replace(l)).then((function(e){o(cr(cr({type:"SEARCH_REPLACE_COMPLETE"},e),{},{perPage:i.perPage,rowId:t}))})).catch((function(e){o({type:Ce,error:e})})),o({type:"SEARCH_REPLACE_ROW",rowId:t})}};var hr=function(e){return e.map((function(e){var t=e.name;return{label:e.label,value:t}}))};var mr=be((function(e){var t=e.search;return{search:t.search,sources:t.sources,sourceFlagOptions:t.sourceFlags,replaceAll:t.replaceAll}}),(function(e){return{onSetSearch:function(t){e(function(e){return{type:"SEARCH_VALUES",searchValue:e}}(t))}}}))((function(e){var t,n=e.search,r=e.onSetSearch,o=e.sources,a=e.sourceFlagOptions,i=e.replaceAll,l=n.searchPhrase,u=n.searchFlags,c=n.sourceFlags,s=n.source,f=n.perPage,p=o.map((function(e){var t=e.sources;return{label:e.label,value:hr(t)}})),d=a[s[0]]?(t=a[s[0]],Object.keys(t).map((function(e){return{value:e,label:t[e]}}))):null,h=status===Se||i,m=function(e,t){if(0===t.length)return null;for(var n=0;n<e.length;n++)for(var r=0;r<e[n].sources.length;r++)if(e[n].sources[r].name===t[0])return e[n].sources[r];return null}(o,s);return j.a.createElement("table",null,j.a.createElement("tbody",null,j.a.createElement("tr",{className:"searchregex-search__search"},j.a.createElement("th",null,Object(N.translate)("Search")),j.a.createElement("td",null,j.a.createElement("input",{type:"text",value:l,name:"searchPhrase",placeholder:Object(N.translate)("Enter search phrase"),onChange:function(e){var t,n,o;r((t={},n=e.target.name,o=e.target.value,n in t?Object.defineProperty(t,n,{value:o,enumerable:!0,configurable:!0,writable:!0}):t[n]=o,t))},disabled:h}),j.a.createElement(nr,{options:rt(),selected:u,onApply:function(e){return r({searchFlags:e})},title:Object(N.translate)("Search Flags"),isEnabled:!h,badges:!0}))),j.a.createElement("tr",{className:"searchregex-search__replace"},j.a.createElement("th",null,Object(N.translate)("Replace")),j.a.createElement("td",null,j.a.createElement(lr,{canReplace:!h,setReplace:function(e){return r({replacement:e})},placeholder:Object(N.translate)("Enter global replacement text")}))),j.a.createElement("tr",{className:"searchregex-search__source"},j.a.createElement("th",null,Object(N.translate)("Source")),j.a.createElement("td",null,j.a.createElement(It,{items:p,value:s[0],onChange:function(e){return r({source:[e.target.value],sourceFlags:{}})},name:"source",isEnabled:!h}),d&&d.length>0&&j.a.createElement(nr,{options:d,selected:c,onApply:function(e){return r({sourceFlags:e})},title:Object(N.translate)("Source Options"),isEnabled:!h,badges:!0,hideTitle:!0}),m&&j.a.createElement("span",{className:"searchregex-search__source__description"},m.description))),j.a.createElement("tr",null,j.a.createElement("th",null,Object(N.translate)("Results")),j.a.createElement("td",null,j.a.createElement(It,{name:"perPage",items:ot(),value:f,onChange:function(e){return r({perPage:parseInt(e.target.value,10)})},isEnabled:!h})))))}));var gr=be((function(e){return{isLoading:e.status===Se}}),(function(e){return{onDelete:function(t,n){e(function(e,t){return function(n){return jt(Ot.deleteRow(e,t)).then((function(e){n({type:"SEARCH_DELETE_COMPLETE",rowId:t})})).catch((function(e){n({type:Ce,error:e})})),n({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n))},onSave:function(t,n){e(dr(t,n))}}}))((function(e){for(var t=e.setReplacement,n=e.actions,r=e.isLoading,o=e.onSave,a=e.result,i=e.onDelete,l=e.onEditor,u=e.description,c=function(e,n){n(),t(""),o(e,a.row_id)},s=[j.a.createElement(kn,{key:"replace",renderToggle:function(e,t){return j.a.createElement("a",{href:"#",onClick:function(e){return function(e,t){e.preventDefault(),r||t()}(e,t)}},Object(N.translate)("Replace"))},onHide:function(){return t("")},hasArrow:!0,disabled:r,align:"right",renderContent:function(e){return j.a.createElement(lr,{className:"searchregex-replace__modal",canReplace:!0,setReplace:function(e){return t(e)},autoFocus:!0,onSave:function(t){return c(t,e)},onCancel:function(){return function(e){e(),t("")}(e)},placeholder:Object(N.translate)("Replacement for all matches in this row"),description:u})}})],f={edit:Object(N.translate)("Edit")},p=Object.keys(n),d=0;d<p.length;d++)f[p[d]]&&s.push(j.a.createElement(fn,{url:n[p[d]],key:p[d]},f[p[d]]));return s.push(j.a.createElement("a",{key:"edit",href:"#",onClick:function(e){e.preventDefault(),l()}},Object(N.translate)("Editor"))),s.push(j.a.createElement("a",{key:"delete",href:"#",onClick:function(e){e.preventDefault(),i(a.source_type,a.row_id)}},Object(N.translate)("Delete"))),s.reduce((function(e,t){return[e," | ",t]}))})),yr=(n(58),function(e){var t=e.size,n=void 0===t?"":t,r="spinner-container"+(n?" spinner-"+n:"");return j.a.createElement("div",{className:r},j.a.createElement("span",{className:"css-spinner"}))});var br=function(){return j.a.createElement("div",{className:"searchregex-result__more"},Object(N.translate)("Maximum number of matches exceeded and hidden from view. These will be included in any replacements."))};var vr=function(e){var t=e.typeOfReplacement,n=e.isReplacing,r=e.onUpdate,o=e.onSave,a=e.children,i=e.match,l=function(e,t){r(""),o(e),t()},u=function(e){r(""),e&&e()};return j.a.createElement(kn,{className:gn()({"searchregex-result__replaced":"replace"===t,"searchregex-result__highlight":"match"===t,"searchregex-result__deleted":"delete"===t}),renderToggle:function(e,t){return j.a.createElement("span",{onClick:function(){return!n&&t()},title:i},a)},onHide:u,hasArrow:!0,align:"centre",offset:25,renderContent:function(e){return j.a.createElement(lr,{className:"searchregex-replace__modal",canReplace:!0,setReplace:function(e){return r(e)},autoFocus:!0,onSave:function(t){return l(t,e)},onCancel:function(){return u(e)},placeholder:Object(N.translate)("Replacement for this match"),description:Object(N.translate)("Replace single phrase.")})}})},wr=function(e,t){return" ".replace(t.length)};function Er(e,t){return e&&t.length>0?e.replace(/(\\?\$|\\?\\)+(\d{1,2})/g,(function(e,n,r){return r=parseInt(r,10),"\\$"===e.substr(0,2)?e.replace("\\",""):void 0!==t[r-1]?t[r-1]:e})):e}function xr(e,t){return null===e?"delete":e!==t?"replace":"match"}var _r=function(e){var t=e.match,n=e.originalMatch;return null===t?j.a.createElement("strike",null,n):t.replace(/\n/g,"↵").replace(/^(\s+)/,wr).replace(/(\s+)$/,wr)};n(60);function Sr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||kr(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Or(e){return function(e){if(Array.isArray(e))return Pr(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||kr(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function kr(e,t){if(e){if("string"==typeof e)return Pr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Pr(e,t):void 0}}function Pr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var Tr=function(e){return e.map((function(){return""}))};function jr(e,t,n){for(var r=e.source,o=e.matches,a=e.contextReplacement,i=e.columnId,l=e.rowId,u=e.onReplace,c=e.isReplacing,s=[],f=0,p=function(e){var p,d,h,m=o[e],g=m.context_offset,y=m.match,b=m.pos_id,v=m.replacement,w=m.captures,E=(p=[t[e],a,v],d=y,void 0===(h=p.find((function(e){return n=d,null===(t=e)||t!==n&&""!==t;var t,n})))?d:h);s.push(r.substring(f,g)),s.push(j.a.createElement(vr,{typeOfReplacement:xr(E,y),onSave:function(e){return u(e,l,i,b)},onUpdate:function(r){return n(function(e,t,n){var r=Or(e);return r[t]=n,r}(t,e,r))},isReplacing:c,title:y,key:e},j.a.createElement(_r,{match:Er(E,w),originalMatch:y}))),f=g+y.length},d=0;d<o.length;d++)p(d);return s.push(r.substr(f)),s}var Cr=be(null,(function(e){return{onReplace:function(t,n,r,o){e(dr(t,n,r,o))}}}))((function(e){var t=e.matches,n=e.count,r=e.contextReplacement,o=Sr(Object(T.useState)(Tr(t)),2),a=o[0],i=o[1],l=jr(e,a,i);return Object(T.useEffect)((function(){i(Tr(t))}),[r]),j.a.createElement("div",{className:"searchregex-match__context"},l,t.length!==n&&j.a.createElement(br,null))}));var Rr=function(e){var t=e.item,n=e.rowId,r=e.contextReplacement,o=e.isReplacing,a=e.column,i=t.context,l=t.match_count,u=t.matches,c=a.column_id,s=a.column_label;return j.a.createElement("div",{className:"searchregex-match"},j.a.createElement("div",{className:"searchregex-match__column",title:c},s),j.a.createElement(Cr,{source:i,matches:u,count:l,contextReplacement:r,columnId:c,rowId:n,isReplacing:o}))};function Nr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Ar(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Ar(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Ar(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var Ir=function(e){var t=e.replacement,n=e.rowId,r=e.isReplacing,o=e.column,a=o.contexts,i=o.context_count,l=o.match_count,u=Nr(Object(T.useState)(!1),2),c=u[0],s=u[1],f=a.slice(0,c?a.length:2),p=l-f.reduce((function(e,t){return e+t.match_count}),0);return j.a.createElement(j.a.Fragment,null,f.map((function(e){return j.a.createElement(Rr,{item:e,key:n+"-"+e.context_id,column:o,rowId:n,contextReplacement:t,isReplacing:r})})),!c&&a.length>2&&j.a.createElement("p",null,j.a.createElement("button",{className:"button button-secondary",onClick:function(){return s(!0)}},Object(N.translate)("Show %s more","Show %s more",{count:p,args:Object(N.numberFormat)(p)}))),c&&a.length!==i&&j.a.createElement(br,null))};var Dr=!!document.documentElement.currentStyle,Lr={"min-height":"0","max-height":"none",height:"0",visibility:"hidden",overflow:"hidden",position:"absolute","z-index":"-1000",top:"0",right:"0"},Fr=["letter-spacing","line-height","font-family","font-weight","font-size","font-style","tab-size","text-rendering","text-transform","width","text-indent","padding-top","padding-right","padding-bottom","padding-left","border-top-width","border-right-width","border-bottom-width","border-left-width","box-sizing"],Mr={},zr=document.createElement("textarea"),Ur=function(e){Object.keys(Lr).forEach((function(t){e.style.setProperty(t,Lr[t],"important")}))};function Hr(e,t,n,r,o){void 0===n&&(n=!1),void 0===r&&(r=null),void 0===o&&(o=null),null===zr.parentNode&&document.body.appendChild(zr);var a=function(e,t,n){void 0===n&&(n=!1);if(n&&Mr[t])return Mr[t];var r=window.getComputedStyle(e);if(null===r)return null;var o=Fr.reduce((function(e,t){return e[t]=r.getPropertyValue(t),e}),{}),a=o["box-sizing"];if(""===a)return null;Dr&&"border-box"===a&&(o.width=parseFloat(o.width)+parseFloat(r["border-right-width"])+parseFloat(r["border-left-width"])+parseFloat(r["padding-right"])+parseFloat(r["padding-left"])+"px");var i=parseFloat(o["padding-bottom"])+parseFloat(o["padding-top"]),l=parseFloat(o["border-bottom-width"])+parseFloat(o["border-top-width"]),u={sizingStyle:o,paddingSize:i,borderSize:l,boxSizing:a};n&&(Mr[t]=u);return u}(e,t,n);if(null===a)return null;var i=a.paddingSize,l=a.borderSize,u=a.boxSizing,c=a.sizingStyle;Object.keys(c).forEach((function(e){zr.style[e]=c[e]})),Ur(zr),zr.value=e.value||e.placeholder||"x";var s=-1/0,f=1/0,p=zr.scrollHeight;"border-box"===u?p+=l:"content-box"===u&&(p-=i),zr.value="x";var d=zr.scrollHeight-i,h=Math.floor(p/d);return null!==r&&(s=d*r,"border-box"===u&&(s=s+i+l),p=Math.max(s,p)),null!==o&&(f=d*o,"border-box"===u&&(f=f+i+l),p=Math.min(f,p)),{height:p,minHeight:s,maxHeight:f,rowCount:Math.floor(p/d),valueRowCount:h}}zr.setAttribute("tab-index","-1"),zr.setAttribute("aria-hidden","true"),Ur(zr);var Wr=function(){},Br=0,$r=function(e){var t,n;function r(t){var n;return(n=e.call(this,t)||this)._onRef=function(e){n._ref=e;var t=n.props.inputRef;"function"!=typeof t?t.current=e:t(e)},n._onChange=function(e){n._controlled||n._resizeComponent(),n.props.onChange(e,function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(n))},n._resizeComponent=function(e){void 0===e&&(e=Wr);var t=Hr(n._ref,n._uid,n.props.useCacheForDOMMeasurements,n.props.minRows,n.props.maxRows);if(null!==t){var r=t.height,o=t.minHeight,a=t.maxHeight,i=t.rowCount,l=t.valueRowCount;n.rowCount=i,n.valueRowCount=l,n.state.height===r&&n.state.minHeight===o&&n.state.maxHeight===a?e():n.setState({height:r,minHeight:o,maxHeight:a},e)}else e()},n.state={height:t.style&&t.style.height||0,minHeight:-1/0,maxHeight:1/0},n._uid=Br++,n._controlled=void 0!==t.value,n._resizeLock=!1,n}n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n;var o=r.prototype;return o.render=function(){var e=this.props,t=(e.inputRef,e.maxRows,e.minRows,e.onHeightChange,e.useCacheForDOMMeasurements,B(e,["inputRef","maxRows","minRows","onHeightChange","useCacheForDOMMeasurements"]));return t.style=W({},t.style,{height:this.state.height}),Math.max(t.style.maxHeight||1/0,this.state.maxHeight)<this.state.height&&(t.style.overflow="hidden"),Object(T.createElement)("textarea",W({},t,{onChange:this._onChange,ref:this._onRef}))},o.componentDidMount=function(){var e=this;this._resizeComponent(),this._resizeListener=function(){e._resizeLock||(e._resizeLock=!0,e._resizeComponent((function(){e._resizeLock=!1})))},window.addEventListener("resize",this._resizeListener)},o.componentDidUpdate=function(e,t){e!==this.props&&this._resizeComponent(),this.state.height!==t.height&&this.props.onHeightChange(this.state.height,this)},o.componentWillUnmount=function(){window.removeEventListener("resize",this._resizeListener),function(e){delete Mr[e]}(this._uid)},r}(T.Component);$r.defaultProps={inputRef:Wr,onChange:Wr,onHeightChange:Wr,useCacheForDOMMeasurements:!1};var Vr=$r;function qr(e){return(qr="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Qr(){return(Qr=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function Gr(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Kr(e,t){return(Kr=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yr(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Zr(e);if(t){var o=Zr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Xr(this,n)}}function Xr(e,t){return!t||"object"!==qr(t)&&"function"!=typeof t?Jr(e):t}function Jr(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Zr(e){return(Zr=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function eo(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function to(e){return(to="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function no(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function ro(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function oo(e,t){return(oo=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function ao(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=uo(e);if(t){var o=uo(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return io(this,n)}}function io(e,t){return!t||"object"!==to(t)&&"function"!=typeof t?lo(e):t}function lo(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function uo(e){return(uo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function co(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var so,fo=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&oo(e,t)}(a,e);var t,n,r,o=ao(a);function a(){var e;no(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return co(lo(e=o.call.apply(o,[this].concat(n))),"handleClickOutside",(function(){e.props.onClose()})),e}return t=a,(n=[{key:"render",value:function(){var e=this.props.onClose;return j.a.createElement("div",{className:"redirection-modal_content"},j.a.createElement("div",{className:"redirection-modal_close"},j.a.createElement("button",{onClick:e},"✖")),this.props.children)}}])&&ro(t.prototype,n),r&&ro(t,r),a}(j.a.Component),po=(so=fo,function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Kr(e,t)}(a,e);var t,n,r,o=Yr(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),eo(Jr(t=o.call(this,e)),"onClick",(function(e){t.node.current&&null===e.target.closest(".redirect-click-outside")&&t.node.current.handleClickOutside(e)})),eo(Jr(t),"onKeydown",(function(e){"Escape"===e.key&&t.node.current.handleClickOutside(e)})),t.node=j.a.createRef(),t}return t=a,(n=[{key:"componentDidMount",value:function(){addEventListener("mousedown",this.onClick),addEventListener("keydown",this.onKeydown)}},{key:"componentWillUnmount",value:function(){removeEventListener("mousedown",this.onClick),removeEventListener("keydown",this.onKeydown)}},{key:"render",value:function(){return j.a.createElement("div",{className:"redirect-click-outside"},j.a.createElement(so,Qr({},this.props,{ref:this.node})))}}])&&Gr(t.prototype,n),r&&Gr(t,r),a}(j.a.Component));n(62);function ho(e){Object(T.useEffect)((function(){return document.body.classList.add("redirection-modal_shown"),function(){document.body.classList.remove("redirection-modal_shown")}}));var t=gn()({"redirection-modal_wrapper":!0,"redirection-modal_wrapper-padding":e.padding});return j.a.createElement("div",{className:t},j.a.createElement("div",{className:"redirection-modal_backdrop"}),j.a.createElement("div",{className:"redirection-modal_main"},j.a.createElement(po,e)))}ho.defaultProps={padding:!0,onClose:function(){}};var mo=function(e){return R.a.createPortal(j.a.createElement(ho,e),document.getElementById("react-modal"))};n(64);function go(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return yo(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return yo(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function yo(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var bo=be((function(e){var t=e.search;return{rawData:t.rawData,status:t.status}}),(function(e){return{onLoad:function(t,n){e(function(e,t){return function(n){return jt(Ot.loadRow(e,t)).then((function(e){n({type:"SEARCH_LOAD_ROW_COMPLETE",rowId:t,row:e.result})})).catch((function(e){n({type:Ce,error:e})})),n({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n))},onSave:function(t,n,r,o){e(function(e,t,n,r){return function(o,a){var i=a().search.search,l=i.searchPhrase,u=i.searchFlags,c=i.replacement,s=i.sourceFlags,f={searchPhrase:l,replacement:c,searchFlags:Object.keys(u),sourceFlags:Object.keys(s)};return jt(Ot.saveRow(e,t,cr(cr({},f),{},{columnId:n,content:r}))).then((function(e){o(cr(cr({type:"SEARCH_SAVE_ROW_COMPLETE"},e),{},{rowId:t}))})).catch((function(e){o({type:Ce,error:e})})),o({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n,r,o))}}}))((function(e){var t=e.result,n=e.onClose,r=e.onLoad,o=e.rawData,a=e.onSave,i=e.status,l=t.row_id,u=t.source_type,c=t.columns,s=go(Object(T.useState)(c[0].column_id),2),f=s[0],p=s[1],d=go(Object(T.useState)(""),2),h=d[0],m=d[1],g=c.find((function(e){return e.column_id===f}))?c.find((function(e){return e.column_id===f})).column_label:"";return Object(T.useEffect)((function(){r(u,l)}),[]),Object(T.useEffect)((function(){o&&m(o[f]?o[f]:"")}),[o]),o?j.a.createElement(mo,{onClose:n},j.a.createElement("div",{className:"searchregex-editor"},j.a.createElement("h2",null,Object(N.translate)("Editing %s",{args:g})),j.a.createElement(Vr,{value:h,rows:"15",maxRows:30,onChange:function(e){return m(e.target.value)},disabled:i===Se}),j.a.createElement("div",{className:"searchregex-editor__actions"},1===c.length&&j.a.createElement("div",null," "),c.length>1&&j.a.createElement(It,{name:"column_id",value:f,items:c.map((function(e){return{value:e.column_id,label:e.column_label}})),onChange:function(e){return t=e.target.value,p(t),void m(o[t]?o[t]:"");var t},isEnabled:i!==Se}),j.a.createElement("div",null,i===Se&&j.a.createElement(yr,null),j.a.createElement("button",{disabled:i===Se,className:"button button-primary",onClick:function(){n(),a(u,l,f,h)}},Object(N.translate)("Save")),j.a.createElement("button",{className:"button button-secondary",onClick:function(){return n()}},Object(N.translate)("Close")))))):null}));n(66);function vo(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return wo(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return wo(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function wo(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Eo(e,t){return null===t||t.length>0?t:e}function xo(e){var t=e.view,n=e.title;return t?j.a.createElement(fn,{url:t},n):n}var _o=be((function(e){var t=e.search;return{replacing:t.replacing,globalReplacement:t.search.replacement}}),null)((function(e){var t=e.result,n=e.globalReplacement,r=e.replacing,o=t.columns,a=t.actions,i=t.row_id,l=t.source_name,u=t.source_type,c=t.title,s=t.match_count,f=r&&-1!==r.indexOf(i),p=vo(Object(T.useState)(""),2),d=p[0],h=p[1],m=vo(Object(T.useState)(!1),2),g=m[0],y=m[1];return Object(T.useEffect)((function(){h("")}),[n]),j.a.createElement("tr",{className:gn()("searchregex-result",{"searchregex-result__updating":f})},j.a.createElement("td",{className:"searchregex-result__table"},j.a.createElement("span",{title:u},l)),j.a.createElement("td",{className:"searchregex-result__row"},i),j.a.createElement("td",{className:"searchregex-result__row"},s),j.a.createElement("td",{className:"searchregex-result__match"},j.a.createElement("h2",null,j.a.createElement(xo,{view:a.view,title:c})),o.map((function(e){return j.a.createElement(Ir,{column:e,replacement:Eo(n,d),rowId:i,isReplacing:f,key:e.column_id})}))),j.a.createElement("td",{className:"searchregex-result__action"},f?j.a.createElement(yr,null):j.a.createElement(gr,{actions:a,setReplacement:h,result:t,onEditor:function(){return y(!0)},description:Object(N.translate)("Replace %(count)s match.","Replace %(count)s matches.",{count:s,args:{count:Object(N.numberFormat)(s)}})}),g&&j.a.createElement(bo,{onClose:function(){return y(!1)},result:t})))}));var So=function(e){for(var t=e.columns,n=[],r=0;r<t;r++)n.push(j.a.createElement("td",{key:r,colSpan:0==r?2:1},j.a.createElement(qt,null)));return j.a.createElement("tr",null,n)};var Oo=function(e){var t=e.columns;return j.a.createElement("tr",null,j.a.createElement("td",{colSpan:t},Object(N.translate)("No more matching results found.")))},ko=function(e){var t=e.title,n=e.button,r=e.className,o=e.enabled,a=e.onClick;return o?j.a.createElement("a",{className:r+" button",href:"#",onClick:function(e){e.preventDefault(),a()}},j.a.createElement("span",{className:"screen-reader-text"},t),j.a.createElement("span",{"aria-hidden":"true"},n)):j.a.createElement("span",{className:"tablenav-pages-navspan button disabled","aria-hidden":"true"},n)};var Po=be((function(e){return{search:e.search.search}}),(function(e){return{onChangePage:function(t,n){e(pr(t,n))}}}))((function(e){var t=e.progress,n=e.onChangePage,r=e.isLoading,o=e.matchedPhrases,a=e.matchedRows,i=e.perPage,l=e.search,u=e.noTotal,c=void 0!==u&&u,s=t.current,f=t.previous,p=t.next,d=Math.ceil(a/i),h=Math.ceil(s/i)+1,m=p&&h<d;return j.a.createElement("div",{className:"tablenav-pages"},c&&j.a.createElement("div",null," "),!c&&j.a.createElement("div",{className:"displaying-num"},Object(N.translate)("Matches: %(phrases)s across %(rows)s database row.","Matches: %(phrases)s across %(rows)s database rows.",{count:a,args:{phrases:Object(N.numberFormat)(o),rows:Object(N.numberFormat)(a)}})),j.a.createElement("div",{className:"pagination-links"},j.a.createElement(ko,{title:Object(N.translate)("First page"),button:"«",className:"first-page",enabled:!1!==f&&!r,onClick:function(){return n(l,0)}}),j.a.createElement(ko,{title:Object(N.translate)("Prev page"),button:"‹",className:"prev-page",enabled:!1!==f&&!r,onClick:function(){return n(l,f)}}),j.a.createElement("span",{className:"tablenav-paging-text"},Object(N.translate)("Page %(current)s of %(total)s",{args:{current:Object(N.numberFormat)(h),total:Object(N.numberFormat)(d)}})),j.a.createElement(ko,{title:Object(N.translate)("Next page"),button:"›",className:"next-page",enabled:m&&!r,onClick:function(){return n(l,p)}}),j.a.createElement(ko,{title:Object(N.translate)("Last page"),button:"»",className:"last-page",enabled:m&&!r,onClick:function(){return n(l,(d-1)*i)}})))})),To=function(e,t){return!1===t?100:t/e*100},jo=function(e,t){return 0===t?t:t/e*100};var Co=be((function(e){return{search:e.search.search}}),(function(e){return{onChangePage:function(t,n,r){e(pr(t,n,r))}}}))((function(e){var t=e.total,n=e.progress,r=e.onChangePage,o=e.isLoading,a=e.searchDirection,i=e.search,l=e.noTotal,u=void 0!==l&&l,c=n.previous,s=n.next;return j.a.createElement("div",{className:"tablenav-pages"},u&&j.a.createElement("div",null," "),!u&&j.a.createElement("div",{className:"displaying-num"},Object(N.translate)("%s database row in total","%s database rows in total",{count:t,args:Object(N.numberFormat)(t)})),j.a.createElement("div",{className:"pagination-links"},j.a.createElement(ko,{title:Object(N.translate)("First page"),button:"«",className:"first-page",enabled:!1!==c&&!o,onClick:function(){return r(i,0,"forward")}}),j.a.createElement(ko,{title:Object(N.translate)("Prev page"),button:"‹",className:"prev-page",enabled:!1!==c&&!o,onClick:function(){return r(i,c,"backward")}}),j.a.createElement("span",{className:"tablenav-paging-text"},Object(N.translate)("Progress %(current)s%%",{args:{current:Object(N.numberFormat)("forward"===a?To(t,s):jo(t,0==s?c:s))}})),j.a.createElement(ko,{title:Object(N.translate)("Next page"),button:"›",className:"next-page",enabled:!1!==s&&!o,onClick:function(){return r(i,s,"forward")}})))}));n(68);function Ro(){return(Ro=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}var No=function(e){var t=e.totals,n=e.searchDirection,r=t.matched_rows,o=t.matched_phrases,a=t.rows;return null===r?j.a.createElement("div",{className:"tablenav-pages"},j.a.createElement("div",{className:"displaying-num"}," ")):r>0?j.a.createElement(Po,Ro({},e,{matchedRows:r,matchedPhrases:o,total:a})):j.a.createElement(Co,Ro({},e,{total:a,searchDirection:n}))},Ao=(n(70),function(e,t){return"forward"===e&&!1!==t.next||"backward"===e&&!1!==t.previous});var Io=be((function(e){var t=e.search,n=t.results,r=t.status,o=t.progress,a=t.totals,i=t.requestCount;return{results:n,status:r,progress:o,searchDirection:t.searchDirection,totals:a,requestCount:i,search:t.search,showLoading:t.showLoading}}),(function(e){return{onSearchMore:function(t,n,r){e(function(e,t,n){return function(r,o){var a=cr(cr({},fr(e,o().search.sources)),{},{page:t,searchDirection:o().search.searchDirection,limit:n});return jt(St.get(a)).then((function(e){r(cr(cr({type:"SEARCH_COMPLETE"},e),{},{perPage:a.perPage}))})).catch((function(e){r({type:Ce,error:e})})),r(cr({type:"SEARCH_START_MORE"},a))}}(t,n,r))},onSetError:function(t){e(function(e){return{type:Ce,error:{message:e}}}(t))},onCancel:function(){e({type:"SEARCH_CANCEL",clearAll:!1})}}}))((function(e){var t=e.results,n=e.totals,r=e.progress,o=e.status,a=e.requestCount,i=e.search,l=e.searchDirection,u=e.showLoading,c=e.onCancel,s=i.perPage,f=i.searchFlags,p=e.onSearchMore,d=e.onChangePage,h=e.onSetError,m=o===Se;return Object(T.useEffect)((function(){a>500?h(Object(N.translate)("Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term.")):f.regex&&function(e,t,n,r){return e===Se&&t>0&&n.length<r}(o,a,t,s)&&Ao(l,r)?setTimeout((function(){p(i,"forward"===l?r.next:r.previous,s-t.length)}),450):f.regex&&!Ao(l,r)&&c()}),[a]),j.a.createElement(j.a.Fragment,null,j.a.createElement(No,{totals:n,onChangePage:d,perPage:s,isLoading:m,progress:r,searchDirection:l}),j.a.createElement("table",{className:gn()("wp-list-table","widefat","fixed","striped","items","searchregex-results")},j.a.createElement("thead",null,j.a.createElement("tr",null,j.a.createElement("th",{className:"searchregex-result__table"},Object(N.translate)("Source")),j.a.createElement("th",{className:"searchregex-result__row"},Object(N.translate)("Row ID")),j.a.createElement("th",{className:"searchregex-result__matches"},Object(N.translate)("Matches")),j.a.createElement("th",{className:"searchregex-result__match"},Object(N.translate)("Matched Phrases")),j.a.createElement("th",{className:"searchregex-result__action"},Object(N.translate)("Actions")))),j.a.createElement("tbody",null,t.map((function(e,t){return j.a.createElement(_o,{key:t,result:e})})),u&&j.a.createElement(So,{columns:4}),!m&&0===t.length&&j.a.createElement(Oo,{columns:5}))),j.a.createElement(No,{totals:n,onChangePage:d,perPage:s,isLoading:m,progress:r,searchDirection:l,noTotal:!0}))})),Do=function(e,t){return e===Se||0===t.length},Lo=function(e,t,n){return e===Se||0===t.length||t===n||null!==n&&0===n.length};var Fo=be((function(e){var t=e.search;return{search:t.search,status:t.status,replaceAll:t.replaceAll,canCancel:t.canCancel}}),(function(e){return{onCancel:function(){e({type:"SEARCH_CANCEL",clearAll:!1})},onSearch:function(t,n,r){e(pr(t,n,r))},onReplace:function(t,n,r){e(function(e,t,n){return function(r,o){var a=cr(cr({},fr(e,o().search.sources)),{},{replacePhrase:e.replacement,page:t,perPage:n});return jt(St.replace(a)).then((function(e){r(cr({type:"SEARCH_REPLACE_ALL_COMPLETE"},e))})).catch((function(e){r({type:Ce,error:e})})),r({type:"SEARCH_REPLACE_ALL"})}}(t,n,r))}}}))((function(e){var t=e.search,n=e.status,r=e.onSearch,o=e.onReplace,a=e.onCancel,i=e.replaceAll,l=e.canCancel,u=t.searchPhrase,c=t.replacement;return j.a.createElement("div",{className:"searchregex-search__action"},j.a.createElement("input",{className:"button button-primary",type:"submit",value:Object(N.translate)("Search"),onClick:function(){return r(t,0,"forward")},disabled:Do(n,u)||i}),j.a.createElement("input",{className:"button button-delete",type:"submit",value:Object(N.translate)("Replace All"),onClick:function(){return o(t,0,50)},disabled:Lo(n,u,c)||i}),n===Se&&l&&j.a.createElement(j.a.Fragment,null,j.a.createElement("button",{className:"button button-delete",onClick:a},Object(N.translate)("Cancel")),j.a.createElement(yr,null)))}));function Mo(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function zo(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Uo(e,t){return!t||"object"!=typeof t&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function Ho(e,t,n){return(Ho="undefined"!=typeof Reflect&&Reflect.get?Reflect.get:function(e,t,n){var r=function(e,t){for(;!Object.prototype.hasOwnProperty.call(e,t)&&null!==(e=Wo(e)););return e}(e,t);if(r){var o=Object.getOwnPropertyDescriptor(r,t);return o.get?o.get.call(n):o.value}})(e,t,n||e)}function Wo(e){return(Wo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Bo(e,t){return(Bo=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}var $o=function(e){return function(e){function t(){return Mo(this,t),Uo(this,Wo(t).apply(this,arguments))}var n,r,o;return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Bo(e,t)}(t,e),n=t,(r=[{key:"componentDidUpdate",value:function(){var e=this,t=Date.now(),n=!1;Object.keys(this.paths).forEach((function(r){var o=e.paths[r];if(o){n=!0;var a=o.style;a.transitionDuration=".3s, .3s, .3s, .06s",e.prevTimeStamp&&t-e.prevTimeStamp<100&&(a.transitionDuration="0s, 0s")}})),n&&(this.prevTimeStamp=Date.now())}},{key:"render",value:function(){return Ho(Wo(t.prototype),"render",this).call(this)}}])&&zo(n.prototype,r),o&&zo(n,o),t}(e)},Vo={className:"",percent:0,prefixCls:"rc-progress",strokeColor:"#2db7f5",strokeLinecap:"round",strokeWidth:1,style:{},trailColor:"#D9D9D9",trailWidth:1},qo=D.a.oneOfType([D.a.number,D.a.string]),Qo={className:D.a.string,percent:D.a.oneOfType([qo,D.a.arrayOf(qo)]),prefixCls:D.a.string,strokeColor:D.a.oneOfType([D.a.string,D.a.arrayOf(D.a.oneOfType([D.a.string,D.a.object])),D.a.object]),strokeLinecap:D.a.oneOf(["butt","round","square"]),strokeWidth:qo,style:D.a.object,trailColor:D.a.string,trailWidth:qo};function Go(){return(Go=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function Ko(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function Yo(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Xo(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Jo(e,t){return!t||"object"!=typeof t&&"function"!=typeof t?ea(e):t}function Zo(e){return(Zo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function ea(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ta(e,t){return(ta=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function na(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var ra=function(e){function t(){var e,n;Yo(this,t);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return na(ea(n=Jo(this,(e=Zo(t)).call.apply(e,[this].concat(o)))),"paths",{}),n}var n,r,o;return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&ta(e,t)}(t,e),n=t,(r=[{key:"render",value:function(){var e=this,t=this.props,n=t.className,r=t.percent,o=t.prefixCls,a=t.strokeColor,i=t.strokeLinecap,l=t.strokeWidth,u=t.style,c=t.trailColor,s=t.trailWidth,f=t.transition,p=Ko(t,["className","percent","prefixCls","strokeColor","strokeLinecap","strokeWidth","style","trailColor","trailWidth","transition"]);delete p.gapPosition;var d=Array.isArray(r)?r:[r],h=Array.isArray(a)?a:[a],m=l/2,g=100-l/2,y="M ".concat("round"===i?m:0,",").concat(m,"\n L ").concat("round"===i?g:100,",").concat(m),b="0 0 100 ".concat(l),v=0;return j.a.createElement("svg",Go({className:"".concat(o,"-line ").concat(n),viewBox:b,preserveAspectRatio:"none",style:u},p),j.a.createElement("path",{className:"".concat(o,"-line-trail"),d:y,strokeLinecap:i,stroke:c,strokeWidth:s||l,fillOpacity:"0"}),d.map((function(t,n){var r={strokeDasharray:"".concat(t,"px, 100px"),strokeDashoffset:"-".concat(v,"px"),transition:f||"stroke-dashoffset 0.3s ease 0s, stroke-dasharray .3s ease 0s, stroke 0.3s linear"},a=h[n]||h[h.length-1];return v+=t,j.a.createElement("path",{key:n,className:"".concat(o,"-line-path"),d:y,strokeLinecap:i,stroke:a,strokeWidth:l,fillOpacity:"0",ref:function(t){e.paths[n]=t},style:r})})))}}])&&Xo(n.prototype,r),o&&Xo(n,o),t}(T.Component);ra.propTypes=Qo,ra.defaultProps=Vo;var oa=$o(ra);function aa(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ia(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?aa(n,!0).forEach((function(t){da(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):aa(n).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function la(){return(la=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function ua(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function ca(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function sa(e){return(sa=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function fa(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function pa(e,t){return(pa=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function da(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var ha=0;function ma(e){return+e.replace("%","")}function ga(e){return Array.isArray(e)?e:[e]}function ya(e,t,n,r){var o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:0,a=arguments.length>5?arguments[5]:void 0,i=50-r/2,l=0,u=-i,c=0,s=-2*i;switch(a){case"left":l=-i,u=0,c=2*i,s=0;break;case"right":l=i,u=0,c=-2*i,s=0;break;case"bottom":u=i,s=2*i}var f="M 50,50 m ".concat(l,",").concat(u,"\n a ").concat(i,",").concat(i," 0 1 1 ").concat(c,",").concat(-s,"\n a ").concat(i,",").concat(i," 0 1 1 ").concat(-c,",").concat(s),p=2*Math.PI*i,d={stroke:n,strokeDasharray:"".concat(t/100*(p-o),"px ").concat(p,"px"),strokeDashoffset:"-".concat(o/2+e/100*(p-o),"px"),transition:"stroke-dashoffset .3s ease 0s, stroke-dasharray .3s ease 0s, stroke .3s, stroke-width .06s ease .3s"};return{pathString:f,pathStyle:d}}var ba=function(e){function t(){var e;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),e=function(e,t){return!t||"object"!=typeof t&&"function"!=typeof t?fa(e):t}(this,sa(t).call(this)),da(fa(e),"paths",{}),da(fa(e),"gradientId",0),e.gradientId=ha,ha+=1,e}var n,r,o;return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&pa(e,t)}(t,e),n=t,(r=[{key:"getStokeList",value:function(){var e=this,t=this.props,n=t.prefixCls,r=t.percent,o=t.strokeColor,a=t.strokeWidth,i=t.strokeLinecap,l=t.gapDegree,u=t.gapPosition,c=ga(r),s=ga(o),f=0;return c.map((function(t,r){var o=s[r]||s[s.length-1],c="[object Object]"===Object.prototype.toString.call(o)?"url(#".concat(n,"-gradient-").concat(e.gradientId,")"):"",p=ya(f,t,o,a,l,u),d=p.pathString,h=p.pathStyle;return f+=t,j.a.createElement("path",{key:r,className:"".concat(n,"-circle-path"),d:d,stroke:c,strokeLinecap:i,strokeWidth:0===t?0:a,fillOpacity:"0",style:h,ref:function(t){e.paths[r]=t}})}))}},{key:"render",value:function(){var e=this.props,t=e.prefixCls,n=e.strokeWidth,r=e.trailWidth,o=e.gapDegree,a=e.gapPosition,i=e.trailColor,l=e.strokeLinecap,u=e.style,c=e.className,s=e.strokeColor,f=ua(e,["prefixCls","strokeWidth","trailWidth","gapDegree","gapPosition","trailColor","strokeLinecap","style","className","strokeColor"]),p=ya(0,100,i,n,o,a),d=p.pathString,h=p.pathStyle;delete f.percent;var m=ga(s).find((function(e){return"[object Object]"===Object.prototype.toString.call(e)}));return j.a.createElement("svg",la({className:"".concat(t,"-circle ").concat(c),viewBox:"0 0 100 100",style:u},f),m&&j.a.createElement("defs",null,j.a.createElement("linearGradient",{id:"".concat(t,"-gradient-").concat(this.gradientId),x1:"100%",y1:"0%",x2:"0%",y2:"0%"},Object.keys(m).sort((function(e,t){return ma(e)-ma(t)})).map((function(e,t){return j.a.createElement("stop",{key:t,offset:e,stopColor:m[e]})})))),j.a.createElement("path",{className:"".concat(t,"-circle-trail"),d:d,stroke:i,strokeLinecap:l,strokeWidth:r||n,fillOpacity:"0",style:h}),this.getStokeList().reverse())}}])&&ca(n.prototype,r),o&&ca(n,o),t}(T.Component);ba.propTypes=ia({},Qo,{gapPosition:D.a.oneOf(["top","bottom","left","right"])}),ba.defaultProps=ia({},Vo,{gapPosition:"top"});$o(ba),n(72);var va=be((function(e){var t=e.search,n=t.progress,r=t.totals,o=t.requestCount,a=t.replaceCount,i=t.phraseCount;return{status:t.status,progress:n,totals:r,requestCount:o,replaceCount:a,phraseCount:i,isRegex:void 0!==t.search.searchFlags.regex}}),(function(e){return{onClear:function(){e({type:"SEARCH_CANCEL",clearAll:!0})},onNext:function(t){e(function(e){return function(t,n){var r=n().search.search,o=cr(cr({},fr(n().search.search,n().search.sources)),{},{replacePhrase:r.replacement,page:e});return jt(St.replace(o)).then((function(e){t(cr({type:"SEARCH_REPLACE_ALL_COMPLETE"},e))})).catch((function(e){t({type:Ce,error:e})})),t({type:"SEARCH_REPLACE_ALL_MORE"})}}(t))}}}))((function(e){var t=e.progress,n=e.totals,r=e.requestCount,o=e.replaceCount,a=e.onNext,i=e.status,l=e.onClear,u=e.phraseCount,c=e.isRegex?n.rows:n.matched_rows,s=void 0===t.rows?0:t.current+t.rows,f=c>0?Math.round(s/c*100):0;return Object(T.useEffect)((function(){r>0&&!1!==t.next&&o<c&&i===Se&&a(t.next)}),[r]),j.a.createElement("div",{className:"searchregex-replaceall"},j.a.createElement("h3",null,Object(N.translate)("Replace progress")),j.a.createElement("div",{className:"searchregex-replaceall__progress"},j.a.createElement(oa,{percent:f,strokeWidth:"4",trailWidth:"4",strokeLinecap:"square"}),j.a.createElement("div",{className:"searchregex-replaceall__status"},"".concat(f,"%"))),i===Oe&&j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Object(N.translate)("Finished!")),j.a.createElement("p",null,Object(N.translate)("Rows updated: %s",{args:Object(N.numberFormat)(o)})),j.a.createElement("p",null,Object(N.translate)("Phrases replaced: %s",{args:Object(N.numberFormat)(u)})),j.a.createElement("button",{className:"button button-primary",onClick:l},Object(N.translate)("Finished!"))))}));n(74);var wa=be((function(e){var t=e.search;return{status:t.status,replaceAll:t.replaceAll}}),null)((function(e){var t=e.status,n=e.replaceAll;return j.a.createElement(j.a.Fragment,null,j.a.createElement("div",{className:"inline-notice inline-warning"},j.a.createElement("p",null,Object(N.translate)("You are advised to backup your data before making modifications."))),j.a.createElement("p",null,Object(N.translate)("Search and replace information in your database.")),j.a.createElement("form",{className:"searchregex-search",onSubmit:function(e){return e.preventDefault()}},j.a.createElement(mr,null),j.a.createElement(Fo,null)),t&&(n?j.a.createElement(va,null):j.a.createElement(Io,null)))}));function Ea(e){return 0===e.code?e.message:e.data&&e.data.wpdb?j.a.createElement("span",null,"".concat(e.message," (").concat(e.code,")"),": ",j.a.createElement("code",null,e.data.wpdb)):e.code?j.a.createElement(j.a.Fragment,null,e.message," (",j.a.createElement("code",null,e.code),")"):e.message}var xa=function(e){var t,n,r,o,a=e.error;if(0===a.code)return j.a.createElement("p",null,Object(N.translate)("WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."));if("rest_cookie_invalid_nonce"===a.code)return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.")),j.a.createElement("p",null,j.a.createElement(fn,{url:"https://searchregex.com/support/problems/cloudflare/"},Object(N.translate)("Read this REST API guide for more information."))));if(a.request&&function(e,t){return(-1!==[400,401,403,405].indexOf(e)||"rest_no_route"===t)&&0===parseInt(t,10)}(a.request.status,a.code))return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.")),j.a.createElement("p",null,j.a.createElement(fn,{url:"https://searchregex.com/support/problems/rest-api/"},Object(N.translate)("Read this REST API guide for more information."))));if(a.request&&404===a.request.status)return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured")),j.a.createElement("p",null,j.a.createElement(fn,{url:"https://searchregex.com/support/problems/rest-api/"},Object(N.translate)("Read this REST API guide for more information."))));if(a.request&&413===a.request.status)return j.a.createElement("p",null,Object(N.translate)("Your server has rejected the request for being too big. You will need to change it to continue."));if(a.request&&function(e){return-1!==[500,502,503].indexOf(e)}(a.request.status))return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log")),j.a.createElement("p",null,j.a.createElement(fn,{url:"https://searchregex.com/support/problems/rest-api/#http"},Object(N.translate)("Read this REST API guide for more information."))));if("disabled"===a.code||"rest_disabled"===a.code)return j.a.createElement("p",null,Object(N.translate)("Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working"));if(void 0===a.message)return j.a.createElement("p",null,Object(N.translate)("An unknown error occurred."));if(-1!==a.message.indexOf("Unexpected token")||-1!==a.message.indexOf("JSON parse error")){var i=(t=a.request,n=t.raw,r=n.split("<br />").filter((function(e){return e})),(o=n.lastIndexOf("}"))!==n.length?n.substr(o+1).trim():r.slice(0,r.length-1).join(" ").trim());return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("WordPress returned an unexpected message. This is probably a PHP error from another plugin.")),i.length>1&&j.a.createElement("p",null,j.a.createElement("strong",null,Object(N.translate)("Possible cause"),":")," ",j.a.createElement("code",null,i.substr(0,1e3))))}var l=a.message.toLowerCase();return"failed to fetch"===l||"not allowed to request resource"===l||-1!==l.indexOf("networkerror")?j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Ea(a)),j.a.createElement("p",null,Object(N.translate)("Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.")),j.a.createElement("p",null,j.a.createElement(fn,{url:"https://searchregex.com/support/problems/rest-api/#url"},Object(N.translate)("Read this REST API guide for more information.")))):j.a.createElement("p",null,Ea(a))};function _a(e){return(_a="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Sa(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Oa(e,t){return(Oa=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function ka(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=ja(e);if(t){var o=ja(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Pa(this,n)}}function Pa(e,t){return!t||"object"!==_a(t)&&"function"!=typeof t?Ta(e):t}function Ta(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ja(e){return(ja=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ca(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Ra=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Oa(e,t)}(a,e);var t,n,r,o=ka(a);function a(e){var t;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Ca(Ta(t=o.call(this,e)),"onShow",(function(e){e.preventDefault(),t.setState({hide:!1})})),Ca(Ta(t),"onHide",(function(e){e.preventDefault(),t.setState({hide:!0})}));var n=t.props.error.request;return t.state={hide:t.doesNeedHiding(n)},t}return t=a,(n=[{key:"doesNeedHiding",value:function(e){return e&&e.raw&&e.raw.length>500}},{key:"render",value:function(){var e=this.props.error.request,t=this.state.hide,n=this.doesNeedHiding(e);return e&&e.raw?j.a.createElement(j.a.Fragment,null,n&&t&&j.a.createElement("a",{className:"api-result-hide",onClick:this.onShow,href:"#"},Object(N.translate)("Show Full")),n&&!t&&j.a.createElement("a",{className:"api-result-hide",onClick:this.onHide,href:"#"},Object(N.translate)("Hide")),j.a.createElement("pre",null,t?e.raw.substr(0,500)+" ...":e.raw)):null}}])&&Sa(t.prototype,n),r&&Sa(t,r),a}(j.a.Component),Na=function(e,t){var n=function(e){return e.code?e.code:e.name?e.name:null}(e);return j.a.createElement("div",{className:"api-result-log_details",key:t},j.a.createElement("p",null,j.a.createElement("span",{className:"dashicons dashicons-no"})),j.a.createElement("div",null,j.a.createElement("p",null,t.map((function(t,n){return j.a.createElement("span",{key:n,className:"api-result-method_fail"},t," ",e.data&&e.data.status)})),n&&j.a.createElement("strong",null,n,": "),e.message),j.a.createElement(xa,{error:e}),j.a.createElement(Ra,{error:e})))},Aa=function(e){return j.a.createElement("p",{key:e},j.a.createElement("span",{className:"dashicons dashicons-yes"}),e.map((function(e,t){return j.a.createElement("span",{key:t,className:"api-result-method_pass"},e)})),Object(N.translate)("Working!"))},Ia=function(e){return e.code?e.code:0},Da=function(e){var t=e.result,n=[],r=t.GET,o=t.POST;return r.status===o.status&&Ia(r)===Ia(o)?("fail"===r.status?n.push(Na(r.error,["GET","POST"])):n.push(Aa(["GET","POST"])),n):("fail"===r.status?n.push(Na(r.error,["GET"])):n.push(Aa(["GET"])),"fail"===o.status?n.push(Na(o.error,["POST"])):n.push(Aa(["POST"])),n)},La=function(e){var t=e.item,n=e.result,r=e.routes,o=e.isCurrent,a=e.allowChange;return function(e){return 0===Object.keys(e).length||"loading"===e.GET.status||"loading"===e.POST.status}(n)?null:j.a.createElement("div",{className:"api-result-log"},j.a.createElement("form",{className:"api-result-select",action:SearchRegexi10n.pluginRoot+"&sub=support",method:"POST"},a&&!o&&j.a.createElement("input",{type:"submit",className:"button button-secondary",value:Object(N.translate)("Switch to this API")}),a&&o&&j.a.createElement("span",null,Object(N.translate)("Current API")),j.a.createElement("input",{type:"hidden",name:"rest_api",value:t.value}),j.a.createElement("input",{type:"hidden",name:"_wpnonce",value:gt()}),j.a.createElement("input",{type:"hidden",name:"action",value:"rest_api"})),j.a.createElement("h4",null,t.text),j.a.createElement("p",null,"URL: ",j.a.createElement("code",null,j.a.createElement(fn,{url:r[t.value]},r[t.value]))),j.a.createElement(Da,{result:n}))};n(76);function Fa(e){return(Fa="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Ma(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function za(e,t){return(za=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Ua(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Ba(e);if(t){var o=Ba(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Ha(this,n)}}function Ha(e,t){return!t||"object"!==Fa(t)&&"function"!=typeof t?Wa(e):t}function Wa(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Ba(e){return(Ba=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function $a(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Va="warning-not-selected",qa=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&za(e,t)}(a,e);var t,n,r,o=Ua(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),$a(Wa(t=o.call(this,e)),"onRetry",(function(e){e.preventDefault,t.setState({showing:!1}),t.onTry()})),$a(Wa(t),"onShow",(function(){t.setState({showing:!0})})),t.state={showing:!1},t}return t=a,(n=[{key:"componentDidMount",value:function(){this.onTry()}},{key:"onTry",value:function(){var e=this.props.routes,t=Object.keys(e).map((function(t){return{id:t,url:e[t]}}));this.props.onCheckApi(t.filter((function(e){return e})))}},{key:"getPercent",value:function(e,t){if(0===Object.keys(e).length)return 0;for(var n=2*t.length,r=0,o=0;o<Object.keys(e).length;o++){var a=Object.keys(e)[o];e[a]&&e[a].GET&&"loading"!==e[a].GET.status&&r++,e[a]&&e[a].POST&&"loading"!==e[a].POST.status&&r++}return Math.round(r/n*100)}},{key:"getApiStatus",value:function(e,t,n){var r,o=Object.keys(e).filter((function(t){return(n=e[t]).GET&&n.POST&&("fail"===n.GET.status||"fail"===n.POST.status);var n})).length;return 0===o?"ok":o<t.length?(r=e[n]).GET&&r.POST&&"ok"===r.GET.status&&"ok"===r.POST.status?"warning-current":Va:"fail"}},{key:"getApiStatusText",value:function(e){return"ok"===e?Object(N.translate)("Good"):"warning-current"===e?Object(N.translate)("Working but some issues"):e===Va?Object(N.translate)("Not working but fixable"):Object(N.translate)("Unavailable")}},{key:"canShowProblem",value:function(e){return this.state.showing||"fail"===e||e===Va}},{key:"renderError",value:function(e){var t=this.canShowProblem(e),n=Object(N.translate)("There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.");return"fail"===e?n=Object(N.translate)("Your REST API is not working and the plugin will not be able to continue until this is fixed."):e===Va&&(n=Object(N.translate)("You are using a broken REST API route. Changing to a working API should fix the problem.")),j.a.createElement("div",{className:"api-result-log"},j.a.createElement("p",null,j.a.createElement("strong",null,Object(N.translate)("Summary")),": ",n),!t&&j.a.createElement("p",null,j.a.createElement("button",{className:"button-secondary",onClick:this.onShow},Object(N.translate)("Show Problems"))))}},{key:"render",value:function(){var e=Bt(),t=this.props,n=t.apiTest,r=t.routes,o=t.current,a=t.allowChange,i=this.state.showing,l=this.getPercent(n,e),u=this.getApiStatus(n,e,o),c=l>=100&&this.canShowProblem(u)||i,s=gn()({"api-result-status":!0,"api-result-status_good":"ok"===u&&l>=100,"api-result-status_problem":"warning-current"===u&&l>=100,"api-result-status_failed":("fail"===u||u===Va)&&l>=100});return j.a.createElement("div",{className:"api-result-wrapper"},j.a.createElement("div",{className:"api-result-header"},j.a.createElement("strong",null,"REST API:"),j.a.createElement("div",{className:"api-result-progress"},j.a.createElement("span",{className:s},l<100&&Object(N.translate)("Testing - %s%%",{args:[l]}),l>=100&&this.getApiStatusText(u)),l<100&&j.a.createElement(yr,null)),l>=100&&"ok"!==u&&j.a.createElement("button",{className:"button button-secondary api-result-retry",onClick:this.onRetry},Object(N.translate)("Check Again"))),l>=100&&"ok"!==u&&this.renderError(u),c&&e.map((function(e,t){return j.a.createElement(La,{item:e,result:(i=n,l=e.value,i&&i[l]?i[l]:{}),routes:r,key:t,isCurrent:o===e.value,allowChange:a});var i,l})))}}])&&Ma(t.prototype,n),r&&Ma(t,r),a}(j.a.Component);$a(qa,"defaultProps",{allowChange:!0});var Qa=be((function(e){var t=e.settings,n=t.api,r=n.routes,o=n.current;return{apiTest:t.apiTest,routes:r,current:o}}),(function(e){return{onCheckApi:function(t){e(function(e){return function(t){for(var n=function(n){var r=e[n],o=r.id,a=r.url;t({type:"SETTING_API_TRY",id:o,method:"GET"}),t({type:"SETTING_API_TRY",id:o,method:"POST"}),setTimeout((function(){jt(kt.checkApi(a)).then((function(){t({type:"SETTING_API_SUCCESS",id:o,method:"GET"})})).catch((function(e){t({type:"SETTING_API_FAILED",id:o,method:"GET",error:e})})),jt(kt.checkApi(a,!0)).then((function(){t({type:"SETTING_API_SUCCESS",id:o,method:"POST"})})).catch((function(e){t({type:"SETTING_API_FAILED",id:o,method:"POST",error:e})}))}),1e3)},r=0;r<e.length;r++)n(r)}}(t))}}}))(qa);n(78);function Ga(e){return(Ga="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Ka(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Ya(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Xa(e,t){return(Xa=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Ja(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=ti(e);if(t){var o=ti(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Za(this,n)}}function Za(e,t){return!t||"object"!==Ga(t)&&"function"!=typeof t?ei(e):t}function ei(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ti(e){return(ti=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function ni(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var ri=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Xa(e,t)}(a,e);var t,n,r,o=Ja(a);function a(){var e;Ka(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return ni(ei(e=o.call.apply(o,[this].concat(n))),"onClick",(function(){e.props.onClear()})),e}return t=a,(n=[{key:"componentDidUpdate",value:function(e){0===e.errors.length&&this.props.errors.length>0&&window.scrollTo(0,0)}},{key:"getDebug",value:function(e){for(var t=[SearchRegexi10n.versions],n=0;n<e.length;n++){var r=e[n].request,o=void 0!==r&&r;t.push(""),t.push("Error: "+this.getErrorDetails(e[n])),o&&o.status&&o.statusText&&(t.push("Action: "+o.action),o.params&&t.push("Params: "+JSON.stringify(o.params)),t.push("Code: "+o.status+" "+o.statusText)),o&&t.push("Raw: "+(o.raw?o.raw:"-no data-"))}return t}},{key:"getErrorDetails",value:function(e){return 0===e.code?e.message:e.data&&e.data.wpdb?"".concat(e.message," (").concat(e.code,"): ").concat(e.data.wpdb):e.code?"".concat(e.message," (").concat(e.code,")"):e.message}},{key:"removeSameError",value:function(e){return e.filter((function(t,n){for(var r=n+1;n<e.length-1;n++){if(t.code&&e[r].code&&t.code===e[r].code)return!1;if(t.message&&e[r].message&&t.message===e[r].message)return!1}return!0}))}},{key:"renderDebug",value:function(e){var t="mailto:john@searchregex.com?subject=Search%20Regex%20Error&body="+encodeURIComponent(e.join("\n")),n="https://github.com/johngodley/search-regex/issues/new?title=Search%20Regex%20Error&body="+encodeURIComponent("```\n"+e.join("\n")+"\n```\n\n");return j.a.createElement(j.a.Fragment,null,j.a.createElement("p",null,Object(N.translate)("Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.",{components:{strong:j.a.createElement("strong",null)}})),j.a.createElement("p",null,j.a.createElement("a",{href:n,className:"button-primary"},Object(N.translate)("Create An Issue"))," ",j.a.createElement("a",{href:t,className:"button-secondary"},Object(N.translate)("Email"))),j.a.createElement("p",null,Object(N.translate)("Include these details in your report along with a description of what you were doing and a screenshot.")),j.a.createElement("p",null,j.a.createElement(Vr,{readOnly:!0,cols:"120",value:e.join("\n"),spellCheck:!1})))}},{key:"renderNonce",value:function(e){return j.a.createElement("div",{className:"red-error"},j.a.createElement("h2",null,Object(N.translate)("You are not authorised to access this page.")),j.a.createElement("p",null,Object(N.translate)("This is usually fixed by doing one of these:")),j.a.createElement("ol",null,j.a.createElement("li",null,Object(N.translate)("Reload the page - your current session is old.")),j.a.createElement("li",null,Object(N.translate)("Log out, clear your browser cache, and log in again - your browser has cached an old session.")),j.a.createElement("li",null,Object(N.translate)("Your admin pages are being cached. Clear this cache and try again."))),j.a.createElement("p",null,Object(N.translate)("The problem is almost certainly caused by one of the above.")),j.a.createElement("h3",null,Object(N.translate)("That didn't help")),this.renderDebug(e))}},{key:"renderError",value:function(e){var t=this.removeSameError(e),n=this.getDebug(t);return e.length>0&&"rest_cookie_invalid_nonce"===e[0].code?this.renderNonce(n):j.a.createElement("div",{className:"red-error"},j.a.createElement("div",{className:"closer",onClick:this.onClick},"✖"),j.a.createElement("h2",null,Object(N.translate)("Something went wrong 🙁")),j.a.createElement("div",{className:"red-error_title"},t.map((function(e,t){return j.a.createElement(xa,{error:e,key:t})}))),j.a.createElement(Qa,null),j.a.createElement("h3",null,Object(N.translate)("What do I do next?")),j.a.createElement("ol",null,j.a.createElement("li",null,Object(N.translate)('Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and "magic fix" the problem.',{components:{link:j.a.createElement("a",{href:"?page=search-regex.php&sub=support"})}})),j.a.createElement("li",null,Object(N.translate)("{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/problems/cloudflare/"})}})),j.a.createElement("li",null,Object(N.translate)("{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.",{components:{link:j.a.createElement(fn,{url:"https://searchregex.com/support/problems/plugins/"})}})),j.a.createElement("li",null,Object(N.translate)("If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.",{components:{link:j.a.createElement(fn,{url:"/wp-admin/site-health.php"})}}))),j.a.createElement("h3",null,Object(N.translate)("That didn't help")),this.renderDebug(n))}},{key:"render",value:function(){var e=this.props.errors;return 0===e.length?null:this.renderError(e)}}])&&Ya(t.prototype,n),r&&Ya(t,r),a}(j.a.Component);var oi=be((function(e){return{errors:e.message.errors}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_ERRORS"})}}}))(ri);n(80);function ai(e){return(ai="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ii(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function li(e,t){return(li=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function ui(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=fi(e);if(t){var o=fi(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return ci(this,n)}}function ci(e,t){return!t||"object"!==ai(t)&&"function"!=typeof t?si(e):t}function si(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function fi(e){return(fi=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function pi(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var di=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&li(e,t)}(a,e);var t,n,r,o=ui(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),pi(si(t=o.call(this,e)),"onClick",(function(){t.state.shrunk?t.setState({shrunk:!1}):t.props.onClear()})),pi(si(t),"onShrink",(function(){t.setState({shrunk:!0})})),t.state={shrunk:!1,width:"auto"},t}return t=a,(n=[{key:"getSnapshotBeforeUpdate",value:function(e){return this.props.notices!==e.notices&&(this.stopTimer(),this.setState({shrunk:!1}),this.startTimer()),null}},{key:"componentWillUnmount",value:function(){this.stopTimer()}},{key:"stopTimer",value:function(){clearTimeout(this.timer)}},{key:"startTimer",value:function(){this.timer=setTimeout(this.onShrink,5e3)}},{key:"getNotice",value:function(e){return e.length>1?e[e.length-1]+" ("+e.length+")":e[0]}},{key:"renderNotice",value:function(e){var t="notice notice-info redirection-notice"+(this.state.shrunk?" redirection-notice_shrunk":"");return j.a.createElement("div",{className:t,onClick:this.onClick},j.a.createElement("div",{className:"closer"},"✔"),j.a.createElement("p",null,this.state.shrunk?j.a.createElement("span",{title:Object(N.translate)("View notice")},"🔔"):this.getNotice(e)))}},{key:"render",value:function(){var e=this.props.notices;return 0===e.length?null:this.renderNotice(e)}}])&&ii(t.prototype,n),r&&ii(t,r),a}(j.a.Component);var hi=be((function(e){return{notices:e.message.notices}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_NOTICES"})}}}))(di),mi=function(e){var t=e.item,n=e.isCurrent,r=e.onClick,o=SearchRegexi10n.pluginRoot+(""===t.value?"":"&sub="+t.value);return j.a.createElement("li",null,j.a.createElement("a",{className:n?"current":"",href:o,onClick:function(e){e.preventDefault(),r(t.value,o)}},t.name))};function gi(e){return-1!==SearchRegexi10n.caps.pages.indexOf(e)}n(82);var yi=function(e,t){return e===t.value||"search"===e&&""===t.value},bi=function(e){var t=e.onChangePage,n=e.current,r=[{name:Object(N.translate)("Search & Replace"),value:""},{name:Object(N.translate)("Options"),value:"options"},{name:Object(N.translate)("Support"),value:"support"}].filter((function(e){return gi(e.value)||""===e.value&&gi("search")}));return r.length<2?null:j.a.createElement("div",{className:"subsubsub-container"},j.a.createElement("ul",{className:"subsubsub"},r.map((function(e,r){return j.a.createElement(mi,{key:r,item:e,isCurrent:yi(n,e),onClick:t})})).reduce((function(e,t){return[e," | ",t]}))))};n(84);function vi(e){return(vi="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function wi(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Ei(e,t){return(Ei=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function xi(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Oi(e);if(t){var o=Oi(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return _i(this,n)}}function _i(e,t){return!t||"object"!==vi(t)&&"function"!=typeof t?Si(e):t}function Si(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Oi(e){return(Oi=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function ki(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Pi=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ei(e,t)}(a,e);var t,n,r,o=xi(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),ki(Si(t=o.call(this,e)),"onPageChanged",(function(){var e=Je();t.changePage(e),t.setState({page:e,clicked:t.state.clicked+1})})),ki(Si(t),"onChangePage",(function(e,n){""===e&&(e="search"),t.props.onClear(),history.pushState({},null,n),t.changePage(e),t.setState({page:e,clicked:t.state.clicked+1})})),t.state={page:Je(),clicked:0,stack:!1,error:"2.0.1"!==SearchRegexi10n.version,info:!1},window.addEventListener("popstate",t.onPageChanged),t}return t=a,(n=[{key:"componentDidCatch",value:function(e,t){this.setState({error:!0,stack:e,info:t})}},{key:"componentWillUnmount",value:function(){window.removeEventListener("popstate",this.onPageChanged)}},{key:"changePage",value:function(e){}},{key:"getContent",value:function(e){switch(this.state.clicked,e){case"support":return j.a.createElement(hn,null);case"options":return j.a.createElement(sn,null)}return j.a.createElement(wa,null)}},{key:"renderError",value:function(){var e=[SearchRegexi10n.versions,"Buster: 2.0.1 === "+SearchRegexi10n.version,"",this.state.stack];return this.state.info&&this.state.info.componentStack&&e.push(this.state.info.componentStack),"2.0.1"!==SearchRegexi10n.version?j.a.createElement("div",{className:"red-error"},j.a.createElement("h2",null,Object(N.translate)("Cached Search Regex detected")),j.a.createElement("p",null,Object(N.translate)("Please clear your browser cache and reload this page.")),j.a.createElement("p",null,Object(N.translate)("If you are using a caching system such as Cloudflare then please read this: "),j.a.createElement(fn,{url:"https://searchregex.com/support/problems/cloudflare/"},Object(N.translate)("clearing your cache."))),j.a.createElement("p",null,j.a.createElement("textarea",{readOnly:!0,rows:e.length+3,cols:"120",value:e.join("\n"),spellCheck:!1}))):j.a.createElement("div",{className:"red-error"},j.a.createElement("h2",null,Object(N.translate)("Something went wrong 🙁")),j.a.createElement("p",null,Object(N.translate)("Search Regex is not working. Try clearing your browser cache and reloading this page.")," ",Object(N.translate)("If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.")),j.a.createElement("p",null,Object(N.translate)("If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.",{components:{link:j.a.createElement(fn,{url:"https://github.com/johngodley/searchregex/issues"})}})),j.a.createElement("p",null,Object(N.translate)("Please mention {{code}}%s{{/code}}, and explain what you were doing at the time",{components:{code:j.a.createElement("code",null)},args:this.state.page})),j.a.createElement("p",null,j.a.createElement("textarea",{readOnly:!0,rows:e.length+8,cols:"120",value:e.join("\n"),spellCheck:!1})))}},{key:"render",value:function(){var e=this.state,t=e.error,n=e.page,r={search:Object(N.translate)("Search Regex"),options:Object(N.translate)("Options"),support:Object(N.translate)("Support")}[n];return t?this.renderError():j.a.createElement("div",{className:"wrap searchregex"},j.a.createElement("h1",{className:"wp-heading-inline"},r),j.a.createElement(bi,{onChangePage:this.onChangePage,current:n}),j.a.createElement(oi,null),this.getContent(n),j.a.createElement(hi,null))}}])&&wi(t.prototype,n),r&&wi(t,r),a}(j.a.Component);var Ti,ji=be((function(e){return{errors:e.message.errors}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_ERRORS"})}}}))(Pi),Ci=function(){return j.a.createElement(H,{store:tt({settings:nt(),search:{results:[],replacements:[],replacing:[],replaceAll:!1,replaceCount:0,phraseCount:0,search:(e=Xe(),ct({searchPhrase:e.searchphrase?e.searchphrase:"",searchFlags:e.searchflags?e.searchflags:["case"],source:e.source?e.source:["posts"],sourceFlags:e.sourceflags?e.sourceflags:[],replacement:"",perPage:e.perpage?e.perpage:25})),searchDirection:null,searchedPhrase:"",requestCount:0,totals:{},progress:{},status:null,showLoading:!1,sources:SearchRegexi10n.preload&&SearchRegexi10n.preload.sources?SearchRegexi10n.preload.sources:[],sourceFlags:SearchRegexi10n.preload&&SearchRegexi10n.preload.source_flags?SearchRegexi10n.preload.source_flags:[],rawData:null,canCancel:!1},message:{errors:[],notices:[],inProgress:0,saving:[]}})},j.a.createElement(j.a.StrictMode,null,j.a.createElement(ji,null)));var e};document.querySelector("#react-ui")&&(Ti="react-ui",A.a.setLocale({"":{localeSlug:SearchRegexi10n.localeSlug}}),A.a.addTranslations(SearchRegexi10n.locale),R.a.render(j.a.createElement(Ci,null),document.getElementById(Ti))),window.searchregex=SearchRegexi10n.version}]);
|
1 |
+
/*! Search Regex v2.1 */!function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)n.d(r,o,function(t){return e[t]}.bind(null,o));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="",n(n.s=22)}([function(e,t,n){"use strict";e.exports=n(23)},function(e,t,n){var r=n(27),o=new r;e.exports={numberFormat:o.numberFormat.bind(o),translate:o.translate.bind(o),configure:o.configure.bind(o),setLocale:o.setLocale.bind(o),getLocale:o.getLocale.bind(o),getLocaleSlug:o.getLocaleSlug.bind(o),addTranslations:o.addTranslations.bind(o),reRenderTranslations:o.reRenderTranslations.bind(o),registerComponentUpdateHook:o.registerComponentUpdateHook.bind(o),registerTranslateHook:o.registerTranslateHook.bind(o),state:o.state,stateObserver:o.stateObserver,on:o.stateObserver.on.bind(o.stateObserver),off:o.stateObserver.removeListener.bind(o.stateObserver),emit:o.stateObserver.emit.bind(o.stateObserver),$this:o,I18N:r}},function(e,t,n){var r;
|
2 |
/*!
|
3 |
Copyright (c) 2017 Jed Watson.
|
4 |
Licensed under the MIT License (MIT), see
|
5 |
http://jedwatson.github.io/classnames
|
6 |
+
*/!function(){"use strict";var n={}.hasOwnProperty;function o(){for(var e=[],t=0;t<arguments.length;t++){var r=arguments[t];if(r){var a=typeof r;if("string"===a||"number"===a)e.push(r);else if(Array.isArray(r)&&r.length){var i=o.apply(null,r);i&&e.push(i)}else if("object"===a)for(var l in r)n.call(r,l)&&r[l]&&e.push(l)}}return e.join(" ")}e.exports?(o.default=o,e.exports=o):void 0===(r=function(){return o}.apply(t,[]))||(e.exports=r)}()},function(e,t,n){"use strict";var r,o=function(){return void 0===r&&(r=Boolean(window&&document&&document.all&&!window.atob)),r},a=function(){var e={};return function(t){if(void 0===e[t]){var n=document.querySelector(t);if(window.HTMLIFrameElement&&n instanceof window.HTMLIFrameElement)try{n=n.contentDocument.head}catch(e){n=null}e[t]=n}return e[t]}}(),i=[];function l(e){for(var t=-1,n=0;n<i.length;n++)if(i[n].identifier===e){t=n;break}return t}function u(e,t){for(var n={},r=[],o=0;o<e.length;o++){var a=e[o],u=t.base?a[0]+t.base:a[0],c=n[u]||0,s="".concat(u," ").concat(c);n[u]=c+1;var f=l(s),p={css:a[1],media:a[2],sourceMap:a[3]};-1!==f?(i[f].references++,i[f].updater(p)):i.push({identifier:s,updater:g(p,t),references:1}),r.push(s)}return r}function c(e){var t=document.createElement("style"),r=e.attributes||{};if(void 0===r.nonce){var o=n.nc;o&&(r.nonce=o)}if(Object.keys(r).forEach((function(e){t.setAttribute(e,r[e])})),"function"==typeof e.insert)e.insert(t);else{var i=a(e.insert||"head");if(!i)throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid.");i.appendChild(t)}return t}var s,f=(s=[],function(e,t){return s[e]=t,s.filter(Boolean).join("\n")});function p(e,t,n,r){var o=n?"":r.media?"@media ".concat(r.media," {").concat(r.css,"}"):r.css;if(e.styleSheet)e.styleSheet.cssText=f(t,o);else{var a=document.createTextNode(o),i=e.childNodes;i[t]&&e.removeChild(i[t]),i.length?e.insertBefore(a,i[t]):e.appendChild(a)}}function d(e,t,n){var r=n.css,o=n.media,a=n.sourceMap;if(o?e.setAttribute("media",o):e.removeAttribute("media"),a&&btoa&&(r+="\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(a))))," */")),e.styleSheet)e.styleSheet.cssText=r;else{for(;e.firstChild;)e.removeChild(e.firstChild);e.appendChild(document.createTextNode(r))}}var h=null,m=0;function g(e,t){var n,r,o;if(t.singleton){var a=m++;n=h||(h=c(t)),r=p.bind(null,n,a,!1),o=p.bind(null,n,a,!0)}else n=c(t),r=d.bind(null,n,t),o=function(){!function(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e)}(n)};return r(e),function(t){if(t){if(t.css===e.css&&t.media===e.media&&t.sourceMap===e.sourceMap)return;r(e=t)}else o()}}e.exports=function(e,t){(t=t||{}).singleton||"boolean"==typeof t.singleton||(t.singleton=o());var n=u(e=e||[],t);return function(e){if(e=e||[],"[object Array]"===Object.prototype.toString.call(e)){for(var r=0;r<n.length;r++){var o=l(n[r]);i[o].references--}for(var a=u(e,t),c=0;c<n.length;c++){var s=l(n[c]);0===i[s].references&&(i[s].updater(),i.splice(s,1))}n=a}}}},function(e,t,n){"use strict";e.exports=function(e){var t=[];return t.toString=function(){return this.map((function(t){var n=function(e,t){var n=e[1]||"",r=e[3];if(!r)return n;if(t&&"function"==typeof btoa){var o=(i=r,l=btoa(unescape(encodeURIComponent(JSON.stringify(i)))),u="sourceMappingURL=data:application/json;charset=utf-8;base64,".concat(l),"/*# ".concat(u," */")),a=r.sources.map((function(e){return"/*# sourceURL=".concat(r.sourceRoot||"").concat(e," */")}));return[n].concat(a).concat([o]).join("\n")}var i,l,u;return[n].join("\n")}(t,e);return t[2]?"@media ".concat(t[2]," {").concat(n,"}"):n})).join("")},t.i=function(e,n,r){"string"==typeof e&&(e=[[null,e,""]]);var o={};if(r)for(var a=0;a<this.length;a++){var i=this[a][0];null!=i&&(o[i]=!0)}for(var l=0;l<e.length;l++){var u=[].concat(e[l]);r&&o[u[0]]||(n&&(u[2]?u[2]="".concat(n," and ").concat(u[2]):u[2]=n),t.push(u))}},t}},function(e,t,n){e.exports=n(37)()},function(e,t,n){"use strict";!function e(){if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__&&"function"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE){0;try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(e)}catch(e){console.error(e)}}}(),e.exports=n(24)},function(e,t,n){"use strict";n.r(t),n.d(t,"__DO_NOT_USE__ActionTypes",(function(){return a})),n.d(t,"applyMiddleware",(function(){return g})),n.d(t,"bindActionCreators",(function(){return f})),n.d(t,"combineReducers",(function(){return c})),n.d(t,"compose",(function(){return m})),n.d(t,"createStore",(function(){return l}));var r=n(12),o=function(){return Math.random().toString(36).substring(7).split("").join(".")},a={INIT:"@@redux/INIT"+o(),REPLACE:"@@redux/REPLACE"+o(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+o()}};function i(e){if("object"!=typeof e||null===e)return!1;for(var t=e;null!==Object.getPrototypeOf(t);)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function l(e,t,n){var o;if("function"==typeof t&&"function"==typeof n||"function"==typeof n&&"function"==typeof arguments[3])throw new Error("It looks like you are passing several store enhancers to createStore(). This is not supported. Instead, compose them together to a single function.");if("function"==typeof t&&void 0===n&&(n=t,t=void 0),void 0!==n){if("function"!=typeof n)throw new Error("Expected the enhancer to be a function.");return n(l)(e,t)}if("function"!=typeof e)throw new Error("Expected the reducer to be a function.");var u=e,c=t,s=[],f=s,p=!1;function d(){f===s&&(f=s.slice())}function h(){if(p)throw new Error("You may not call store.getState() while the reducer is executing. The reducer has already received the state as an argument. Pass it down from the top reducer instead of reading it from the store.");return c}function m(e){if("function"!=typeof e)throw new Error("Expected the listener to be a function.");if(p)throw new Error("You may not call store.subscribe() while the reducer is executing. If you would like to be notified after the store has been updated, subscribe from a component and invoke store.getState() in the callback to access the latest state. See https://redux.js.org/api-reference/store#subscribelistener for more details.");var t=!0;return d(),f.push(e),function(){if(t){if(p)throw new Error("You may not unsubscribe from a store listener while the reducer is executing. See https://redux.js.org/api-reference/store#subscribelistener for more details.");t=!1,d();var n=f.indexOf(e);f.splice(n,1),s=null}}}function g(e){if(!i(e))throw new Error("Actions must be plain objects. Use custom middleware for async actions.");if(void 0===e.type)throw new Error('Actions may not have an undefined "type" property. Have you misspelled a constant?');if(p)throw new Error("Reducers may not dispatch actions.");try{p=!0,c=u(c,e)}finally{p=!1}for(var t=s=f,n=0;n<t.length;n++){(0,t[n])()}return e}function y(e){if("function"!=typeof e)throw new Error("Expected the nextReducer to be a function.");u=e,g({type:a.REPLACE})}function b(){var e,t=m;return(e={subscribe:function(e){if("object"!=typeof e||null===e)throw new TypeError("Expected the observer to be an object.");function n(){e.next&&e.next(h())}return n(),{unsubscribe:t(n)}}})[r.a]=function(){return this},e}return g({type:a.INIT}),(o={dispatch:g,subscribe:m,getState:h,replaceReducer:y})[r.a]=b,o}function u(e,t){var n=t&&t.type;return"Given "+(n&&'action "'+String(n)+'"'||"an action")+', reducer "'+e+'" returned undefined. To ignore an action, you must explicitly return the previous state. If you want this reducer to hold no value, you can return null instead of undefined.'}function c(e){for(var t=Object.keys(e),n={},r=0;r<t.length;r++){var o=t[r];0,"function"==typeof e[o]&&(n[o]=e[o])}var i,l=Object.keys(n);try{!function(e){Object.keys(e).forEach((function(t){var n=e[t];if(void 0===n(void 0,{type:a.INIT}))throw new Error('Reducer "'+t+"\" returned undefined during initialization. If the state passed to the reducer is undefined, you must explicitly return the initial state. The initial state may not be undefined. If you don't want to set a value for this reducer, you can use null instead of undefined.");if(void 0===n(void 0,{type:a.PROBE_UNKNOWN_ACTION()}))throw new Error('Reducer "'+t+"\" returned undefined when probed with a random type. Don't try to handle "+a.INIT+' or other actions in "redux/*" namespace. They are considered private. Instead, you must return the current state for any unknown actions, unless it is undefined, in which case you must return the initial state, regardless of the action type. The initial state may not be undefined, but can be null.')}))}(n)}catch(e){i=e}return function(e,t){if(void 0===e&&(e={}),i)throw i;for(var r=!1,o={},a=0;a<l.length;a++){var c=l[a],s=n[c],f=e[c],p=s(f,t);if(void 0===p){var d=u(c,t);throw new Error(d)}o[c]=p,r=r||p!==f}return(r=r||l.length!==Object.keys(e).length)?o:e}}function s(e,t){return function(){return t(e.apply(this,arguments))}}function f(e,t){if("function"==typeof e)return s(e,t);if("object"!=typeof e||null===e)throw new Error("bindActionCreators expected an object or a function, instead received "+(null===e?"null":typeof e)+'. Did you write "import ActionCreators from" instead of "import * as ActionCreators from"?');var n={};for(var r in e){var o=e[r];"function"==typeof o&&(n[r]=s(o,t))}return n}function p(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function d(e,t){var n=Object.keys(e);return Object.getOwnPropertySymbols&&n.push.apply(n,Object.getOwnPropertySymbols(e)),t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n}function h(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?d(n,!0).forEach((function(t){p(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):d(n).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function m(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return 0===t.length?function(e){return e}:1===t.length?t[0]:t.reduce((function(e,t){return function(){return e(t.apply(void 0,arguments))}}))}function g(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e){return function(){var n=e.apply(void 0,arguments),r=function(){throw new Error("Dispatching while constructing your middleware is not allowed. Other middleware would not be applied to this dispatch.")},o={getState:n.getState,dispatch:function(){return r.apply(void 0,arguments)}},a=t.map((function(e){return e(o)}));return h({},n,{dispatch:r=m.apply(void 0,a)(n.dispatch)})}}}},function(e,t,n){"use strict";var r=n(41),o=n(42),a=n(17);e.exports={formats:a,parse:o,stringify:r}},function(e,t,n){"use strict";var r=Object.prototype.hasOwnProperty,o=Array.isArray,a=function(){for(var e=[],t=0;t<256;++t)e.push("%"+((t<16?"0":"")+t.toString(16)).toUpperCase());return e}(),i=function(e,t){for(var n=t&&t.plainObjects?Object.create(null):{},r=0;r<e.length;++r)void 0!==e[r]&&(n[r]=e[r]);return n};e.exports={arrayToObject:i,assign:function(e,t){return Object.keys(t).reduce((function(e,n){return e[n]=t[n],e}),e)},combine:function(e,t){return[].concat(e,t)},compact:function(e){for(var t=[{obj:{o:e},prop:"o"}],n=[],r=0;r<t.length;++r)for(var a=t[r],i=a.obj[a.prop],l=Object.keys(i),u=0;u<l.length;++u){var c=l[u],s=i[c];"object"==typeof s&&null!==s&&-1===n.indexOf(s)&&(t.push({obj:i,prop:c}),n.push(s))}return function(e){for(;e.length>1;){var t=e.pop(),n=t.obj[t.prop];if(o(n)){for(var r=[],a=0;a<n.length;++a)void 0!==n[a]&&r.push(n[a]);t.obj[t.prop]=r}}}(t),e},decode:function(e,t,n){var r=e.replace(/\+/g," ");if("iso-8859-1"===n)return r.replace(/%[0-9a-f]{2}/gi,unescape);try{return decodeURIComponent(r)}catch(e){return r}},encode:function(e,t,n){if(0===e.length)return e;var r=e;if("symbol"==typeof e?r=Symbol.prototype.toString.call(e):"string"!=typeof e&&(r=String(e)),"iso-8859-1"===n)return escape(r).replace(/%u[0-9a-f]{4}/gi,(function(e){return"%26%23"+parseInt(e.slice(2),16)+"%3B"}));for(var o="",i=0;i<r.length;++i){var l=r.charCodeAt(i);45===l||46===l||95===l||126===l||l>=48&&l<=57||l>=65&&l<=90||l>=97&&l<=122?o+=r.charAt(i):l<128?o+=a[l]:l<2048?o+=a[192|l>>6]+a[128|63&l]:l<55296||l>=57344?o+=a[224|l>>12]+a[128|l>>6&63]+a[128|63&l]:(i+=1,l=65536+((1023&l)<<10|1023&r.charCodeAt(i)),o+=a[240|l>>18]+a[128|l>>12&63]+a[128|l>>6&63]+a[128|63&l])}return o},isBuffer:function(e){return!(!e||"object"!=typeof e)&&!!(e.constructor&&e.constructor.isBuffer&&e.constructor.isBuffer(e))},isRegExp:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},maybeMap:function(e,t){if(o(e)){for(var n=[],r=0;r<e.length;r+=1)n.push(t(e[r]));return n}return t(e)},merge:function e(t,n,a){if(!n)return t;if("object"!=typeof n){if(o(t))t.push(n);else{if(!t||"object"!=typeof t)return[t,n];(a&&(a.plainObjects||a.allowPrototypes)||!r.call(Object.prototype,n))&&(t[n]=!0)}return t}if(!t||"object"!=typeof t)return[t].concat(n);var l=t;return o(t)&&!o(n)&&(l=i(t,a)),o(t)&&o(n)?(n.forEach((function(n,o){if(r.call(t,o)){var i=t[o];i&&"object"==typeof i&&n&&"object"==typeof n?t[o]=e(i,n,a):t.push(n)}else t[o]=n})),t):Object.keys(n).reduce((function(t,o){var i=n[o];return r.call(t,o)?t[o]=e(t[o],i,a):t[o]=i,t}),l)}}},function(e,t,n){"use strict";e.exports=n(39)},function(e,t,n){"use strict";var r=n(10),o={childContextTypes:!0,contextType:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,getDerivedStateFromError:!0,getDerivedStateFromProps:!0,mixins:!0,propTypes:!0,type:!0},a={name:!0,length:!0,prototype:!0,caller:!0,callee:!0,arguments:!0,arity:!0},i={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},l={};function u(e){return r.isMemo(e)?i:l[e.$$typeof]||o}l[r.ForwardRef]={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},l[r.Memo]=i;var c=Object.defineProperty,s=Object.getOwnPropertyNames,f=Object.getOwnPropertySymbols,p=Object.getOwnPropertyDescriptor,d=Object.getPrototypeOf,h=Object.prototype;e.exports=function e(t,n,r){if("string"!=typeof n){if(h){var o=d(n);o&&o!==h&&e(t,o,r)}var i=s(n);f&&(i=i.concat(f(n)));for(var l=u(t),m=u(n),g=0;g<i.length;++g){var y=i[g];if(!(a[y]||r&&r[y]||m&&m[y]||l&&l[y])){var b=p(n,y);try{c(t,y,b)}catch(e){}}}}return t}},function(e,t,n){"use strict";(function(e,r){var o,a=n(19);o="undefined"!=typeof self?self:"undefined"!=typeof window?window:void 0!==e?e:r;var i=Object(a.a)(o);t.a=i}).call(this,n(16),n(40)(e))},function(e,t,n){"use strict";
|
7 |
/*
|
8 |
object-assign
|
9 |
(c) Sindre Sorhus
|
10 |
@license MIT
|
11 |
+
*/var r=Object.getOwnPropertySymbols,o=Object.prototype.hasOwnProperty,a=Object.prototype.propertyIsEnumerable;function i(e){if(null==e)throw new TypeError("Object.assign cannot be called with null or undefined");return Object(e)}e.exports=function(){try{if(!Object.assign)return!1;var e=new String("abc");if(e[5]="de","5"===Object.getOwnPropertyNames(e)[0])return!1;for(var t={},n=0;n<10;n++)t["_"+String.fromCharCode(n)]=n;if("0123456789"!==Object.getOwnPropertyNames(t).map((function(e){return t[e]})).join(""))return!1;var r={};return"abcdefghijklmnopqrst".split("").forEach((function(e){r[e]=e})),"abcdefghijklmnopqrst"===Object.keys(Object.assign({},r)).join("")}catch(e){return!1}}()?Object.assign:function(e,t){for(var n,l,u=i(e),c=1;c<arguments.length;c++){for(var s in n=Object(arguments[c]))o.call(n,s)&&(u[s]=n[s]);if(r){l=r(n);for(var f=0;f<l.length;f++)a.call(n,l[f])&&(u[l[f]]=n[l[f]])}}return u}},function(e,t,n){"use strict";var r,o="object"==typeof Reflect?Reflect:null,a=o&&"function"==typeof o.apply?o.apply:function(e,t,n){return Function.prototype.apply.call(e,t,n)};r=o&&"function"==typeof o.ownKeys?o.ownKeys:Object.getOwnPropertySymbols?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:function(e){return Object.getOwnPropertyNames(e)};var i=Number.isNaN||function(e){return e!=e};function l(){l.init.call(this)}e.exports=l,l.EventEmitter=l,l.prototype._events=void 0,l.prototype._eventsCount=0,l.prototype._maxListeners=void 0;var u=10;function c(e){if("function"!=typeof e)throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof e)}function s(e){return void 0===e._maxListeners?l.defaultMaxListeners:e._maxListeners}function f(e,t,n,r){var o,a,i,l;if(c(n),void 0===(a=e._events)?(a=e._events=Object.create(null),e._eventsCount=0):(void 0!==a.newListener&&(e.emit("newListener",t,n.listener?n.listener:n),a=e._events),i=a[t]),void 0===i)i=a[t]=n,++e._eventsCount;else if("function"==typeof i?i=a[t]=r?[n,i]:[i,n]:r?i.unshift(n):i.push(n),(o=s(e))>0&&i.length>o&&!i.warned){i.warned=!0;var u=new Error("Possible EventEmitter memory leak detected. "+i.length+" "+String(t)+" listeners added. Use emitter.setMaxListeners() to increase limit");u.name="MaxListenersExceededWarning",u.emitter=e,u.type=t,u.count=i.length,l=u,console&&console.warn&&console.warn(l)}return e}function p(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,0===arguments.length?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function d(e,t,n){var r={fired:!1,wrapFn:void 0,target:e,type:t,listener:n},o=p.bind(r);return o.listener=n,r.wrapFn=o,o}function h(e,t,n){var r=e._events;if(void 0===r)return[];var o=r[t];return void 0===o?[]:"function"==typeof o?n?[o.listener||o]:[o]:n?function(e){for(var t=new Array(e.length),n=0;n<t.length;++n)t[n]=e[n].listener||e[n];return t}(o):g(o,o.length)}function m(e){var t=this._events;if(void 0!==t){var n=t[e];if("function"==typeof n)return 1;if(void 0!==n)return n.length}return 0}function g(e,t){for(var n=new Array(t),r=0;r<t;++r)n[r]=e[r];return n}Object.defineProperty(l,"defaultMaxListeners",{enumerable:!0,get:function(){return u},set:function(e){if("number"!=typeof e||e<0||i(e))throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received '+e+".");u=e}}),l.init=function(){void 0!==this._events&&this._events!==Object.getPrototypeOf(this)._events||(this._events=Object.create(null),this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},l.prototype.setMaxListeners=function(e){if("number"!=typeof e||e<0||i(e))throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received '+e+".");return this._maxListeners=e,this},l.prototype.getMaxListeners=function(){return s(this)},l.prototype.emit=function(e){for(var t=[],n=1;n<arguments.length;n++)t.push(arguments[n]);var r="error"===e,o=this._events;if(void 0!==o)r=r&&void 0===o.error;else if(!r)return!1;if(r){var i;if(t.length>0&&(i=t[0]),i instanceof Error)throw i;var l=new Error("Unhandled error."+(i?" ("+i.message+")":""));throw l.context=i,l}var u=o[e];if(void 0===u)return!1;if("function"==typeof u)a(u,this,t);else{var c=u.length,s=g(u,c);for(n=0;n<c;++n)a(s[n],this,t)}return!0},l.prototype.addListener=function(e,t){return f(this,e,t,!1)},l.prototype.on=l.prototype.addListener,l.prototype.prependListener=function(e,t){return f(this,e,t,!0)},l.prototype.once=function(e,t){return c(t),this.on(e,d(this,e,t)),this},l.prototype.prependOnceListener=function(e,t){return c(t),this.prependListener(e,d(this,e,t)),this},l.prototype.removeListener=function(e,t){var n,r,o,a,i;if(c(t),void 0===(r=this._events))return this;if(void 0===(n=r[e]))return this;if(n===t||n.listener===t)0==--this._eventsCount?this._events=Object.create(null):(delete r[e],r.removeListener&&this.emit("removeListener",e,n.listener||t));else if("function"!=typeof n){for(o=-1,a=n.length-1;a>=0;a--)if(n[a]===t||n[a].listener===t){i=n[a].listener,o=a;break}if(o<0)return this;0===o?n.shift():function(e,t){for(;t+1<e.length;t++)e[t]=e[t+1];e.pop()}(n,o),1===n.length&&(r[e]=n[0]),void 0!==r.removeListener&&this.emit("removeListener",e,i||t)}return this},l.prototype.off=l.prototype.removeListener,l.prototype.removeAllListeners=function(e){var t,n,r;if(void 0===(n=this._events))return this;if(void 0===n.removeListener)return 0===arguments.length?(this._events=Object.create(null),this._eventsCount=0):void 0!==n[e]&&(0==--this._eventsCount?this._events=Object.create(null):delete n[e]),this;if(0===arguments.length){var o,a=Object.keys(n);for(r=0;r<a.length;++r)"removeListener"!==(o=a[r])&&this.removeAllListeners(o);return this.removeAllListeners("removeListener"),this._events=Object.create(null),this._eventsCount=0,this}if("function"==typeof(t=n[e]))this.removeListener(e,t);else if(void 0!==t)for(r=t.length-1;r>=0;r--)this.removeListener(e,t[r]);return this},l.prototype.listeners=function(e){return h(this,e,!0)},l.prototype.rawListeners=function(e){return h(this,e,!1)},l.listenerCount=function(e,t){return"function"==typeof e.listenerCount?e.listenerCount(t):m.call(e,t)},l.prototype.listenerCount=m,l.prototype.eventNames=function(){return this._eventsCount>0?r(this._events):[]}},function(e,t,n){"use strict";function r(e){return function(){return e}}var o=function(){};o.thatReturns=r,o.thatReturnsFalse=r(!1),o.thatReturnsTrue=r(!0),o.thatReturnsNull=r(null),o.thatReturnsThis=function(){return this},o.thatReturnsArgument=function(e){return e},e.exports=o},function(e,t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var r=String.prototype.replace,o=/%20/g,a=n(9),i={RFC1738:"RFC1738",RFC3986:"RFC3986"};e.exports=a.assign({default:i.RFC3986,formatters:{RFC1738:function(e){return r.call(e,o,"+")},RFC3986:function(e){return String(e)}}},i)},function(e,t,n){function r(e){var t,n=function(){};function o(e,t,n){e&&e.then?e.then((function(e){o(e,t,n)})).catch((function(e){o(e,n,n)})):t(e)}function a(e){t=function(t,n){try{e(t,n)}catch(e){n(e)}},n(),n=void 0}function i(e){a((function(t,n){n(e)}))}function l(e){a((function(t){t(e)}))}function u(e,r){var o=n;n=function(){o(),t(e,r)}}function c(e){!t&&o(e,l,i)}function s(e){!t&&o(e,i,i)}var f={then:function(e){var n=t||u;return r((function(t,r){n((function(n){t(e(n))}),r)}))},catch:function(e){var n=t||u;return r((function(t,r){n(t,(function(t){r(e(t))}))}))},resolve:c,reject:s};try{e&&e(c,s)}catch(e){s(e)}return f}r.resolve=function(e){return r((function(t){t(e)}))},r.reject=function(e){return r((function(t,n){n(e)}))},r.race=function(e){return e=e||[],r((function(t,n){var r=e.length;if(!r)return t();for(var o=0;o<r;++o){var a=e[o];a&&a.then&&a.then(t).catch(n)}}))},r.all=function(e){return e=e||[],r((function(t,n){var r=e.length,o=r;if(!r)return t();function a(){--o<=0&&t(e)}function i(t,r){t&&t.then?t.then((function(t){e[r]=t,a()})).catch(n):a()}for(var l=0;l<r;++l)i(e[l],l)}))},e.exports&&(e.exports=r)},function(e,t,n){"use strict";function r(e){var t,n=e.Symbol;return"function"==typeof n?n.observable?t=n.observable:(t=n("observable"),n.observable=t):t="@@observable",t}n.d(t,"a",(function(){return r}))},function(e,t,n){"use strict";var r=n(7).compose;t.__esModule=!0,t.composeWithDevTools=function(){if(0!==arguments.length)return"object"==typeof arguments[0]?r:r.apply(null,arguments)},t.devToolsEnhancer=function(){return function(e){return e}}},function(e,t,n){"use strict";(function(e){n.d(t,"a",(function(){return c}));var r=n(0);
|
12 |
+
/*! *****************************************************************************
|
13 |
+
Copyright (c) Microsoft Corporation. All rights reserved.
|
14 |
+
Licensed under the Apache License, Version 2.0 (the "License"); you may not use
|
15 |
+
this file except in compliance with the License. You may obtain a copy of the
|
16 |
+
License at http://www.apache.org/licenses/LICENSE-2.0
|
17 |
+
|
18 |
+
THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
|
19 |
+
KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED
|
20 |
+
WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE,
|
21 |
+
MERCHANTABLITY OR NON-INFRINGEMENT.
|
22 |
+
|
23 |
+
See the Apache Version 2.0 License for specific language governing permissions
|
24 |
+
and limitations under the License.
|
25 |
+
***************************************************************************** */
|
26 |
+
function o(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}var a="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==e?e:"undefined"!=typeof self?self:{};var i=function(e,t){return e(t={exports:{}},t.exports),t.exports}((function(e,t){var n="[object Arguments]",r="[object Map]",o="[object Object]",i="[object Set]",l=/^\[object .+?Constructor\]$/,u=/^(?:0|[1-9]\d*)$/,c={};c["[object Float32Array]"]=c["[object Float64Array]"]=c["[object Int8Array]"]=c["[object Int16Array]"]=c["[object Int32Array]"]=c["[object Uint8Array]"]=c["[object Uint8ClampedArray]"]=c["[object Uint16Array]"]=c["[object Uint32Array]"]=!0,c[n]=c["[object Array]"]=c["[object ArrayBuffer]"]=c["[object Boolean]"]=c["[object DataView]"]=c["[object Date]"]=c["[object Error]"]=c["[object Function]"]=c[r]=c["[object Number]"]=c[o]=c["[object RegExp]"]=c[i]=c["[object String]"]=c["[object WeakMap]"]=!1;var s="object"==typeof a&&a&&a.Object===Object&&a,f="object"==typeof self&&self&&self.Object===Object&&self,p=s||f||Function("return this")(),d=t&&!t.nodeType&&t,h=d&&e&&!e.nodeType&&e,m=h&&h.exports===d,g=m&&s.process,y=function(){try{return g&&g.binding&&g.binding("util")}catch(e){}}(),b=y&&y.isTypedArray;function v(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}function w(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function x(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var E,_,O,S=Array.prototype,k=Function.prototype,j=Object.prototype,P=p["__core-js_shared__"],T=k.toString,C=j.hasOwnProperty,R=(E=/[^.]+$/.exec(P&&P.keys&&P.keys.IE_PROTO||""))?"Symbol(src)_1."+E:"",A=j.toString,N=RegExp("^"+T.call(C).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),I=m?p.Buffer:void 0,D=p.Symbol,L=p.Uint8Array,F=j.propertyIsEnumerable,M=S.splice,z=D?D.toStringTag:void 0,U=Object.getOwnPropertySymbols,H=I?I.isBuffer:void 0,B=(_=Object.keys,O=Object,function(e){return _(O(e))}),W=ye(p,"DataView"),$=ye(p,"Map"),V=ye(p,"Promise"),q=ye(p,"Set"),G=ye(p,"WeakMap"),Q=ye(Object,"create"),K=xe(W),Y=xe($),X=xe(V),J=xe(q),Z=xe(G),ee=D?D.prototype:void 0,te=ee?ee.valueOf:void 0;function ne(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function re(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function oe(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ae(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new oe;++t<n;)this.add(e[t])}function ie(e){var t=this.__data__=new re(e);this.size=t.size}function le(e,t){var n=Oe(e),r=!n&&_e(e),o=!n&&!r&&Se(e),a=!n&&!r&&!o&&Ce(e),i=n||r||o||a,l=i?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],u=l.length;for(var c in e)!t&&!C.call(e,c)||i&&("length"==c||o&&("offset"==c||"parent"==c)||a&&("buffer"==c||"byteLength"==c||"byteOffset"==c)||we(c,u))||l.push(c);return l}function ue(e,t){for(var n=e.length;n--;)if(Ee(e[n][0],t))return n;return-1}function ce(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":z&&z in Object(e)?function(e){var t=C.call(e,z),n=e[z];try{e[z]=void 0}catch(e){}var r=A.call(e);t?e[z]=n:delete e[z];return r}(e):function(e){return A.call(e)}(e)}function se(e){return Te(e)&&ce(e)==n}function fe(e,t,a,l,u){return e===t||(null==e||null==t||!Te(e)&&!Te(t)?e!=e&&t!=t:function(e,t,a,l,u,c){var s=Oe(e),f=Oe(t),p=s?"[object Array]":ve(e),d=f?"[object Array]":ve(t),h=(p=p==n?o:p)==o,m=(d=d==n?o:d)==o,g=p==d;if(g&&Se(e)){if(!Se(t))return!1;s=!0,h=!1}if(g&&!h)return c||(c=new ie),s||Ce(e)?he(e,t,a,l,u,c):function(e,t,n,o,a,l,u){switch(n){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!l(new L(e),new L(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return Ee(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case r:var c=w;case i:var s=1&o;if(c||(c=x),e.size!=t.size&&!s)return!1;var f=u.get(e);if(f)return f==t;o|=2,u.set(e,t);var p=he(c(e),c(t),o,a,l,u);return u.delete(e),p;case"[object Symbol]":if(te)return te.call(e)==te.call(t)}return!1}(e,t,p,a,l,u,c);if(!(1&a)){var y=h&&C.call(e,"__wrapped__"),b=m&&C.call(t,"__wrapped__");if(y||b){var v=y?e.value():e,E=b?t.value():t;return c||(c=new ie),u(v,E,a,l,c)}}if(!g)return!1;return c||(c=new ie),function(e,t,n,r,o,a){var i=1&n,l=me(e),u=l.length,c=me(t).length;if(u!=c&&!i)return!1;var s=u;for(;s--;){var f=l[s];if(!(i?f in t:C.call(t,f)))return!1}var p=a.get(e);if(p&&a.get(t))return p==t;var d=!0;a.set(e,t),a.set(t,e);var h=i;for(;++s<u;){f=l[s];var m=e[f],g=t[f];if(r)var y=i?r(g,m,f,t,e,a):r(m,g,f,e,t,a);if(!(void 0===y?m===g||o(m,g,n,r,a):y)){d=!1;break}h||(h="constructor"==f)}if(d&&!h){var b=e.constructor,v=t.constructor;b==v||!("constructor"in e)||!("constructor"in t)||"function"==typeof b&&b instanceof b&&"function"==typeof v&&v instanceof v||(d=!1)}return a.delete(e),a.delete(t),d}(e,t,a,l,u,c)}(e,t,a,l,fe,u))}function pe(e){return!(!Pe(e)||function(e){return!!R&&R in e}(e))&&(ke(e)?N:l).test(xe(e))}function de(e){if(n=(t=e)&&t.constructor,r="function"==typeof n&&n.prototype||j,t!==r)return B(e);var t,n,r,o=[];for(var a in Object(e))C.call(e,a)&&"constructor"!=a&&o.push(a);return o}function he(e,t,n,r,o,a){var i=1&n,l=e.length,u=t.length;if(l!=u&&!(i&&u>l))return!1;var c=a.get(e);if(c&&a.get(t))return c==t;var s=-1,f=!0,p=2&n?new ae:void 0;for(a.set(e,t),a.set(t,e);++s<l;){var d=e[s],h=t[s];if(r)var m=i?r(h,d,s,t,e,a):r(d,h,s,e,t,a);if(void 0!==m){if(m)continue;f=!1;break}if(p){if(!v(t,(function(e,t){if(i=t,!p.has(i)&&(d===e||o(d,e,n,r,a)))return p.push(t);var i}))){f=!1;break}}else if(d!==h&&!o(d,h,n,r,a)){f=!1;break}}return a.delete(e),a.delete(t),f}function me(e){return function(e,t,n){var r=t(e);return Oe(e)?r:function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}(r,n(e))}(e,Re,be)}function ge(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function ye(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return pe(n)?n:void 0}ne.prototype.clear=function(){this.__data__=Q?Q(null):{},this.size=0},ne.prototype.delete=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t},ne.prototype.get=function(e){var t=this.__data__;if(Q){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return C.call(t,e)?t[e]:void 0},ne.prototype.has=function(e){var t=this.__data__;return Q?void 0!==t[e]:C.call(t,e)},ne.prototype.set=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=Q&&void 0===t?"__lodash_hash_undefined__":t,this},re.prototype.clear=function(){this.__data__=[],this.size=0},re.prototype.delete=function(e){var t=this.__data__,n=ue(t,e);return!(n<0)&&(n==t.length-1?t.pop():M.call(t,n,1),--this.size,!0)},re.prototype.get=function(e){var t=this.__data__,n=ue(t,e);return n<0?void 0:t[n][1]},re.prototype.has=function(e){return ue(this.__data__,e)>-1},re.prototype.set=function(e,t){var n=this.__data__,r=ue(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},oe.prototype.clear=function(){this.size=0,this.__data__={hash:new ne,map:new($||re),string:new ne}},oe.prototype.delete=function(e){var t=ge(this,e).delete(e);return this.size-=t?1:0,t},oe.prototype.get=function(e){return ge(this,e).get(e)},oe.prototype.has=function(e){return ge(this,e).has(e)},oe.prototype.set=function(e,t){var n=ge(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},ae.prototype.add=ae.prototype.push=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this},ae.prototype.has=function(e){return this.__data__.has(e)},ie.prototype.clear=function(){this.__data__=new re,this.size=0},ie.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},ie.prototype.get=function(e){return this.__data__.get(e)},ie.prototype.has=function(e){return this.__data__.has(e)},ie.prototype.set=function(e,t){var n=this.__data__;if(n instanceof re){var r=n.__data__;if(!$||r.length<199)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new oe(r)}return n.set(e,t),this.size=n.size,this};var be=U?function(e){return null==e?[]:(e=Object(e),function(e,t){for(var n=-1,r=null==e?0:e.length,o=0,a=[];++n<r;){var i=e[n];t(i,n,e)&&(a[o++]=i)}return a}(U(e),(function(t){return F.call(e,t)})))}:function(){return[]},ve=ce;function we(e,t){return!!(t=null==t?9007199254740991:t)&&("number"==typeof e||u.test(e))&&e>-1&&e%1==0&&e<t}function xe(e){if(null!=e){try{return T.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function Ee(e,t){return e===t||e!=e&&t!=t}(W&&"[object DataView]"!=ve(new W(new ArrayBuffer(1)))||$&&ve(new $)!=r||V&&"[object Promise]"!=ve(V.resolve())||q&&ve(new q)!=i||G&&"[object WeakMap]"!=ve(new G))&&(ve=function(e){var t=ce(e),n=t==o?e.constructor:void 0,a=n?xe(n):"";if(a)switch(a){case K:return"[object DataView]";case Y:return r;case X:return"[object Promise]";case J:return i;case Z:return"[object WeakMap]"}return t});var _e=se(function(){return arguments}())?se:function(e){return Te(e)&&C.call(e,"callee")&&!F.call(e,"callee")},Oe=Array.isArray;var Se=H||function(){return!1};function ke(e){if(!Pe(e))return!1;var t=ce(e);return"[object Function]"==t||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}function je(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}function Pe(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function Te(e){return null!=e&&"object"==typeof e}var Ce=b?function(e){return function(t){return e(t)}}(b):function(e){return Te(e)&&je(e.length)&&!!c[ce(e)]};function Re(e){return null!=(t=e)&&je(t.length)&&!ke(t)?le(e):de(e);var t}e.exports=function(e,t){return fe(e,t)}})),l=function(e){return function(){for(var e=[],t=0;t<arguments.length;t++)e=e.concat(o(arguments[t]));return e}(Array(e).keys())};function u(e,t){var n=(void 0===t?{}:t).deep,o=void 0!==n&&n,a=Object(r.useRef)(e.length);e.length!==a.current&&console.warn("Length of array changed across renders, but should remain constant.");var u,c,s=o?i:Object.is,f=(u=e,c=Object(r.useRef)(),Object(r.useEffect)((function(){c.current=u}),[u]),c.current);return l(a.current).map((function(t){return f?s(e[t],f[t])?null:{prev:f[t],curr:e[t]}:{curr:e[t]}}))}function c(e,t){var n=(void 0===t?{}:t).deep;return o(u([e],{deep:void 0!==n&&n}),1)[0]}}).call(this,n(16))},function(e,t,n){e.exports=n(89)},function(e,t,n){"use strict";
|
27 |
/** @license React v16.13.1
|
28 |
* react.production.min.js
|
29 |
*
|
31 |
*
|
32 |
* This source code is licensed under the MIT license found in the
|
33 |
* LICENSE file in the root directory of this source tree.
|
34 |
+
*/var r=n(13),o="function"==typeof Symbol&&Symbol.for,a=o?Symbol.for("react.element"):60103,i=o?Symbol.for("react.portal"):60106,l=o?Symbol.for("react.fragment"):60107,u=o?Symbol.for("react.strict_mode"):60108,c=o?Symbol.for("react.profiler"):60114,s=o?Symbol.for("react.provider"):60109,f=o?Symbol.for("react.context"):60110,p=o?Symbol.for("react.forward_ref"):60112,d=o?Symbol.for("react.suspense"):60113,h=o?Symbol.for("react.memo"):60115,m=o?Symbol.for("react.lazy"):60116,g="function"==typeof Symbol&&Symbol.iterator;function y(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var b={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},v={};function w(e,t,n){this.props=e,this.context=t,this.refs=v,this.updater=n||b}function x(){}function E(e,t,n){this.props=e,this.context=t,this.refs=v,this.updater=n||b}w.prototype.isReactComponent={},w.prototype.setState=function(e,t){if("object"!=typeof e&&"function"!=typeof e&&null!=e)throw Error(y(85));this.updater.enqueueSetState(this,e,t,"setState")},w.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")},x.prototype=w.prototype;var _=E.prototype=new x;_.constructor=E,r(_,w.prototype),_.isPureReactComponent=!0;var O={current:null},S=Object.prototype.hasOwnProperty,k={key:!0,ref:!0,__self:!0,__source:!0};function j(e,t,n){var r,o={},i=null,l=null;if(null!=t)for(r in void 0!==t.ref&&(l=t.ref),void 0!==t.key&&(i=""+t.key),t)S.call(t,r)&&!k.hasOwnProperty(r)&&(o[r]=t[r]);var u=arguments.length-2;if(1===u)o.children=n;else if(1<u){for(var c=Array(u),s=0;s<u;s++)c[s]=arguments[s+2];o.children=c}if(e&&e.defaultProps)for(r in u=e.defaultProps)void 0===o[r]&&(o[r]=u[r]);return{$$typeof:a,type:e,key:i,ref:l,props:o,_owner:O.current}}function P(e){return"object"==typeof e&&null!==e&&e.$$typeof===a}var T=/\/+/g,C=[];function R(e,t,n,r){if(C.length){var o=C.pop();return o.result=e,o.keyPrefix=t,o.func=n,o.context=r,o.count=0,o}return{result:e,keyPrefix:t,func:n,context:r,count:0}}function A(e){e.result=null,e.keyPrefix=null,e.func=null,e.context=null,e.count=0,10>C.length&&C.push(e)}function N(e,t,n){return null==e?0:function e(t,n,r,o){var l=typeof t;"undefined"!==l&&"boolean"!==l||(t=null);var u=!1;if(null===t)u=!0;else switch(l){case"string":case"number":u=!0;break;case"object":switch(t.$$typeof){case a:case i:u=!0}}if(u)return r(o,t,""===n?"."+I(t,0):n),1;if(u=0,n=""===n?".":n+":",Array.isArray(t))for(var c=0;c<t.length;c++){var s=n+I(l=t[c],c);u+=e(l,s,r,o)}else if(null===t||"object"!=typeof t?s=null:s="function"==typeof(s=g&&t[g]||t["@@iterator"])?s:null,"function"==typeof s)for(t=s.call(t),c=0;!(l=t.next()).done;)u+=e(l=l.value,s=n+I(l,c++),r,o);else if("object"===l)throw r=""+t,Error(y(31,"[object Object]"===r?"object with keys {"+Object.keys(t).join(", ")+"}":r,""));return u}(e,"",t,n)}function I(e,t){return"object"==typeof e&&null!==e&&null!=e.key?function(e){var t={"=":"=0",":":"=2"};return"$"+(""+e).replace(/[=:]/g,(function(e){return t[e]}))}(e.key):t.toString(36)}function D(e,t){e.func.call(e.context,t,e.count++)}function L(e,t,n){var r=e.result,o=e.keyPrefix;e=e.func.call(e.context,t,e.count++),Array.isArray(e)?F(e,r,n,(function(e){return e})):null!=e&&(P(e)&&(e=function(e,t){return{$$typeof:a,type:e.type,key:t,ref:e.ref,props:e.props,_owner:e._owner}}(e,o+(!e.key||t&&t.key===e.key?"":(""+e.key).replace(T,"$&/")+"/")+n)),r.push(e))}function F(e,t,n,r,o){var a="";null!=n&&(a=(""+n).replace(T,"$&/")+"/"),N(e,L,t=R(t,a,r,o)),A(t)}var M={current:null};function z(){var e=M.current;if(null===e)throw Error(y(321));return e}var U={ReactCurrentDispatcher:M,ReactCurrentBatchConfig:{suspense:null},ReactCurrentOwner:O,IsSomeRendererActing:{current:!1},assign:r};t.Children={map:function(e,t,n){if(null==e)return e;var r=[];return F(e,r,null,t,n),r},forEach:function(e,t,n){if(null==e)return e;N(e,D,t=R(null,null,t,n)),A(t)},count:function(e){return N(e,(function(){return null}),null)},toArray:function(e){var t=[];return F(e,t,null,(function(e){return e})),t},only:function(e){if(!P(e))throw Error(y(143));return e}},t.Component=w,t.Fragment=l,t.Profiler=c,t.PureComponent=E,t.StrictMode=u,t.Suspense=d,t.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=U,t.cloneElement=function(e,t,n){if(null==e)throw Error(y(267,e));var o=r({},e.props),i=e.key,l=e.ref,u=e._owner;if(null!=t){if(void 0!==t.ref&&(l=t.ref,u=O.current),void 0!==t.key&&(i=""+t.key),e.type&&e.type.defaultProps)var c=e.type.defaultProps;for(s in t)S.call(t,s)&&!k.hasOwnProperty(s)&&(o[s]=void 0===t[s]&&void 0!==c?c[s]:t[s])}var s=arguments.length-2;if(1===s)o.children=n;else if(1<s){c=Array(s);for(var f=0;f<s;f++)c[f]=arguments[f+2];o.children=c}return{$$typeof:a,type:e.type,key:i,ref:l,props:o,_owner:u}},t.createContext=function(e,t){return void 0===t&&(t=null),(e={$$typeof:f,_calculateChangedBits:t,_currentValue:e,_currentValue2:e,_threadCount:0,Provider:null,Consumer:null}).Provider={$$typeof:s,_context:e},e.Consumer=e},t.createElement=j,t.createFactory=function(e){var t=j.bind(null,e);return t.type=e,t},t.createRef=function(){return{current:null}},t.forwardRef=function(e){return{$$typeof:p,render:e}},t.isValidElement=P,t.lazy=function(e){return{$$typeof:m,_ctor:e,_status:-1,_result:null}},t.memo=function(e,t){return{$$typeof:h,type:e,compare:void 0===t?null:t}},t.useCallback=function(e,t){return z().useCallback(e,t)},t.useContext=function(e,t){return z().useContext(e,t)},t.useDebugValue=function(){},t.useEffect=function(e,t){return z().useEffect(e,t)},t.useImperativeHandle=function(e,t,n){return z().useImperativeHandle(e,t,n)},t.useLayoutEffect=function(e,t){return z().useLayoutEffect(e,t)},t.useMemo=function(e,t){return z().useMemo(e,t)},t.useReducer=function(e,t,n){return z().useReducer(e,t,n)},t.useRef=function(e){return z().useRef(e)},t.useState=function(e){return z().useState(e)},t.version="16.13.1"},function(e,t,n){"use strict";
|
35 |
/** @license React v16.13.1
|
36 |
* react-dom.production.min.js
|
37 |
*
|
39 |
*
|
40 |
* This source code is licensed under the MIT license found in the
|
41 |
* LICENSE file in the root directory of this source tree.
|
42 |
+
*/var r=n(0),o=n(13),a=n(25);function i(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}if(!r)throw Error(i(227));function l(e,t,n,r,o,a,i,l,u){var c=Array.prototype.slice.call(arguments,3);try{t.apply(n,c)}catch(e){this.onError(e)}}var u=!1,c=null,s=!1,f=null,p={onError:function(e){u=!0,c=e}};function d(e,t,n,r,o,a,i,s,f){u=!1,c=null,l.apply(p,arguments)}var h=null,m=null,g=null;function y(e,t,n){var r=e.type||"unknown-event";e.currentTarget=g(n),function(e,t,n,r,o,a,l,p,h){if(d.apply(this,arguments),u){if(!u)throw Error(i(198));var m=c;u=!1,c=null,s||(s=!0,f=m)}}(r,t,void 0,e),e.currentTarget=null}var b=null,v={};function w(){if(b)for(var e in v){var t=v[e],n=b.indexOf(e);if(!(-1<n))throw Error(i(96,e));if(!E[n]){if(!t.extractEvents)throw Error(i(97,e));for(var r in E[n]=t,n=t.eventTypes){var o=void 0,a=n[r],l=t,u=r;if(_.hasOwnProperty(u))throw Error(i(99,u));_[u]=a;var c=a.phasedRegistrationNames;if(c){for(o in c)c.hasOwnProperty(o)&&x(c[o],l,u);o=!0}else a.registrationName?(x(a.registrationName,l,u),o=!0):o=!1;if(!o)throw Error(i(98,r,e))}}}}function x(e,t,n){if(O[e])throw Error(i(100,e));O[e]=t,S[e]=t.eventTypes[n].dependencies}var E=[],_={},O={},S={};function k(e){var t,n=!1;for(t in e)if(e.hasOwnProperty(t)){var r=e[t];if(!v.hasOwnProperty(t)||v[t]!==r){if(v[t])throw Error(i(102,t));v[t]=r,n=!0}}n&&w()}var j=!("undefined"==typeof window||void 0===window.document||void 0===window.document.createElement),P=null,T=null,C=null;function R(e){if(e=m(e)){if("function"!=typeof P)throw Error(i(280));var t=e.stateNode;t&&(t=h(t),P(e.stateNode,e.type,t))}}function A(e){T?C?C.push(e):C=[e]:T=e}function N(){if(T){var e=T,t=C;if(C=T=null,R(e),t)for(e=0;e<t.length;e++)R(t[e])}}function I(e,t){return e(t)}function D(e,t,n,r,o){return e(t,n,r,o)}function L(){}var F=I,M=!1,z=!1;function U(){null===T&&null===C||(L(),N())}function H(e,t,n){if(z)return e(t,n);z=!0;try{return F(e,t,n)}finally{z=!1,U()}}var B=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,W=Object.prototype.hasOwnProperty,$={},V={};function q(e,t,n,r,o,a){this.acceptsBooleans=2===t||3===t||4===t,this.attributeName=r,this.attributeNamespace=o,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=a}var G={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach((function(e){G[e]=new q(e,0,!1,e,null,!1)})),[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach((function(e){var t=e[0];G[t]=new q(t,1,!1,e[1],null,!1)})),["contentEditable","draggable","spellCheck","value"].forEach((function(e){G[e]=new q(e,2,!1,e.toLowerCase(),null,!1)})),["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach((function(e){G[e]=new q(e,2,!1,e,null,!1)})),"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach((function(e){G[e]=new q(e,3,!1,e.toLowerCase(),null,!1)})),["checked","multiple","muted","selected"].forEach((function(e){G[e]=new q(e,3,!0,e,null,!1)})),["capture","download"].forEach((function(e){G[e]=new q(e,4,!1,e,null,!1)})),["cols","rows","size","span"].forEach((function(e){G[e]=new q(e,6,!1,e,null,!1)})),["rowSpan","start"].forEach((function(e){G[e]=new q(e,5,!1,e.toLowerCase(),null,!1)}));var Q=/[\-:]([a-z])/g;function K(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach((function(e){var t=e.replace(Q,K);G[t]=new q(t,1,!1,e,null,!1)})),"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach((function(e){var t=e.replace(Q,K);G[t]=new q(t,1,!1,e,"http://www.w3.org/1999/xlink",!1)})),["xml:base","xml:lang","xml:space"].forEach((function(e){var t=e.replace(Q,K);G[t]=new q(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1)})),["tabIndex","crossOrigin"].forEach((function(e){G[e]=new q(e,1,!1,e.toLowerCase(),null,!1)})),G.xlinkHref=new q("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0),["src","href","action","formAction"].forEach((function(e){G[e]=new q(e,1,!1,e.toLowerCase(),null,!0)}));var Y=r.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;function X(e,t,n,r){var o=G.hasOwnProperty(t)?G[t]:null;(null!==o?0===o.type:!r&&(2<t.length&&("o"===t[0]||"O"===t[0])&&("n"===t[1]||"N"===t[1])))||(function(e,t,n,r){if(null==t||function(e,t,n,r){if(null!==n&&0===n.type)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return!r&&(null!==n?!n.acceptsBooleans:"data-"!==(e=e.toLowerCase().slice(0,5))&&"aria-"!==e);default:return!1}}(e,t,n,r))return!0;if(r)return!1;if(null!==n)switch(n.type){case 3:return!t;case 4:return!1===t;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}(t,n,o,r)&&(n=null),r||null===o?function(e){return!!W.call(V,e)||!W.call($,e)&&(B.test(e)?V[e]=!0:($[e]=!0,!1))}(t)&&(null===n?e.removeAttribute(t):e.setAttribute(t,""+n)):o.mustUseProperty?e[o.propertyName]=null===n?3!==o.type&&"":n:(t=o.attributeName,r=o.attributeNamespace,null===n?e.removeAttribute(t):(n=3===(o=o.type)||4===o&&!0===n?"":""+n,r?e.setAttributeNS(r,t,n):e.setAttribute(t,n))))}Y.hasOwnProperty("ReactCurrentDispatcher")||(Y.ReactCurrentDispatcher={current:null}),Y.hasOwnProperty("ReactCurrentBatchConfig")||(Y.ReactCurrentBatchConfig={suspense:null});var J=/^(.*)[\\\/]/,Z="function"==typeof Symbol&&Symbol.for,ee=Z?Symbol.for("react.element"):60103,te=Z?Symbol.for("react.portal"):60106,ne=Z?Symbol.for("react.fragment"):60107,re=Z?Symbol.for("react.strict_mode"):60108,oe=Z?Symbol.for("react.profiler"):60114,ae=Z?Symbol.for("react.provider"):60109,ie=Z?Symbol.for("react.context"):60110,le=Z?Symbol.for("react.concurrent_mode"):60111,ue=Z?Symbol.for("react.forward_ref"):60112,ce=Z?Symbol.for("react.suspense"):60113,se=Z?Symbol.for("react.suspense_list"):60120,fe=Z?Symbol.for("react.memo"):60115,pe=Z?Symbol.for("react.lazy"):60116,de=Z?Symbol.for("react.block"):60121,he="function"==typeof Symbol&&Symbol.iterator;function me(e){return null===e||"object"!=typeof e?null:"function"==typeof(e=he&&e[he]||e["@@iterator"])?e:null}function ge(e){if(null==e)return null;if("function"==typeof e)return e.displayName||e.name||null;if("string"==typeof e)return e;switch(e){case ne:return"Fragment";case te:return"Portal";case oe:return"Profiler";case re:return"StrictMode";case ce:return"Suspense";case se:return"SuspenseList"}if("object"==typeof e)switch(e.$$typeof){case ie:return"Context.Consumer";case ae:return"Context.Provider";case ue:var t=e.render;return t=t.displayName||t.name||"",e.displayName||(""!==t?"ForwardRef("+t+")":"ForwardRef");case fe:return ge(e.type);case de:return ge(e.render);case pe:if(e=1===e._status?e._result:null)return ge(e)}return null}function ye(e){var t="";do{e:switch(e.tag){case 3:case 4:case 6:case 7:case 10:case 9:var n="";break e;default:var r=e._debugOwner,o=e._debugSource,a=ge(e.type);n=null,r&&(n=ge(r.type)),r=a,a="",o?a=" (at "+o.fileName.replace(J,"")+":"+o.lineNumber+")":n&&(a=" (created by "+n+")"),n="\n in "+(r||"Unknown")+a}t+=n,e=e.return}while(e);return t}function be(e){switch(typeof e){case"boolean":case"number":case"object":case"string":case"undefined":return e;default:return""}}function ve(e){var t=e.type;return(e=e.nodeName)&&"input"===e.toLowerCase()&&("checkbox"===t||"radio"===t)}function we(e){e._valueTracker||(e._valueTracker=function(e){var t=ve(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&void 0!==n&&"function"==typeof n.get&&"function"==typeof n.set){var o=n.get,a=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return o.call(this)},set:function(e){r=""+e,a.call(this,e)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(e){r=""+e},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}(e))}function xe(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=ve(e)?e.checked?"true":"false":e.value),(e=r)!==n&&(t.setValue(e),!0)}function Ee(e,t){var n=t.checked;return o({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:null!=n?n:e._wrapperState.initialChecked})}function _e(e,t){var n=null==t.defaultValue?"":t.defaultValue,r=null!=t.checked?t.checked:t.defaultChecked;n=be(null!=t.value?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:"checkbox"===t.type||"radio"===t.type?null!=t.checked:null!=t.value}}function Oe(e,t){null!=(t=t.checked)&&X(e,"checked",t,!1)}function Se(e,t){Oe(e,t);var n=be(t.value),r=t.type;if(null!=n)"number"===r?(0===n&&""===e.value||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if("submit"===r||"reset"===r)return void e.removeAttribute("value");t.hasOwnProperty("value")?je(e,t.type,n):t.hasOwnProperty("defaultValue")&&je(e,t.type,be(t.defaultValue)),null==t.checked&&null!=t.defaultChecked&&(e.defaultChecked=!!t.defaultChecked)}function ke(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!("submit"!==r&&"reset"!==r||void 0!==t.value&&null!==t.value))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}""!==(n=e.name)&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,""!==n&&(e.name=n)}function je(e,t,n){"number"===t&&e.ownerDocument.activeElement===e||(null==n?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}function Pe(e,t){return e=o({children:void 0},t),(t=function(e){var t="";return r.Children.forEach(e,(function(e){null!=e&&(t+=e)})),t}(t.children))&&(e.children=t),e}function Te(e,t,n,r){if(e=e.options,t){t={};for(var o=0;o<n.length;o++)t["$"+n[o]]=!0;for(n=0;n<e.length;n++)o=t.hasOwnProperty("$"+e[n].value),e[n].selected!==o&&(e[n].selected=o),o&&r&&(e[n].defaultSelected=!0)}else{for(n=""+be(n),t=null,o=0;o<e.length;o++){if(e[o].value===n)return e[o].selected=!0,void(r&&(e[o].defaultSelected=!0));null!==t||e[o].disabled||(t=e[o])}null!==t&&(t.selected=!0)}}function Ce(e,t){if(null!=t.dangerouslySetInnerHTML)throw Error(i(91));return o({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function Re(e,t){var n=t.value;if(null==n){if(n=t.children,t=t.defaultValue,null!=n){if(null!=t)throw Error(i(92));if(Array.isArray(n)){if(!(1>=n.length))throw Error(i(93));n=n[0]}t=n}null==t&&(t=""),n=t}e._wrapperState={initialValue:be(n)}}function Ae(e,t){var n=be(t.value),r=be(t.defaultValue);null!=n&&((n=""+n)!==e.value&&(e.value=n),null==t.defaultValue&&e.defaultValue!==n&&(e.defaultValue=n)),null!=r&&(e.defaultValue=""+r)}function Ne(e){var t=e.textContent;t===e._wrapperState.initialValue&&""!==t&&null!==t&&(e.value=t)}var Ie="http://www.w3.org/1999/xhtml",De="http://www.w3.org/2000/svg";function Le(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function Fe(e,t){return null==e||"http://www.w3.org/1999/xhtml"===e?Le(t):"http://www.w3.org/2000/svg"===e&&"foreignObject"===t?"http://www.w3.org/1999/xhtml":e}var Me,ze=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction((function(){return e(t,n)}))}:e}((function(e,t){if(e.namespaceURI!==De||"innerHTML"in e)e.innerHTML=t;else{for((Me=Me||document.createElement("div")).innerHTML="<svg>"+t.valueOf().toString()+"</svg>",t=Me.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}}));function Ue(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t}function He(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var Be={animationend:He("Animation","AnimationEnd"),animationiteration:He("Animation","AnimationIteration"),animationstart:He("Animation","AnimationStart"),transitionend:He("Transition","TransitionEnd")},We={},$e={};function Ve(e){if(We[e])return We[e];if(!Be[e])return e;var t,n=Be[e];for(t in n)if(n.hasOwnProperty(t)&&t in $e)return We[e]=n[t];return e}j&&($e=document.createElement("div").style,"AnimationEvent"in window||(delete Be.animationend.animation,delete Be.animationiteration.animation,delete Be.animationstart.animation),"TransitionEvent"in window||delete Be.transitionend.transition);var qe=Ve("animationend"),Ge=Ve("animationiteration"),Qe=Ve("animationstart"),Ke=Ve("transitionend"),Ye="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),Xe=new("function"==typeof WeakMap?WeakMap:Map);function Je(e){var t=Xe.get(e);return void 0===t&&(t=new Map,Xe.set(e,t)),t}function Ze(e){var t=e,n=e;if(e.alternate)for(;t.return;)t=t.return;else{e=t;do{0!=(1026&(t=e).effectTag)&&(n=t.return),e=t.return}while(e)}return 3===t.tag?n:null}function et(e){if(13===e.tag){var t=e.memoizedState;if(null===t&&(null!==(e=e.alternate)&&(t=e.memoizedState)),null!==t)return t.dehydrated}return null}function tt(e){if(Ze(e)!==e)throw Error(i(188))}function nt(e){if(!(e=function(e){var t=e.alternate;if(!t){if(null===(t=Ze(e)))throw Error(i(188));return t!==e?null:e}for(var n=e,r=t;;){var o=n.return;if(null===o)break;var a=o.alternate;if(null===a){if(null!==(r=o.return)){n=r;continue}break}if(o.child===a.child){for(a=o.child;a;){if(a===n)return tt(o),e;if(a===r)return tt(o),t;a=a.sibling}throw Error(i(188))}if(n.return!==r.return)n=o,r=a;else{for(var l=!1,u=o.child;u;){if(u===n){l=!0,n=o,r=a;break}if(u===r){l=!0,r=o,n=a;break}u=u.sibling}if(!l){for(u=a.child;u;){if(u===n){l=!0,n=a,r=o;break}if(u===r){l=!0,r=a,n=o;break}u=u.sibling}if(!l)throw Error(i(189))}}if(n.alternate!==r)throw Error(i(190))}if(3!==n.tag)throw Error(i(188));return n.stateNode.current===n?e:t}(e)))return null;for(var t=e;;){if(5===t.tag||6===t.tag)return t;if(t.child)t.child.return=t,t=t.child;else{if(t===e)break;for(;!t.sibling;){if(!t.return||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}}return null}function rt(e,t){if(null==t)throw Error(i(30));return null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}function ot(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}var at=null;function it(e){if(e){var t=e._dispatchListeners,n=e._dispatchInstances;if(Array.isArray(t))for(var r=0;r<t.length&&!e.isPropagationStopped();r++)y(e,t[r],n[r]);else t&&y(e,t,n);e._dispatchListeners=null,e._dispatchInstances=null,e.isPersistent()||e.constructor.release(e)}}function lt(e){if(null!==e&&(at=rt(at,e)),e=at,at=null,e){if(ot(e,it),at)throw Error(i(95));if(s)throw e=f,s=!1,f=null,e}}function ut(e){return(e=e.target||e.srcElement||window).correspondingUseElement&&(e=e.correspondingUseElement),3===e.nodeType?e.parentNode:e}function ct(e){if(!j)return!1;var t=(e="on"+e)in document;return t||((t=document.createElement("div")).setAttribute(e,"return;"),t="function"==typeof t[e]),t}var st=[];function ft(e){e.topLevelType=null,e.nativeEvent=null,e.targetInst=null,e.ancestors.length=0,10>st.length&&st.push(e)}function pt(e,t,n,r){if(st.length){var o=st.pop();return o.topLevelType=e,o.eventSystemFlags=r,o.nativeEvent=t,o.targetInst=n,o}return{topLevelType:e,eventSystemFlags:r,nativeEvent:t,targetInst:n,ancestors:[]}}function dt(e){var t=e.targetInst,n=t;do{if(!n){e.ancestors.push(n);break}var r=n;if(3===r.tag)r=r.stateNode.containerInfo;else{for(;r.return;)r=r.return;r=3!==r.tag?null:r.stateNode.containerInfo}if(!r)break;5!==(t=n.tag)&&6!==t||e.ancestors.push(n),n=jn(r)}while(n);for(n=0;n<e.ancestors.length;n++){t=e.ancestors[n];var o=ut(e.nativeEvent);r=e.topLevelType;var a=e.nativeEvent,i=e.eventSystemFlags;0===n&&(i|=64);for(var l=null,u=0;u<E.length;u++){var c=E[u];c&&(c=c.extractEvents(r,t,a,o,i))&&(l=rt(l,c))}lt(l)}}function ht(e,t,n){if(!n.has(e)){switch(e){case"scroll":Qt(t,"scroll",!0);break;case"focus":case"blur":Qt(t,"focus",!0),Qt(t,"blur",!0),n.set("blur",null),n.set("focus",null);break;case"cancel":case"close":ct(e)&&Qt(t,e,!0);break;case"invalid":case"submit":case"reset":break;default:-1===Ye.indexOf(e)&&Gt(e,t)}n.set(e,null)}}var mt,gt,yt,bt=!1,vt=[],wt=null,xt=null,Et=null,_t=new Map,Ot=new Map,St=[],kt="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput close cancel copy cut paste click change contextmenu reset submit".split(" "),jt="focus blur dragenter dragleave mouseover mouseout pointerover pointerout gotpointercapture lostpointercapture".split(" ");function Pt(e,t,n,r,o){return{blockedOn:e,topLevelType:t,eventSystemFlags:32|n,nativeEvent:o,container:r}}function Tt(e,t){switch(e){case"focus":case"blur":wt=null;break;case"dragenter":case"dragleave":xt=null;break;case"mouseover":case"mouseout":Et=null;break;case"pointerover":case"pointerout":_t.delete(t.pointerId);break;case"gotpointercapture":case"lostpointercapture":Ot.delete(t.pointerId)}}function Ct(e,t,n,r,o,a){return null===e||e.nativeEvent!==a?(e=Pt(t,n,r,o,a),null!==t&&(null!==(t=Pn(t))&>(t)),e):(e.eventSystemFlags|=r,e)}function Rt(e){var t=jn(e.target);if(null!==t){var n=Ze(t);if(null!==n)if(13===(t=n.tag)){if(null!==(t=et(n)))return e.blockedOn=t,void a.unstable_runWithPriority(e.priority,(function(){yt(n)}))}else if(3===t&&n.stateNode.hydrate)return void(e.blockedOn=3===n.tag?n.stateNode.containerInfo:null)}e.blockedOn=null}function At(e){if(null!==e.blockedOn)return!1;var t=Jt(e.topLevelType,e.eventSystemFlags,e.container,e.nativeEvent);if(null!==t){var n=Pn(t);return null!==n&>(n),e.blockedOn=t,!1}return!0}function Nt(e,t,n){At(e)&&n.delete(t)}function It(){for(bt=!1;0<vt.length;){var e=vt[0];if(null!==e.blockedOn){null!==(e=Pn(e.blockedOn))&&mt(e);break}var t=Jt(e.topLevelType,e.eventSystemFlags,e.container,e.nativeEvent);null!==t?e.blockedOn=t:vt.shift()}null!==wt&&At(wt)&&(wt=null),null!==xt&&At(xt)&&(xt=null),null!==Et&&At(Et)&&(Et=null),_t.forEach(Nt),Ot.forEach(Nt)}function Dt(e,t){e.blockedOn===t&&(e.blockedOn=null,bt||(bt=!0,a.unstable_scheduleCallback(a.unstable_NormalPriority,It)))}function Lt(e){function t(t){return Dt(t,e)}if(0<vt.length){Dt(vt[0],e);for(var n=1;n<vt.length;n++){var r=vt[n];r.blockedOn===e&&(r.blockedOn=null)}}for(null!==wt&&Dt(wt,e),null!==xt&&Dt(xt,e),null!==Et&&Dt(Et,e),_t.forEach(t),Ot.forEach(t),n=0;n<St.length;n++)(r=St[n]).blockedOn===e&&(r.blockedOn=null);for(;0<St.length&&null===(n=St[0]).blockedOn;)Rt(n),null===n.blockedOn&&St.shift()}var Ft={},Mt=new Map,zt=new Map,Ut=["abort","abort",qe,"animationEnd",Ge,"animationIteration",Qe,"animationStart","canplay","canPlay","canplaythrough","canPlayThrough","durationchange","durationChange","emptied","emptied","encrypted","encrypted","ended","ended","error","error","gotpointercapture","gotPointerCapture","load","load","loadeddata","loadedData","loadedmetadata","loadedMetadata","loadstart","loadStart","lostpointercapture","lostPointerCapture","playing","playing","progress","progress","seeking","seeking","stalled","stalled","suspend","suspend","timeupdate","timeUpdate",Ke,"transitionEnd","waiting","waiting"];function Ht(e,t){for(var n=0;n<e.length;n+=2){var r=e[n],o=e[n+1],a="on"+(o[0].toUpperCase()+o.slice(1));a={phasedRegistrationNames:{bubbled:a,captured:a+"Capture"},dependencies:[r],eventPriority:t},zt.set(r,t),Mt.set(r,a),Ft[o]=a}}Ht("blur blur cancel cancel click click close close contextmenu contextMenu copy copy cut cut auxclick auxClick dblclick doubleClick dragend dragEnd dragstart dragStart drop drop focus focus input input invalid invalid keydown keyDown keypress keyPress keyup keyUp mousedown mouseDown mouseup mouseUp paste paste pause pause play play pointercancel pointerCancel pointerdown pointerDown pointerup pointerUp ratechange rateChange reset reset seeked seeked submit submit touchcancel touchCancel touchend touchEnd touchstart touchStart volumechange volumeChange".split(" "),0),Ht("drag drag dragenter dragEnter dragexit dragExit dragleave dragLeave dragover dragOver mousemove mouseMove mouseout mouseOut mouseover mouseOver pointermove pointerMove pointerout pointerOut pointerover pointerOver scroll scroll toggle toggle touchmove touchMove wheel wheel".split(" "),1),Ht(Ut,2);for(var Bt="change selectionchange textInput compositionstart compositionend compositionupdate".split(" "),Wt=0;Wt<Bt.length;Wt++)zt.set(Bt[Wt],0);var $t=a.unstable_UserBlockingPriority,Vt=a.unstable_runWithPriority,qt=!0;function Gt(e,t){Qt(t,e,!1)}function Qt(e,t,n){var r=zt.get(t);switch(void 0===r?2:r){case 0:r=Kt.bind(null,t,1,e);break;case 1:r=Yt.bind(null,t,1,e);break;default:r=Xt.bind(null,t,1,e)}n?e.addEventListener(t,r,!0):e.addEventListener(t,r,!1)}function Kt(e,t,n,r){M||L();var o=Xt,a=M;M=!0;try{D(o,e,t,n,r)}finally{(M=a)||U()}}function Yt(e,t,n,r){Vt($t,Xt.bind(null,e,t,n,r))}function Xt(e,t,n,r){if(qt)if(0<vt.length&&-1<kt.indexOf(e))e=Pt(null,e,t,n,r),vt.push(e);else{var o=Jt(e,t,n,r);if(null===o)Tt(e,r);else if(-1<kt.indexOf(e))e=Pt(o,e,t,n,r),vt.push(e);else if(!function(e,t,n,r,o){switch(t){case"focus":return wt=Ct(wt,e,t,n,r,o),!0;case"dragenter":return xt=Ct(xt,e,t,n,r,o),!0;case"mouseover":return Et=Ct(Et,e,t,n,r,o),!0;case"pointerover":var a=o.pointerId;return _t.set(a,Ct(_t.get(a)||null,e,t,n,r,o)),!0;case"gotpointercapture":return a=o.pointerId,Ot.set(a,Ct(Ot.get(a)||null,e,t,n,r,o)),!0}return!1}(o,e,t,n,r)){Tt(e,r),e=pt(e,r,null,t);try{H(dt,e)}finally{ft(e)}}}}function Jt(e,t,n,r){if(null!==(n=jn(n=ut(r)))){var o=Ze(n);if(null===o)n=null;else{var a=o.tag;if(13===a){if(null!==(n=et(o)))return n;n=null}else if(3===a){if(o.stateNode.hydrate)return 3===o.tag?o.stateNode.containerInfo:null;n=null}else o!==n&&(n=null)}}e=pt(e,r,n,t);try{H(dt,e)}finally{ft(e)}return null}var Zt={animationIterationCount:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},en=["Webkit","ms","Moz","O"];function tn(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||Zt.hasOwnProperty(e)&&Zt[e]?(""+t).trim():t+"px"}function nn(e,t){for(var n in e=e.style,t)if(t.hasOwnProperty(n)){var r=0===n.indexOf("--"),o=tn(n,t[n],r);"float"===n&&(n="cssFloat"),r?e.setProperty(n,o):e[n]=o}}Object.keys(Zt).forEach((function(e){en.forEach((function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Zt[t]=Zt[e]}))}));var rn=o({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function on(e,t){if(t){if(rn[e]&&(null!=t.children||null!=t.dangerouslySetInnerHTML))throw Error(i(137,e,""));if(null!=t.dangerouslySetInnerHTML){if(null!=t.children)throw Error(i(60));if("object"!=typeof t.dangerouslySetInnerHTML||!("__html"in t.dangerouslySetInnerHTML))throw Error(i(61))}if(null!=t.style&&"object"!=typeof t.style)throw Error(i(62,""))}}function an(e,t){if(-1===e.indexOf("-"))return"string"==typeof t.is;switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var ln=Ie;function un(e,t){var n=Je(e=9===e.nodeType||11===e.nodeType?e:e.ownerDocument);t=S[t];for(var r=0;r<t.length;r++)ht(t[r],e,n)}function cn(){}function sn(e){if(void 0===(e=e||("undefined"!=typeof document?document:void 0)))return null;try{return e.activeElement||e.body}catch(t){return e.body}}function fn(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function pn(e,t){var n,r=fn(e);for(e=0;r;){if(3===r.nodeType){if(n=e+r.textContent.length,e<=t&&n>=t)return{node:r,offset:t-e};e=n}e:{for(;r;){if(r.nextSibling){r=r.nextSibling;break e}r=r.parentNode}r=void 0}r=fn(r)}}function dn(){for(var e=window,t=sn();t instanceof e.HTMLIFrameElement;){try{var n="string"==typeof t.contentWindow.location.href}catch(e){n=!1}if(!n)break;t=sn((e=t.contentWindow).document)}return t}function hn(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&("input"===t&&("text"===e.type||"search"===e.type||"tel"===e.type||"url"===e.type||"password"===e.type)||"textarea"===t||"true"===e.contentEditable)}var mn=null,gn=null;function yn(e,t){switch(e){case"button":case"input":case"select":case"textarea":return!!t.autoFocus}return!1}function bn(e,t){return"textarea"===e||"option"===e||"noscript"===e||"string"==typeof t.children||"number"==typeof t.children||"object"==typeof t.dangerouslySetInnerHTML&&null!==t.dangerouslySetInnerHTML&&null!=t.dangerouslySetInnerHTML.__html}var vn="function"==typeof setTimeout?setTimeout:void 0,wn="function"==typeof clearTimeout?clearTimeout:void 0;function xn(e){for(;null!=e;e=e.nextSibling){var t=e.nodeType;if(1===t||3===t)break}return e}function En(e){e=e.previousSibling;for(var t=0;e;){if(8===e.nodeType){var n=e.data;if("$"===n||"$!"===n||"$?"===n){if(0===t)return e;t--}else"/$"===n&&t++}e=e.previousSibling}return null}var _n=Math.random().toString(36).slice(2),On="__reactInternalInstance$"+_n,Sn="__reactEventHandlers$"+_n,kn="__reactContainere$"+_n;function jn(e){var t=e[On];if(t)return t;for(var n=e.parentNode;n;){if(t=n[kn]||n[On]){if(n=t.alternate,null!==t.child||null!==n&&null!==n.child)for(e=En(e);null!==e;){if(n=e[On])return n;e=En(e)}return t}n=(e=n).parentNode}return null}function Pn(e){return!(e=e[On]||e[kn])||5!==e.tag&&6!==e.tag&&13!==e.tag&&3!==e.tag?null:e}function Tn(e){if(5===e.tag||6===e.tag)return e.stateNode;throw Error(i(33))}function Cn(e){return e[Sn]||null}function Rn(e){do{e=e.return}while(e&&5!==e.tag);return e||null}function An(e,t){var n=e.stateNode;if(!n)return null;var r=h(n);if(!r)return null;n=r[t];e:switch(t){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(r=!("button"===(e=e.type)||"input"===e||"select"===e||"textarea"===e)),e=!r;break e;default:e=!1}if(e)return null;if(n&&"function"!=typeof n)throw Error(i(231,t,typeof n));return n}function Nn(e,t,n){(t=An(e,n.dispatchConfig.phasedRegistrationNames[t]))&&(n._dispatchListeners=rt(n._dispatchListeners,t),n._dispatchInstances=rt(n._dispatchInstances,e))}function In(e){if(e&&e.dispatchConfig.phasedRegistrationNames){for(var t=e._targetInst,n=[];t;)n.push(t),t=Rn(t);for(t=n.length;0<t--;)Nn(n[t],"captured",e);for(t=0;t<n.length;t++)Nn(n[t],"bubbled",e)}}function Dn(e,t,n){e&&n&&n.dispatchConfig.registrationName&&(t=An(e,n.dispatchConfig.registrationName))&&(n._dispatchListeners=rt(n._dispatchListeners,t),n._dispatchInstances=rt(n._dispatchInstances,e))}function Ln(e){e&&e.dispatchConfig.registrationName&&Dn(e._targetInst,null,e)}function Fn(e){ot(e,In)}var Mn=null,zn=null,Un=null;function Hn(){if(Un)return Un;var e,t,n=zn,r=n.length,o="value"in Mn?Mn.value:Mn.textContent,a=o.length;for(e=0;e<r&&n[e]===o[e];e++);var i=r-e;for(t=1;t<=i&&n[r-t]===o[a-t];t++);return Un=o.slice(e,1<t?1-t:void 0)}function Bn(){return!0}function Wn(){return!1}function $n(e,t,n,r){for(var o in this.dispatchConfig=e,this._targetInst=t,this.nativeEvent=n,e=this.constructor.Interface)e.hasOwnProperty(o)&&((t=e[o])?this[o]=t(n):"target"===o?this.target=r:this[o]=n[o]);return this.isDefaultPrevented=(null!=n.defaultPrevented?n.defaultPrevented:!1===n.returnValue)?Bn:Wn,this.isPropagationStopped=Wn,this}function Vn(e,t,n,r){if(this.eventPool.length){var o=this.eventPool.pop();return this.call(o,e,t,n,r),o}return new this(e,t,n,r)}function qn(e){if(!(e instanceof this))throw Error(i(279));e.destructor(),10>this.eventPool.length&&this.eventPool.push(e)}function Gn(e){e.eventPool=[],e.getPooled=Vn,e.release=qn}o($n.prototype,{preventDefault:function(){this.defaultPrevented=!0;var e=this.nativeEvent;e&&(e.preventDefault?e.preventDefault():"unknown"!=typeof e.returnValue&&(e.returnValue=!1),this.isDefaultPrevented=Bn)},stopPropagation:function(){var e=this.nativeEvent;e&&(e.stopPropagation?e.stopPropagation():"unknown"!=typeof e.cancelBubble&&(e.cancelBubble=!0),this.isPropagationStopped=Bn)},persist:function(){this.isPersistent=Bn},isPersistent:Wn,destructor:function(){var e,t=this.constructor.Interface;for(e in t)this[e]=null;this.nativeEvent=this._targetInst=this.dispatchConfig=null,this.isPropagationStopped=this.isDefaultPrevented=Wn,this._dispatchInstances=this._dispatchListeners=null}}),$n.Interface={type:null,target:null,currentTarget:function(){return null},eventPhase:null,bubbles:null,cancelable:null,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:null,isTrusted:null},$n.extend=function(e){function t(){}function n(){return r.apply(this,arguments)}var r=this;t.prototype=r.prototype;var a=new t;return o(a,n.prototype),n.prototype=a,n.prototype.constructor=n,n.Interface=o({},r.Interface,e),n.extend=r.extend,Gn(n),n},Gn($n);var Qn=$n.extend({data:null}),Kn=$n.extend({data:null}),Yn=[9,13,27,32],Xn=j&&"CompositionEvent"in window,Jn=null;j&&"documentMode"in document&&(Jn=document.documentMode);var Zn=j&&"TextEvent"in window&&!Jn,er=j&&(!Xn||Jn&&8<Jn&&11>=Jn),tr=String.fromCharCode(32),nr={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["compositionend","keypress","textInput","paste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:"blur compositionend keydown keypress keyup mousedown".split(" ")},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:"blur compositionstart keydown keypress keyup mousedown".split(" ")},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:"blur compositionupdate keydown keypress keyup mousedown".split(" ")}},rr=!1;function or(e,t){switch(e){case"keyup":return-1!==Yn.indexOf(t.keyCode);case"keydown":return 229!==t.keyCode;case"keypress":case"mousedown":case"blur":return!0;default:return!1}}function ar(e){return"object"==typeof(e=e.detail)&&"data"in e?e.data:null}var ir=!1;var lr={eventTypes:nr,extractEvents:function(e,t,n,r){var o;if(Xn)e:{switch(e){case"compositionstart":var a=nr.compositionStart;break e;case"compositionend":a=nr.compositionEnd;break e;case"compositionupdate":a=nr.compositionUpdate;break e}a=void 0}else ir?or(e,n)&&(a=nr.compositionEnd):"keydown"===e&&229===n.keyCode&&(a=nr.compositionStart);return a?(er&&"ko"!==n.locale&&(ir||a!==nr.compositionStart?a===nr.compositionEnd&&ir&&(o=Hn()):(zn="value"in(Mn=r)?Mn.value:Mn.textContent,ir=!0)),a=Qn.getPooled(a,t,n,r),o?a.data=o:null!==(o=ar(n))&&(a.data=o),Fn(a),o=a):o=null,(e=Zn?function(e,t){switch(e){case"compositionend":return ar(t);case"keypress":return 32!==t.which?null:(rr=!0,tr);case"textInput":return(e=t.data)===tr&&rr?null:e;default:return null}}(e,n):function(e,t){if(ir)return"compositionend"===e||!Xn&&or(e,t)?(e=Hn(),Un=zn=Mn=null,ir=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1<t.char.length)return t.char;if(t.which)return String.fromCharCode(t.which)}return null;case"compositionend":return er&&"ko"!==t.locale?null:t.data;default:return null}}(e,n))?((t=Kn.getPooled(nr.beforeInput,t,n,r)).data=e,Fn(t)):t=null,null===o?t:null===t?o:[o,t]}},ur={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function cr(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!ur[e.type]:"textarea"===t}var sr={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:"blur change click focus input keydown keyup selectionchange".split(" ")}};function fr(e,t,n){return(e=$n.getPooled(sr.change,e,t,n)).type="change",A(n),Fn(e),e}var pr=null,dr=null;function hr(e){lt(e)}function mr(e){if(xe(Tn(e)))return e}function gr(e,t){if("change"===e)return t}var yr=!1;function br(){pr&&(pr.detachEvent("onpropertychange",vr),dr=pr=null)}function vr(e){if("value"===e.propertyName&&mr(dr))if(e=fr(dr,e,ut(e)),M)lt(e);else{M=!0;try{I(hr,e)}finally{M=!1,U()}}}function wr(e,t,n){"focus"===e?(br(),dr=n,(pr=t).attachEvent("onpropertychange",vr)):"blur"===e&&br()}function xr(e){if("selectionchange"===e||"keyup"===e||"keydown"===e)return mr(dr)}function Er(e,t){if("click"===e)return mr(t)}function _r(e,t){if("input"===e||"change"===e)return mr(t)}j&&(yr=ct("input")&&(!document.documentMode||9<document.documentMode));var Or={eventTypes:sr,_isInputEventSupported:yr,extractEvents:function(e,t,n,r){var o=t?Tn(t):window,a=o.nodeName&&o.nodeName.toLowerCase();if("select"===a||"input"===a&&"file"===o.type)var i=gr;else if(cr(o))if(yr)i=_r;else{i=xr;var l=wr}else(a=o.nodeName)&&"input"===a.toLowerCase()&&("checkbox"===o.type||"radio"===o.type)&&(i=Er);if(i&&(i=i(e,t)))return fr(i,n,r);l&&l(e,o,t),"blur"===e&&(e=o._wrapperState)&&e.controlled&&"number"===o.type&&je(o,"number",o.value)}},Sr=$n.extend({view:null,detail:null}),kr={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function jr(e){var t=this.nativeEvent;return t.getModifierState?t.getModifierState(e):!!(e=kr[e])&&!!t[e]}function Pr(){return jr}var Tr=0,Cr=0,Rr=!1,Ar=!1,Nr=Sr.extend({screenX:null,screenY:null,clientX:null,clientY:null,pageX:null,pageY:null,ctrlKey:null,shiftKey:null,altKey:null,metaKey:null,getModifierState:Pr,button:null,buttons:null,relatedTarget:function(e){return e.relatedTarget||(e.fromElement===e.srcElement?e.toElement:e.fromElement)},movementX:function(e){if("movementX"in e)return e.movementX;var t=Tr;return Tr=e.screenX,Rr?"mousemove"===e.type?e.screenX-t:0:(Rr=!0,0)},movementY:function(e){if("movementY"in e)return e.movementY;var t=Cr;return Cr=e.screenY,Ar?"mousemove"===e.type?e.screenY-t:0:(Ar=!0,0)}}),Ir=Nr.extend({pointerId:null,width:null,height:null,pressure:null,tangentialPressure:null,tiltX:null,tiltY:null,twist:null,pointerType:null,isPrimary:null}),Dr={mouseEnter:{registrationName:"onMouseEnter",dependencies:["mouseout","mouseover"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["mouseout","mouseover"]},pointerEnter:{registrationName:"onPointerEnter",dependencies:["pointerout","pointerover"]},pointerLeave:{registrationName:"onPointerLeave",dependencies:["pointerout","pointerover"]}},Lr={eventTypes:Dr,extractEvents:function(e,t,n,r,o){var a="mouseover"===e||"pointerover"===e,i="mouseout"===e||"pointerout"===e;if(a&&0==(32&o)&&(n.relatedTarget||n.fromElement)||!i&&!a)return null;(a=r.window===r?r:(a=r.ownerDocument)?a.defaultView||a.parentWindow:window,i)?(i=t,null!==(t=(t=n.relatedTarget||n.toElement)?jn(t):null)&&(t!==Ze(t)||5!==t.tag&&6!==t.tag)&&(t=null)):i=null;if(i===t)return null;if("mouseout"===e||"mouseover"===e)var l=Nr,u=Dr.mouseLeave,c=Dr.mouseEnter,s="mouse";else"pointerout"!==e&&"pointerover"!==e||(l=Ir,u=Dr.pointerLeave,c=Dr.pointerEnter,s="pointer");if(e=null==i?a:Tn(i),a=null==t?a:Tn(t),(u=l.getPooled(u,i,n,r)).type=s+"leave",u.target=e,u.relatedTarget=a,(n=l.getPooled(c,t,n,r)).type=s+"enter",n.target=a,n.relatedTarget=e,s=t,(r=i)&&s)e:{for(c=s,i=0,e=l=r;e;e=Rn(e))i++;for(e=0,t=c;t;t=Rn(t))e++;for(;0<i-e;)l=Rn(l),i--;for(;0<e-i;)c=Rn(c),e--;for(;i--;){if(l===c||l===c.alternate)break e;l=Rn(l),c=Rn(c)}l=null}else l=null;for(c=l,l=[];r&&r!==c&&(null===(i=r.alternate)||i!==c);)l.push(r),r=Rn(r);for(r=[];s&&s!==c&&(null===(i=s.alternate)||i!==c);)r.push(s),s=Rn(s);for(s=0;s<l.length;s++)Dn(l[s],"bubbled",u);for(s=r.length;0<s--;)Dn(r[s],"captured",n);return 0==(64&o)?[u]:[u,n]}};var Fr="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t},Mr=Object.prototype.hasOwnProperty;function zr(e,t){if(Fr(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(r=0;r<n.length;r++)if(!Mr.call(t,n[r])||!Fr(e[n[r]],t[n[r]]))return!1;return!0}var Ur=j&&"documentMode"in document&&11>=document.documentMode,Hr={select:{phasedRegistrationNames:{bubbled:"onSelect",captured:"onSelectCapture"},dependencies:"blur contextmenu dragend focus keydown keyup mousedown mouseup selectionchange".split(" ")}},Br=null,Wr=null,$r=null,Vr=!1;function qr(e,t){var n=t.window===t?t.document:9===t.nodeType?t:t.ownerDocument;return Vr||null==Br||Br!==sn(n)?null:("selectionStart"in(n=Br)&&hn(n)?n={start:n.selectionStart,end:n.selectionEnd}:n={anchorNode:(n=(n.ownerDocument&&n.ownerDocument.defaultView||window).getSelection()).anchorNode,anchorOffset:n.anchorOffset,focusNode:n.focusNode,focusOffset:n.focusOffset},$r&&zr($r,n)?null:($r=n,(e=$n.getPooled(Hr.select,Wr,e,t)).type="select",e.target=Br,Fn(e),e))}var Gr={eventTypes:Hr,extractEvents:function(e,t,n,r,o,a){if(!(a=!(o=a||(r.window===r?r.document:9===r.nodeType?r:r.ownerDocument)))){e:{o=Je(o),a=S.onSelect;for(var i=0;i<a.length;i++)if(!o.has(a[i])){o=!1;break e}o=!0}a=!o}if(a)return null;switch(o=t?Tn(t):window,e){case"focus":(cr(o)||"true"===o.contentEditable)&&(Br=o,Wr=t,$r=null);break;case"blur":$r=Wr=Br=null;break;case"mousedown":Vr=!0;break;case"contextmenu":case"mouseup":case"dragend":return Vr=!1,qr(n,r);case"selectionchange":if(Ur)break;case"keydown":case"keyup":return qr(n,r)}return null}},Qr=$n.extend({animationName:null,elapsedTime:null,pseudoElement:null}),Kr=$n.extend({clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),Yr=Sr.extend({relatedTarget:null});function Xr(e){var t=e.keyCode;return"charCode"in e?0===(e=e.charCode)&&13===t&&(e=13):e=t,10===e&&(e=13),32<=e||13===e?e:0}var Jr={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},Zr={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},eo=Sr.extend({key:function(e){if(e.key){var t=Jr[e.key]||e.key;if("Unidentified"!==t)return t}return"keypress"===e.type?13===(e=Xr(e))?"Enter":String.fromCharCode(e):"keydown"===e.type||"keyup"===e.type?Zr[e.keyCode]||"Unidentified":""},location:null,ctrlKey:null,shiftKey:null,altKey:null,metaKey:null,repeat:null,locale:null,getModifierState:Pr,charCode:function(e){return"keypress"===e.type?Xr(e):0},keyCode:function(e){return"keydown"===e.type||"keyup"===e.type?e.keyCode:0},which:function(e){return"keypress"===e.type?Xr(e):"keydown"===e.type||"keyup"===e.type?e.keyCode:0}}),to=Nr.extend({dataTransfer:null}),no=Sr.extend({touches:null,targetTouches:null,changedTouches:null,altKey:null,metaKey:null,ctrlKey:null,shiftKey:null,getModifierState:Pr}),ro=$n.extend({propertyName:null,elapsedTime:null,pseudoElement:null}),oo=Nr.extend({deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:null,deltaMode:null}),ao={eventTypes:Ft,extractEvents:function(e,t,n,r){var o=Mt.get(e);if(!o)return null;switch(e){case"keypress":if(0===Xr(n))return null;case"keydown":case"keyup":e=eo;break;case"blur":case"focus":e=Yr;break;case"click":if(2===n.button)return null;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":e=Nr;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":e=to;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":e=no;break;case qe:case Ge:case Qe:e=Qr;break;case Ke:e=ro;break;case"scroll":e=Sr;break;case"wheel":e=oo;break;case"copy":case"cut":case"paste":e=Kr;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":e=Ir;break;default:e=$n}return Fn(t=e.getPooled(o,t,n,r)),t}};if(b)throw Error(i(101));b=Array.prototype.slice.call("ResponderEventPlugin SimpleEventPlugin EnterLeaveEventPlugin ChangeEventPlugin SelectEventPlugin BeforeInputEventPlugin".split(" ")),w(),h=Cn,m=Pn,g=Tn,k({SimpleEventPlugin:ao,EnterLeaveEventPlugin:Lr,ChangeEventPlugin:Or,SelectEventPlugin:Gr,BeforeInputEventPlugin:lr});var io=[],lo=-1;function uo(e){0>lo||(e.current=io[lo],io[lo]=null,lo--)}function co(e,t){lo++,io[lo]=e.current,e.current=t}var so={},fo={current:so},po={current:!1},ho=so;function mo(e,t){var n=e.type.contextTypes;if(!n)return so;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var o,a={};for(o in n)a[o]=t[o];return r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=a),a}function go(e){return null!=(e=e.childContextTypes)}function yo(){uo(po),uo(fo)}function bo(e,t,n){if(fo.current!==so)throw Error(i(168));co(fo,t),co(po,n)}function vo(e,t,n){var r=e.stateNode;if(e=t.childContextTypes,"function"!=typeof r.getChildContext)return n;for(var a in r=r.getChildContext())if(!(a in e))throw Error(i(108,ge(t)||"Unknown",a));return o({},n,{},r)}function wo(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||so,ho=fo.current,co(fo,e),co(po,po.current),!0}function xo(e,t,n){var r=e.stateNode;if(!r)throw Error(i(169));n?(e=vo(e,t,ho),r.__reactInternalMemoizedMergedChildContext=e,uo(po),uo(fo),co(fo,e)):uo(po),co(po,n)}var Eo=a.unstable_runWithPriority,_o=a.unstable_scheduleCallback,Oo=a.unstable_cancelCallback,So=a.unstable_requestPaint,ko=a.unstable_now,jo=a.unstable_getCurrentPriorityLevel,Po=a.unstable_ImmediatePriority,To=a.unstable_UserBlockingPriority,Co=a.unstable_NormalPriority,Ro=a.unstable_LowPriority,Ao=a.unstable_IdlePriority,No={},Io=a.unstable_shouldYield,Do=void 0!==So?So:function(){},Lo=null,Fo=null,Mo=!1,zo=ko(),Uo=1e4>zo?ko:function(){return ko()-zo};function Ho(){switch(jo()){case Po:return 99;case To:return 98;case Co:return 97;case Ro:return 96;case Ao:return 95;default:throw Error(i(332))}}function Bo(e){switch(e){case 99:return Po;case 98:return To;case 97:return Co;case 96:return Ro;case 95:return Ao;default:throw Error(i(332))}}function Wo(e,t){return e=Bo(e),Eo(e,t)}function $o(e,t,n){return e=Bo(e),_o(e,t,n)}function Vo(e){return null===Lo?(Lo=[e],Fo=_o(Po,Go)):Lo.push(e),No}function qo(){if(null!==Fo){var e=Fo;Fo=null,Oo(e)}Go()}function Go(){if(!Mo&&null!==Lo){Mo=!0;var e=0;try{var t=Lo;Wo(99,(function(){for(;e<t.length;e++){var n=t[e];do{n=n(!0)}while(null!==n)}})),Lo=null}catch(t){throw null!==Lo&&(Lo=Lo.slice(e+1)),_o(Po,qo),t}finally{Mo=!1}}}function Qo(e,t,n){return 1073741821-(1+((1073741821-e+t/10)/(n/=10)|0))*n}function Ko(e,t){if(e&&e.defaultProps)for(var n in t=o({},t),e=e.defaultProps)void 0===t[n]&&(t[n]=e[n]);return t}var Yo={current:null},Xo=null,Jo=null,Zo=null;function ea(){Zo=Jo=Xo=null}function ta(e){var t=Yo.current;uo(Yo),e.type._context._currentValue=t}function na(e,t){for(;null!==e;){var n=e.alternate;if(e.childExpirationTime<t)e.childExpirationTime=t,null!==n&&n.childExpirationTime<t&&(n.childExpirationTime=t);else{if(!(null!==n&&n.childExpirationTime<t))break;n.childExpirationTime=t}e=e.return}}function ra(e,t){Xo=e,Zo=Jo=null,null!==(e=e.dependencies)&&null!==e.firstContext&&(e.expirationTime>=t&&(Ci=!0),e.firstContext=null)}function oa(e,t){if(Zo!==e&&!1!==t&&0!==t)if("number"==typeof t&&1073741823!==t||(Zo=e,t=1073741823),t={context:e,observedBits:t,next:null},null===Jo){if(null===Xo)throw Error(i(308));Jo=t,Xo.dependencies={expirationTime:0,firstContext:t,responders:null}}else Jo=Jo.next=t;return e._currentValue}var aa=!1;function ia(e){e.updateQueue={baseState:e.memoizedState,baseQueue:null,shared:{pending:null},effects:null}}function la(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,baseQueue:e.baseQueue,shared:e.shared,effects:e.effects})}function ua(e,t){return(e={expirationTime:e,suspenseConfig:t,tag:0,payload:null,callback:null,next:null}).next=e}function ca(e,t){if(null!==(e=e.updateQueue)){var n=(e=e.shared).pending;null===n?t.next=t:(t.next=n.next,n.next=t),e.pending=t}}function sa(e,t){var n=e.alternate;null!==n&&la(n,e),null===(n=(e=e.updateQueue).baseQueue)?(e.baseQueue=t.next=t,t.next=t):(t.next=n.next,n.next=t)}function fa(e,t,n,r){var a=e.updateQueue;aa=!1;var i=a.baseQueue,l=a.shared.pending;if(null!==l){if(null!==i){var u=i.next;i.next=l.next,l.next=u}i=l,a.shared.pending=null,null!==(u=e.alternate)&&(null!==(u=u.updateQueue)&&(u.baseQueue=l))}if(null!==i){u=i.next;var c=a.baseState,s=0,f=null,p=null,d=null;if(null!==u)for(var h=u;;){if((l=h.expirationTime)<r){var m={expirationTime:h.expirationTime,suspenseConfig:h.suspenseConfig,tag:h.tag,payload:h.payload,callback:h.callback,next:null};null===d?(p=d=m,f=c):d=d.next=m,l>s&&(s=l)}else{null!==d&&(d=d.next={expirationTime:1073741823,suspenseConfig:h.suspenseConfig,tag:h.tag,payload:h.payload,callback:h.callback,next:null}),au(l,h.suspenseConfig);e:{var g=e,y=h;switch(l=t,m=n,y.tag){case 1:if("function"==typeof(g=y.payload)){c=g.call(m,c,l);break e}c=g;break e;case 3:g.effectTag=-4097&g.effectTag|64;case 0:if(null==(l="function"==typeof(g=y.payload)?g.call(m,c,l):g))break e;c=o({},c,l);break e;case 2:aa=!0}}null!==h.callback&&(e.effectTag|=32,null===(l=a.effects)?a.effects=[h]:l.push(h))}if(null===(h=h.next)||h===u){if(null===(l=a.shared.pending))break;h=i.next=l.next,l.next=u,a.baseQueue=i=l,a.shared.pending=null}}null===d?f=c:d.next=p,a.baseState=f,a.baseQueue=d,iu(s),e.expirationTime=s,e.memoizedState=c}}function pa(e,t,n){if(e=t.effects,t.effects=null,null!==e)for(t=0;t<e.length;t++){var r=e[t],o=r.callback;if(null!==o){if(r.callback=null,r=o,o=n,"function"!=typeof r)throw Error(i(191,r));r.call(o)}}}var da=Y.ReactCurrentBatchConfig,ha=(new r.Component).refs;function ma(e,t,n,r){n=null==(n=n(r,t=e.memoizedState))?t:o({},t,n),e.memoizedState=n,0===e.expirationTime&&(e.updateQueue.baseState=n)}var ga={isMounted:function(e){return!!(e=e._reactInternalFiber)&&Ze(e)===e},enqueueSetState:function(e,t,n){e=e._reactInternalFiber;var r=ql(),o=da.suspense;(o=ua(r=Gl(r,e,o),o)).payload=t,null!=n&&(o.callback=n),ca(e,o),Ql(e,r)},enqueueReplaceState:function(e,t,n){e=e._reactInternalFiber;var r=ql(),o=da.suspense;(o=ua(r=Gl(r,e,o),o)).tag=1,o.payload=t,null!=n&&(o.callback=n),ca(e,o),Ql(e,r)},enqueueForceUpdate:function(e,t){e=e._reactInternalFiber;var n=ql(),r=da.suspense;(r=ua(n=Gl(n,e,r),r)).tag=2,null!=t&&(r.callback=t),ca(e,r),Ql(e,n)}};function ya(e,t,n,r,o,a,i){return"function"==typeof(e=e.stateNode).shouldComponentUpdate?e.shouldComponentUpdate(r,a,i):!t.prototype||!t.prototype.isPureReactComponent||(!zr(n,r)||!zr(o,a))}function ba(e,t,n){var r=!1,o=so,a=t.contextType;return"object"==typeof a&&null!==a?a=oa(a):(o=go(t)?ho:fo.current,a=(r=null!=(r=t.contextTypes))?mo(e,o):so),t=new t(n,a),e.memoizedState=null!==t.state&&void 0!==t.state?t.state:null,t.updater=ga,e.stateNode=t,t._reactInternalFiber=e,r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=o,e.__reactInternalMemoizedMaskedChildContext=a),t}function va(e,t,n,r){e=t.state,"function"==typeof t.componentWillReceiveProps&&t.componentWillReceiveProps(n,r),"function"==typeof t.UNSAFE_componentWillReceiveProps&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&ga.enqueueReplaceState(t,t.state,null)}function wa(e,t,n,r){var o=e.stateNode;o.props=n,o.state=e.memoizedState,o.refs=ha,ia(e);var a=t.contextType;"object"==typeof a&&null!==a?o.context=oa(a):(a=go(t)?ho:fo.current,o.context=mo(e,a)),fa(e,n,o,r),o.state=e.memoizedState,"function"==typeof(a=t.getDerivedStateFromProps)&&(ma(e,t,a,n),o.state=e.memoizedState),"function"==typeof t.getDerivedStateFromProps||"function"==typeof o.getSnapshotBeforeUpdate||"function"!=typeof o.UNSAFE_componentWillMount&&"function"!=typeof o.componentWillMount||(t=o.state,"function"==typeof o.componentWillMount&&o.componentWillMount(),"function"==typeof o.UNSAFE_componentWillMount&&o.UNSAFE_componentWillMount(),t!==o.state&&ga.enqueueReplaceState(o,o.state,null),fa(e,n,o,r),o.state=e.memoizedState),"function"==typeof o.componentDidMount&&(e.effectTag|=4)}var xa=Array.isArray;function Ea(e,t,n){if(null!==(e=n.ref)&&"function"!=typeof e&&"object"!=typeof e){if(n._owner){if(n=n._owner){if(1!==n.tag)throw Error(i(309));var r=n.stateNode}if(!r)throw Error(i(147,e));var o=""+e;return null!==t&&null!==t.ref&&"function"==typeof t.ref&&t.ref._stringRef===o?t.ref:((t=function(e){var t=r.refs;t===ha&&(t=r.refs={}),null===e?delete t[o]:t[o]=e})._stringRef=o,t)}if("string"!=typeof e)throw Error(i(284));if(!n._owner)throw Error(i(290,e))}return e}function _a(e,t){if("textarea"!==e.type)throw Error(i(31,"[object Object]"===Object.prototype.toString.call(t)?"object with keys {"+Object.keys(t).join(", ")+"}":t,""))}function Oa(e){function t(t,n){if(e){var r=t.lastEffect;null!==r?(r.nextEffect=n,t.lastEffect=n):t.firstEffect=t.lastEffect=n,n.nextEffect=null,n.effectTag=8}}function n(n,r){if(!e)return null;for(;null!==r;)t(n,r),r=r.sibling;return null}function r(e,t){for(e=new Map;null!==t;)null!==t.key?e.set(t.key,t):e.set(t.index,t),t=t.sibling;return e}function o(e,t){return(e=ku(e,t)).index=0,e.sibling=null,e}function a(t,n,r){return t.index=r,e?null!==(r=t.alternate)?(r=r.index)<n?(t.effectTag=2,n):r:(t.effectTag=2,n):n}function l(t){return e&&null===t.alternate&&(t.effectTag=2),t}function u(e,t,n,r){return null===t||6!==t.tag?((t=Tu(n,e.mode,r)).return=e,t):((t=o(t,n)).return=e,t)}function c(e,t,n,r){return null!==t&&t.elementType===n.type?((r=o(t,n.props)).ref=Ea(e,t,n),r.return=e,r):((r=ju(n.type,n.key,n.props,null,e.mode,r)).ref=Ea(e,t,n),r.return=e,r)}function s(e,t,n,r){return null===t||4!==t.tag||t.stateNode.containerInfo!==n.containerInfo||t.stateNode.implementation!==n.implementation?((t=Cu(n,e.mode,r)).return=e,t):((t=o(t,n.children||[])).return=e,t)}function f(e,t,n,r,a){return null===t||7!==t.tag?((t=Pu(n,e.mode,r,a)).return=e,t):((t=o(t,n)).return=e,t)}function p(e,t,n){if("string"==typeof t||"number"==typeof t)return(t=Tu(""+t,e.mode,n)).return=e,t;if("object"==typeof t&&null!==t){switch(t.$$typeof){case ee:return(n=ju(t.type,t.key,t.props,null,e.mode,n)).ref=Ea(e,null,t),n.return=e,n;case te:return(t=Cu(t,e.mode,n)).return=e,t}if(xa(t)||me(t))return(t=Pu(t,e.mode,n,null)).return=e,t;_a(e,t)}return null}function d(e,t,n,r){var o=null!==t?t.key:null;if("string"==typeof n||"number"==typeof n)return null!==o?null:u(e,t,""+n,r);if("object"==typeof n&&null!==n){switch(n.$$typeof){case ee:return n.key===o?n.type===ne?f(e,t,n.props.children,r,o):c(e,t,n,r):null;case te:return n.key===o?s(e,t,n,r):null}if(xa(n)||me(n))return null!==o?null:f(e,t,n,r,null);_a(e,n)}return null}function h(e,t,n,r,o){if("string"==typeof r||"number"==typeof r)return u(t,e=e.get(n)||null,""+r,o);if("object"==typeof r&&null!==r){switch(r.$$typeof){case ee:return e=e.get(null===r.key?n:r.key)||null,r.type===ne?f(t,e,r.props.children,o,r.key):c(t,e,r,o);case te:return s(t,e=e.get(null===r.key?n:r.key)||null,r,o)}if(xa(r)||me(r))return f(t,e=e.get(n)||null,r,o,null);_a(t,r)}return null}function m(o,i,l,u){for(var c=null,s=null,f=i,m=i=0,g=null;null!==f&&m<l.length;m++){f.index>m?(g=f,f=null):g=f.sibling;var y=d(o,f,l[m],u);if(null===y){null===f&&(f=g);break}e&&f&&null===y.alternate&&t(o,f),i=a(y,i,m),null===s?c=y:s.sibling=y,s=y,f=g}if(m===l.length)return n(o,f),c;if(null===f){for(;m<l.length;m++)null!==(f=p(o,l[m],u))&&(i=a(f,i,m),null===s?c=f:s.sibling=f,s=f);return c}for(f=r(o,f);m<l.length;m++)null!==(g=h(f,o,m,l[m],u))&&(e&&null!==g.alternate&&f.delete(null===g.key?m:g.key),i=a(g,i,m),null===s?c=g:s.sibling=g,s=g);return e&&f.forEach((function(e){return t(o,e)})),c}function g(o,l,u,c){var s=me(u);if("function"!=typeof s)throw Error(i(150));if(null==(u=s.call(u)))throw Error(i(151));for(var f=s=null,m=l,g=l=0,y=null,b=u.next();null!==m&&!b.done;g++,b=u.next()){m.index>g?(y=m,m=null):y=m.sibling;var v=d(o,m,b.value,c);if(null===v){null===m&&(m=y);break}e&&m&&null===v.alternate&&t(o,m),l=a(v,l,g),null===f?s=v:f.sibling=v,f=v,m=y}if(b.done)return n(o,m),s;if(null===m){for(;!b.done;g++,b=u.next())null!==(b=p(o,b.value,c))&&(l=a(b,l,g),null===f?s=b:f.sibling=b,f=b);return s}for(m=r(o,m);!b.done;g++,b=u.next())null!==(b=h(m,o,g,b.value,c))&&(e&&null!==b.alternate&&m.delete(null===b.key?g:b.key),l=a(b,l,g),null===f?s=b:f.sibling=b,f=b);return e&&m.forEach((function(e){return t(o,e)})),s}return function(e,r,a,u){var c="object"==typeof a&&null!==a&&a.type===ne&&null===a.key;c&&(a=a.props.children);var s="object"==typeof a&&null!==a;if(s)switch(a.$$typeof){case ee:e:{for(s=a.key,c=r;null!==c;){if(c.key===s){switch(c.tag){case 7:if(a.type===ne){n(e,c.sibling),(r=o(c,a.props.children)).return=e,e=r;break e}break;default:if(c.elementType===a.type){n(e,c.sibling),(r=o(c,a.props)).ref=Ea(e,c,a),r.return=e,e=r;break e}}n(e,c);break}t(e,c),c=c.sibling}a.type===ne?((r=Pu(a.props.children,e.mode,u,a.key)).return=e,e=r):((u=ju(a.type,a.key,a.props,null,e.mode,u)).ref=Ea(e,r,a),u.return=e,e=u)}return l(e);case te:e:{for(c=a.key;null!==r;){if(r.key===c){if(4===r.tag&&r.stateNode.containerInfo===a.containerInfo&&r.stateNode.implementation===a.implementation){n(e,r.sibling),(r=o(r,a.children||[])).return=e,e=r;break e}n(e,r);break}t(e,r),r=r.sibling}(r=Cu(a,e.mode,u)).return=e,e=r}return l(e)}if("string"==typeof a||"number"==typeof a)return a=""+a,null!==r&&6===r.tag?(n(e,r.sibling),(r=o(r,a)).return=e,e=r):(n(e,r),(r=Tu(a,e.mode,u)).return=e,e=r),l(e);if(xa(a))return m(e,r,a,u);if(me(a))return g(e,r,a,u);if(s&&_a(e,a),void 0===a&&!c)switch(e.tag){case 1:case 0:throw e=e.type,Error(i(152,e.displayName||e.name||"Component"))}return n(e,r)}}var Sa=Oa(!0),ka=Oa(!1),ja={},Pa={current:ja},Ta={current:ja},Ca={current:ja};function Ra(e){if(e===ja)throw Error(i(174));return e}function Aa(e,t){switch(co(Ca,t),co(Ta,e),co(Pa,ja),e=t.nodeType){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:Fe(null,"");break;default:t=Fe(t=(e=8===e?t.parentNode:t).namespaceURI||null,e=e.tagName)}uo(Pa),co(Pa,t)}function Na(){uo(Pa),uo(Ta),uo(Ca)}function Ia(e){Ra(Ca.current);var t=Ra(Pa.current),n=Fe(t,e.type);t!==n&&(co(Ta,e),co(Pa,n))}function Da(e){Ta.current===e&&(uo(Pa),uo(Ta))}var La={current:0};function Fa(e){for(var t=e;null!==t;){if(13===t.tag){var n=t.memoizedState;if(null!==n&&(null===(n=n.dehydrated)||"$?"===n.data||"$!"===n.data))return t}else if(19===t.tag&&void 0!==t.memoizedProps.revealOrder){if(0!=(64&t.effectTag))return t}else if(null!==t.child){t.child.return=t,t=t.child;continue}if(t===e)break;for(;null===t.sibling;){if(null===t.return||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}function Ma(e,t){return{responder:e,props:t}}var za=Y.ReactCurrentDispatcher,Ua=Y.ReactCurrentBatchConfig,Ha=0,Ba=null,Wa=null,$a=null,Va=!1;function qa(){throw Error(i(321))}function Ga(e,t){if(null===t)return!1;for(var n=0;n<t.length&&n<e.length;n++)if(!Fr(e[n],t[n]))return!1;return!0}function Qa(e,t,n,r,o,a){if(Ha=a,Ba=t,t.memoizedState=null,t.updateQueue=null,t.expirationTime=0,za.current=null===e||null===e.memoizedState?yi:bi,e=n(r,o),t.expirationTime===Ha){a=0;do{if(t.expirationTime=0,!(25>a))throw Error(i(301));a+=1,$a=Wa=null,t.updateQueue=null,za.current=vi,e=n(r,o)}while(t.expirationTime===Ha)}if(za.current=gi,t=null!==Wa&&null!==Wa.next,Ha=0,$a=Wa=Ba=null,Va=!1,t)throw Error(i(300));return e}function Ka(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return null===$a?Ba.memoizedState=$a=e:$a=$a.next=e,$a}function Ya(){if(null===Wa){var e=Ba.alternate;e=null!==e?e.memoizedState:null}else e=Wa.next;var t=null===$a?Ba.memoizedState:$a.next;if(null!==t)$a=t,Wa=e;else{if(null===e)throw Error(i(310));e={memoizedState:(Wa=e).memoizedState,baseState:Wa.baseState,baseQueue:Wa.baseQueue,queue:Wa.queue,next:null},null===$a?Ba.memoizedState=$a=e:$a=$a.next=e}return $a}function Xa(e,t){return"function"==typeof t?t(e):t}function Ja(e){var t=Ya(),n=t.queue;if(null===n)throw Error(i(311));n.lastRenderedReducer=e;var r=Wa,o=r.baseQueue,a=n.pending;if(null!==a){if(null!==o){var l=o.next;o.next=a.next,a.next=l}r.baseQueue=o=a,n.pending=null}if(null!==o){o=o.next,r=r.baseState;var u=l=a=null,c=o;do{var s=c.expirationTime;if(s<Ha){var f={expirationTime:c.expirationTime,suspenseConfig:c.suspenseConfig,action:c.action,eagerReducer:c.eagerReducer,eagerState:c.eagerState,next:null};null===u?(l=u=f,a=r):u=u.next=f,s>Ba.expirationTime&&(Ba.expirationTime=s,iu(s))}else null!==u&&(u=u.next={expirationTime:1073741823,suspenseConfig:c.suspenseConfig,action:c.action,eagerReducer:c.eagerReducer,eagerState:c.eagerState,next:null}),au(s,c.suspenseConfig),r=c.eagerReducer===e?c.eagerState:e(r,c.action);c=c.next}while(null!==c&&c!==o);null===u?a=r:u.next=l,Fr(r,t.memoizedState)||(Ci=!0),t.memoizedState=r,t.baseState=a,t.baseQueue=u,n.lastRenderedState=r}return[t.memoizedState,n.dispatch]}function Za(e){var t=Ya(),n=t.queue;if(null===n)throw Error(i(311));n.lastRenderedReducer=e;var r=n.dispatch,o=n.pending,a=t.memoizedState;if(null!==o){n.pending=null;var l=o=o.next;do{a=e(a,l.action),l=l.next}while(l!==o);Fr(a,t.memoizedState)||(Ci=!0),t.memoizedState=a,null===t.baseQueue&&(t.baseState=a),n.lastRenderedState=a}return[a,r]}function ei(e){var t=Ka();return"function"==typeof e&&(e=e()),t.memoizedState=t.baseState=e,e=(e=t.queue={pending:null,dispatch:null,lastRenderedReducer:Xa,lastRenderedState:e}).dispatch=mi.bind(null,Ba,e),[t.memoizedState,e]}function ti(e,t,n,r){return e={tag:e,create:t,destroy:n,deps:r,next:null},null===(t=Ba.updateQueue)?(t={lastEffect:null},Ba.updateQueue=t,t.lastEffect=e.next=e):null===(n=t.lastEffect)?t.lastEffect=e.next=e:(r=n.next,n.next=e,e.next=r,t.lastEffect=e),e}function ni(){return Ya().memoizedState}function ri(e,t,n,r){var o=Ka();Ba.effectTag|=e,o.memoizedState=ti(1|t,n,void 0,void 0===r?null:r)}function oi(e,t,n,r){var o=Ya();r=void 0===r?null:r;var a=void 0;if(null!==Wa){var i=Wa.memoizedState;if(a=i.destroy,null!==r&&Ga(r,i.deps))return void ti(t,n,a,r)}Ba.effectTag|=e,o.memoizedState=ti(1|t,n,a,r)}function ai(e,t){return ri(516,4,e,t)}function ii(e,t){return oi(516,4,e,t)}function li(e,t){return oi(4,2,e,t)}function ui(e,t){return"function"==typeof t?(e=e(),t(e),function(){t(null)}):null!=t?(e=e(),t.current=e,function(){t.current=null}):void 0}function ci(e,t,n){return n=null!=n?n.concat([e]):null,oi(4,2,ui.bind(null,t,e),n)}function si(){}function fi(e,t){return Ka().memoizedState=[e,void 0===t?null:t],e}function pi(e,t){var n=Ya();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Ga(t,r[1])?r[0]:(n.memoizedState=[e,t],e)}function di(e,t){var n=Ya();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Ga(t,r[1])?r[0]:(e=e(),n.memoizedState=[e,t],e)}function hi(e,t,n){var r=Ho();Wo(98>r?98:r,(function(){e(!0)})),Wo(97<r?97:r,(function(){var r=Ua.suspense;Ua.suspense=void 0===t?null:t;try{e(!1),n()}finally{Ua.suspense=r}}))}function mi(e,t,n){var r=ql(),o=da.suspense;o={expirationTime:r=Gl(r,e,o),suspenseConfig:o,action:n,eagerReducer:null,eagerState:null,next:null};var a=t.pending;if(null===a?o.next=o:(o.next=a.next,a.next=o),t.pending=o,a=e.alternate,e===Ba||null!==a&&a===Ba)Va=!0,o.expirationTime=Ha,Ba.expirationTime=Ha;else{if(0===e.expirationTime&&(null===a||0===a.expirationTime)&&null!==(a=t.lastRenderedReducer))try{var i=t.lastRenderedState,l=a(i,n);if(o.eagerReducer=a,o.eagerState=l,Fr(l,i))return}catch(e){}Ql(e,r)}}var gi={readContext:oa,useCallback:qa,useContext:qa,useEffect:qa,useImperativeHandle:qa,useLayoutEffect:qa,useMemo:qa,useReducer:qa,useRef:qa,useState:qa,useDebugValue:qa,useResponder:qa,useDeferredValue:qa,useTransition:qa},yi={readContext:oa,useCallback:fi,useContext:oa,useEffect:ai,useImperativeHandle:function(e,t,n){return n=null!=n?n.concat([e]):null,ri(4,2,ui.bind(null,t,e),n)},useLayoutEffect:function(e,t){return ri(4,2,e,t)},useMemo:function(e,t){var n=Ka();return t=void 0===t?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=Ka();return t=void 0!==n?n(t):t,r.memoizedState=r.baseState=t,e=(e=r.queue={pending:null,dispatch:null,lastRenderedReducer:e,lastRenderedState:t}).dispatch=mi.bind(null,Ba,e),[r.memoizedState,e]},useRef:function(e){return e={current:e},Ka().memoizedState=e},useState:ei,useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=ei(e),r=n[0],o=n[1];return ai((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=ei(!1),n=t[0];return t=t[1],[fi(hi.bind(null,t,e),[t,e]),n]}},bi={readContext:oa,useCallback:pi,useContext:oa,useEffect:ii,useImperativeHandle:ci,useLayoutEffect:li,useMemo:di,useReducer:Ja,useRef:ni,useState:function(){return Ja(Xa)},useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=Ja(Xa),r=n[0],o=n[1];return ii((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=Ja(Xa),n=t[0];return t=t[1],[pi(hi.bind(null,t,e),[t,e]),n]}},vi={readContext:oa,useCallback:pi,useContext:oa,useEffect:ii,useImperativeHandle:ci,useLayoutEffect:li,useMemo:di,useReducer:Za,useRef:ni,useState:function(){return Za(Xa)},useDebugValue:si,useResponder:Ma,useDeferredValue:function(e,t){var n=Za(Xa),r=n[0],o=n[1];return ii((function(){var n=Ua.suspense;Ua.suspense=void 0===t?null:t;try{o(e)}finally{Ua.suspense=n}}),[e,t]),r},useTransition:function(e){var t=Za(Xa),n=t[0];return t=t[1],[pi(hi.bind(null,t,e),[t,e]),n]}},wi=null,xi=null,Ei=!1;function _i(e,t){var n=Ou(5,null,null,0);n.elementType="DELETED",n.type="DELETED",n.stateNode=t,n.return=e,n.effectTag=8,null!==e.lastEffect?(e.lastEffect.nextEffect=n,e.lastEffect=n):e.firstEffect=e.lastEffect=n}function Oi(e,t){switch(e.tag){case 5:var n=e.type;return null!==(t=1!==t.nodeType||n.toLowerCase()!==t.nodeName.toLowerCase()?null:t)&&(e.stateNode=t,!0);case 6:return null!==(t=""===e.pendingProps||3!==t.nodeType?null:t)&&(e.stateNode=t,!0);case 13:default:return!1}}function Si(e){if(Ei){var t=xi;if(t){var n=t;if(!Oi(e,t)){if(!(t=xn(n.nextSibling))||!Oi(e,t))return e.effectTag=-1025&e.effectTag|2,Ei=!1,void(wi=e);_i(wi,n)}wi=e,xi=xn(t.firstChild)}else e.effectTag=-1025&e.effectTag|2,Ei=!1,wi=e}}function ki(e){for(e=e.return;null!==e&&5!==e.tag&&3!==e.tag&&13!==e.tag;)e=e.return;wi=e}function ji(e){if(e!==wi)return!1;if(!Ei)return ki(e),Ei=!0,!1;var t=e.type;if(5!==e.tag||"head"!==t&&"body"!==t&&!bn(t,e.memoizedProps))for(t=xi;t;)_i(e,t),t=xn(t.nextSibling);if(ki(e),13===e.tag){if(!(e=null!==(e=e.memoizedState)?e.dehydrated:null))throw Error(i(317));e:{for(e=e.nextSibling,t=0;e;){if(8===e.nodeType){var n=e.data;if("/$"===n){if(0===t){xi=xn(e.nextSibling);break e}t--}else"$"!==n&&"$!"!==n&&"$?"!==n||t++}e=e.nextSibling}xi=null}}else xi=wi?xn(e.stateNode.nextSibling):null;return!0}function Pi(){xi=wi=null,Ei=!1}var Ti=Y.ReactCurrentOwner,Ci=!1;function Ri(e,t,n,r){t.child=null===e?ka(t,null,n,r):Sa(t,e.child,n,r)}function Ai(e,t,n,r,o){n=n.render;var a=t.ref;return ra(t,o),r=Qa(e,t,n,r,a,o),null===e||Ci?(t.effectTag|=1,Ri(e,t,r,o),t.child):(t.updateQueue=e.updateQueue,t.effectTag&=-517,e.expirationTime<=o&&(e.expirationTime=0),Qi(e,t,o))}function Ni(e,t,n,r,o,a){if(null===e){var i=n.type;return"function"!=typeof i||Su(i)||void 0!==i.defaultProps||null!==n.compare||void 0!==n.defaultProps?((e=ju(n.type,null,r,null,t.mode,a)).ref=t.ref,e.return=t,t.child=e):(t.tag=15,t.type=i,Ii(e,t,i,r,o,a))}return i=e.child,o<a&&(o=i.memoizedProps,(n=null!==(n=n.compare)?n:zr)(o,r)&&e.ref===t.ref)?Qi(e,t,a):(t.effectTag|=1,(e=ku(i,r)).ref=t.ref,e.return=t,t.child=e)}function Ii(e,t,n,r,o,a){return null!==e&&zr(e.memoizedProps,r)&&e.ref===t.ref&&(Ci=!1,o<a)?(t.expirationTime=e.expirationTime,Qi(e,t,a)):Li(e,t,n,r,a)}function Di(e,t){var n=t.ref;(null===e&&null!==n||null!==e&&e.ref!==n)&&(t.effectTag|=128)}function Li(e,t,n,r,o){var a=go(n)?ho:fo.current;return a=mo(t,a),ra(t,o),n=Qa(e,t,n,r,a,o),null===e||Ci?(t.effectTag|=1,Ri(e,t,n,o),t.child):(t.updateQueue=e.updateQueue,t.effectTag&=-517,e.expirationTime<=o&&(e.expirationTime=0),Qi(e,t,o))}function Fi(e,t,n,r,o){if(go(n)){var a=!0;wo(t)}else a=!1;if(ra(t,o),null===t.stateNode)null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),ba(t,n,r),wa(t,n,r,o),r=!0;else if(null===e){var i=t.stateNode,l=t.memoizedProps;i.props=l;var u=i.context,c=n.contextType;"object"==typeof c&&null!==c?c=oa(c):c=mo(t,c=go(n)?ho:fo.current);var s=n.getDerivedStateFromProps,f="function"==typeof s||"function"==typeof i.getSnapshotBeforeUpdate;f||"function"!=typeof i.UNSAFE_componentWillReceiveProps&&"function"!=typeof i.componentWillReceiveProps||(l!==r||u!==c)&&va(t,i,r,c),aa=!1;var p=t.memoizedState;i.state=p,fa(t,r,i,o),u=t.memoizedState,l!==r||p!==u||po.current||aa?("function"==typeof s&&(ma(t,n,s,r),u=t.memoizedState),(l=aa||ya(t,n,l,r,p,u,c))?(f||"function"!=typeof i.UNSAFE_componentWillMount&&"function"!=typeof i.componentWillMount||("function"==typeof i.componentWillMount&&i.componentWillMount(),"function"==typeof i.UNSAFE_componentWillMount&&i.UNSAFE_componentWillMount()),"function"==typeof i.componentDidMount&&(t.effectTag|=4)):("function"==typeof i.componentDidMount&&(t.effectTag|=4),t.memoizedProps=r,t.memoizedState=u),i.props=r,i.state=u,i.context=c,r=l):("function"==typeof i.componentDidMount&&(t.effectTag|=4),r=!1)}else i=t.stateNode,la(e,t),l=t.memoizedProps,i.props=t.type===t.elementType?l:Ko(t.type,l),u=i.context,"object"==typeof(c=n.contextType)&&null!==c?c=oa(c):c=mo(t,c=go(n)?ho:fo.current),(f="function"==typeof(s=n.getDerivedStateFromProps)||"function"==typeof i.getSnapshotBeforeUpdate)||"function"!=typeof i.UNSAFE_componentWillReceiveProps&&"function"!=typeof i.componentWillReceiveProps||(l!==r||u!==c)&&va(t,i,r,c),aa=!1,u=t.memoizedState,i.state=u,fa(t,r,i,o),p=t.memoizedState,l!==r||u!==p||po.current||aa?("function"==typeof s&&(ma(t,n,s,r),p=t.memoizedState),(s=aa||ya(t,n,l,r,u,p,c))?(f||"function"!=typeof i.UNSAFE_componentWillUpdate&&"function"!=typeof i.componentWillUpdate||("function"==typeof i.componentWillUpdate&&i.componentWillUpdate(r,p,c),"function"==typeof i.UNSAFE_componentWillUpdate&&i.UNSAFE_componentWillUpdate(r,p,c)),"function"==typeof i.componentDidUpdate&&(t.effectTag|=4),"function"==typeof i.getSnapshotBeforeUpdate&&(t.effectTag|=256)):("function"!=typeof i.componentDidUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=4),"function"!=typeof i.getSnapshotBeforeUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=256),t.memoizedProps=r,t.memoizedState=p),i.props=r,i.state=p,i.context=c,r=s):("function"!=typeof i.componentDidUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=4),"function"!=typeof i.getSnapshotBeforeUpdate||l===e.memoizedProps&&u===e.memoizedState||(t.effectTag|=256),r=!1);return Mi(e,t,n,r,a,o)}function Mi(e,t,n,r,o,a){Di(e,t);var i=0!=(64&t.effectTag);if(!r&&!i)return o&&xo(t,n,!1),Qi(e,t,a);r=t.stateNode,Ti.current=t;var l=i&&"function"!=typeof n.getDerivedStateFromError?null:r.render();return t.effectTag|=1,null!==e&&i?(t.child=Sa(t,e.child,null,a),t.child=Sa(t,null,l,a)):Ri(e,t,l,a),t.memoizedState=r.state,o&&xo(t,n,!0),t.child}function zi(e){var t=e.stateNode;t.pendingContext?bo(0,t.pendingContext,t.pendingContext!==t.context):t.context&&bo(0,t.context,!1),Aa(e,t.containerInfo)}var Ui,Hi,Bi,Wi={dehydrated:null,retryTime:0};function $i(e,t,n){var r,o=t.mode,a=t.pendingProps,i=La.current,l=!1;if((r=0!=(64&t.effectTag))||(r=0!=(2&i)&&(null===e||null!==e.memoizedState)),r?(l=!0,t.effectTag&=-65):null!==e&&null===e.memoizedState||void 0===a.fallback||!0===a.unstable_avoidThisFallback||(i|=1),co(La,1&i),null===e){if(void 0!==a.fallback&&Si(t),l){if(l=a.fallback,(a=Pu(null,o,0,null)).return=t,0==(2&t.mode))for(e=null!==t.memoizedState?t.child.child:t.child,a.child=e;null!==e;)e.return=a,e=e.sibling;return(n=Pu(l,o,n,null)).return=t,a.sibling=n,t.memoizedState=Wi,t.child=a,n}return o=a.children,t.memoizedState=null,t.child=ka(t,null,o,n)}if(null!==e.memoizedState){if(o=(e=e.child).sibling,l){if(a=a.fallback,(n=ku(e,e.pendingProps)).return=t,0==(2&t.mode)&&(l=null!==t.memoizedState?t.child.child:t.child)!==e.child)for(n.child=l;null!==l;)l.return=n,l=l.sibling;return(o=ku(o,a)).return=t,n.sibling=o,n.childExpirationTime=0,t.memoizedState=Wi,t.child=n,o}return n=Sa(t,e.child,a.children,n),t.memoizedState=null,t.child=n}if(e=e.child,l){if(l=a.fallback,(a=Pu(null,o,0,null)).return=t,a.child=e,null!==e&&(e.return=a),0==(2&t.mode))for(e=null!==t.memoizedState?t.child.child:t.child,a.child=e;null!==e;)e.return=a,e=e.sibling;return(n=Pu(l,o,n,null)).return=t,a.sibling=n,n.effectTag|=2,a.childExpirationTime=0,t.memoizedState=Wi,t.child=a,n}return t.memoizedState=null,t.child=Sa(t,e,a.children,n)}function Vi(e,t){e.expirationTime<t&&(e.expirationTime=t);var n=e.alternate;null!==n&&n.expirationTime<t&&(n.expirationTime=t),na(e.return,t)}function qi(e,t,n,r,o,a){var i=e.memoizedState;null===i?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailExpiration:0,tailMode:o,lastEffect:a}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailExpiration=0,i.tailMode=o,i.lastEffect=a)}function Gi(e,t,n){var r=t.pendingProps,o=r.revealOrder,a=r.tail;if(Ri(e,t,r.children,n),0!=(2&(r=La.current)))r=1&r|2,t.effectTag|=64;else{if(null!==e&&0!=(64&e.effectTag))e:for(e=t.child;null!==e;){if(13===e.tag)null!==e.memoizedState&&Vi(e,n);else if(19===e.tag)Vi(e,n);else if(null!==e.child){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;null===e.sibling;){if(null===e.return||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(co(La,r),0==(2&t.mode))t.memoizedState=null;else switch(o){case"forwards":for(n=t.child,o=null;null!==n;)null!==(e=n.alternate)&&null===Fa(e)&&(o=n),n=n.sibling;null===(n=o)?(o=t.child,t.child=null):(o=n.sibling,n.sibling=null),qi(t,!1,o,n,a,t.lastEffect);break;case"backwards":for(n=null,o=t.child,t.child=null;null!==o;){if(null!==(e=o.alternate)&&null===Fa(e)){t.child=o;break}e=o.sibling,o.sibling=n,n=o,o=e}qi(t,!0,n,null,a,t.lastEffect);break;case"together":qi(t,!1,null,null,void 0,t.lastEffect);break;default:t.memoizedState=null}return t.child}function Qi(e,t,n){null!==e&&(t.dependencies=e.dependencies);var r=t.expirationTime;if(0!==r&&iu(r),t.childExpirationTime<n)return null;if(null!==e&&t.child!==e.child)throw Error(i(153));if(null!==t.child){for(n=ku(e=t.child,e.pendingProps),t.child=n,n.return=t;null!==e.sibling;)e=e.sibling,(n=n.sibling=ku(e,e.pendingProps)).return=t;n.sibling=null}return t.child}function Ki(e,t){switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;null!==t;)null!==t.alternate&&(n=t),t=t.sibling;null===n?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;null!==n;)null!==n.alternate&&(r=n),n=n.sibling;null===r?t||null===e.tail?e.tail=null:e.tail.sibling=null:r.sibling=null}}function Yi(e,t,n){var r=t.pendingProps;switch(t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return null;case 1:return go(t.type)&&yo(),null;case 3:return Na(),uo(po),uo(fo),(n=t.stateNode).pendingContext&&(n.context=n.pendingContext,n.pendingContext=null),null!==e&&null!==e.child||!ji(t)||(t.effectTag|=4),null;case 5:Da(t),n=Ra(Ca.current);var a=t.type;if(null!==e&&null!=t.stateNode)Hi(e,t,a,r,n),e.ref!==t.ref&&(t.effectTag|=128);else{if(!r){if(null===t.stateNode)throw Error(i(166));return null}if(e=Ra(Pa.current),ji(t)){r=t.stateNode,a=t.type;var l=t.memoizedProps;switch(r[On]=t,r[Sn]=l,a){case"iframe":case"object":case"embed":Gt("load",r);break;case"video":case"audio":for(e=0;e<Ye.length;e++)Gt(Ye[e],r);break;case"source":Gt("error",r);break;case"img":case"image":case"link":Gt("error",r),Gt("load",r);break;case"form":Gt("reset",r),Gt("submit",r);break;case"details":Gt("toggle",r);break;case"input":_e(r,l),Gt("invalid",r),un(n,"onChange");break;case"select":r._wrapperState={wasMultiple:!!l.multiple},Gt("invalid",r),un(n,"onChange");break;case"textarea":Re(r,l),Gt("invalid",r),un(n,"onChange")}for(var u in on(a,l),e=null,l)if(l.hasOwnProperty(u)){var c=l[u];"children"===u?"string"==typeof c?r.textContent!==c&&(e=["children",c]):"number"==typeof c&&r.textContent!==""+c&&(e=["children",""+c]):O.hasOwnProperty(u)&&null!=c&&un(n,u)}switch(a){case"input":we(r),ke(r,l,!0);break;case"textarea":we(r),Ne(r);break;case"select":case"option":break;default:"function"==typeof l.onClick&&(r.onclick=cn)}n=e,t.updateQueue=n,null!==n&&(t.effectTag|=4)}else{switch(u=9===n.nodeType?n:n.ownerDocument,e===ln&&(e=Le(a)),e===ln?"script"===a?((e=u.createElement("div")).innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):"string"==typeof r.is?e=u.createElement(a,{is:r.is}):(e=u.createElement(a),"select"===a&&(u=e,r.multiple?u.multiple=!0:r.size&&(u.size=r.size))):e=u.createElementNS(e,a),e[On]=t,e[Sn]=r,Ui(e,t),t.stateNode=e,u=an(a,r),a){case"iframe":case"object":case"embed":Gt("load",e),c=r;break;case"video":case"audio":for(c=0;c<Ye.length;c++)Gt(Ye[c],e);c=r;break;case"source":Gt("error",e),c=r;break;case"img":case"image":case"link":Gt("error",e),Gt("load",e),c=r;break;case"form":Gt("reset",e),Gt("submit",e),c=r;break;case"details":Gt("toggle",e),c=r;break;case"input":_e(e,r),c=Ee(e,r),Gt("invalid",e),un(n,"onChange");break;case"option":c=Pe(e,r);break;case"select":e._wrapperState={wasMultiple:!!r.multiple},c=o({},r,{value:void 0}),Gt("invalid",e),un(n,"onChange");break;case"textarea":Re(e,r),c=Ce(e,r),Gt("invalid",e),un(n,"onChange");break;default:c=r}on(a,c);var s=c;for(l in s)if(s.hasOwnProperty(l)){var f=s[l];"style"===l?nn(e,f):"dangerouslySetInnerHTML"===l?null!=(f=f?f.__html:void 0)&&ze(e,f):"children"===l?"string"==typeof f?("textarea"!==a||""!==f)&&Ue(e,f):"number"==typeof f&&Ue(e,""+f):"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&"autoFocus"!==l&&(O.hasOwnProperty(l)?null!=f&&un(n,l):null!=f&&X(e,l,f,u))}switch(a){case"input":we(e),ke(e,r,!1);break;case"textarea":we(e),Ne(e);break;case"option":null!=r.value&&e.setAttribute("value",""+be(r.value));break;case"select":e.multiple=!!r.multiple,null!=(n=r.value)?Te(e,!!r.multiple,n,!1):null!=r.defaultValue&&Te(e,!!r.multiple,r.defaultValue,!0);break;default:"function"==typeof c.onClick&&(e.onclick=cn)}yn(a,r)&&(t.effectTag|=4)}null!==t.ref&&(t.effectTag|=128)}return null;case 6:if(e&&null!=t.stateNode)Bi(0,t,e.memoizedProps,r);else{if("string"!=typeof r&&null===t.stateNode)throw Error(i(166));n=Ra(Ca.current),Ra(Pa.current),ji(t)?(n=t.stateNode,r=t.memoizedProps,n[On]=t,n.nodeValue!==r&&(t.effectTag|=4)):((n=(9===n.nodeType?n:n.ownerDocument).createTextNode(r))[On]=t,t.stateNode=n)}return null;case 13:return uo(La),r=t.memoizedState,0!=(64&t.effectTag)?(t.expirationTime=n,t):(n=null!==r,r=!1,null===e?void 0!==t.memoizedProps.fallback&&ji(t):(r=null!==(a=e.memoizedState),n||null===a||null!==(a=e.child.sibling)&&(null!==(l=t.firstEffect)?(t.firstEffect=a,a.nextEffect=l):(t.firstEffect=t.lastEffect=a,a.nextEffect=null),a.effectTag=8)),n&&!r&&0!=(2&t.mode)&&(null===e&&!0!==t.memoizedProps.unstable_avoidThisFallback||0!=(1&La.current)?jl===wl&&(jl=xl):(jl!==wl&&jl!==xl||(jl=El),0!==Al&&null!==Ol&&(Nu(Ol,kl),Iu(Ol,Al)))),(n||r)&&(t.effectTag|=4),null);case 4:return Na(),null;case 10:return ta(t),null;case 17:return go(t.type)&&yo(),null;case 19:if(uo(La),null===(r=t.memoizedState))return null;if(a=0!=(64&t.effectTag),null===(l=r.rendering)){if(a)Ki(r,!1);else if(jl!==wl||null!==e&&0!=(64&e.effectTag))for(l=t.child;null!==l;){if(null!==(e=Fa(l))){for(t.effectTag|=64,Ki(r,!1),null!==(a=e.updateQueue)&&(t.updateQueue=a,t.effectTag|=4),null===r.lastEffect&&(t.firstEffect=null),t.lastEffect=r.lastEffect,r=t.child;null!==r;)l=n,(a=r).effectTag&=2,a.nextEffect=null,a.firstEffect=null,a.lastEffect=null,null===(e=a.alternate)?(a.childExpirationTime=0,a.expirationTime=l,a.child=null,a.memoizedProps=null,a.memoizedState=null,a.updateQueue=null,a.dependencies=null):(a.childExpirationTime=e.childExpirationTime,a.expirationTime=e.expirationTime,a.child=e.child,a.memoizedProps=e.memoizedProps,a.memoizedState=e.memoizedState,a.updateQueue=e.updateQueue,l=e.dependencies,a.dependencies=null===l?null:{expirationTime:l.expirationTime,firstContext:l.firstContext,responders:l.responders}),r=r.sibling;return co(La,1&La.current|2),t.child}l=l.sibling}}else{if(!a)if(null!==(e=Fa(l))){if(t.effectTag|=64,a=!0,null!==(n=e.updateQueue)&&(t.updateQueue=n,t.effectTag|=4),Ki(r,!0),null===r.tail&&"hidden"===r.tailMode&&!l.alternate)return null!==(t=t.lastEffect=r.lastEffect)&&(t.nextEffect=null),null}else 2*Uo()-r.renderingStartTime>r.tailExpiration&&1<n&&(t.effectTag|=64,a=!0,Ki(r,!1),t.expirationTime=t.childExpirationTime=n-1);r.isBackwards?(l.sibling=t.child,t.child=l):(null!==(n=r.last)?n.sibling=l:t.child=l,r.last=l)}return null!==r.tail?(0===r.tailExpiration&&(r.tailExpiration=Uo()+500),n=r.tail,r.rendering=n,r.tail=n.sibling,r.lastEffect=t.lastEffect,r.renderingStartTime=Uo(),n.sibling=null,t=La.current,co(La,a?1&t|2:1&t),n):null}throw Error(i(156,t.tag))}function Xi(e){switch(e.tag){case 1:go(e.type)&&yo();var t=e.effectTag;return 4096&t?(e.effectTag=-4097&t|64,e):null;case 3:if(Na(),uo(po),uo(fo),0!=(64&(t=e.effectTag)))throw Error(i(285));return e.effectTag=-4097&t|64,e;case 5:return Da(e),null;case 13:return uo(La),4096&(t=e.effectTag)?(e.effectTag=-4097&t|64,e):null;case 19:return uo(La),null;case 4:return Na(),null;case 10:return ta(e),null;default:return null}}function Ji(e,t){return{value:e,source:t,stack:ye(t)}}Ui=function(e,t){for(var n=t.child;null!==n;){if(5===n.tag||6===n.tag)e.appendChild(n.stateNode);else if(4!==n.tag&&null!==n.child){n.child.return=n,n=n.child;continue}if(n===t)break;for(;null===n.sibling;){if(null===n.return||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}},Hi=function(e,t,n,r,a){var i=e.memoizedProps;if(i!==r){var l,u,c=t.stateNode;switch(Ra(Pa.current),e=null,n){case"input":i=Ee(c,i),r=Ee(c,r),e=[];break;case"option":i=Pe(c,i),r=Pe(c,r),e=[];break;case"select":i=o({},i,{value:void 0}),r=o({},r,{value:void 0}),e=[];break;case"textarea":i=Ce(c,i),r=Ce(c,r),e=[];break;default:"function"!=typeof i.onClick&&"function"==typeof r.onClick&&(c.onclick=cn)}for(l in on(n,r),n=null,i)if(!r.hasOwnProperty(l)&&i.hasOwnProperty(l)&&null!=i[l])if("style"===l)for(u in c=i[l])c.hasOwnProperty(u)&&(n||(n={}),n[u]="");else"dangerouslySetInnerHTML"!==l&&"children"!==l&&"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&"autoFocus"!==l&&(O.hasOwnProperty(l)?e||(e=[]):(e=e||[]).push(l,null));for(l in r){var s=r[l];if(c=null!=i?i[l]:void 0,r.hasOwnProperty(l)&&s!==c&&(null!=s||null!=c))if("style"===l)if(c){for(u in c)!c.hasOwnProperty(u)||s&&s.hasOwnProperty(u)||(n||(n={}),n[u]="");for(u in s)s.hasOwnProperty(u)&&c[u]!==s[u]&&(n||(n={}),n[u]=s[u])}else n||(e||(e=[]),e.push(l,n)),n=s;else"dangerouslySetInnerHTML"===l?(s=s?s.__html:void 0,c=c?c.__html:void 0,null!=s&&c!==s&&(e=e||[]).push(l,s)):"children"===l?c===s||"string"!=typeof s&&"number"!=typeof s||(e=e||[]).push(l,""+s):"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&(O.hasOwnProperty(l)?(null!=s&&un(a,l),e||c===s||(e=[])):(e=e||[]).push(l,s))}n&&(e=e||[]).push("style",n),a=e,(t.updateQueue=a)&&(t.effectTag|=4)}},Bi=function(e,t,n,r){n!==r&&(t.effectTag|=4)};var Zi="function"==typeof WeakSet?WeakSet:Set;function el(e,t){var n=t.source,r=t.stack;null===r&&null!==n&&(r=ye(n)),null!==n&&ge(n.type),t=t.value,null!==e&&1===e.tag&&ge(e.type);try{console.error(t)}catch(e){setTimeout((function(){throw e}))}}function tl(e){var t=e.ref;if(null!==t)if("function"==typeof t)try{t(null)}catch(t){bu(e,t)}else t.current=null}function nl(e,t){switch(t.tag){case 0:case 11:case 15:case 22:return;case 1:if(256&t.effectTag&&null!==e){var n=e.memoizedProps,r=e.memoizedState;t=(e=t.stateNode).getSnapshotBeforeUpdate(t.elementType===t.type?n:Ko(t.type,n),r),e.__reactInternalSnapshotBeforeUpdate=t}return;case 3:case 5:case 6:case 4:case 17:return}throw Error(i(163))}function rl(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.destroy;n.destroy=void 0,void 0!==r&&r()}n=n.next}while(n!==t)}}function ol(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function al(e,t,n){switch(n.tag){case 0:case 11:case 15:case 22:return void ol(3,n);case 1:if(e=n.stateNode,4&n.effectTag)if(null===t)e.componentDidMount();else{var r=n.elementType===n.type?t.memoizedProps:Ko(n.type,t.memoizedProps);e.componentDidUpdate(r,t.memoizedState,e.__reactInternalSnapshotBeforeUpdate)}return void(null!==(t=n.updateQueue)&&pa(n,t,e));case 3:if(null!==(t=n.updateQueue)){if(e=null,null!==n.child)switch(n.child.tag){case 5:e=n.child.stateNode;break;case 1:e=n.child.stateNode}pa(n,t,e)}return;case 5:return e=n.stateNode,void(null===t&&4&n.effectTag&&yn(n.type,n.memoizedProps)&&e.focus());case 6:case 4:case 12:return;case 13:return void(null===n.memoizedState&&(n=n.alternate,null!==n&&(n=n.memoizedState,null!==n&&(n=n.dehydrated,null!==n&&Lt(n)))));case 19:case 17:case 20:case 21:return}throw Error(i(163))}function il(e,t,n){switch("function"==typeof Eu&&Eu(t),t.tag){case 0:case 11:case 14:case 15:case 22:if(null!==(e=t.updateQueue)&&null!==(e=e.lastEffect)){var r=e.next;Wo(97<n?97:n,(function(){var e=r;do{var n=e.destroy;if(void 0!==n){var o=t;try{n()}catch(e){bu(o,e)}}e=e.next}while(e!==r)}))}break;case 1:tl(t),"function"==typeof(n=t.stateNode).componentWillUnmount&&function(e,t){try{t.props=e.memoizedProps,t.state=e.memoizedState,t.componentWillUnmount()}catch(t){bu(e,t)}}(t,n);break;case 5:tl(t);break;case 4:sl(e,t,n)}}function ll(e){var t=e.alternate;e.return=null,e.child=null,e.memoizedState=null,e.updateQueue=null,e.dependencies=null,e.alternate=null,e.firstEffect=null,e.lastEffect=null,e.pendingProps=null,e.memoizedProps=null,e.stateNode=null,null!==t&&ll(t)}function ul(e){return 5===e.tag||3===e.tag||4===e.tag}function cl(e){e:{for(var t=e.return;null!==t;){if(ul(t)){var n=t;break e}t=t.return}throw Error(i(160))}switch(t=n.stateNode,n.tag){case 5:var r=!1;break;case 3:case 4:t=t.containerInfo,r=!0;break;default:throw Error(i(161))}16&n.effectTag&&(Ue(t,""),n.effectTag&=-17);e:t:for(n=e;;){for(;null===n.sibling;){if(null===n.return||ul(n.return)){n=null;break e}n=n.return}for(n.sibling.return=n.return,n=n.sibling;5!==n.tag&&6!==n.tag&&18!==n.tag;){if(2&n.effectTag)continue t;if(null===n.child||4===n.tag)continue t;n.child.return=n,n=n.child}if(!(2&n.effectTag)){n=n.stateNode;break e}}r?function e(t,n,r){var o=t.tag,a=5===o||6===o;if(a)t=a?t.stateNode:t.stateNode.instance,n?8===r.nodeType?r.parentNode.insertBefore(t,n):r.insertBefore(t,n):(8===r.nodeType?(n=r.parentNode).insertBefore(t,r):(n=r).appendChild(t),null!==(r=r._reactRootContainer)&&void 0!==r||null!==n.onclick||(n.onclick=cn));else if(4!==o&&null!==(t=t.child))for(e(t,n,r),t=t.sibling;null!==t;)e(t,n,r),t=t.sibling}(e,n,t):function e(t,n,r){var o=t.tag,a=5===o||6===o;if(a)t=a?t.stateNode:t.stateNode.instance,n?r.insertBefore(t,n):r.appendChild(t);else if(4!==o&&null!==(t=t.child))for(e(t,n,r),t=t.sibling;null!==t;)e(t,n,r),t=t.sibling}(e,n,t)}function sl(e,t,n){for(var r,o,a=t,l=!1;;){if(!l){l=a.return;e:for(;;){if(null===l)throw Error(i(160));switch(r=l.stateNode,l.tag){case 5:o=!1;break e;case 3:case 4:r=r.containerInfo,o=!0;break e}l=l.return}l=!0}if(5===a.tag||6===a.tag){e:for(var u=e,c=a,s=n,f=c;;)if(il(u,f,s),null!==f.child&&4!==f.tag)f.child.return=f,f=f.child;else{if(f===c)break e;for(;null===f.sibling;){if(null===f.return||f.return===c)break e;f=f.return}f.sibling.return=f.return,f=f.sibling}o?(u=r,c=a.stateNode,8===u.nodeType?u.parentNode.removeChild(c):u.removeChild(c)):r.removeChild(a.stateNode)}else if(4===a.tag){if(null!==a.child){r=a.stateNode.containerInfo,o=!0,a.child.return=a,a=a.child;continue}}else if(il(e,a,n),null!==a.child){a.child.return=a,a=a.child;continue}if(a===t)break;for(;null===a.sibling;){if(null===a.return||a.return===t)return;4===(a=a.return).tag&&(l=!1)}a.sibling.return=a.return,a=a.sibling}}function fl(e,t){switch(t.tag){case 0:case 11:case 14:case 15:case 22:return void rl(3,t);case 1:return;case 5:var n=t.stateNode;if(null!=n){var r=t.memoizedProps,o=null!==e?e.memoizedProps:r;e=t.type;var a=t.updateQueue;if(t.updateQueue=null,null!==a){for(n[Sn]=r,"input"===e&&"radio"===r.type&&null!=r.name&&Oe(n,r),an(e,o),t=an(e,r),o=0;o<a.length;o+=2){var l=a[o],u=a[o+1];"style"===l?nn(n,u):"dangerouslySetInnerHTML"===l?ze(n,u):"children"===l?Ue(n,u):X(n,l,u,t)}switch(e){case"input":Se(n,r);break;case"textarea":Ae(n,r);break;case"select":t=n._wrapperState.wasMultiple,n._wrapperState.wasMultiple=!!r.multiple,null!=(e=r.value)?Te(n,!!r.multiple,e,!1):t!==!!r.multiple&&(null!=r.defaultValue?Te(n,!!r.multiple,r.defaultValue,!0):Te(n,!!r.multiple,r.multiple?[]:"",!1))}}}return;case 6:if(null===t.stateNode)throw Error(i(162));return void(t.stateNode.nodeValue=t.memoizedProps);case 3:return void((t=t.stateNode).hydrate&&(t.hydrate=!1,Lt(t.containerInfo)));case 12:return;case 13:if(n=t,null===t.memoizedState?r=!1:(r=!0,n=t.child,Il=Uo()),null!==n)e:for(e=n;;){if(5===e.tag)a=e.stateNode,r?"function"==typeof(a=a.style).setProperty?a.setProperty("display","none","important"):a.display="none":(a=e.stateNode,o=null!=(o=e.memoizedProps.style)&&o.hasOwnProperty("display")?o.display:null,a.style.display=tn("display",o));else if(6===e.tag)e.stateNode.nodeValue=r?"":e.memoizedProps;else{if(13===e.tag&&null!==e.memoizedState&&null===e.memoizedState.dehydrated){(a=e.child.sibling).return=e,e=a;continue}if(null!==e.child){e.child.return=e,e=e.child;continue}}if(e===n)break;for(;null===e.sibling;){if(null===e.return||e.return===n)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}return void pl(t);case 19:return void pl(t);case 17:return}throw Error(i(163))}function pl(e){var t=e.updateQueue;if(null!==t){e.updateQueue=null;var n=e.stateNode;null===n&&(n=e.stateNode=new Zi),t.forEach((function(t){var r=wu.bind(null,e,t);n.has(t)||(n.add(t),t.then(r,r))}))}}var dl="function"==typeof WeakMap?WeakMap:Map;function hl(e,t,n){(n=ua(n,null)).tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){Ll||(Ll=!0,Fl=r),el(e,t)},n}function ml(e,t,n){(n=ua(n,null)).tag=3;var r=e.type.getDerivedStateFromError;if("function"==typeof r){var o=t.value;n.payload=function(){return el(e,t),r(o)}}var a=e.stateNode;return null!==a&&"function"==typeof a.componentDidCatch&&(n.callback=function(){"function"!=typeof r&&(null===Ml?Ml=new Set([this]):Ml.add(this),el(e,t));var n=t.stack;this.componentDidCatch(t.value,{componentStack:null!==n?n:""})}),n}var gl,yl=Math.ceil,bl=Y.ReactCurrentDispatcher,vl=Y.ReactCurrentOwner,wl=0,xl=3,El=4,_l=0,Ol=null,Sl=null,kl=0,jl=wl,Pl=null,Tl=1073741823,Cl=1073741823,Rl=null,Al=0,Nl=!1,Il=0,Dl=null,Ll=!1,Fl=null,Ml=null,zl=!1,Ul=null,Hl=90,Bl=null,Wl=0,$l=null,Vl=0;function ql(){return 0!=(48&_l)?1073741821-(Uo()/10|0):0!==Vl?Vl:Vl=1073741821-(Uo()/10|0)}function Gl(e,t,n){if(0==(2&(t=t.mode)))return 1073741823;var r=Ho();if(0==(4&t))return 99===r?1073741823:1073741822;if(0!=(16&_l))return kl;if(null!==n)e=Qo(e,0|n.timeoutMs||5e3,250);else switch(r){case 99:e=1073741823;break;case 98:e=Qo(e,150,100);break;case 97:case 96:e=Qo(e,5e3,250);break;case 95:e=2;break;default:throw Error(i(326))}return null!==Ol&&e===kl&&--e,e}function Ql(e,t){if(50<Wl)throw Wl=0,$l=null,Error(i(185));if(null!==(e=Kl(e,t))){var n=Ho();1073741823===t?0!=(8&_l)&&0==(48&_l)?Zl(e):(Xl(e),0===_l&&qo()):Xl(e),0==(4&_l)||98!==n&&99!==n||(null===Bl?Bl=new Map([[e,t]]):(void 0===(n=Bl.get(e))||n>t)&&Bl.set(e,t))}}function Kl(e,t){e.expirationTime<t&&(e.expirationTime=t);var n=e.alternate;null!==n&&n.expirationTime<t&&(n.expirationTime=t);var r=e.return,o=null;if(null===r&&3===e.tag)o=e.stateNode;else for(;null!==r;){if(n=r.alternate,r.childExpirationTime<t&&(r.childExpirationTime=t),null!==n&&n.childExpirationTime<t&&(n.childExpirationTime=t),null===r.return&&3===r.tag){o=r.stateNode;break}r=r.return}return null!==o&&(Ol===o&&(iu(t),jl===El&&Nu(o,kl)),Iu(o,t)),o}function Yl(e){var t=e.lastExpiredTime;if(0!==t)return t;if(!Au(e,t=e.firstPendingTime))return t;var n=e.lastPingedTime;return 2>=(e=n>(e=e.nextKnownPendingLevel)?n:e)&&t!==e?0:e}function Xl(e){if(0!==e.lastExpiredTime)e.callbackExpirationTime=1073741823,e.callbackPriority=99,e.callbackNode=Vo(Zl.bind(null,e));else{var t=Yl(e),n=e.callbackNode;if(0===t)null!==n&&(e.callbackNode=null,e.callbackExpirationTime=0,e.callbackPriority=90);else{var r=ql();if(1073741823===t?r=99:1===t||2===t?r=95:r=0>=(r=10*(1073741821-t)-10*(1073741821-r))?99:250>=r?98:5250>=r?97:95,null!==n){var o=e.callbackPriority;if(e.callbackExpirationTime===t&&o>=r)return;n!==No&&Oo(n)}e.callbackExpirationTime=t,e.callbackPriority=r,t=1073741823===t?Vo(Zl.bind(null,e)):$o(r,Jl.bind(null,e),{timeout:10*(1073741821-t)-Uo()}),e.callbackNode=t}}}function Jl(e,t){if(Vl=0,t)return Du(e,t=ql()),Xl(e),null;var n=Yl(e);if(0!==n){if(t=e.callbackNode,0!=(48&_l))throw Error(i(327));if(mu(),e===Ol&&n===kl||nu(e,n),null!==Sl){var r=_l;_l|=16;for(var o=ou();;)try{uu();break}catch(t){ru(e,t)}if(ea(),_l=r,bl.current=o,1===jl)throw t=Pl,nu(e,n),Nu(e,n),Xl(e),t;if(null===Sl)switch(o=e.finishedWork=e.current.alternate,e.finishedExpirationTime=n,r=jl,Ol=null,r){case wl:case 1:throw Error(i(345));case 2:Du(e,2<n?2:n);break;case xl:if(Nu(e,n),n===(r=e.lastSuspendedTime)&&(e.nextKnownPendingLevel=fu(o)),1073741823===Tl&&10<(o=Il+500-Uo())){if(Nl){var a=e.lastPingedTime;if(0===a||a>=n){e.lastPingedTime=n,nu(e,n);break}}if(0!==(a=Yl(e))&&a!==n)break;if(0!==r&&r!==n){e.lastPingedTime=r;break}e.timeoutHandle=vn(pu.bind(null,e),o);break}pu(e);break;case El:if(Nu(e,n),n===(r=e.lastSuspendedTime)&&(e.nextKnownPendingLevel=fu(o)),Nl&&(0===(o=e.lastPingedTime)||o>=n)){e.lastPingedTime=n,nu(e,n);break}if(0!==(o=Yl(e))&&o!==n)break;if(0!==r&&r!==n){e.lastPingedTime=r;break}if(1073741823!==Cl?r=10*(1073741821-Cl)-Uo():1073741823===Tl?r=0:(r=10*(1073741821-Tl)-5e3,0>(r=(o=Uo())-r)&&(r=0),(n=10*(1073741821-n)-o)<(r=(120>r?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*yl(r/1960))-r)&&(r=n)),10<r){e.timeoutHandle=vn(pu.bind(null,e),r);break}pu(e);break;case 5:if(1073741823!==Tl&&null!==Rl){a=Tl;var l=Rl;if(0>=(r=0|l.busyMinDurationMs)?r=0:(o=0|l.busyDelayMs,r=(a=Uo()-(10*(1073741821-a)-(0|l.timeoutMs||5e3)))<=o?0:o+r-a),10<r){Nu(e,n),e.timeoutHandle=vn(pu.bind(null,e),r);break}}pu(e);break;default:throw Error(i(329))}if(Xl(e),e.callbackNode===t)return Jl.bind(null,e)}}return null}function Zl(e){var t=e.lastExpiredTime;if(t=0!==t?t:1073741823,0!=(48&_l))throw Error(i(327));if(mu(),e===Ol&&t===kl||nu(e,t),null!==Sl){var n=_l;_l|=16;for(var r=ou();;)try{lu();break}catch(t){ru(e,t)}if(ea(),_l=n,bl.current=r,1===jl)throw n=Pl,nu(e,t),Nu(e,t),Xl(e),n;if(null!==Sl)throw Error(i(261));e.finishedWork=e.current.alternate,e.finishedExpirationTime=t,Ol=null,pu(e),Xl(e)}return null}function eu(e,t){var n=_l;_l|=1;try{return e(t)}finally{0===(_l=n)&&qo()}}function tu(e,t){var n=_l;_l&=-2,_l|=8;try{return e(t)}finally{0===(_l=n)&&qo()}}function nu(e,t){e.finishedWork=null,e.finishedExpirationTime=0;var n=e.timeoutHandle;if(-1!==n&&(e.timeoutHandle=-1,wn(n)),null!==Sl)for(n=Sl.return;null!==n;){var r=n;switch(r.tag){case 1:null!=(r=r.type.childContextTypes)&&yo();break;case 3:Na(),uo(po),uo(fo);break;case 5:Da(r);break;case 4:Na();break;case 13:case 19:uo(La);break;case 10:ta(r)}n=n.return}Ol=e,Sl=ku(e.current,null),kl=t,jl=wl,Pl=null,Cl=Tl=1073741823,Rl=null,Al=0,Nl=!1}function ru(e,t){for(;;){try{if(ea(),za.current=gi,Va)for(var n=Ba.memoizedState;null!==n;){var r=n.queue;null!==r&&(r.pending=null),n=n.next}if(Ha=0,$a=Wa=Ba=null,Va=!1,null===Sl||null===Sl.return)return jl=1,Pl=t,Sl=null;e:{var o=e,a=Sl.return,i=Sl,l=t;if(t=kl,i.effectTag|=2048,i.firstEffect=i.lastEffect=null,null!==l&&"object"==typeof l&&"function"==typeof l.then){var u=l;if(0==(2&i.mode)){var c=i.alternate;c?(i.updateQueue=c.updateQueue,i.memoizedState=c.memoizedState,i.expirationTime=c.expirationTime):(i.updateQueue=null,i.memoizedState=null)}var s=0!=(1&La.current),f=a;do{var p;if(p=13===f.tag){var d=f.memoizedState;if(null!==d)p=null!==d.dehydrated;else{var h=f.memoizedProps;p=void 0!==h.fallback&&(!0!==h.unstable_avoidThisFallback||!s)}}if(p){var m=f.updateQueue;if(null===m){var g=new Set;g.add(u),f.updateQueue=g}else m.add(u);if(0==(2&f.mode)){if(f.effectTag|=64,i.effectTag&=-2981,1===i.tag)if(null===i.alternate)i.tag=17;else{var y=ua(1073741823,null);y.tag=2,ca(i,y)}i.expirationTime=1073741823;break e}l=void 0,i=t;var b=o.pingCache;if(null===b?(b=o.pingCache=new dl,l=new Set,b.set(u,l)):void 0===(l=b.get(u))&&(l=new Set,b.set(u,l)),!l.has(i)){l.add(i);var v=vu.bind(null,o,u,i);u.then(v,v)}f.effectTag|=4096,f.expirationTime=t;break e}f=f.return}while(null!==f);l=Error((ge(i.type)||"A React component")+" suspended while rendering, but no fallback UI was specified.\n\nAdd a <Suspense fallback=...> component higher in the tree to provide a loading indicator or placeholder to display."+ye(i))}5!==jl&&(jl=2),l=Ji(l,i),f=a;do{switch(f.tag){case 3:u=l,f.effectTag|=4096,f.expirationTime=t,sa(f,hl(f,u,t));break e;case 1:u=l;var w=f.type,x=f.stateNode;if(0==(64&f.effectTag)&&("function"==typeof w.getDerivedStateFromError||null!==x&&"function"==typeof x.componentDidCatch&&(null===Ml||!Ml.has(x)))){f.effectTag|=4096,f.expirationTime=t,sa(f,ml(f,u,t));break e}}f=f.return}while(null!==f)}Sl=su(Sl)}catch(e){t=e;continue}break}}function ou(){var e=bl.current;return bl.current=gi,null===e?gi:e}function au(e,t){e<Tl&&2<e&&(Tl=e),null!==t&&e<Cl&&2<e&&(Cl=e,Rl=t)}function iu(e){e>Al&&(Al=e)}function lu(){for(;null!==Sl;)Sl=cu(Sl)}function uu(){for(;null!==Sl&&!Io();)Sl=cu(Sl)}function cu(e){var t=gl(e.alternate,e,kl);return e.memoizedProps=e.pendingProps,null===t&&(t=su(e)),vl.current=null,t}function su(e){Sl=e;do{var t=Sl.alternate;if(e=Sl.return,0==(2048&Sl.effectTag)){if(t=Yi(t,Sl,kl),1===kl||1!==Sl.childExpirationTime){for(var n=0,r=Sl.child;null!==r;){var o=r.expirationTime,a=r.childExpirationTime;o>n&&(n=o),a>n&&(n=a),r=r.sibling}Sl.childExpirationTime=n}if(null!==t)return t;null!==e&&0==(2048&e.effectTag)&&(null===e.firstEffect&&(e.firstEffect=Sl.firstEffect),null!==Sl.lastEffect&&(null!==e.lastEffect&&(e.lastEffect.nextEffect=Sl.firstEffect),e.lastEffect=Sl.lastEffect),1<Sl.effectTag&&(null!==e.lastEffect?e.lastEffect.nextEffect=Sl:e.firstEffect=Sl,e.lastEffect=Sl))}else{if(null!==(t=Xi(Sl)))return t.effectTag&=2047,t;null!==e&&(e.firstEffect=e.lastEffect=null,e.effectTag|=2048)}if(null!==(t=Sl.sibling))return t;Sl=e}while(null!==Sl);return jl===wl&&(jl=5),null}function fu(e){var t=e.expirationTime;return t>(e=e.childExpirationTime)?t:e}function pu(e){var t=Ho();return Wo(99,du.bind(null,e,t)),null}function du(e,t){do{mu()}while(null!==Ul);if(0!=(48&_l))throw Error(i(327));var n=e.finishedWork,r=e.finishedExpirationTime;if(null===n)return null;if(e.finishedWork=null,e.finishedExpirationTime=0,n===e.current)throw Error(i(177));e.callbackNode=null,e.callbackExpirationTime=0,e.callbackPriority=90,e.nextKnownPendingLevel=0;var o=fu(n);if(e.firstPendingTime=o,r<=e.lastSuspendedTime?e.firstSuspendedTime=e.lastSuspendedTime=e.nextKnownPendingLevel=0:r<=e.firstSuspendedTime&&(e.firstSuspendedTime=r-1),r<=e.lastPingedTime&&(e.lastPingedTime=0),r<=e.lastExpiredTime&&(e.lastExpiredTime=0),e===Ol&&(Sl=Ol=null,kl=0),1<n.effectTag?null!==n.lastEffect?(n.lastEffect.nextEffect=n,o=n.firstEffect):o=n:o=n.firstEffect,null!==o){var a=_l;_l|=32,vl.current=null,mn=qt;var l=dn();if(hn(l)){if("selectionStart"in l)var u={start:l.selectionStart,end:l.selectionEnd};else e:{var c=(u=(u=l.ownerDocument)&&u.defaultView||window).getSelection&&u.getSelection();if(c&&0!==c.rangeCount){u=c.anchorNode;var s=c.anchorOffset,f=c.focusNode;c=c.focusOffset;try{u.nodeType,f.nodeType}catch(e){u=null;break e}var p=0,d=-1,h=-1,m=0,g=0,y=l,b=null;t:for(;;){for(var v;y!==u||0!==s&&3!==y.nodeType||(d=p+s),y!==f||0!==c&&3!==y.nodeType||(h=p+c),3===y.nodeType&&(p+=y.nodeValue.length),null!==(v=y.firstChild);)b=y,y=v;for(;;){if(y===l)break t;if(b===u&&++m===s&&(d=p),b===f&&++g===c&&(h=p),null!==(v=y.nextSibling))break;b=(y=b).parentNode}y=v}u=-1===d||-1===h?null:{start:d,end:h}}else u=null}u=u||{start:0,end:0}}else u=null;gn={activeElementDetached:null,focusedElem:l,selectionRange:u},qt=!1,Dl=o;do{try{hu()}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);Dl=o;do{try{for(l=e,u=t;null!==Dl;){var w=Dl.effectTag;if(16&w&&Ue(Dl.stateNode,""),128&w){var x=Dl.alternate;if(null!==x){var E=x.ref;null!==E&&("function"==typeof E?E(null):E.current=null)}}switch(1038&w){case 2:cl(Dl),Dl.effectTag&=-3;break;case 6:cl(Dl),Dl.effectTag&=-3,fl(Dl.alternate,Dl);break;case 1024:Dl.effectTag&=-1025;break;case 1028:Dl.effectTag&=-1025,fl(Dl.alternate,Dl);break;case 4:fl(Dl.alternate,Dl);break;case 8:sl(l,s=Dl,u),ll(s)}Dl=Dl.nextEffect}}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);if(E=gn,x=dn(),w=E.focusedElem,u=E.selectionRange,x!==w&&w&&w.ownerDocument&&function e(t,n){return!(!t||!n)&&(t===n||(!t||3!==t.nodeType)&&(n&&3===n.nodeType?e(t,n.parentNode):"contains"in t?t.contains(n):!!t.compareDocumentPosition&&!!(16&t.compareDocumentPosition(n))))}(w.ownerDocument.documentElement,w)){null!==u&&hn(w)&&(x=u.start,void 0===(E=u.end)&&(E=x),"selectionStart"in w?(w.selectionStart=x,w.selectionEnd=Math.min(E,w.value.length)):(E=(x=w.ownerDocument||document)&&x.defaultView||window).getSelection&&(E=E.getSelection(),s=w.textContent.length,l=Math.min(u.start,s),u=void 0===u.end?l:Math.min(u.end,s),!E.extend&&l>u&&(s=u,u=l,l=s),s=pn(w,l),f=pn(w,u),s&&f&&(1!==E.rangeCount||E.anchorNode!==s.node||E.anchorOffset!==s.offset||E.focusNode!==f.node||E.focusOffset!==f.offset)&&((x=x.createRange()).setStart(s.node,s.offset),E.removeAllRanges(),l>u?(E.addRange(x),E.extend(f.node,f.offset)):(x.setEnd(f.node,f.offset),E.addRange(x))))),x=[];for(E=w;E=E.parentNode;)1===E.nodeType&&x.push({element:E,left:E.scrollLeft,top:E.scrollTop});for("function"==typeof w.focus&&w.focus(),w=0;w<x.length;w++)(E=x[w]).element.scrollLeft=E.left,E.element.scrollTop=E.top}qt=!!mn,gn=mn=null,e.current=n,Dl=o;do{try{for(w=e;null!==Dl;){var _=Dl.effectTag;if(36&_&&al(w,Dl.alternate,Dl),128&_){x=void 0;var O=Dl.ref;if(null!==O){var S=Dl.stateNode;switch(Dl.tag){case 5:x=S;break;default:x=S}"function"==typeof O?O(x):O.current=x}}Dl=Dl.nextEffect}}catch(e){if(null===Dl)throw Error(i(330));bu(Dl,e),Dl=Dl.nextEffect}}while(null!==Dl);Dl=null,Do(),_l=a}else e.current=n;if(zl)zl=!1,Ul=e,Hl=t;else for(Dl=o;null!==Dl;)t=Dl.nextEffect,Dl.nextEffect=null,Dl=t;if(0===(t=e.firstPendingTime)&&(Ml=null),1073741823===t?e===$l?Wl++:(Wl=0,$l=e):Wl=0,"function"==typeof xu&&xu(n.stateNode,r),Xl(e),Ll)throw Ll=!1,e=Fl,Fl=null,e;return 0!=(8&_l)||qo(),null}function hu(){for(;null!==Dl;){var e=Dl.effectTag;0!=(256&e)&&nl(Dl.alternate,Dl),0==(512&e)||zl||(zl=!0,$o(97,(function(){return mu(),null}))),Dl=Dl.nextEffect}}function mu(){if(90!==Hl){var e=97<Hl?97:Hl;return Hl=90,Wo(e,gu)}}function gu(){if(null===Ul)return!1;var e=Ul;if(Ul=null,0!=(48&_l))throw Error(i(331));var t=_l;for(_l|=32,e=e.current.firstEffect;null!==e;){try{var n=e;if(0!=(512&n.effectTag))switch(n.tag){case 0:case 11:case 15:case 22:rl(5,n),ol(5,n)}}catch(t){if(null===e)throw Error(i(330));bu(e,t)}n=e.nextEffect,e.nextEffect=null,e=n}return _l=t,qo(),!0}function yu(e,t,n){ca(e,t=hl(e,t=Ji(n,t),1073741823)),null!==(e=Kl(e,1073741823))&&Xl(e)}function bu(e,t){if(3===e.tag)yu(e,e,t);else for(var n=e.return;null!==n;){if(3===n.tag){yu(n,e,t);break}if(1===n.tag){var r=n.stateNode;if("function"==typeof n.type.getDerivedStateFromError||"function"==typeof r.componentDidCatch&&(null===Ml||!Ml.has(r))){ca(n,e=ml(n,e=Ji(t,e),1073741823)),null!==(n=Kl(n,1073741823))&&Xl(n);break}}n=n.return}}function vu(e,t,n){var r=e.pingCache;null!==r&&r.delete(t),Ol===e&&kl===n?jl===El||jl===xl&&1073741823===Tl&&Uo()-Il<500?nu(e,kl):Nl=!0:Au(e,n)&&(0!==(t=e.lastPingedTime)&&t<n||(e.lastPingedTime=n,Xl(e)))}function wu(e,t){var n=e.stateNode;null!==n&&n.delete(t),0===(t=0)&&(t=Gl(t=ql(),e,null)),null!==(e=Kl(e,t))&&Xl(e)}gl=function(e,t,n){var r=t.expirationTime;if(null!==e){var o=t.pendingProps;if(e.memoizedProps!==o||po.current)Ci=!0;else{if(r<n){switch(Ci=!1,t.tag){case 3:zi(t),Pi();break;case 5:if(Ia(t),4&t.mode&&1!==n&&o.hidden)return t.expirationTime=t.childExpirationTime=1,null;break;case 1:go(t.type)&&wo(t);break;case 4:Aa(t,t.stateNode.containerInfo);break;case 10:r=t.memoizedProps.value,o=t.type._context,co(Yo,o._currentValue),o._currentValue=r;break;case 13:if(null!==t.memoizedState)return 0!==(r=t.child.childExpirationTime)&&r>=n?$i(e,t,n):(co(La,1&La.current),null!==(t=Qi(e,t,n))?t.sibling:null);co(La,1&La.current);break;case 19:if(r=t.childExpirationTime>=n,0!=(64&e.effectTag)){if(r)return Gi(e,t,n);t.effectTag|=64}if(null!==(o=t.memoizedState)&&(o.rendering=null,o.tail=null),co(La,La.current),!r)return null}return Qi(e,t,n)}Ci=!1}}else Ci=!1;switch(t.expirationTime=0,t.tag){case 2:if(r=t.type,null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),e=t.pendingProps,o=mo(t,fo.current),ra(t,n),o=Qa(null,t,r,e,o,n),t.effectTag|=1,"object"==typeof o&&null!==o&&"function"==typeof o.render&&void 0===o.$$typeof){if(t.tag=1,t.memoizedState=null,t.updateQueue=null,go(r)){var a=!0;wo(t)}else a=!1;t.memoizedState=null!==o.state&&void 0!==o.state?o.state:null,ia(t);var l=r.getDerivedStateFromProps;"function"==typeof l&&ma(t,r,l,e),o.updater=ga,t.stateNode=o,o._reactInternalFiber=t,wa(t,r,e,n),t=Mi(null,t,r,!0,a,n)}else t.tag=0,Ri(null,t,o,n),t=t.child;return t;case 16:e:{if(o=t.elementType,null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),e=t.pendingProps,function(e){if(-1===e._status){e._status=0;var t=e._ctor;t=t(),e._result=t,t.then((function(t){0===e._status&&(t=t.default,e._status=1,e._result=t)}),(function(t){0===e._status&&(e._status=2,e._result=t)}))}}(o),1!==o._status)throw o._result;switch(o=o._result,t.type=o,a=t.tag=function(e){if("function"==typeof e)return Su(e)?1:0;if(null!=e){if((e=e.$$typeof)===ue)return 11;if(e===fe)return 14}return 2}(o),e=Ko(o,e),a){case 0:t=Li(null,t,o,e,n);break e;case 1:t=Fi(null,t,o,e,n);break e;case 11:t=Ai(null,t,o,e,n);break e;case 14:t=Ni(null,t,o,Ko(o.type,e),r,n);break e}throw Error(i(306,o,""))}return t;case 0:return r=t.type,o=t.pendingProps,Li(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 1:return r=t.type,o=t.pendingProps,Fi(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 3:if(zi(t),r=t.updateQueue,null===e||null===r)throw Error(i(282));if(r=t.pendingProps,o=null!==(o=t.memoizedState)?o.element:null,la(e,t),fa(t,r,null,n),(r=t.memoizedState.element)===o)Pi(),t=Qi(e,t,n);else{if((o=t.stateNode.hydrate)&&(xi=xn(t.stateNode.containerInfo.firstChild),wi=t,o=Ei=!0),o)for(n=ka(t,null,r,n),t.child=n;n;)n.effectTag=-3&n.effectTag|1024,n=n.sibling;else Ri(e,t,r,n),Pi();t=t.child}return t;case 5:return Ia(t),null===e&&Si(t),r=t.type,o=t.pendingProps,a=null!==e?e.memoizedProps:null,l=o.children,bn(r,o)?l=null:null!==a&&bn(r,a)&&(t.effectTag|=16),Di(e,t),4&t.mode&&1!==n&&o.hidden?(t.expirationTime=t.childExpirationTime=1,t=null):(Ri(e,t,l,n),t=t.child),t;case 6:return null===e&&Si(t),null;case 13:return $i(e,t,n);case 4:return Aa(t,t.stateNode.containerInfo),r=t.pendingProps,null===e?t.child=Sa(t,null,r,n):Ri(e,t,r,n),t.child;case 11:return r=t.type,o=t.pendingProps,Ai(e,t,r,o=t.elementType===r?o:Ko(r,o),n);case 7:return Ri(e,t,t.pendingProps,n),t.child;case 8:case 12:return Ri(e,t,t.pendingProps.children,n),t.child;case 10:e:{r=t.type._context,o=t.pendingProps,l=t.memoizedProps,a=o.value;var u=t.type._context;if(co(Yo,u._currentValue),u._currentValue=a,null!==l)if(u=l.value,0===(a=Fr(u,a)?0:0|("function"==typeof r._calculateChangedBits?r._calculateChangedBits(u,a):1073741823))){if(l.children===o.children&&!po.current){t=Qi(e,t,n);break e}}else for(null!==(u=t.child)&&(u.return=t);null!==u;){var c=u.dependencies;if(null!==c){l=u.child;for(var s=c.firstContext;null!==s;){if(s.context===r&&0!=(s.observedBits&a)){1===u.tag&&((s=ua(n,null)).tag=2,ca(u,s)),u.expirationTime<n&&(u.expirationTime=n),null!==(s=u.alternate)&&s.expirationTime<n&&(s.expirationTime=n),na(u.return,n),c.expirationTime<n&&(c.expirationTime=n);break}s=s.next}}else l=10===u.tag&&u.type===t.type?null:u.child;if(null!==l)l.return=u;else for(l=u;null!==l;){if(l===t){l=null;break}if(null!==(u=l.sibling)){u.return=l.return,l=u;break}l=l.return}u=l}Ri(e,t,o.children,n),t=t.child}return t;case 9:return o=t.type,r=(a=t.pendingProps).children,ra(t,n),r=r(o=oa(o,a.unstable_observedBits)),t.effectTag|=1,Ri(e,t,r,n),t.child;case 14:return a=Ko(o=t.type,t.pendingProps),Ni(e,t,o,a=Ko(o.type,a),r,n);case 15:return Ii(e,t,t.type,t.pendingProps,r,n);case 17:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Ko(r,o),null!==e&&(e.alternate=null,t.alternate=null,t.effectTag|=2),t.tag=1,go(r)?(e=!0,wo(t)):e=!1,ra(t,n),ba(t,r,o),wa(t,r,o,n),Mi(null,t,r,!0,e,n);case 19:return Gi(e,t,n)}throw Error(i(156,t.tag))};var xu=null,Eu=null;function _u(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.effectTag=0,this.lastEffect=this.firstEffect=this.nextEffect=null,this.childExpirationTime=this.expirationTime=0,this.alternate=null}function Ou(e,t,n,r){return new _u(e,t,n,r)}function Su(e){return!(!(e=e.prototype)||!e.isReactComponent)}function ku(e,t){var n=e.alternate;return null===n?((n=Ou(e.tag,t,e.key,e.mode)).elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.effectTag=0,n.nextEffect=null,n.firstEffect=null,n.lastEffect=null),n.childExpirationTime=e.childExpirationTime,n.expirationTime=e.expirationTime,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=null===t?null:{expirationTime:t.expirationTime,firstContext:t.firstContext,responders:t.responders},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function ju(e,t,n,r,o,a){var l=2;if(r=e,"function"==typeof e)Su(e)&&(l=1);else if("string"==typeof e)l=5;else e:switch(e){case ne:return Pu(n.children,o,a,t);case le:l=8,o|=7;break;case re:l=8,o|=1;break;case oe:return(e=Ou(12,n,t,8|o)).elementType=oe,e.type=oe,e.expirationTime=a,e;case ce:return(e=Ou(13,n,t,o)).type=ce,e.elementType=ce,e.expirationTime=a,e;case se:return(e=Ou(19,n,t,o)).elementType=se,e.expirationTime=a,e;default:if("object"==typeof e&&null!==e)switch(e.$$typeof){case ae:l=10;break e;case ie:l=9;break e;case ue:l=11;break e;case fe:l=14;break e;case pe:l=16,r=null;break e;case de:l=22;break e}throw Error(i(130,null==e?e:typeof e,""))}return(t=Ou(l,n,t,o)).elementType=e,t.type=r,t.expirationTime=a,t}function Pu(e,t,n,r){return(e=Ou(7,e,r,t)).expirationTime=n,e}function Tu(e,t,n){return(e=Ou(6,e,null,t)).expirationTime=n,e}function Cu(e,t,n){return(t=Ou(4,null!==e.children?e.children:[],e.key,t)).expirationTime=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function Ru(e,t,n){this.tag=t,this.current=null,this.containerInfo=e,this.pingCache=this.pendingChildren=null,this.finishedExpirationTime=0,this.finishedWork=null,this.timeoutHandle=-1,this.pendingContext=this.context=null,this.hydrate=n,this.callbackNode=null,this.callbackPriority=90,this.lastExpiredTime=this.lastPingedTime=this.nextKnownPendingLevel=this.lastSuspendedTime=this.firstSuspendedTime=this.firstPendingTime=0}function Au(e,t){var n=e.firstSuspendedTime;return e=e.lastSuspendedTime,0!==n&&n>=t&&e<=t}function Nu(e,t){var n=e.firstSuspendedTime,r=e.lastSuspendedTime;n<t&&(e.firstSuspendedTime=t),(r>t||0===n)&&(e.lastSuspendedTime=t),t<=e.lastPingedTime&&(e.lastPingedTime=0),t<=e.lastExpiredTime&&(e.lastExpiredTime=0)}function Iu(e,t){t>e.firstPendingTime&&(e.firstPendingTime=t);var n=e.firstSuspendedTime;0!==n&&(t>=n?e.firstSuspendedTime=e.lastSuspendedTime=e.nextKnownPendingLevel=0:t>=e.lastSuspendedTime&&(e.lastSuspendedTime=t+1),t>e.nextKnownPendingLevel&&(e.nextKnownPendingLevel=t))}function Du(e,t){var n=e.lastExpiredTime;(0===n||n>t)&&(e.lastExpiredTime=t)}function Lu(e,t,n,r){var o=t.current,a=ql(),l=da.suspense;a=Gl(a,o,l);e:if(n){t:{if(Ze(n=n._reactInternalFiber)!==n||1!==n.tag)throw Error(i(170));var u=n;do{switch(u.tag){case 3:u=u.stateNode.context;break t;case 1:if(go(u.type)){u=u.stateNode.__reactInternalMemoizedMergedChildContext;break t}}u=u.return}while(null!==u);throw Error(i(171))}if(1===n.tag){var c=n.type;if(go(c)){n=vo(n,c,u);break e}}n=u}else n=so;return null===t.context?t.context=n:t.pendingContext=n,(t=ua(a,l)).payload={element:e},null!==(r=void 0===r?null:r)&&(t.callback=r),ca(o,t),Ql(o,a),a}function Fu(e){if(!(e=e.current).child)return null;switch(e.child.tag){case 5:default:return e.child.stateNode}}function Mu(e,t){null!==(e=e.memoizedState)&&null!==e.dehydrated&&e.retryTime<t&&(e.retryTime=t)}function zu(e,t){Mu(e,t),(e=e.alternate)&&Mu(e,t)}function Uu(e,t,n){var r=new Ru(e,t,n=null!=n&&!0===n.hydrate),o=Ou(3,null,null,2===t?7:1===t?3:0);r.current=o,o.stateNode=r,ia(o),e[kn]=r.current,n&&0!==t&&function(e,t){var n=Je(t);kt.forEach((function(e){ht(e,t,n)})),jt.forEach((function(e){ht(e,t,n)}))}(0,9===e.nodeType?e:e.ownerDocument),this._internalRoot=r}function Hu(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType&&(8!==e.nodeType||" react-mount-point-unstable "!==e.nodeValue))}function Bu(e,t,n,r,o){var a=n._reactRootContainer;if(a){var i=a._internalRoot;if("function"==typeof o){var l=o;o=function(){var e=Fu(i);l.call(e)}}Lu(t,i,e,o)}else{if(a=n._reactRootContainer=function(e,t){if(t||(t=!(!(t=e?9===e.nodeType?e.documentElement:e.firstChild:null)||1!==t.nodeType||!t.hasAttribute("data-reactroot"))),!t)for(var n;n=e.lastChild;)e.removeChild(n);return new Uu(e,0,t?{hydrate:!0}:void 0)}(n,r),i=a._internalRoot,"function"==typeof o){var u=o;o=function(){var e=Fu(i);u.call(e)}}tu((function(){Lu(t,i,e,o)}))}return Fu(i)}function Wu(e,t,n){var r=3<arguments.length&&void 0!==arguments[3]?arguments[3]:null;return{$$typeof:te,key:null==r?null:""+r,children:e,containerInfo:t,implementation:n}}function $u(e,t){var n=2<arguments.length&&void 0!==arguments[2]?arguments[2]:null;if(!Hu(t))throw Error(i(200));return Wu(e,t,null,n)}Uu.prototype.render=function(e){Lu(e,this._internalRoot,null,null)},Uu.prototype.unmount=function(){var e=this._internalRoot,t=e.containerInfo;Lu(null,e,null,(function(){t[kn]=null}))},mt=function(e){if(13===e.tag){var t=Qo(ql(),150,100);Ql(e,t),zu(e,t)}},gt=function(e){13===e.tag&&(Ql(e,3),zu(e,3))},yt=function(e){if(13===e.tag){var t=ql();Ql(e,t=Gl(t,e,null)),zu(e,t)}},P=function(e,t,n){switch(t){case"input":if(Se(e,n),t=n.name,"radio"===n.type&&null!=t){for(n=e;n.parentNode;)n=n.parentNode;for(n=n.querySelectorAll("input[name="+JSON.stringify(""+t)+'][type="radio"]'),t=0;t<n.length;t++){var r=n[t];if(r!==e&&r.form===e.form){var o=Cn(r);if(!o)throw Error(i(90));xe(r),Se(r,o)}}}break;case"textarea":Ae(e,n);break;case"select":null!=(t=n.value)&&Te(e,!!n.multiple,t,!1)}},I=eu,D=function(e,t,n,r,o){var a=_l;_l|=4;try{return Wo(98,e.bind(null,t,n,r,o))}finally{0===(_l=a)&&qo()}},L=function(){0==(49&_l)&&(function(){if(null!==Bl){var e=Bl;Bl=null,e.forEach((function(e,t){Du(t,e),Xl(t)})),qo()}}(),mu())},F=function(e,t){var n=_l;_l|=2;try{return e(t)}finally{0===(_l=n)&&qo()}};var Vu,qu,Gu={Events:[Pn,Tn,Cn,k,_,Fn,function(e){ot(e,Ln)},A,N,Xt,lt,mu,{current:!1}]};qu=(Vu={findFiberByHostInstance:jn,bundleType:0,version:"16.13.1",rendererPackageName:"react-dom"}).findFiberByHostInstance,function(e){if("undefined"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__)return!1;var t=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(t.isDisabled||!t.supportsFiber)return!0;try{var n=t.inject(e);xu=function(e){try{t.onCommitFiberRoot(n,e,void 0,64==(64&e.current.effectTag))}catch(e){}},Eu=function(e){try{t.onCommitFiberUnmount(n,e)}catch(e){}}}catch(e){}}(o({},Vu,{overrideHookState:null,overrideProps:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:Y.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return null===(e=nt(e))?null:e.stateNode},findFiberByHostInstance:function(e){return qu?qu(e):null},findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null})),t.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=Gu,t.createPortal=$u,t.findDOMNode=function(e){if(null==e)return null;if(1===e.nodeType)return e;var t=e._reactInternalFiber;if(void 0===t){if("function"==typeof e.render)throw Error(i(188));throw Error(i(268,Object.keys(e)))}return e=null===(e=nt(t))?null:e.stateNode},t.flushSync=function(e,t){if(0!=(48&_l))throw Error(i(187));var n=_l;_l|=1;try{return Wo(99,e.bind(null,t))}finally{_l=n,qo()}},t.hydrate=function(e,t,n){if(!Hu(t))throw Error(i(200));return Bu(null,e,t,!0,n)},t.render=function(e,t,n){if(!Hu(t))throw Error(i(200));return Bu(null,e,t,!1,n)},t.unmountComponentAtNode=function(e){if(!Hu(e))throw Error(i(40));return!!e._reactRootContainer&&(tu((function(){Bu(null,null,e,!1,(function(){e._reactRootContainer=null,e[kn]=null}))})),!0)},t.unstable_batchedUpdates=eu,t.unstable_createPortal=function(e,t){return $u(e,t,2<arguments.length&&void 0!==arguments[2]?arguments[2]:null)},t.unstable_renderSubtreeIntoContainer=function(e,t,n,r){if(!Hu(n))throw Error(i(200));if(null==e||void 0===e._reactInternalFiber)throw Error(i(38));return Bu(e,t,n,!1,r)},t.version="16.13.1"},function(e,t,n){"use strict";e.exports=n(26)},function(e,t,n){"use strict";
|
43 |
/** @license React v0.19.1
|
44 |
* scheduler.production.min.js
|
45 |
*
|
47 |
*
|
48 |
* This source code is licensed under the MIT license found in the
|
49 |
* LICENSE file in the root directory of this source tree.
|
50 |
+
*/var r,o,a,i,l;if("undefined"==typeof window||"function"!=typeof MessageChannel){var u=null,c=null,s=function(){if(null!==u)try{var e=t.unstable_now();u(!0,e),u=null}catch(e){throw setTimeout(s,0),e}},f=Date.now();t.unstable_now=function(){return Date.now()-f},r=function(e){null!==u?setTimeout(r,0,e):(u=e,setTimeout(s,0))},o=function(e,t){c=setTimeout(e,t)},a=function(){clearTimeout(c)},i=function(){return!1},l=t.unstable_forceFrameRate=function(){}}else{var p=window.performance,d=window.Date,h=window.setTimeout,m=window.clearTimeout;if("undefined"!=typeof console){var g=window.cancelAnimationFrame;"function"!=typeof window.requestAnimationFrame&&console.error("This browser doesn't support requestAnimationFrame. Make sure that you load a polyfill in older browsers. https://fb.me/react-polyfills"),"function"!=typeof g&&console.error("This browser doesn't support cancelAnimationFrame. Make sure that you load a polyfill in older browsers. https://fb.me/react-polyfills")}if("object"==typeof p&&"function"==typeof p.now)t.unstable_now=function(){return p.now()};else{var y=d.now();t.unstable_now=function(){return d.now()-y}}var b=!1,v=null,w=-1,x=5,E=0;i=function(){return t.unstable_now()>=E},l=function(){},t.unstable_forceFrameRate=function(e){0>e||125<e?console.error("forceFrameRate takes a positive int between 0 and 125, forcing framerates higher than 125 fps is not unsupported"):x=0<e?Math.floor(1e3/e):5};var _=new MessageChannel,O=_.port2;_.port1.onmessage=function(){if(null!==v){var e=t.unstable_now();E=e+x;try{v(!0,e)?O.postMessage(null):(b=!1,v=null)}catch(e){throw O.postMessage(null),e}}else b=!1},r=function(e){v=e,b||(b=!0,O.postMessage(null))},o=function(e,n){w=h((function(){e(t.unstable_now())}),n)},a=function(){m(w),w=-1}}function S(e,t){var n=e.length;e.push(t);e:for(;;){var r=n-1>>>1,o=e[r];if(!(void 0!==o&&0<P(o,t)))break e;e[r]=t,e[n]=o,n=r}}function k(e){return void 0===(e=e[0])?null:e}function j(e){var t=e[0];if(void 0!==t){var n=e.pop();if(n!==t){e[0]=n;e:for(var r=0,o=e.length;r<o;){var a=2*(r+1)-1,i=e[a],l=a+1,u=e[l];if(void 0!==i&&0>P(i,n))void 0!==u&&0>P(u,i)?(e[r]=u,e[l]=n,r=l):(e[r]=i,e[a]=n,r=a);else{if(!(void 0!==u&&0>P(u,n)))break e;e[r]=u,e[l]=n,r=l}}}return t}return null}function P(e,t){var n=e.sortIndex-t.sortIndex;return 0!==n?n:e.id-t.id}var T=[],C=[],R=1,A=null,N=3,I=!1,D=!1,L=!1;function F(e){for(var t=k(C);null!==t;){if(null===t.callback)j(C);else{if(!(t.startTime<=e))break;j(C),t.sortIndex=t.expirationTime,S(T,t)}t=k(C)}}function M(e){if(L=!1,F(e),!D)if(null!==k(T))D=!0,r(z);else{var t=k(C);null!==t&&o(M,t.startTime-e)}}function z(e,n){D=!1,L&&(L=!1,a()),I=!0;var r=N;try{for(F(n),A=k(T);null!==A&&(!(A.expirationTime>n)||e&&!i());){var l=A.callback;if(null!==l){A.callback=null,N=A.priorityLevel;var u=l(A.expirationTime<=n);n=t.unstable_now(),"function"==typeof u?A.callback=u:A===k(T)&&j(T),F(n)}else j(T);A=k(T)}if(null!==A)var c=!0;else{var s=k(C);null!==s&&o(M,s.startTime-n),c=!1}return c}finally{A=null,N=r,I=!1}}function U(e){switch(e){case 1:return-1;case 2:return 250;case 5:return 1073741823;case 4:return 1e4;default:return 5e3}}var H=l;t.unstable_IdlePriority=5,t.unstable_ImmediatePriority=1,t.unstable_LowPriority=4,t.unstable_NormalPriority=3,t.unstable_Profiling=null,t.unstable_UserBlockingPriority=2,t.unstable_cancelCallback=function(e){e.callback=null},t.unstable_continueExecution=function(){D||I||(D=!0,r(z))},t.unstable_getCurrentPriorityLevel=function(){return N},t.unstable_getFirstCallbackNode=function(){return k(T)},t.unstable_next=function(e){switch(N){case 1:case 2:case 3:var t=3;break;default:t=N}var n=N;N=t;try{return e()}finally{N=n}},t.unstable_pauseExecution=function(){},t.unstable_requestPaint=H,t.unstable_runWithPriority=function(e,t){switch(e){case 1:case 2:case 3:case 4:case 5:break;default:e=3}var n=N;N=e;try{return t()}finally{N=n}},t.unstable_scheduleCallback=function(e,n,i){var l=t.unstable_now();if("object"==typeof i&&null!==i){var u=i.delay;u="number"==typeof u&&0<u?l+u:l,i="number"==typeof i.timeout?i.timeout:U(e)}else i=U(e),u=l;return e={id:R++,callback:n,priorityLevel:e,startTime:u,expirationTime:i=u+i,sortIndex:-1},u>l?(e.sortIndex=u,S(C,e),null===k(T)&&e===k(C)&&(L?a():L=!0,o(M,u-l))):(e.sortIndex=i,S(T,e),D||I||(D=!0,r(z))),e},t.unstable_shouldYield=function(){var e=t.unstable_now();F(e);var n=k(T);return n!==A&&null!==A&&null!==n&&null!==n.callback&&n.startTime<=e&&n.expirationTime<A.expirationTime||i()},t.unstable_wrapCallback=function(e){var t=N;return function(){var n=N;N=t;try{return e.apply(this,arguments)}finally{N=n}}}},function(e,t,n){function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}Jed=n(28),EventEmitter=n(14).EventEmitter,interpolateComponents=n(29).default,LRU=n(34);var o=n(36);function a(){c.throwErrors&&"undefined"!=typeof window&&window.console&&window.console.warn&&window.console.warn.apply(window.console,arguments)}function i(e){return Array.prototype.slice.call(e)}function l(e){var t,n=e[0],o={};for(("string"!=typeof n||e.length>3||e.length>2&&"object"===r(e[1])&&"object"===r(e[2]))&&a("Deprecated Invocation: `translate()` accepts ( string, [string], [object] ). These arguments passed:",i(e),". See https://github.com/Automattic/i18n-calypso#translate-method"),2===e.length&&"string"==typeof n&&"string"==typeof e[1]&&a("Invalid Invocation: `translate()` requires an options object for plural translations, but passed:",i(e)),t=0;t<e.length;t++)"object"===r(e[t])&&(o=e[t]);if("string"==typeof n?o.original=n:"object"===r(o.original)&&(o.plural=o.original.plural,o.count=o.original.count,o.original=o.original.single),"string"==typeof e[1]&&(o.plural=e[1]),void 0===o.original)throw new Error("Translate called without a `string` value as first argument.");return o}function u(e,t){var n,r="gettext";return t.context&&(r="p"+r),"string"==typeof t.original&&"string"==typeof t.plural&&(r="n"+r),n=function(e,t){return{gettext:[t.original],ngettext:[t.original,t.plural,t.count],npgettext:[t.context,t.original,t.plural,t.count],pgettext:[t.context,t.original]}[e]||[]}(r,t),e[r].apply(e,n)}function c(){if(!(this instanceof c))return new c;this.defaultLocaleSlug="en",this.state={numberFormatSettings:{},jed:void 0,locale:void 0,localeSlug:void 0,translations:LRU({max:100})},this.componentUpdateHooks=[],this.translateHooks=[],this.stateObserver=new EventEmitter,this.stateObserver.setMaxListeners(0),this.configure()}c.throwErrors=!1,c.prototype.numberFormat=function(e){var t=arguments[1]||{},n="number"==typeof t?t:t.decimals||0,r=t.decPoint||this.state.numberFormatSettings.decimal_point||".",a=t.thousandsSep||this.state.numberFormatSettings.thousands_sep||",";return o(e,n,r,a)},c.prototype.configure=function(e){Object.assign(this,e||{}),this.setLocale()},c.prototype.setLocale=function(e){var t;e&&e[""].localeSlug||(e={"":{localeSlug:this.defaultLocaleSlug}}),(t=e[""].localeSlug)!==this.defaultLocaleSlug&&t===this.state.localeSlug||(this.state.localeSlug=t,this.state.locale=e,this.state.jed=new Jed({locale_data:{messages:e}}),this.state.numberFormatSettings.decimal_point=u(this.state.jed,l(["number_format_decimals"])),this.state.numberFormatSettings.thousands_sep=u(this.state.jed,l(["number_format_thousands_sep"])),"number_format_decimals"===this.state.numberFormatSettings.decimal_point&&(this.state.numberFormatSettings.decimal_point="."),"number_format_thousands_sep"===this.state.numberFormatSettings.thousands_sep&&(this.state.numberFormatSettings.thousands_sep=","),this.state.translations.clear(),this.stateObserver.emit("change"))},c.prototype.getLocale=function(){return this.state.locale},c.prototype.getLocaleSlug=function(){return this.state.localeSlug},c.prototype.addTranslations=function(e){for(var t in e)""!==t&&(this.state.jed.options.locale_data.messages[t]=e[t]);this.state.translations.clear(),this.stateObserver.emit("change")},c.prototype.translate=function(){var e,t,n,r,o,a;if((a=!(e=l(arguments)).components)&&(o=JSON.stringify(e),t=this.state.translations.get(o)))return t;if(t=u(this.state.jed,e),e.args){(n=Array.isArray(e.args)?e.args.slice(0):[e.args]).unshift(t);try{t=Jed.sprintf.apply(Jed,n)}catch(e){if(!window||!window.console)return;r=this.throwErrors?"error":"warn","string"!=typeof e?window.console[r](e):window.console[r]("i18n sprintf error:",n)}}return e.components&&(t=interpolateComponents({mixedString:t,components:e.components,throwErrors:this.throwErrors})),this.translateHooks.forEach((function(n){t=n(t,e)})),a&&this.state.translations.set(o,t),t},c.prototype.reRenderTranslations=function(){this.state.translations.clear(),this.stateObserver.emit("change")},c.prototype.registerComponentUpdateHook=function(e){this.componentUpdateHooks.push(e)},c.prototype.registerTranslateHook=function(e){this.translateHooks.push(e)},e.exports=c},function(e,t,n){
|
51 |
/**
|
52 |
* @preserve jed.js https://github.com/SlexAxton/Jed
|
53 |
*/
|
54 |
+
!function(n,r){var o=Array.prototype,a=Object.prototype,i=o.slice,l=a.hasOwnProperty,u=o.forEach,c={},s={forEach:function(e,t,n){var r,o,a;if(null!==e)if(u&&e.forEach===u)e.forEach(t,n);else if(e.length===+e.length){for(r=0,o=e.length;r<o;r++)if(r in e&&t.call(n,e[r],r,e)===c)return}else for(a in e)if(l.call(e,a)&&t.call(n,e[a],a,e)===c)return},extend:function(e){return this.forEach(i.call(arguments,1),(function(t){for(var n in t)e[n]=t[n]})),e}},f=function(e){if(this.defaults={locale_data:{messages:{"":{domain:"messages",lang:"en",plural_forms:"nplurals=2; plural=(n != 1);"}}},domain:"messages",debug:!1},this.options=s.extend({},this.defaults,e),this.textdomain(this.options.domain),e.domain&&!this.options.locale_data[this.options.domain])throw new Error("Text domain set to non-existent domain: `"+e.domain+"`")};function p(e){return f.PF.compile(e||"nplurals=2; plural=(n != 1);")}function d(e,t){this._key=e,this._i18n=t}f.context_delimiter=String.fromCharCode(4),s.extend(d.prototype,{onDomain:function(e){return this._domain=e,this},withContext:function(e){return this._context=e,this},ifPlural:function(e,t){return this._val=e,this._pkey=t,this},fetch:function(e){return"[object Array]"!={}.toString.call(e)&&(e=[].slice.call(arguments,0)),(e&&e.length?f.sprintf:function(e){return e})(this._i18n.dcnpgettext(this._domain,this._context,this._key,this._pkey,this._val),e)}}),s.extend(f.prototype,{translate:function(e){return new d(e,this)},textdomain:function(e){if(!e)return this._textdomain;this._textdomain=e},gettext:function(e){return this.dcnpgettext.call(this,void 0,void 0,e)},dgettext:function(e,t){return this.dcnpgettext.call(this,e,void 0,t)},dcgettext:function(e,t){return this.dcnpgettext.call(this,e,void 0,t)},ngettext:function(e,t,n){return this.dcnpgettext.call(this,void 0,void 0,e,t,n)},dngettext:function(e,t,n,r){return this.dcnpgettext.call(this,e,void 0,t,n,r)},dcngettext:function(e,t,n,r){return this.dcnpgettext.call(this,e,void 0,t,n,r)},pgettext:function(e,t){return this.dcnpgettext.call(this,void 0,e,t)},dpgettext:function(e,t,n){return this.dcnpgettext.call(this,e,t,n)},dcpgettext:function(e,t,n){return this.dcnpgettext.call(this,e,t,n)},npgettext:function(e,t,n,r){return this.dcnpgettext.call(this,void 0,e,t,n,r)},dnpgettext:function(e,t,n,r,o){return this.dcnpgettext.call(this,e,t,n,r,o)},dcnpgettext:function(e,t,n,r,o){var a;if(r=r||n,e=e||this._textdomain,!this.options)return(a=new f).dcnpgettext.call(a,void 0,void 0,n,r,o);if(!this.options.locale_data)throw new Error("No locale data provided.");if(!this.options.locale_data[e])throw new Error("Domain `"+e+"` was not found.");if(!this.options.locale_data[e][""])throw new Error("No locale meta information provided.");if(!n)throw new Error("No translation key found.");var i,l,u,c=t?t+f.context_delimiter+n:n,s=this.options.locale_data,d=s[e],h=(s.messages||this.defaults.locale_data.messages)[""],m=d[""].plural_forms||d[""]["Plural-Forms"]||d[""]["plural-forms"]||h.plural_forms||h["Plural-Forms"]||h["plural-forms"];if(void 0===o)u=0;else{if("number"!=typeof o&&(o=parseInt(o,10),isNaN(o)))throw new Error("The number that was passed in is not a number.");u=p(m)(o)}if(!d)throw new Error("No domain named `"+e+"` could be found.");return!(i=d[c])||u>i.length?(this.options.missing_key_callback&&this.options.missing_key_callback(c,e),l=[n,r],!0===this.options.debug&&console.log(l[p(m)(o)]),l[p()(o)]):(l=i[u])||(l=[n,r])[p()(o)]}});var h,m,g=function(){function e(e){return Object.prototype.toString.call(e).slice(8,-1).toLowerCase()}function t(e,t){for(var n=[];t>0;n[--t]=e);return n.join("")}var n=function(){return n.cache.hasOwnProperty(arguments[0])||(n.cache[arguments[0]]=n.parse(arguments[0])),n.format.call(null,n.cache[arguments[0]],arguments)};return n.format=function(n,r){var o,a,i,l,u,c,s,f=1,p=n.length,d="",h=[];for(a=0;a<p;a++)if("string"===(d=e(n[a])))h.push(n[a]);else if("array"===d){if((l=n[a])[2])for(o=r[f],i=0;i<l[2].length;i++){if(!o.hasOwnProperty(l[2][i]))throw g('[sprintf] property "%s" does not exist',l[2][i]);o=o[l[2][i]]}else o=l[1]?r[l[1]]:r[f++];if(/[^s]/.test(l[8])&&"number"!=e(o))throw g("[sprintf] expecting number but found %s",e(o));switch(null==o&&(o=""),l[8]){case"b":o=o.toString(2);break;case"c":o=String.fromCharCode(o);break;case"d":o=parseInt(o,10);break;case"e":o=l[7]?o.toExponential(l[7]):o.toExponential();break;case"f":o=l[7]?parseFloat(o).toFixed(l[7]):parseFloat(o);break;case"o":o=o.toString(8);break;case"s":o=(o=String(o))&&l[7]?o.substring(0,l[7]):o;break;case"u":o=Math.abs(o);break;case"x":o=o.toString(16);break;case"X":o=o.toString(16).toUpperCase()}o=/[def]/.test(l[8])&&l[3]&&o>=0?"+"+o:o,c=l[4]?"0"==l[4]?"0":l[4].charAt(1):" ",s=l[6]-String(o).length,u=l[6]?t(c,s):"",h.push(l[5]?o+u:u+o)}return h.join("")},n.cache={},n.parse=function(e){for(var t=e,n=[],r=[],o=0;t;){if(null!==(n=/^[^\x25]+/.exec(t)))r.push(n[0]);else if(null!==(n=/^\x25{2}/.exec(t)))r.push("%");else{if(null===(n=/^\x25(?:([1-9]\d*)\$|\(([^\)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-fosuxX])/.exec(t)))throw"[sprintf] huh?";if(n[2]){o|=1;var a=[],i=n[2],l=[];if(null===(l=/^([a-z_][a-z_\d]*)/i.exec(i)))throw"[sprintf] huh?";for(a.push(l[1]);""!==(i=i.substring(l[0].length));)if(null!==(l=/^\.([a-z_][a-z_\d]*)/i.exec(i)))a.push(l[1]);else{if(null===(l=/^\[(\d+)\]/.exec(i)))throw"[sprintf] huh?";a.push(l[1])}n[2]=a}else o|=2;if(3===o)throw"[sprintf] mixing positional and named placeholders is not (yet) supported";r.push(n)}t=t.substring(n[0].length)}return r},n}(),y=function(e,t){return t.unshift(e),g.apply(null,t)};f.parse_plural=function(e,t){return e=e.replace(/n/g,t),f.parse_expression(e)},f.sprintf=function(e,t){return"[object Array]"=={}.toString.call(t)?y(e,[].slice.call(t)):g.apply(this,[].slice.call(arguments))},f.prototype.sprintf=function(){return f.sprintf.apply(this,arguments)},(f.PF={}).parse=function(e){var t=f.PF.extractPluralExpr(e);return f.PF.parser.parse.call(f.PF.parser,t)},f.PF.compile=function(e){var t=f.PF.parse(e);return function(e){return!0===(n=f.PF.interpreter(t)(e))?1:n||0;var n}},f.PF.interpreter=function(e){return function(t){switch(e.type){case"GROUP":return f.PF.interpreter(e.expr)(t);case"TERNARY":return f.PF.interpreter(e.expr)(t)?f.PF.interpreter(e.truthy)(t):f.PF.interpreter(e.falsey)(t);case"OR":return f.PF.interpreter(e.left)(t)||f.PF.interpreter(e.right)(t);case"AND":return f.PF.interpreter(e.left)(t)&&f.PF.interpreter(e.right)(t);case"LT":return f.PF.interpreter(e.left)(t)<f.PF.interpreter(e.right)(t);case"GT":return f.PF.interpreter(e.left)(t)>f.PF.interpreter(e.right)(t);case"LTE":return f.PF.interpreter(e.left)(t)<=f.PF.interpreter(e.right)(t);case"GTE":return f.PF.interpreter(e.left)(t)>=f.PF.interpreter(e.right)(t);case"EQ":return f.PF.interpreter(e.left)(t)==f.PF.interpreter(e.right)(t);case"NEQ":return f.PF.interpreter(e.left)(t)!=f.PF.interpreter(e.right)(t);case"MOD":return f.PF.interpreter(e.left)(t)%f.PF.interpreter(e.right)(t);case"VAR":return t;case"NUM":return e.val;default:throw new Error("Invalid Token found.")}}},f.PF.extractPluralExpr=function(e){e=e.replace(/^\s\s*/,"").replace(/\s\s*$/,""),/;\s*$/.test(e)||(e=e.concat(";"));var t,n=/nplurals\=(\d+);/,r=e.match(n);if(!(r.length>1))throw new Error("nplurals not found in plural_forms string: "+e);if(r[1],!((t=(e=e.replace(n,"")).match(/plural\=(.*);/))&&t.length>1))throw new Error("`plural` expression not found: "+e);return t[1]},f.PF.parser=(h={trace:function(){},yy:{},symbols_:{error:2,expressions:3,e:4,EOF:5,"?":6,":":7,"||":8,"&&":9,"<":10,"<=":11,">":12,">=":13,"!=":14,"==":15,"%":16,"(":17,")":18,n:19,NUMBER:20,$accept:0,$end:1},terminals_:{2:"error",5:"EOF",6:"?",7:":",8:"||",9:"&&",10:"<",11:"<=",12:">",13:">=",14:"!=",15:"==",16:"%",17:"(",18:")",19:"n",20:"NUMBER"},productions_:[0,[3,2],[4,5],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,1],[4,1]],performAction:function(e,t,n,r,o,a,i){var l=a.length-1;switch(o){case 1:return{type:"GROUP",expr:a[l-1]};case 2:this.$={type:"TERNARY",expr:a[l-4],truthy:a[l-2],falsey:a[l]};break;case 3:this.$={type:"OR",left:a[l-2],right:a[l]};break;case 4:this.$={type:"AND",left:a[l-2],right:a[l]};break;case 5:this.$={type:"LT",left:a[l-2],right:a[l]};break;case 6:this.$={type:"LTE",left:a[l-2],right:a[l]};break;case 7:this.$={type:"GT",left:a[l-2],right:a[l]};break;case 8:this.$={type:"GTE",left:a[l-2],right:a[l]};break;case 9:this.$={type:"NEQ",left:a[l-2],right:a[l]};break;case 10:this.$={type:"EQ",left:a[l-2],right:a[l]};break;case 11:this.$={type:"MOD",left:a[l-2],right:a[l]};break;case 12:this.$={type:"GROUP",expr:a[l-1]};break;case 13:this.$={type:"VAR"};break;case 14:this.$={type:"NUM",val:Number(e)}}},table:[{3:1,4:2,17:[1,3],19:[1,4],20:[1,5]},{1:[3]},{5:[1,6],6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{4:17,17:[1,3],19:[1,4],20:[1,5]},{5:[2,13],6:[2,13],7:[2,13],8:[2,13],9:[2,13],10:[2,13],11:[2,13],12:[2,13],13:[2,13],14:[2,13],15:[2,13],16:[2,13],18:[2,13]},{5:[2,14],6:[2,14],7:[2,14],8:[2,14],9:[2,14],10:[2,14],11:[2,14],12:[2,14],13:[2,14],14:[2,14],15:[2,14],16:[2,14],18:[2,14]},{1:[2,1]},{4:18,17:[1,3],19:[1,4],20:[1,5]},{4:19,17:[1,3],19:[1,4],20:[1,5]},{4:20,17:[1,3],19:[1,4],20:[1,5]},{4:21,17:[1,3],19:[1,4],20:[1,5]},{4:22,17:[1,3],19:[1,4],20:[1,5]},{4:23,17:[1,3],19:[1,4],20:[1,5]},{4:24,17:[1,3],19:[1,4],20:[1,5]},{4:25,17:[1,3],19:[1,4],20:[1,5]},{4:26,17:[1,3],19:[1,4],20:[1,5]},{4:27,17:[1,3],19:[1,4],20:[1,5]},{6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[1,28]},{6:[1,7],7:[1,29],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{5:[2,3],6:[2,3],7:[2,3],8:[2,3],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,3]},{5:[2,4],6:[2,4],7:[2,4],8:[2,4],9:[2,4],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,4]},{5:[2,5],6:[2,5],7:[2,5],8:[2,5],9:[2,5],10:[2,5],11:[2,5],12:[2,5],13:[2,5],14:[2,5],15:[2,5],16:[1,16],18:[2,5]},{5:[2,6],6:[2,6],7:[2,6],8:[2,6],9:[2,6],10:[2,6],11:[2,6],12:[2,6],13:[2,6],14:[2,6],15:[2,6],16:[1,16],18:[2,6]},{5:[2,7],6:[2,7],7:[2,7],8:[2,7],9:[2,7],10:[2,7],11:[2,7],12:[2,7],13:[2,7],14:[2,7],15:[2,7],16:[1,16],18:[2,7]},{5:[2,8],6:[2,8],7:[2,8],8:[2,8],9:[2,8],10:[2,8],11:[2,8],12:[2,8],13:[2,8],14:[2,8],15:[2,8],16:[1,16],18:[2,8]},{5:[2,9],6:[2,9],7:[2,9],8:[2,9],9:[2,9],10:[2,9],11:[2,9],12:[2,9],13:[2,9],14:[2,9],15:[2,9],16:[1,16],18:[2,9]},{5:[2,10],6:[2,10],7:[2,10],8:[2,10],9:[2,10],10:[2,10],11:[2,10],12:[2,10],13:[2,10],14:[2,10],15:[2,10],16:[1,16],18:[2,10]},{5:[2,11],6:[2,11],7:[2,11],8:[2,11],9:[2,11],10:[2,11],11:[2,11],12:[2,11],13:[2,11],14:[2,11],15:[2,11],16:[2,11],18:[2,11]},{5:[2,12],6:[2,12],7:[2,12],8:[2,12],9:[2,12],10:[2,12],11:[2,12],12:[2,12],13:[2,12],14:[2,12],15:[2,12],16:[2,12],18:[2,12]},{4:30,17:[1,3],19:[1,4],20:[1,5]},{5:[2,2],6:[1,7],7:[2,2],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,2]}],defaultActions:{6:[2,1]},parseError:function(e,t){throw new Error(e)},parse:function(e){var t=this,n=[0],r=[null],o=[],a=this.table,i="",l=0,u=0,c=0;this.lexer.setInput(e),this.lexer.yy=this.yy,this.yy.lexer=this.lexer,void 0===this.lexer.yylloc&&(this.lexer.yylloc={});var s=this.lexer.yylloc;function f(){var e;return"number"!=typeof(e=t.lexer.lex()||1)&&(e=t.symbols_[e]||e),e}o.push(s),"function"==typeof this.yy.parseError&&(this.parseError=this.yy.parseError);for(var p,d,h,m,g,y,b,v,w,x,E={};;){if(h=n[n.length-1],this.defaultActions[h]?m=this.defaultActions[h]:(null==p&&(p=f()),m=a[h]&&a[h][p]),void 0===m||!m.length||!m[0]){if(!c){for(y in w=[],a[h])this.terminals_[y]&&y>2&&w.push("'"+this.terminals_[y]+"'");var _="";_=this.lexer.showPosition?"Parse error on line "+(l+1)+":\n"+this.lexer.showPosition()+"\nExpecting "+w.join(", ")+", got '"+this.terminals_[p]+"'":"Parse error on line "+(l+1)+": Unexpected "+(1==p?"end of input":"'"+(this.terminals_[p]||p)+"'"),this.parseError(_,{text:this.lexer.match,token:this.terminals_[p]||p,line:this.lexer.yylineno,loc:s,expected:w})}if(3==c){if(1==p)throw new Error(_||"Parsing halted.");u=this.lexer.yyleng,i=this.lexer.yytext,l=this.lexer.yylineno,s=this.lexer.yylloc,p=f()}for(;!(2..toString()in a[h]);){if(0==h)throw new Error(_||"Parsing halted.");x=1,n.length=n.length-2*x,r.length=r.length-x,o.length=o.length-x,h=n[n.length-1]}d=p,p=2,m=a[h=n[n.length-1]]&&a[h][2],c=3}if(m[0]instanceof Array&&m.length>1)throw new Error("Parse Error: multiple actions possible at state: "+h+", token: "+p);switch(m[0]){case 1:n.push(p),r.push(this.lexer.yytext),o.push(this.lexer.yylloc),n.push(m[1]),p=null,d?(p=d,d=null):(u=this.lexer.yyleng,i=this.lexer.yytext,l=this.lexer.yylineno,s=this.lexer.yylloc,c>0&&c--);break;case 2:if(b=this.productions_[m[1]][1],E.$=r[r.length-b],E._$={first_line:o[o.length-(b||1)].first_line,last_line:o[o.length-1].last_line,first_column:o[o.length-(b||1)].first_column,last_column:o[o.length-1].last_column},void 0!==(g=this.performAction.call(E,i,u,l,this.yy,m[1],r,o)))return g;b&&(n=n.slice(0,-1*b*2),r=r.slice(0,-1*b),o=o.slice(0,-1*b)),n.push(this.productions_[m[1]][0]),r.push(E.$),o.push(E._$),v=a[n[n.length-2]][n[n.length-1]],n.push(v);break;case 3:return!0}}return!0}},m=function(){var e={EOF:1,parseError:function(e,t){if(!this.yy.parseError)throw new Error(e);this.yy.parseError(e,t)},setInput:function(e){return this._input=e,this._more=this._less=this.done=!1,this.yylineno=this.yyleng=0,this.yytext=this.matched=this.match="",this.conditionStack=["INITIAL"],this.yylloc={first_line:1,first_column:0,last_line:1,last_column:0},this},input:function(){var e=this._input[0];return this.yytext+=e,this.yyleng++,this.match+=e,this.matched+=e,e.match(/\n/)&&this.yylineno++,this._input=this._input.slice(1),e},unput:function(e){return this._input=e+this._input,this},more:function(){return this._more=!0,this},pastInput:function(){var e=this.matched.substr(0,this.matched.length-this.match.length);return(e.length>20?"...":"")+e.substr(-20).replace(/\n/g,"")},upcomingInput:function(){var e=this.match;return e.length<20&&(e+=this._input.substr(0,20-e.length)),(e.substr(0,20)+(e.length>20?"...":"")).replace(/\n/g,"")},showPosition:function(){var e=this.pastInput(),t=new Array(e.length+1).join("-");return e+this.upcomingInput()+"\n"+t+"^"},next:function(){if(this.done)return this.EOF;var e,t;this._input||(this.done=!0),this._more||(this.yytext="",this.match="");for(var n=this._currentRules(),r=0;r<n.length;r++)if(e=this._input.match(this.rules[n[r]]))return(t=e[0].match(/\n.*/g))&&(this.yylineno+=t.length),this.yylloc={first_line:this.yylloc.last_line,last_line:this.yylineno+1,first_column:this.yylloc.last_column,last_column:t?t[t.length-1].length-1:this.yylloc.last_column+e[0].length},this.yytext+=e[0],this.match+=e[0],this.matches=e,this.yyleng=this.yytext.length,this._more=!1,this._input=this._input.slice(e[0].length),this.matched+=e[0],this.performAction.call(this,this.yy,this,n[r],this.conditionStack[this.conditionStack.length-1])||void 0;if(""===this._input)return this.EOF;this.parseError("Lexical error on line "+(this.yylineno+1)+". Unrecognized text.\n"+this.showPosition(),{text:"",token:null,line:this.yylineno})},lex:function(){var e=this.next();return void 0!==e?e:this.lex()},begin:function(e){this.conditionStack.push(e)},popState:function(){return this.conditionStack.pop()},_currentRules:function(){return this.conditions[this.conditionStack[this.conditionStack.length-1]].rules},topState:function(){return this.conditionStack[this.conditionStack.length-2]},pushState:function(e){this.begin(e)},performAction:function(e,t,n,r){switch(n){case 0:break;case 1:return 20;case 2:return 19;case 3:return 8;case 4:return 9;case 5:return 6;case 6:return 7;case 7:return 11;case 8:return 13;case 9:return 10;case 10:return 12;case 11:return 14;case 12:return 15;case 13:return 16;case 14:return 17;case 15:return 18;case 16:return 5;case 17:return"INVALID"}},rules:[/^\s+/,/^[0-9]+(\.[0-9]+)?\b/,/^n\b/,/^\|\|/,/^&&/,/^\?/,/^:/,/^<=/,/^>=/,/^</,/^>/,/^!=/,/^==/,/^%/,/^\(/,/^\)/,/^$/,/^./],conditions:{INITIAL:{rules:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17],inclusive:!0}}};return e}(),h.lexer=m,h),e.exports&&(t=e.exports=f),t.Jed=f}()},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},o=l(n(0)),a=l(n(30)),i=l(n(33));function l(e){return e&&e.__esModule?e:{default:e}}var u=void 0;function c(e,t){var n,i,l,s,f,p,d,h,m=[],g={};for(p=0;p<e.length;p++)if("string"!==(f=e[p]).type){if(!t.hasOwnProperty(f.value)||void 0===t[f.value])throw new Error("Invalid interpolation, missing component node: `"+f.value+"`");if("object"!==r(t[f.value]))throw new Error("Invalid interpolation, component node must be a ReactElement or null: `"+f.value+"`","\n> "+u);if("componentClose"===f.type)throw new Error("Missing opening component token: `"+f.value+"`");if("componentOpen"===f.type){n=t[f.value],l=p;break}m.push(t[f.value])}else m.push(f.value);return n&&(s=function(e,t){var n,r,o=t[e],a=0;for(r=e+1;r<t.length;r++)if((n=t[r]).value===o.value){if("componentOpen"===n.type){a++;continue}if("componentClose"===n.type){if(0===a)return r;a--}}throw new Error("Missing closing component token `"+o.value+"`")}(l,e),d=c(e.slice(l+1,s),t),i=o.default.cloneElement(n,{},d),m.push(i),s<e.length-1&&(h=c(e.slice(s+1),t),m=m.concat(h))),1===m.length?m[0]:(m.forEach((function(e,t){e&&(g["interpolation-child-"+t]=e)})),(0,a.default)(g))}t.default=function(e){var t=e.mixedString,n=e.components,o=e.throwErrors;if(u=t,!n)return t;if("object"!==(void 0===n?"undefined":r(n))){if(o)throw new Error("Interpolation Error: unable to process `"+t+"` because components is not an object");return t}var a=(0,i.default)(t);try{return c(a,n)}catch(e){if(o)throw new Error("Interpolation Error: unable to process `"+t+"` because of error `"+e.message+"`");return t}}},function(e,t,n){"use strict";var r=n(0),o="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103,a=n(15),i=n(31),l=n(32),u="function"==typeof Symbol&&Symbol.iterator;function c(e,t){return e&&"object"==typeof e&&null!=e.key?(n=e.key,r={"=":"=0",":":"=2"},"$"+(""+n).replace(/[=:]/g,(function(e){return r[e]}))):t.toString(36);var n,r}function s(e,t,n,r){var a,l=typeof e;if("undefined"!==l&&"boolean"!==l||(e=null),null===e||"string"===l||"number"===l||"object"===l&&e.$$typeof===o)return n(r,e,""===t?"."+c(e,0):t),1;var f=0,p=""===t?".":t+":";if(Array.isArray(e))for(var d=0;d<e.length;d++)f+=s(a=e[d],p+c(a,d),n,r);else{var h=function(e){var t=e&&(u&&e[u]||e["@@iterator"]);if("function"==typeof t)return t}(e);if(h){0;for(var m,g=h.call(e),y=0;!(m=g.next()).done;)f+=s(a=m.value,p+c(a,y++),n,r)}else if("object"===l){0;var b=""+e;i(!1,"Objects are not valid as a React child (found: %s).%s","[object Object]"===b?"object with keys {"+Object.keys(e).join(", ")+"}":b,"")}}return f}var f=/\/+/g;function p(e){return(""+e).replace(f,"$&/")}var d,h,m=g,g=function(e){if(this.instancePool.length){var t=this.instancePool.pop();return this.call(t,e),t}return new this(e)},y=function(e){i(e instanceof this,"Trying to release an instance into a pool of a different type."),e.destructor(),this.instancePool.length<this.poolSize&&this.instancePool.push(e)};function b(e,t,n,r){this.result=e,this.keyPrefix=t,this.func=n,this.context=r,this.count=0}function v(e,t,n){var o,i,l=e.result,u=e.keyPrefix,c=e.func,s=e.context,f=c.call(s,t,e.count++);Array.isArray(f)?w(f,l,n,a.thatReturnsArgument):null!=f&&(r.isValidElement(f)&&(o=f,i=u+(!f.key||t&&t.key===f.key?"":p(f.key)+"/")+n,f=r.cloneElement(o,{key:i},void 0!==o.props?o.props.children:void 0)),l.push(f))}function w(e,t,n,r,o){var a="";null!=n&&(a=p(n)+"/");var i=b.getPooled(t,a,r,o);!function(e,t,n){null==e||s(e,"",t,n)}(e,v,i),b.release(i)}b.prototype.destructor=function(){this.result=null,this.keyPrefix=null,this.func=null,this.context=null,this.count=0},d=function(e,t,n,r){if(this.instancePool.length){var o=this.instancePool.pop();return this.call(o,e,t,n,r),o}return new this(e,t,n,r)},(h=b).instancePool=[],h.getPooled=d||m,h.poolSize||(h.poolSize=10),h.release=y;e.exports=function(e){if("object"!=typeof e||!e||Array.isArray(e))return l(!1,"React.addons.createFragment only accepts a single object. Got: %s",e),e;if(r.isValidElement(e))return l(!1,"React.addons.createFragment does not accept a ReactElement without a wrapper object."),e;i(1!==e.nodeType,"React.addons.createFragment(...): Encountered an invalid child; DOM elements are not valid children of React components.");var t=[];for(var n in e)w(e[n],t,n,a.thatReturnsArgument);return t}},function(e,t,n){"use strict";e.exports=function(e,t,n,r,o,a,i,l){if(!e){var u;if(void 0===t)u=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var c=[n,r,o,a,i,l],s=0;(u=new Error(t.replace(/%s/g,(function(){return c[s++]})))).name="Invariant Violation"}throw u.framesToPop=1,u}}},function(e,t,n){"use strict";var r=n(15);e.exports=r},function(e,t,n){"use strict";function r(e){return e.match(/^\{\{\//)?{type:"componentClose",value:e.replace(/\W/g,"")}:e.match(/\/\}\}$/)?{type:"componentSelfClosing",value:e.replace(/\W/g,"")}:e.match(/^\{\{/)?{type:"componentOpen",value:e.replace(/\W/g,"")}:{type:"string",value:e}}e.exports=function(e){return e.split(/(\{\{\/?\s*\w+\s*\/?\}\})/g).map(r)}},function(e,t,n){var r=n(14),o=n(35);function a(e){if(!(this instanceof a))return new a(e);"number"==typeof e&&(e={max:e}),e||(e={}),r.EventEmitter.call(this),this.cache={},this.head=this.tail=null,this.length=0,this.max=e.max||1e3,this.maxAge=e.maxAge||0}e.exports=a,o(a,r.EventEmitter),Object.defineProperty(a.prototype,"keys",{get:function(){return Object.keys(this.cache)}}),a.prototype.clear=function(){this.cache={},this.head=this.tail=null,this.length=0},a.prototype.remove=function(e){if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){var t=this.cache[e];return delete this.cache[e],this._unlink(e,t.prev,t.next),t.value}},a.prototype._unlink=function(e,t,n){this.length--,0===this.length?this.head=this.tail=null:this.head===e?(this.head=t,this.cache[this.head].next=null):this.tail===e?(this.tail=n,this.cache[this.tail].prev=null):(this.cache[t].next=n,this.cache[n].prev=t)},a.prototype.peek=function(e){if(this.cache.hasOwnProperty(e)){var t=this.cache[e];if(this._checkAge(e,t))return t.value}},a.prototype.set=function(e,t){var n;if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){if((n=this.cache[e]).value=t,this.maxAge&&(n.modified=Date.now()),e===this.head)return t;this._unlink(e,n.prev,n.next)}else n={value:t,modified:0,next:null,prev:null},this.maxAge&&(n.modified=Date.now()),this.cache[e]=n,this.length===this.max&&this.evict();return this.length++,n.next=null,n.prev=this.head,this.head&&(this.cache[this.head].next=e),this.head=e,this.tail||(this.tail=e),t},a.prototype._checkAge=function(e,t){return!(this.maxAge&&Date.now()-t.modified>this.maxAge)||(this.remove(e),this.emit("evict",{key:e,value:t.value}),!1)},a.prototype.get=function(e){if("string"!=typeof e&&(e=""+e),this.cache.hasOwnProperty(e)){var t=this.cache[e];if(this._checkAge(e,t))return this.head!==e&&(e===this.tail?(this.tail=t.next,this.cache[this.tail].prev=null):this.cache[t.prev].next=t.next,this.cache[t.next].prev=t.prev,this.cache[this.head].next=e,t.prev=this.head,t.next=null,this.head=e),t.value}},a.prototype.evict=function(){if(this.tail){var e=this.tail,t=this.remove(this.tail);this.emit("evict",{key:e,value:t})}}},function(e,t){"function"==typeof Object.create?e.exports=function(e,t){t&&(e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}))}:e.exports=function(e,t){if(t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e}}},function(e,t){e.exports=
|
55 |
/**
|
56 |
* Exposes number format capability through i18n mixin
|
57 |
*
|
59 |
* @license See CREDITS.md
|
60 |
* @see https://github.com/kvz/phpjs/blob/ffe1356af23a6f2512c84c954dd4e828e92579fa/functions/strings/number_format.js
|
61 |
*/
|
62 |
+
function(e,t,n,r){e=(e+"").replace(/[^0-9+\-Ee.]/g,"");var o=isFinite(+e)?+e:0,a=isFinite(+t)?Math.abs(t):0,i=void 0===r?",":r,l=void 0===n?".":n,u="";return(u=(a?function(e,t){var n=Math.pow(10,t);return""+(Math.round(e*n)/n).toFixed(t)}(o,a):""+Math.round(o)).split("."))[0].length>3&&(u[0]=u[0].replace(/\B(?=(?:\d{3})+(?!\d))/g,i)),(u[1]||"").length<a&&(u[1]=u[1]||"",u[1]+=new Array(a-u[1].length+1).join("0")),u.join(l)}},function(e,t,n){"use strict";var r=n(38);function o(){}function a(){}a.resetWarningCache=o,e.exports=function(){function e(e,t,n,o,a,i){if(i!==r){var l=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw l.name="Invariant Violation",l}}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:a,resetWarningCache:o};return n.PropTypes=n,n}},function(e,t,n){"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},function(e,t,n){"use strict";
|
63 |
/** @license React v16.13.1
|
64 |
* react-is.production.min.js
|
65 |
*
|
67 |
*
|
68 |
* This source code is licensed under the MIT license found in the
|
69 |
* LICENSE file in the root directory of this source tree.
|
70 |
+
*/var r="function"==typeof Symbol&&Symbol.for,o=r?Symbol.for("react.element"):60103,a=r?Symbol.for("react.portal"):60106,i=r?Symbol.for("react.fragment"):60107,l=r?Symbol.for("react.strict_mode"):60108,u=r?Symbol.for("react.profiler"):60114,c=r?Symbol.for("react.provider"):60109,s=r?Symbol.for("react.context"):60110,f=r?Symbol.for("react.async_mode"):60111,p=r?Symbol.for("react.concurrent_mode"):60111,d=r?Symbol.for("react.forward_ref"):60112,h=r?Symbol.for("react.suspense"):60113,m=r?Symbol.for("react.suspense_list"):60120,g=r?Symbol.for("react.memo"):60115,y=r?Symbol.for("react.lazy"):60116,b=r?Symbol.for("react.block"):60121,v=r?Symbol.for("react.fundamental"):60117,w=r?Symbol.for("react.responder"):60118,x=r?Symbol.for("react.scope"):60119;function E(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case o:switch(e=e.type){case f:case p:case i:case u:case l:case h:return e;default:switch(e=e&&e.$$typeof){case s:case d:case y:case g:case c:return e;default:return t}}case a:return t}}}function _(e){return E(e)===p}t.AsyncMode=f,t.ConcurrentMode=p,t.ContextConsumer=s,t.ContextProvider=c,t.Element=o,t.ForwardRef=d,t.Fragment=i,t.Lazy=y,t.Memo=g,t.Portal=a,t.Profiler=u,t.StrictMode=l,t.Suspense=h,t.isAsyncMode=function(e){return _(e)||E(e)===f},t.isConcurrentMode=_,t.isContextConsumer=function(e){return E(e)===s},t.isContextProvider=function(e){return E(e)===c},t.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===o},t.isForwardRef=function(e){return E(e)===d},t.isFragment=function(e){return E(e)===i},t.isLazy=function(e){return E(e)===y},t.isMemo=function(e){return E(e)===g},t.isPortal=function(e){return E(e)===a},t.isProfiler=function(e){return E(e)===u},t.isStrictMode=function(e){return E(e)===l},t.isSuspense=function(e){return E(e)===h},t.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===i||e===p||e===u||e===l||e===h||e===m||"object"==typeof e&&null!==e&&(e.$$typeof===y||e.$$typeof===g||e.$$typeof===c||e.$$typeof===s||e.$$typeof===d||e.$$typeof===v||e.$$typeof===w||e.$$typeof===x||e.$$typeof===b)},t.typeOf=E},function(e,t){e.exports=function(e){if(!e.webpackPolyfill){var t=Object.create(e);t.children||(t.children=[]),Object.defineProperty(t,"loaded",{enumerable:!0,get:function(){return t.l}}),Object.defineProperty(t,"id",{enumerable:!0,get:function(){return t.i}}),Object.defineProperty(t,"exports",{enumerable:!0}),t.webpackPolyfill=1}return t}},function(e,t,n){"use strict";var r=n(9),o=n(17),a=Object.prototype.hasOwnProperty,i={brackets:function(e){return e+"[]"},comma:"comma",indices:function(e,t){return e+"["+t+"]"},repeat:function(e){return e}},l=Array.isArray,u=Array.prototype.push,c=function(e,t){u.apply(e,l(t)?t:[t])},s=Date.prototype.toISOString,f=o.default,p={addQueryPrefix:!1,allowDots:!1,charset:"utf-8",charsetSentinel:!1,delimiter:"&",encode:!0,encoder:r.encode,encodeValuesOnly:!1,format:f,formatter:o.formatters[f],indices:!1,serializeDate:function(e){return s.call(e)},skipNulls:!1,strictNullHandling:!1},d=function e(t,n,o,a,i,u,s,f,d,h,m,g,y){var b,v=t;if("function"==typeof s?v=s(n,v):v instanceof Date?v=h(v):"comma"===o&&l(v)&&(v=r.maybeMap(v,(function(e){return e instanceof Date?h(e):e})).join(",")),null===v){if(a)return u&&!g?u(n,p.encoder,y,"key"):n;v=""}if("string"==typeof(b=v)||"number"==typeof b||"boolean"==typeof b||"symbol"==typeof b||"bigint"==typeof b||r.isBuffer(v))return u?[m(g?n:u(n,p.encoder,y,"key"))+"="+m(u(v,p.encoder,y,"value"))]:[m(n)+"="+m(String(v))];var w,x=[];if(void 0===v)return x;if(l(s))w=s;else{var E=Object.keys(v);w=f?E.sort(f):E}for(var _=0;_<w.length;++_){var O=w[_],S=v[O];if(!i||null!==S){var k=l(v)?"function"==typeof o?o(n,O):n:n+(d?"."+O:"["+O+"]");c(x,e(S,k,o,a,i,u,s,f,d,h,m,g,y))}}return x};e.exports=function(e,t){var n,r=e,u=function(e){if(!e)return p;if(null!==e.encoder&&void 0!==e.encoder&&"function"!=typeof e.encoder)throw new TypeError("Encoder has to be a function.");var t=e.charset||p.charset;if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var n=o.default;if(void 0!==e.format){if(!a.call(o.formatters,e.format))throw new TypeError("Unknown format option provided.");n=e.format}var r=o.formatters[n],i=p.filter;return("function"==typeof e.filter||l(e.filter))&&(i=e.filter),{addQueryPrefix:"boolean"==typeof e.addQueryPrefix?e.addQueryPrefix:p.addQueryPrefix,allowDots:void 0===e.allowDots?p.allowDots:!!e.allowDots,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:p.charsetSentinel,delimiter:void 0===e.delimiter?p.delimiter:e.delimiter,encode:"boolean"==typeof e.encode?e.encode:p.encode,encoder:"function"==typeof e.encoder?e.encoder:p.encoder,encodeValuesOnly:"boolean"==typeof e.encodeValuesOnly?e.encodeValuesOnly:p.encodeValuesOnly,filter:i,formatter:r,serializeDate:"function"==typeof e.serializeDate?e.serializeDate:p.serializeDate,skipNulls:"boolean"==typeof e.skipNulls?e.skipNulls:p.skipNulls,sort:"function"==typeof e.sort?e.sort:null,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:p.strictNullHandling}}(t);"function"==typeof u.filter?r=(0,u.filter)("",r):l(u.filter)&&(n=u.filter);var s,f=[];if("object"!=typeof r||null===r)return"";s=t&&t.arrayFormat in i?t.arrayFormat:t&&"indices"in t?t.indices?"indices":"repeat":"indices";var h=i[s];n||(n=Object.keys(r)),u.sort&&n.sort(u.sort);for(var m=0;m<n.length;++m){var g=n[m];u.skipNulls&&null===r[g]||c(f,d(r[g],g,h,u.strictNullHandling,u.skipNulls,u.encode?u.encoder:null,u.filter,u.sort,u.allowDots,u.serializeDate,u.formatter,u.encodeValuesOnly,u.charset))}var y=f.join(u.delimiter),b=!0===u.addQueryPrefix?"?":"";return u.charsetSentinel&&("iso-8859-1"===u.charset?b+="utf8=%26%2310003%3B&":b+="utf8=%E2%9C%93&"),y.length>0?b+y:""}},function(e,t,n){"use strict";var r=n(9),o=Object.prototype.hasOwnProperty,a=Array.isArray,i={allowDots:!1,allowPrototypes:!1,arrayLimit:20,charset:"utf-8",charsetSentinel:!1,comma:!1,decoder:r.decode,delimiter:"&",depth:5,ignoreQueryPrefix:!1,interpretNumericEntities:!1,parameterLimit:1e3,parseArrays:!0,plainObjects:!1,strictNullHandling:!1},l=function(e){return e.replace(/&#(\d+);/g,(function(e,t){return String.fromCharCode(parseInt(t,10))}))},u=function(e,t){return e&&"string"==typeof e&&t.comma&&e.indexOf(",")>-1?e.split(","):e},c=function(e,t,n,r){if(e){var a=n.allowDots?e.replace(/\.([^.[]+)/g,"[$1]"):e,i=/(\[[^[\]]*])/g,l=n.depth>0&&/(\[[^[\]]*])/.exec(a),c=l?a.slice(0,l.index):a,s=[];if(c){if(!n.plainObjects&&o.call(Object.prototype,c)&&!n.allowPrototypes)return;s.push(c)}for(var f=0;n.depth>0&&null!==(l=i.exec(a))&&f<n.depth;){if(f+=1,!n.plainObjects&&o.call(Object.prototype,l[1].slice(1,-1))&&!n.allowPrototypes)return;s.push(l[1])}return l&&s.push("["+a.slice(l.index)+"]"),function(e,t,n,r){for(var o=r?t:u(t,n),a=e.length-1;a>=0;--a){var i,l=e[a];if("[]"===l&&n.parseArrays)i=[].concat(o);else{i=n.plainObjects?Object.create(null):{};var c="["===l.charAt(0)&&"]"===l.charAt(l.length-1)?l.slice(1,-1):l,s=parseInt(c,10);n.parseArrays||""!==c?!isNaN(s)&&l!==c&&String(s)===c&&s>=0&&n.parseArrays&&s<=n.arrayLimit?(i=[])[s]=o:i[c]=o:i={0:o}}o=i}return o}(s,t,n,r)}};e.exports=function(e,t){var n=function(e){if(!e)return i;if(null!==e.decoder&&void 0!==e.decoder&&"function"!=typeof e.decoder)throw new TypeError("Decoder has to be a function.");if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var t=void 0===e.charset?i.charset:e.charset;return{allowDots:void 0===e.allowDots?i.allowDots:!!e.allowDots,allowPrototypes:"boolean"==typeof e.allowPrototypes?e.allowPrototypes:i.allowPrototypes,arrayLimit:"number"==typeof e.arrayLimit?e.arrayLimit:i.arrayLimit,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:i.charsetSentinel,comma:"boolean"==typeof e.comma?e.comma:i.comma,decoder:"function"==typeof e.decoder?e.decoder:i.decoder,delimiter:"string"==typeof e.delimiter||r.isRegExp(e.delimiter)?e.delimiter:i.delimiter,depth:"number"==typeof e.depth||!1===e.depth?+e.depth:i.depth,ignoreQueryPrefix:!0===e.ignoreQueryPrefix,interpretNumericEntities:"boolean"==typeof e.interpretNumericEntities?e.interpretNumericEntities:i.interpretNumericEntities,parameterLimit:"number"==typeof e.parameterLimit?e.parameterLimit:i.parameterLimit,parseArrays:!1!==e.parseArrays,plainObjects:"boolean"==typeof e.plainObjects?e.plainObjects:i.plainObjects,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:i.strictNullHandling}}(t);if(""===e||null==e)return n.plainObjects?Object.create(null):{};for(var s="string"==typeof e?function(e,t){var n,c={},s=t.ignoreQueryPrefix?e.replace(/^\?/,""):e,f=t.parameterLimit===1/0?void 0:t.parameterLimit,p=s.split(t.delimiter,f),d=-1,h=t.charset;if(t.charsetSentinel)for(n=0;n<p.length;++n)0===p[n].indexOf("utf8=")&&("utf8=%E2%9C%93"===p[n]?h="utf-8":"utf8=%26%2310003%3B"===p[n]&&(h="iso-8859-1"),d=n,n=p.length);for(n=0;n<p.length;++n)if(n!==d){var m,g,y=p[n],b=y.indexOf("]="),v=-1===b?y.indexOf("="):b+1;-1===v?(m=t.decoder(y,i.decoder,h,"key"),g=t.strictNullHandling?null:""):(m=t.decoder(y.slice(0,v),i.decoder,h,"key"),g=r.maybeMap(u(y.slice(v+1),t),(function(e){return t.decoder(e,i.decoder,h,"value")}))),g&&t.interpretNumericEntities&&"iso-8859-1"===h&&(g=l(g)),y.indexOf("[]=")>-1&&(g=a(g)?[g]:g),o.call(c,m)?c[m]=r.combine(c[m],g):c[m]=g}return c}(e,n):e,f=n.plainObjects?Object.create(null):{},p=Object.keys(s),d=0;d<p.length;++d){var h=p[d],m=c(h,s[h],n,"string"==typeof e);f=r.merge(f,m,n)}return r.compact(f)}},function(e,t,n){var r=n(3),o=n(44);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".redirection .form-table th a{color:#444}.redirection .form-table td ul{padding-left:20px;list-style-type:disc;margin:0;margin-top:15px}.redirection .form-table td li{margin-bottom:0;line-height:1.6}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(46);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'@-webkit-keyframes loading-fade{0%{opacity:0.5}50%{opacity:1}100%{opacity:0.5}}@keyframes loading-fade{0%{opacity:0.5}50%{opacity:1}100%{opacity:0.5}}.placeholder-container{width:100%;height:100px;position:relative}.placeholder-loading{content:"";position:absolute;top:16px;right:8px;bottom:16px;left:8px;padding-left:8px;padding-top:8px;background-color:#bbb;-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.placeholder-inline{width:100%;height:50px;position:relative}.placeholder-inline .placeholder-loading{top:0;right:0;left:0;bottom:0}.loading-small{width:25px;height:25px}input.current-page{width:60px}.loader-wrapper{position:relative}.loader-textarea{height:100px}.wp-list-table .is-placeholder td{position:relative;height:50px}.wp-list-table .item-loading{opacity:0.3}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(48);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.donation .donation-amount{float:left;margin-top:10px}.donation .donation-amount span{font-size:28px;margin-top:4px;vertical-align:bottom}.donation .donation-amount img{width:24px !important;margin-bottom:-5px !important}.donation .donation-amount:after{content:"";display:block;clear:both}.donation input[type="number"]{width:60px;margin-left:10px}.donation td,.donation th{padding-bottom:0;margin-bottom:0}.donation input[type="submit"]{margin-left:10px}.newsletter h3{margin-top:30px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(50);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".github{margin-top:8px}.github a{text-decoration:none}.github img{padding-right:10px;margin-bottom:-10px}.searchregex-help ul{list-style:disc;margin-left:20px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(52);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-popover__toggle{display:inline-block;flex:none !important;cursor:pointer}.redirect-popover__content{box-shadow:0 3px 30px rgba(51,51,51,0.1);border:1px solid #ddd;background:white;min-width:150px;max-height:400px;position:absolute;z-index:10001;height:auto;overflow-y:auto}.redirect-popover__arrows{position:absolute;width:100%}.redirect-popover__arrows::after,.redirect-popover__arrows::before{content:"";box-shadow:0 3px 30px rgba(51,51,51,0.1);position:absolute;height:0;width:0;line-height:0;margin-left:10px}.redirect-popover__arrows::before{border:8px solid #ddd;border-bottom-style:solid;border-left-color:transparent;border-right-color:transparent;border-top:none;top:-8px}.redirect-popover__arrows::after{border:8px solid white;border-bottom-style:solid;border-left-color:transparent;border-right-color:transparent;border-top:none;top:-6px;z-index:10003}.redirect-popover__arrows.redirect-popover__arrows__right::after,.redirect-popover__arrows.redirect-popover__arrows__right::before{right:0;margin-right:10px}.redirect-popover__arrows.redirect-popover__arrows__centre::after,.redirect-popover__arrows.redirect-popover__arrows__centre::before{left:calc(50% - 16px)}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(54);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-badge{display:inline-block;padding:0 5px 0 6px;font-size:12px;background-color:#ddd;border-radius:3px;font-feature-settings:"c2sc";font-variant:small-caps;white-space:nowrap;color:black}.redirect-badge>div{display:flex;align-items:center}.redirect-badge.redirect-badge__click{cursor:pointer;border:1px solid transparent}.redirect-badge.redirect-badge__click:hover{border:1px solid black}.redirect-badge span{background-color:transparent;border:none;width:15px;text-align:center;padding:0;margin-left:4px;font-size:20px;vertical-align:middle;margin-top:-5px;margin-right:-3px}.redirect-badge span:hover{color:white;background-color:#333}.redirect-badge:not(:last-child){margin-right:5px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(56);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.redirect-multioption .redirect-popover__content{padding:10px 10px;white-space:nowrap;box-sizing:border-box}.redirect-multioption .redirect-popover__content h4{margin-top:5px}.redirect-multioption .redirect-popover__content h5{margin-top:3px;margin-bottom:6px;text-transform:uppercase;color:#999}.redirect-multioption .redirect-popover__content p{margin:2px 0 0.8em !important}.redirect-multioption .redirect-popover__content p:first-child{margin-top:0}.redirect-multioption .redirect-popover__content p:last-child{margin-bottom:0 !important}.redirect-multioption .redirect-popover__content label{display:inline-block;width:100%}.button.redirect-multioption__button,.redirect-multioption__button{box-sizing:border-box;display:flex;align-items:center;justify-content:space-between;box-shadow:none;height:30px;max-width:500px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;background-color:#fff;border-color:#7e8993;color:#32373c}.button.redirect-multioption__button svg,.redirect-multioption__button svg{margin-left:5px;margin-right:-4px;display:inline-block;fill:#888;border-left:1px solid #ddd;padding-left:5px}.button.redirect-multioption__button h5,.redirect-multioption__button h5{padding:0;margin:0;margin-right:10px;font-size:13px;font-weight:normal}.button.redirect-multioption__button .redirect-badge,.redirect-multioption__button .redirect-badge{line-height:1.3;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.redirect-multioption__group h5{margin:0}.redirect-multioption__group input[type="checkbox"]{margin-right:7px}.actions .button.redirect-multioption__button{height:28px}.actions .redirect-multioption__button .redirect-badge{margin-top:-1px}.redirect-multioption__button.redirect-multioption__button_enabled{background-color:#fff}.redirect-multioption__button.redirect-multioption__button_enabled svg{transform:rotate(180deg);border-right:1px solid #ddd;border-left:1px solid transparent;padding-right:4px;padding-left:0}.redirect-multioption__group{margin-bottom:20px}.redirect-multioption__group:last-child{margin-bottom:10px}.branch-4-9 .redirect-dropdownbutton .button,.branch-4-9 .button.redirect-multioption__button,.branch-5-0 .redirect-dropdownbutton .button,.branch-5-0 .button.redirect-multioption__button,.branch-5-1 .redirect-dropdownbutton .button,.branch-5-1 .button.redirect-multioption__button,.branch-5-2 .redirect-dropdownbutton .button,.branch-5-2 .button.redirect-multioption__button{border-color:#ddd}.branch-4-9 input[type="search"],.branch-5-0 input[type="search"],.branch-5-1 input[type="search"],.branch-5-2 input[type="search"]{height:30px}.branch-4-9 .redirect-multioption__button .redirect-badge,.branch-4-9 .redirect-multioption,.branch-4-9 .actions .redirect-multioption__button .redirect-badge,.branch-5-0 .redirect-multioption__button .redirect-badge,.branch-5-0 .redirect-multioption,.branch-5-0 .actions .redirect-multioption__button .redirect-badge,.branch-5-1 .redirect-multioption__button .redirect-badge,.branch-5-1 .redirect-multioption,.branch-5-1 .actions .redirect-multioption__button .redirect-badge,.branch-5-2 .redirect-multioption__button .redirect-badge,.branch-5-2 .redirect-multioption,.branch-5-2 .actions .redirect-multioption__button .redirect-badge{margin-top:1px !important}.actions .redirect-popover__content{margin-top:-1px}.redirect-multioption{padding:0 10px}.redirect-multioption p{white-space:nowrap}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(58);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.searchregex-replace__input{display:flex;width:100%;align-items:flex-start}.searchregex-replace__input input[type="text"]{width:100%}.searchregex-replace__input select{margin-left:10px}.searchregex-replace__input textarea{width:100%;margin-left:1px;margin-right:1px;padding:4px 8px}.redirect-popover__content .searchregex-replace__action{display:flex;justify-content:space-between;align-items:center;margin-top:10px;margin-left:10px}.redirect-popover__content .searchregex-replace__action p{color:#999;margin:0}.searchregex-replace__modal{padding:13px 10px;width:450px}.searchregex-replace__modal input[type="text"]{width:75%}.searchregex-replace__modal select{width:25%}.searchregex-replace__modal p.searchregex-replace__actions{text-align:right;margin-bottom:0}.searchregex-replace__modal p.searchregex-replace__actions input{margin-left:10px}.searchregex-replace__modal textarea{width:75%}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(60);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-dropdownmenu{background-color:transparent;padding:3px;border:1px solid transparent;cursor:pointer}.searchregex-dropdownmenu svg{margin-top:3px}.searchregex-dropdownmenu__menu{margin:0;padding:0;margin-top:5px}.searchregex-dropdownmenu__menu li>div,.searchregex-dropdownmenu__menu li>a{display:block;width:100%;padding:5px 10px}.searchregex-dropdownmenu__menu li>div:hover,.searchregex-dropdownmenu__menu li>a:hover{background-color:#eee}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(62);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".spinner-container{display:inline-block;position:relative}.css-spinner{position:absolute;left:10px;top:-25px;display:block;width:40px;height:40px;background-color:#333;border-radius:100%;-webkit-animation:sk-scaleout 1.0s infinite ease-in-out;animation:sk-scaleout 1.0s infinite ease-in-out}@-webkit-keyframes sk-scaleout{0%{-webkit-transform:scale(0)}100%{-webkit-transform:scale(1);opacity:0}}@keyframes sk-scaleout{0%{transform:scale(0)}100%{transform:scale(1);opacity:0}}.spinner-small .css-spinner{width:20px;height:20px;top:-15px;left:5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(64);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__replaced,.searchregex-result__highlight{background-color:#f7d85d;font-weight:bold;padding:1px;cursor:pointer}.searchregex-result__replaced{background-color:#f38830;display:inline}.searchregex-result__deleted{background-color:#e53e3e;color:white}.searchregex-match{display:flex;align-items:flex-start;justify-content:flex-start;line-height:2}.searchregex-match .searchregex-match__column{margin-right:10px;background-color:#ddd;padding:0 5px;border-radius:3px;margin-bottom:5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(66);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,"body.redirection-modal_shown{overflow:hidden}.redirection-modal_wrapper{width:100%}.redirection-modal_backdrop{width:100%;height:100%;position:fixed;top:0;left:0;z-index:10000;background-color:rgba(255,255,255,0.4)}.redirection-modal_main{position:fixed;top:0;left:0;height:100%;width:100%;z-index:10000;align-items:center;flex-grow:1;display:flex;flex-direction:row;justify-content:center}.redirection-modal_main .redirect-click-outside{min-height:100px;max-width:90%;max-height:90%;min-width:60%}.redirection-modal_main .redirection-modal_content{position:relative;background:#fff;opacity:1;border:1px solid #e2e4e7;box-shadow:0 3px 30px rgba(25,30,35,0.2);transition:height 0.05s ease;min-height:100px;max-width:90%;max-height:90%;min-width:60%;margin:0 auto}.redirection-modal_main .redirection-modal_content h1{margin:0 !important;color:#333 !important}.redirection-modal_main .redirection-modal_close button{position:absolute;top:0;right:0;padding-top:10px;padding-right:10px;border:none;background-color:#fff;border-radius:2px;cursor:pointer;z-index:10001}.redirection-modal_wrapper.redirection-modal_wrapper-padless .redirection-modal_content{padding:20px}.redirection-modal_wrapper-padding .redirection-modal_content{padding:10px}.redirection-modal_error h2{text-align:center}.redirection-modal_loading{display:flex;height:100px}.redirection-modal_loading>*{justify-content:center;align-self:center;margin-left:calc(50% - 30px);margin-top:40px}@media screen and (max-width: 782px){.redirection-modal_main .redirection-modal_content{width:80%;margin-right:10%}}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(68);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-editor{padding:5px}.searchregex-editor textarea{width:100%;min-height:150px;margin-bottom:10px}.searchregex-editor h2{margin-top:0}.searchregex-editor .searchregex-editor__actions{display:flex;justify-content:space-between}.searchregex-editor button.button-primary{margin-right:10px}.searchregex-editor .css-spinner{margin-left:-50px;height:24px;width:24px;margin-top:12px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(70);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__more{font-style:italic}.searchregex-result__updating{-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.searchregex-result__updating .css-spinner{width:24px;height:24px;margin-top:10px}.searchregex-result h2{margin:0;padding:0;margin-bottom:10px;font-weight:normal;font-size:1.2em}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(72);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".tablenav-pages{display:flex;justify-content:space-between;align-items:center;padding:10px}.pagination-links{display:flex;align-items:center}.pagination-links .button{margin:0 2px}.pagination-links .paging-input{margin:0 4px}.pagination-links .tablenav-paging-text{margin:0 5px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(74);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-result__table{width:100px}.searchregex-result__row{width:75px}.searchregex-result__matches{width:70px}.searchregex-result__column{width:100px}.searchregex-result__action{width:250px}.searchregex-result__action__dropdown.searchregex-result__action{width:50px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(76);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".searchregex-replaceall{margin-top:50px}.searchregex-replaceall__progress{position:relative;display:flex;align-items:center}.searchregex-replaceall__status{position:absolute;left:0;width:100%;text-align:center;font-size:18px;font-weight:bold}.searchregex-replaceall__container{width:100%}.searchregex-replaceall__stats{text-align:center;padding:10px}.searchregex-replaceall__stats .wp-core-ui .button-primary{margin-top:20px}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(78);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.searchregex-loading{opacity:0.8;-webkit-animation:loading-fade 1.6s ease-in-out infinite;animation:loading-fade 1.6s ease-in-out infinite}.searchregex-search table{table-layout:fixed;width:100%}.searchregex-search th{text-align:left;width:80px;vertical-align:top;padding-top:5px}.searchregex-search td{width:100%}.searchregex-search .inline-error{margin-top:20px}.searchregex-search__search td{display:flex;justify-content:flex-start;align-items:flex-start}.searchregex-search__search input[type="text"]{width:100%}.searchregex-search__search .redirect-popover__toggle,.searchregex-search__search select{margin-left:10px}.searchregex-search__replace,.searchregex-search__search,.searchregex-search__source{width:100%;margin-bottom:10px}.searchregex-search__replace>label,.searchregex-search__search>label,.searchregex-search__source>label{font-weight:bold;width:60px}.searchregex-search__replace .redirect-popover__toggle button,.searchregex-search__search .redirect-popover__toggle button,.searchregex-search__source .redirect-popover__toggle button{min-width:200px;margin-right:2px}.searchregex-search__replace select,.searchregex-search__search select,.searchregex-search__source select{min-width:150px;margin-right:0}.searchregex-search__source select{margin-right:10px}.searchregex-search__source td{display:flex;align-items:center}.searchregex-search__source__description{margin-left:5px}.searchregex-search__action{margin-top:10px}.searchregex-search__action input.button{margin-right:10px}.searchregex-search__action .css-spinner{width:28px;height:28px;margin-top:10px}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(80);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".api-result-retry{float:right;clear:both}.api-result-log{background-color:#ddd;padding:5px 10px;color:#111;margin:10px 0;position:relative}.api-result-log .api-result-method_fail{color:white;background-color:#ff3860;padding:3px 5px;margin-right:5px}.api-result-log .api-result-method_pass{color:white;background-color:#4ab866;padding:3px 5px;width:150px;margin-right:5px}.api-result-log .dashicons{vertical-align:middle;width:26px;height:26px;font-size:26px;padding:0}.api-result-log .dashicons-no{color:#ff3860}.api-result-log .dashicons-yes{color:#4ab866}.api-result-log pre{background-color:#ccc;padding:10px 15px}.api-result-log pre{font-family:'Courier New', Courier, monospace}.api-result-log code{background-color:transparent}.api-result-log h4{margin:0;margin-top:5px;font-size:14px}.api-result-log_details{display:flex}.api-result-log_details>div{width:95%}.api-result-log_details a{color:#111}.api-result-log_details a:hover{font-weight:bold}.api-result-log_details pre{white-space:pre-wrap;white-space:-moz-pre-wrap;white-space:-pre-wrap;white-space:-o-pre-wrap;word-wrap:break-word}.api-result-hide{position:absolute;bottom:25px;right:5%}.api-result-select{position:absolute;right:10px;top:15px}.api-result-select span{background-color:#777;color:white;padding:5px 10px;margin-left:10px}.api-result-header{display:flex;align-items:center}.api-result-header .api-result-progress{margin:0 15px}.api-result-header .css-spinner{width:18px;height:18px;top:-14px}.api-result-header .api-result-status{text-align:center;top:0;left:0;padding:5px 10px;background-color:#ddd;font-weight:bold}.api-result-header .api-result-status_good{background-color:#4ab866;color:white}.api-result-header .api-result-status_problem{background-color:#f0b849}.api-result-header .api-result-status_failed{background-color:#ff3860;color:white}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(82);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".red-error{background:#fff;border-left:4px solid #fff;box-shadow:0 1px 1px 0 rgba(0,0,0,0.1);margin:5px 15px 2px;padding:1px 12px;border-left-color:#dc3232;margin:5px 0 15px;margin-top:2em}.red-error .closer{float:right;padding-top:5px;font-size:18px;cursor:pointer;color:#333}.red-error textarea{font-family:courier,Monaco,monospace;font-size:12px;background-color:#eee;width:100%}.red-error span code{background-color:transparent}.red-error h3{font-size:1.2em}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(84);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,".redirection-notice{position:fixed;bottom:25px;right:0;font-weight:bold;box-shadow:3px 3px 3px rgba(0,0,0,0.2);border-top:1px solid #eee;cursor:pointer;transition:width 1s ease-in-out}.redirection-notice p{padding-right:20px}.redirection-notice .closer{position:absolute;right:5px;top:10px;font-size:16px;opacity:0.8}.redirection-notice.notice-shrunk{width:20px}.redirection-notice.notice-shrunk p{font-size:16px}.redirection-notice.notice-shrunk .closer{display:none}\n",""]),e.exports=t},function(e,t,n){var r=n(3),o=n(86);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.subsubsub-container::before,.subsubsub-container::after{content:"";display:table}.subsubsub-container::after{clear:both}\n',""]),e.exports=t},function(e,t,n){var r=n(3),o=n(88);"string"==typeof(o=o.__esModule?o.default:o)&&(o=[[e.i,o,""]]);var a={insert:"head",singleton:!1};r(o,a);e.exports=o.locals||{}},function(e,t,n){(t=n(4)(!1)).push([e.i,'.wp-core-ui .button-delete{box-shadow:none;text-shadow:none;background-color:#ff3860;border-color:transparent;color:#fff}.wp-core-ui .button-delete:hover{background-color:#ff3860;border-color:transparent;box-shadow:none;text-shadow:none}.inline-notice{background:#fff;border-left:4px solid #fff;box-shadow:0 1px 1px 0 rgba(0,0,0,0.1);margin:5px 15px 2px;padding:5px 12px;margin:5px 0 15px;border-left-color:#ffb900}.inline-notice.inline-general{border-left-color:#46b450}.inline-error{border-color:red}.addTop{margin-top:20px}@media screen and (max-width: 782px){.newsletter form input[type="email"]{display:block;width:100%;margin:5px 0}.import select{width:100%;margin:5px 0}.plugin-importer button{width:100%}p.search-box input[name="s"]{margin-top:20px}}.module-export{border:1px solid #ddd;padding:5px;font-family:courier,Monaco,monospace;margin-top:15px;width:100%;background-color:white !important}.redirect-edit .table-actions{margin-left:1px;margin-top:2px;display:flex;align-items:center;justify-content:flex-start}.redirect-edit .table-actions .redirection-edit_advanced{text-decoration:none;font-size:16px}.redirect-edit .table-actions .redirection-edit_advanced svg{padding-top:2px}.error{padding-bottom:10px !important}.notice{display:block !important}.database-switch{float:right}.database-switch a{color:#444;text-decoration:none}.database-switch a:hover{text-decoration:underline}\n',""]),e.exports=t},function(e,t,n){"use strict";n.r(t);var r=n(18),o=n.n(r),a="URLSearchParams"in self,i="Symbol"in self&&"iterator"in Symbol,l="FileReader"in self&&"Blob"in self&&function(){try{return new Blob,!0}catch(e){return!1}}(),u="FormData"in self,c="ArrayBuffer"in self;if(c)var s=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],f=ArrayBuffer.isView||function(e){return e&&s.indexOf(Object.prototype.toString.call(e))>-1};function p(e){if("string"!=typeof e&&(e=String(e)),/[^a-z0-9\-#$%&'*+.^_`|~]/i.test(e))throw new TypeError("Invalid character in header field name");return e.toLowerCase()}function d(e){return"string"!=typeof e&&(e=String(e)),e}function h(e){var t={next:function(){var t=e.shift();return{done:void 0===t,value:t}}};return i&&(t[Symbol.iterator]=function(){return t}),t}function m(e){this.map={},e instanceof m?e.forEach((function(e,t){this.append(t,e)}),this):Array.isArray(e)?e.forEach((function(e){this.append(e[0],e[1])}),this):e&&Object.getOwnPropertyNames(e).forEach((function(t){this.append(t,e[t])}),this)}function g(e){if(e.bodyUsed)return Promise.reject(new TypeError("Already read"));e.bodyUsed=!0}function y(e){return new Promise((function(t,n){e.onload=function(){t(e.result)},e.onerror=function(){n(e.error)}}))}function b(e){var t=new FileReader,n=y(t);return t.readAsArrayBuffer(e),n}function v(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function w(){return this.bodyUsed=!1,this._initBody=function(e){var t;this._bodyInit=e,e?"string"==typeof e?this._bodyText=e:l&&Blob.prototype.isPrototypeOf(e)?this._bodyBlob=e:u&&FormData.prototype.isPrototypeOf(e)?this._bodyFormData=e:a&&URLSearchParams.prototype.isPrototypeOf(e)?this._bodyText=e.toString():c&&l&&((t=e)&&DataView.prototype.isPrototypeOf(t))?(this._bodyArrayBuffer=v(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):c&&(ArrayBuffer.prototype.isPrototypeOf(e)||f(e))?this._bodyArrayBuffer=v(e):this._bodyText=e=Object.prototype.toString.call(e):this._bodyText="",this.headers.get("content-type")||("string"==typeof e?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):a&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},l&&(this.blob=function(){var e=g(this);if(e)return e;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))},this.arrayBuffer=function(){return this._bodyArrayBuffer?g(this)||Promise.resolve(this._bodyArrayBuffer):this.blob().then(b)}),this.text=function(){var e,t,n,r=g(this);if(r)return r;if(this._bodyBlob)return e=this._bodyBlob,t=new FileReader,n=y(t),t.readAsText(e),n;if(this._bodyArrayBuffer)return Promise.resolve(function(e){for(var t=new Uint8Array(e),n=new Array(t.length),r=0;r<t.length;r++)n[r]=String.fromCharCode(t[r]);return n.join("")}(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},u&&(this.formData=function(){return this.text().then(_)}),this.json=function(){return this.text().then(JSON.parse)},this}m.prototype.append=function(e,t){e=p(e),t=d(t);var n=this.map[e];this.map[e]=n?n+", "+t:t},m.prototype.delete=function(e){delete this.map[p(e)]},m.prototype.get=function(e){return e=p(e),this.has(e)?this.map[e]:null},m.prototype.has=function(e){return this.map.hasOwnProperty(p(e))},m.prototype.set=function(e,t){this.map[p(e)]=d(t)},m.prototype.forEach=function(e,t){for(var n in this.map)this.map.hasOwnProperty(n)&&e.call(t,this.map[n],n,this)},m.prototype.keys=function(){var e=[];return this.forEach((function(t,n){e.push(n)})),h(e)},m.prototype.values=function(){var e=[];return this.forEach((function(t){e.push(t)})),h(e)},m.prototype.entries=function(){var e=[];return this.forEach((function(t,n){e.push([n,t])})),h(e)},i&&(m.prototype[Symbol.iterator]=m.prototype.entries);var x=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];function E(e,t){var n,r,o=(t=t||{}).body;if(e instanceof E){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new m(e.headers)),this.method=e.method,this.mode=e.mode,this.signal=e.signal,o||null==e._bodyInit||(o=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"same-origin",!t.headers&&this.headers||(this.headers=new m(t.headers)),this.method=(n=t.method||this.method||"GET",r=n.toUpperCase(),x.indexOf(r)>-1?r:n),this.mode=t.mode||this.mode||null,this.signal=t.signal||this.signal,this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&o)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(o)}function _(e){var t=new FormData;return e.trim().split("&").forEach((function(e){if(e){var n=e.split("="),r=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");t.append(decodeURIComponent(r),decodeURIComponent(o))}})),t}function O(e,t){t||(t={}),this.type="default",this.status=void 0===t.status?200:t.status,this.ok=this.status>=200&&this.status<300,this.statusText="statusText"in t?t.statusText:"OK",this.headers=new m(t.headers),this.url=t.url||"",this._initBody(e)}E.prototype.clone=function(){return new E(this,{body:this._bodyInit})},w.call(E.prototype),w.call(O.prototype),O.prototype.clone=function(){return new O(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new m(this.headers),url:this.url})},O.error=function(){var e=new O(null,{status:0,statusText:""});return e.type="error",e};var S=[301,302,303,307,308];O.redirect=function(e,t){if(-1===S.indexOf(t))throw new RangeError("Invalid status code");return new O(null,{status:t,headers:{location:e}})};var k=self.DOMException;try{new k}catch(e){(k=function(e,t){this.message=e,this.name=t;var n=Error(e);this.stack=n.stack}).prototype=Object.create(Error.prototype),k.prototype.constructor=k}function j(e,t){return new Promise((function(n,r){var o=new E(e,t);if(o.signal&&o.signal.aborted)return r(new k("Aborted","AbortError"));var a=new XMLHttpRequest;function i(){a.abort()}a.onload=function(){var e,t,r={status:a.status,statusText:a.statusText,headers:(e=a.getAllResponseHeaders()||"",t=new m,e.replace(/\r?\n[\t ]+/g," ").split(/\r?\n/).forEach((function(e){var n=e.split(":"),r=n.shift().trim();if(r){var o=n.join(":").trim();t.append(r,o)}})),t)};r.url="responseURL"in a?a.responseURL:r.headers.get("X-Request-URL");var o="response"in a?a.response:a.responseText;n(new O(o,r))},a.onerror=function(){r(new TypeError("Network request failed"))},a.ontimeout=function(){r(new TypeError("Network request failed"))},a.onabort=function(){r(new k("Aborted","AbortError"))},a.open(o.method,o.url,!0),"include"===o.credentials?a.withCredentials=!0:"omit"===o.credentials&&(a.withCredentials=!1),"responseType"in a&&l&&(a.responseType="blob"),o.headers.forEach((function(e,t){a.setRequestHeader(t,e)})),o.signal&&(o.signal.addEventListener("abort",i),a.onreadystatechange=function(){4===a.readyState&&o.signal.removeEventListener("abort",i)}),a.send(void 0===o._bodyInit?null:o._bodyInit)}))}j.polyfill=!0,self.fetch||(self.fetch=j,self.Headers=m,self.Request=E,self.Response=O),!window.Promise&&(window.Promise=o.a),Array.from||(Array.from=function(e){return[].slice.call(e)}),"function"!=typeof Object.assign&&(Object.assign=function(e){if(null==e)throw new TypeError("Cannot convert undefined or null to object");for(var t=Object(e),n=1;n<arguments.length;n++){var r=arguments[n];if(null!=r)for(var o in r)r.hasOwnProperty(o)&&(t[o]=r[o])}return t}),Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(e){if(null==this)throw new TypeError('"this" is null or not defined');var t=Object(this),n=t.length>>>0;if("function"!=typeof e)throw new TypeError("predicate must be a function");for(var r=arguments[1],o=0;o<n;){var a=t[o];if(e.call(r,a,o,t))return a;o++}}});var P=n(0),T=n.n(P),C=n(6),R=n.n(C),A=n(1),N=n.n(A),I=(n(5),T.a.createContext(null));var D=function(e){e()},L={notify:function(){}};function F(){var e=D,t=null,n=null;return{clear:function(){t=null,n=null},notify:function(){e((function(){for(var e=t;e;)e.callback(),e=e.next}))},get:function(){for(var e=[],n=t;n;)e.push(n),n=n.next;return e},subscribe:function(e){var r=!0,o=n={callback:e,next:null,prev:n};return o.prev?o.prev.next=o:t=o,function(){r&&null!==t&&(r=!1,o.next?o.next.prev=o.prev:n=o.prev,o.prev?o.prev.next=o.next:t=o.next)}}}}var M=function(){function e(e,t){this.store=e,this.parentSub=t,this.unsubscribe=null,this.listeners=L,this.handleChangeWrapper=this.handleChangeWrapper.bind(this)}var t=e.prototype;return t.addNestedSub=function(e){return this.trySubscribe(),this.listeners.subscribe(e)},t.notifyNestedSubs=function(){this.listeners.notify()},t.handleChangeWrapper=function(){this.onStateChange&&this.onStateChange()},t.isSubscribed=function(){return Boolean(this.unsubscribe)},t.trySubscribe=function(){this.unsubscribe||(this.unsubscribe=this.parentSub?this.parentSub.addNestedSub(this.handleChangeWrapper):this.store.subscribe(this.handleChangeWrapper),this.listeners=F())},t.tryUnsubscribe=function(){this.unsubscribe&&(this.unsubscribe(),this.unsubscribe=null,this.listeners.clear(),this.listeners=L)},e}();var z=function(e){var t=e.store,n=e.context,r=e.children,o=Object(P.useMemo)((function(){var e=new M(t);return e.onStateChange=e.notifyNestedSubs,{store:t,subscription:e}}),[t]),a=Object(P.useMemo)((function(){return t.getState()}),[t]);Object(P.useEffect)((function(){var e=o.subscription;return e.trySubscribe(),a!==t.getState()&&e.notifyNestedSubs(),function(){e.tryUnsubscribe(),e.onStateChange=null}}),[o,a]);var i=n||I;return T.a.createElement(i.Provider,{value:o},r)};function U(){return(U=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function H(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}var B=n(11),W=n.n(B),$=n(10),V="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement?P.useLayoutEffect:P.useEffect,q=[],G=[null,null];function Q(e,t){var n=e[1];return[t.payload,n+1]}function K(e,t,n){V((function(){return e.apply(void 0,t)}),n)}function Y(e,t,n,r,o,a,i){e.current=r,t.current=o,n.current=!1,a.current&&(a.current=null,i())}function X(e,t,n,r,o,a,i,l,u,c){if(e){var s=!1,f=null,p=function(){if(!s){var e,n,p=t.getState();try{e=r(p,o.current)}catch(e){n=e,f=e}n||(f=null),e===a.current?i.current||u():(a.current=e,l.current=e,i.current=!0,c({type:"STORE_UPDATED",payload:{error:n}}))}};n.onStateChange=p,n.trySubscribe(),p();return function(){if(s=!0,n.tryUnsubscribe(),n.onStateChange=null,f)throw f}}}var J=function(){return[null,0]};function Z(e,t){void 0===t&&(t={});var n=t,r=n.getDisplayName,o=void 0===r?function(e){return"ConnectAdvanced("+e+")"}:r,a=n.methodName,i=void 0===a?"connectAdvanced":a,l=n.renderCountProp,u=void 0===l?void 0:l,c=n.shouldHandleStateChanges,s=void 0===c||c,f=n.storeKey,p=void 0===f?"store":f,d=(n.withRef,n.forwardRef),h=void 0!==d&&d,m=n.context,g=void 0===m?I:m,y=H(n,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef","forwardRef","context"]),b=g;return function(t){var n=t.displayName||t.name||"Component",r=o(n),a=U({},y,{getDisplayName:o,methodName:i,renderCountProp:u,shouldHandleStateChanges:s,storeKey:p,displayName:r,wrappedComponentName:n,WrappedComponent:t}),l=y.pure;var c=l?P.useMemo:function(e){return e()};function f(n){var r=Object(P.useMemo)((function(){var e=n.forwardedRef,t=H(n,["forwardedRef"]);return[n.context,e,t]}),[n]),o=r[0],i=r[1],l=r[2],u=Object(P.useMemo)((function(){return o&&o.Consumer&&Object($.isContextConsumer)(T.a.createElement(o.Consumer,null))?o:b}),[o,b]),f=Object(P.useContext)(u),p=Boolean(n.store)&&Boolean(n.store.getState)&&Boolean(n.store.dispatch);Boolean(f)&&Boolean(f.store);var d=p?n.store:f.store,h=Object(P.useMemo)((function(){return function(t){return e(t.dispatch,a)}(d)}),[d]),m=Object(P.useMemo)((function(){if(!s)return G;var e=new M(d,p?null:f.subscription),t=e.notifyNestedSubs.bind(e);return[e,t]}),[d,p,f]),g=m[0],y=m[1],v=Object(P.useMemo)((function(){return p?f:U({},f,{subscription:g})}),[p,f,g]),w=Object(P.useReducer)(Q,q,J),x=w[0][0],E=w[1];if(x&&x.error)throw x.error;var _=Object(P.useRef)(),O=Object(P.useRef)(l),S=Object(P.useRef)(),k=Object(P.useRef)(!1),j=c((function(){return S.current&&l===O.current?S.current:h(d.getState(),l)}),[d,x,l]);K(Y,[O,_,k,l,j,S,y]),K(X,[s,d,g,h,O,_,k,S,y,E],[d,g,h]);var C=Object(P.useMemo)((function(){return T.a.createElement(t,U({},j,{ref:i}))}),[i,t,j]);return Object(P.useMemo)((function(){return s?T.a.createElement(u.Provider,{value:v},C):C}),[u,C,v])}var d=l?T.a.memo(f):f;if(d.WrappedComponent=t,d.displayName=r,h){var m=T.a.forwardRef((function(e,t){return T.a.createElement(d,U({},e,{forwardedRef:t}))}));return m.displayName=r,m.WrappedComponent=t,W()(m,t)}return W()(d,t)}}function ee(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!=e&&t!=t}function te(e,t){if(ee(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(var o=0;o<n.length;o++)if(!Object.prototype.hasOwnProperty.call(t,n[o])||!ee(e[n[o]],t[n[o]]))return!1;return!0}var ne=n(7);function re(e){return function(t,n){var r=e(t,n);function o(){return r}return o.dependsOnOwnProps=!1,o}}function oe(e){return null!==e.dependsOnOwnProps&&void 0!==e.dependsOnOwnProps?Boolean(e.dependsOnOwnProps):1!==e.length}function ae(e,t){return function(t,n){n.displayName;var r=function(e,t){return r.dependsOnOwnProps?r.mapToProps(e,t):r.mapToProps(e)};return r.dependsOnOwnProps=!0,r.mapToProps=function(t,n){r.mapToProps=e,r.dependsOnOwnProps=oe(e);var o=r(t,n);return"function"==typeof o&&(r.mapToProps=o,r.dependsOnOwnProps=oe(o),o=r(t,n)),o},r}}var ie=[function(e){return"function"==typeof e?ae(e):void 0},function(e){return e?void 0:re((function(e){return{dispatch:e}}))},function(e){return e&&"object"==typeof e?re((function(t){return Object(ne.bindActionCreators)(e,t)})):void 0}];var le=[function(e){return"function"==typeof e?ae(e):void 0},function(e){return e?void 0:re((function(){return{}}))}];function ue(e,t,n){return U({},n,{},e,{},t)}var ce=[function(e){return"function"==typeof e?function(e){return function(t,n){n.displayName;var r,o=n.pure,a=n.areMergedPropsEqual,i=!1;return function(t,n,l){var u=e(t,n,l);return i?o&&a(u,r)||(r=u):(i=!0,r=u),r}}}(e):void 0},function(e){return e?void 0:function(){return ue}}];function se(e,t,n,r){return function(o,a){return n(e(o,a),t(r,a),a)}}function fe(e,t,n,r,o){var a,i,l,u,c,s=o.areStatesEqual,f=o.areOwnPropsEqual,p=o.areStatePropsEqual,d=!1;function h(o,d){var h,m,g=!f(d,i),y=!s(o,a);return a=o,i=d,g&&y?(l=e(a,i),t.dependsOnOwnProps&&(u=t(r,i)),c=n(l,u,i)):g?(e.dependsOnOwnProps&&(l=e(a,i)),t.dependsOnOwnProps&&(u=t(r,i)),c=n(l,u,i)):y?(h=e(a,i),m=!p(h,l),l=h,m&&(c=n(l,u,i)),c):c}return function(o,s){return d?h(o,s):(l=e(a=o,i=s),u=t(r,i),c=n(l,u,i),d=!0,c)}}function pe(e,t){var n=t.initMapStateToProps,r=t.initMapDispatchToProps,o=t.initMergeProps,a=H(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),i=n(e,a),l=r(e,a),u=o(e,a);return(a.pure?fe:se)(i,l,u,e,a)}function de(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function he(e,t){return e===t}function me(e){var t=void 0===e?{}:e,n=t.connectHOC,r=void 0===n?Z:n,o=t.mapStateToPropsFactories,a=void 0===o?le:o,i=t.mapDispatchToPropsFactories,l=void 0===i?ie:i,u=t.mergePropsFactories,c=void 0===u?ce:u,s=t.selectorFactory,f=void 0===s?pe:s;return function(e,t,n,o){void 0===o&&(o={});var i=o,u=i.pure,s=void 0===u||u,p=i.areStatesEqual,d=void 0===p?he:p,h=i.areOwnPropsEqual,m=void 0===h?te:h,g=i.areStatePropsEqual,y=void 0===g?te:g,b=i.areMergedPropsEqual,v=void 0===b?te:b,w=H(i,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),x=de(e,a,"mapStateToProps"),E=de(t,l,"mapDispatchToProps"),_=de(n,c,"mergeProps");return r(f,U({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:x,initMapDispatchToProps:E,initMergeProps:_,pure:s,areStatesEqual:d,areOwnPropsEqual:m,areStatePropsEqual:y,areMergedPropsEqual:v},w))}}var ge=me();var ye;ye=C.unstable_batchedUpdates,D=ye;var be=n(20);function ve(e){return function(t){var n=t.dispatch,r=t.getState;return function(t){return function(o){return"function"==typeof o?o(n,r,e):t(o)}}}}var we=ve();we.withExtraArgument=ve;var xe=we,Ee="STATUS_IN_PROGRESS",_e="STATUS_COMPLETE";function Oe(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Se(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Oe(Object(n),!0).forEach((function(t){ke(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Oe(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function ke(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function je(e,t,n,r){var o=e[t]?Se({},e[t]):[];return o[n]=r,ke({},t,o)}function Pe(e){var t=e.find((function(e){return"posttype"===e.name}));return t?t.sources.map((function(e){return e.name})):[]}function Te(e,t){if(-1!==e.indexOf("posts")){var n=Pe(t);return e.filter((function(e){return-1===n.indexOf(e)}))}return e}function Ce(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Re(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Ce(Object(n),!0).forEach((function(t){Ae(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Ce(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Ae(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Ne=function(){return[{value:"regex",label:Object(A.translate)("Regular Expression")},{value:"case",label:Object(A.translate)("Ignore Case")}]},Ie=function(){return[{value:25,label:Object(A.translate)("25 per page ")},{value:50,label:Object(A.translate)("50 per page ")},{value:100,label:Object(A.translate)("100 per page")},{value:250,label:Object(A.translate)("250 per page")},{value:500,label:Object(A.translate)("500 per page")}]},De=function(e){return e.status===_e||null===e.status};function Le(e,t){var n=e.source,r=e.searchFlags,o=e.sourceFlags,a=e.replacement;return Re(Re({},e),{},{source:Te(n,t),searchFlags:Object.keys(r),sourceFlags:Object.keys(o),replacement:Fe(a)})}function Fe(e){return e||""}function Me(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ze(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Me(Object(n),!0).forEach((function(t){Ue(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Me(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Ue(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function He(e,t){return e.search.searchFlags.regex?function(e,t){var n,r,o,a,i="forward"===e.searchDirection?e.results.concat(t.results):t.results.concat(e.results),l=function(e,t,n){return"forward"===n&&!1===e.progress.next||"backward"===n&&!1===e.progress.previous}(t,0,e.searchDirection)?_e:e.status;return ze(ze({},e),{},{status:l,results:i,requestCount:e.requestCount+1,progress:(n=e.progress,r=t.progress,o=e.searchDirection,a=0===e.requestCount,ze(ze({},n),{},{current:r.current,next:"forward"===o||a?r.next:n.next,previous:"backward"===o||a?r.previous:n.previous,rows:(n.rows?n.rows:0)+r.rows})),totals:{rows:t.totals.rows,matched_rows:e.totals.matched_rows+t.progress.rows,matched_phrases:(e.totals.matched_phrases||0)+t.results.reduce((function(e,t){return e+t.match_count}),0)},canCancel:l!==_e,showLoading:l!==_e})}(e,t):function(e,t){return ze(ze({},e),{},{status:_e,results:t.results,progress:t.progress,totals:t.totals?ze(ze({},e.totals),t.totals):e.totals,canCancel:!1,showLoading:!1})}(e,t)}var Be=function(){return ze(ze({},We()),{},{results:[],totals:{matched_rows:0,matched_phrases:0,rows:0},progress:{}})},We=function(){return{requestCount:0,replaceCount:0,phraseCount:0,status:_e,replacing:[],replaceAll:!1,canCancel:!1,showLoading:!1}};function $e(e,t,n){var r=[];if(0===t.length)return e.filter((function(e){return e.row_id!==n}));for(var o=function(n){var o=t.find((function(t){return t.row_id===e[n].row_id}));o?r.push(o):r.push(e[n])},a=0;a<e.length;a++)o(a);return r}function Ve(e,t){return e.progress.current?{current:e.progress.current+t.progress.rows}:{current:t.progress.rows}}function qe(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Ge(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?qe(Object(n),!0).forEach((function(t){Qe(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):qe(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Qe(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Ke=function(e,t){return e.slice(0).concat([t])},Ye=function(e,t){return e.slice(0).concat([t])},Xe=function(e){return Math.max(0,e.inProgress-1)},Je={SETTING_SAVED:Object(A.translate)("Settings saved"),SEARCH_DELETE_COMPLETE:Object(A.translate)("Row deleted"),SEARCH_REPLACE_COMPLETE:Object(A.translate)("Row replaced"),SEARCH_SAVE_ROW_COMPLETE:Object(A.translate)("Row updated")};var Ze=Object(ne.combineReducers)({settings:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case"SETTING_API_TRY":return Se(Se({},e),{},{apiTest:Se(Se({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"loading"}))});case"SETTING_API_SUCCESS":return Se(Se({},e),{},{apiTest:Se(Se({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"ok"}))});case"SETTING_API_FAILED":return Se(Se({},e),{},{apiTest:Se(Se({},e.apiTest),je(e.apiTest,t.id,t.method,{status:"fail",error:t.error}))});case"SETTING_LOAD_START":return Se(Se({},e),{},{loadStatus:Ee});case"SETTING_LOAD_SUCCESS":return Se(Se({},e),{},{loadStatus:_e,values:t.values});case"SETTING_LOAD_FAILED":return Se(Se({},e),{},{loadStatus:"STATUS_FAILED",error:t.error});case"SETTING_SAVING":return Se(Se({},e),{},{saveStatus:Ee,warning:!1});case"SETTING_SAVED":return Se(Se({},e),{},{saveStatus:_e,values:t.values,warning:!!t.warning&&t.warning});case"SETTING_SAVE_FAILED":return Se(Se({},e),{},{saveStatus:"STATUS_FAILED",error:t.error});case"SETTING_LOAD_STATUS":return Se(Se({},e),{},{pluginStatus:t.pluginStatus})}return e},search:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case"SEARCH_VALUES":return ze(ze({},e),{},{search:ze(ze({},e.search),t.searchValue),results:void 0!==t.searchValue.replacement?e.results:[],status:void 0!==t.searchValue.replacement?e.status:null});case"SEARCH_CANCEL":return ze(ze({},e),t.clearAll?Be():We());case"SEARCH_START_FRESH":return ze(ze({},e),{},{requestCount:0,status:Ee,totals:0===t.page?{matched_rows:0,matched_phrases:0,rows:0}:e.totals,progress:0===t.page?{}:e.progress,results:[],searchDirection:t.searchDirection,showLoading:!0});case"SEARCH_START_MORE":return De(e)?e:ze(ze({},e),{},{canCancel:!0,showLoading:!0});case"SEARCH_COMPLETE":return De(e)?e:He(e,t);case"SEARCH_REPLACE_COMPLETE":return De(e)?e:ze(ze({},e),{},{results:$e(e.results,t.result,t.rowId),status:_e,replacing:e.replacing.filter((function(e){return e!==t.rowId}))});case"SEARCH_REPLACE_ALL":return ze(ze(ze({},e),Be()),{},{replaceAll:!0,status:Ee,canCancel:!0});case"SEARCH_REPLACE_ALL_COMPLETE":return De(e)?e:ze(ze({},e),{},{replaceCount:t.replaced.rows+e.replaceCount,phraseCount:t.replaced.phrases+e.phraseCount,requestCount:!1===t.progress.next?0:e.requestCount+1,status:!1===t.progress.next?_e:Ee,progress:ze(ze({},Ve(e,t)),{},{next:t.progress.next}),totals:0===e.totals.rows?t.totals:e.totals,canCancel:!1!==t.progress.next});case"SEARCH_SAVE_ROW_COMPLETE":return ze(ze({},e),{},{status:_e,replacing:e.replacing.filter((function(e){return e!==t.rowId})),results:e.results.map((function(e){return e.row_id===t.result.row_id?t.result:e})),rawData:null});case"SEARCH_LOAD_ROW_COMPLETE":return ze(ze({},e),{},{replacing:e.replacing.filter((function(e){return e!==t.rowId})),status:_e,rawData:t.row});case"SEARCH_REPLACE_ROW":return ze(ze({},e),{},{replacing:e.replacing.concat(t.rowId),status:Ee,rawData:null});case"SEARCH_FAIL":return ze(ze(ze({},e),We()),{},{status:"STATUS_FAILED"});case"SEARCH_DELETE_COMPLETE":return ze(ze({},e),{},{results:e.results.filter((function(e){return e.row_id!==t.rowId})),replacing:e.replacing.filter((function(e){return e!==t.rowId})),status:_e})}return e},message:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;switch(t.type){case"SEARCH_FAIL":case"SETTING_LOAD_FAILED":case"SETTING_SAVE_FAILED":var n=Ke(e.errors,t.error);return console.error(t.error.message),Ge(Ge({},e),{},{errors:n,inProgress:Xe(e)});case"SEARCH_REPLACE_ROW":case"SETTING_SAVING":return Ge(Ge({},e),{},{inProgress:e.inProgress+1});case"SEARCH_REPLACE_COMPLETE":case"SEARCH_DELETE_COMPLETE":case"SEARCH_SAVE_ROW_COMPLETE":case"SETTING_SAVED":return Ge(Ge({},e),{},{notices:Ye(e.notices,Je[t.type]),inProgress:Xe(e)});case"MESSAGE_CLEAR_NOTICES":return Ge(Ge({},e),{},{notices:[]});case"MESSAGE_CLEAR_ERRORS":return Ge(Ge({},e),{},{errors:[]})}return e}}),et=n(8),tt=n.n(et),nt=["search","options","support"];function rt(e,t){var n=function(e,t,n){var r=ot(n);for(var o in e)e[o]&&t[o]!==e[o]?r[o.toLowerCase()]=e[o]:t[o]===e[o]&&delete r[o.toLowerCase()];return"?"+et.stringify(r)}(e,t);document.location.search!==n&&history.pushState({},null,n)}function ot(e){return et.parse(e?e.slice(1):document.location.search.slice(1))}function at(e){var t=ot(e);return-1!==nt.indexOf(t.sub)?t.sub:"search"}var it=Object(be.composeWithDevTools)({name:"Search Regex"}),lt=[xe,function(e){return function(t){return function(n){switch(n.type){case"SEARCH_START_FRESH":!function(e,t){var n=e.searchPhrase,r=e.searchFlags,o=e.source,a=e.sourceFlags,i=e.perPage;rt({searchPhrase:n,searchFlags:r,source:Te(o,t.sources),sourceFlags:a,perPage:i},{searchPhrase:"",searchFlags:[],source:[],sourceFlags:[],perPage:25,sub:"search"})}(n,e.getState().search)}return t(n)}}}];function ut(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=Object(ne.createStore)(Ze,e,it(ne.applyMiddleware.apply(void 0,lt)));return t}function ct(){var e=SearchRegexi10n&&SearchRegexi10n.preload&&SearchRegexi10n.preload.pluginStatus?SearchRegexi10n.preload.pluginStatus:[];return{loadStatus:Ee,saveStatus:!1,error:!1,pluginStatus:e,apiTest:{},database:SearchRegexi10n.database?SearchRegexi10n.database:{},values:SearchRegexi10n.settings?SearchRegexi10n.settings:{},api:SearchRegexi10n.api?SearchRegexi10n.api:[],warning:!1}}function st(e,t){return"undefined"!=typeof SearchRegexi10n&&SearchRegexi10n.preload&&SearchRegexi10n.preload[e]?SearchRegexi10n.preload[e]:t}function ft(e){return function(e){if(Array.isArray(e))return pt(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return pt(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return pt(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function pt(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function dt(e,t,n){return t.find((function(t){return t.value===e||t.name===e}))?e:n}function ht(e,t){return e.filter((function(e){return dt(e,t,!1)}))}function mt(e,t){var n=[];return e.forEach((function(e){n=n.concat(e.sources.map((function(e){return e.name})))})),t.filter((function(e){return-1!==n.indexOf(e)}))}function gt(e,t,n){for(var r=ft(n),o=0;o<e.length;o++){var a=e[o];t[a]&&function(){var e=Object.keys(t[a]);r=r.filter((function(t){return-1===e.indexOf(t)}))}()}return n.filter((function(e){return-1===r.indexOf(e)}))}function yt(e){for(var t={},n=0;n<e.length;n++)t[e[n]]=!0;return t}function bt(e){var t=ot(),n=Pe(e),r=t.source?function(e,t){return-1!==e.indexOf("posts")?e.filter((function(e){return-1===t.indexOf(e)})).concat(t):e}(t.source,n):["post","page"];return function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r=t||st("sources",[]),o=n||st("source_flags",[]),a=e.searchPhrase,i=e.searchFlags,l=e.sourceFlags,u=e.replacement,c=e.perPage,s=mt(r,e.source.length>0?e.source:[]);return{searchPhrase:a,searchFlags:yt(ht(i,Ne())),source:s,sourceFlags:yt(gt(s,o,l)),replacement:u,perPage:dt(parseInt(c,10),Ie(),25)}}({searchPhrase:t.searchphrase?t.searchphrase:"",searchFlags:t.searchflags?t.searchflags:["case"],source:r,sourceFlags:t.sourceflags?t.sourceflags:[],replacement:"",perPage:t.perpage?t.perpage:25})}function vt(){return"undefined"!=typeof SearchRegexi10n&&SearchRegexi10n.api?SearchRegexi10n.api:{WP_API_root:"/wp-json/",WP_API_nonce:"nonce"}}var wt=function(){return vt().WP_API_root},xt=function(){return vt().WP_API_nonce};function Et(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function _t(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Et(Object(n),!0).forEach((function(t){Ot(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Et(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Ot(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var St=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=wt()+"search-regex/v1/"+e+"/",r=_t(_t({},t),{},{_wpnonce:xt()});return n+(-1===n.indexOf("?")?"?":"&")+tt.a.stringify(r)},kt=function(){return new Headers({Accept:"application/json, */*;q=0.1"})},jt=function(){return new Headers({"Content-Type":"application/json; charset=utf-8",Accept:"application/json, */*;q=0.1"})},Pt=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return{headers:kt(),url:St(e,t),credentials:"same-origin",method:"get"}},Tt=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r={headers:jt(),url:St(e,n),credentials:"same-origin",method:"post",body:"{}"};return Object.keys(t).length>0&&(r.body=JSON.stringify(t)),r};function Ct(e){return(Ct="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var Rt=function(e){return 0===e?"Admin AJAX returned 0":e.message?e.message:(console.error(e),"Unknown error "+("object"===Ct(e)?Object.keys(e):e))},At=function(e){return e.error_code?e.error_code:e.data&&e.data.error_code?e.data.error_code:0===e?"admin-ajax":e.code?e.code:"unknown"},Nt=function(e){return e.action=function(e){return e.url.replace(wt(),"").replace(/[\?&]_wpnonce=[a-f0-9]*/,"")+" "+e.method.toUpperCase()}(e),fetch(e.url,e).then((function(t){if(!t||!t.status)throw{message:"No data or status object returned in request",code:0};var n;return t.status&&void 0!==t.statusText&&(e.status=t.status,e.statusText=t.statusText),t.headers.get("x-wp-nonce")&&(n=t.headers.get("x-wp-nonce"),"undefined"!=typeof SearchRegexi10n&&(SearchRegexi10n.api.WP_API_nonce=n)),t.text()})).then((function(t){e.raw=t;try{var n=JSON.parse(t.replace(/\ufeff/,""));if(e.status&&200!==e.status)throw{message:Rt(n),code:At(n),request:e,data:n.data?n.data:null};if(0===n)throw{message:"Failed to get data",code:"json-zero"};return n}catch(t){throw t.request=e,t.code=t.code||t.name,t}}))},It={get:function(){return Pt("setting")},update:function(e){return Tt("setting",e)}},Dt={get:function(e){return Tt("search",e)},replace:function(e){return Tt("replace",e)}},Lt={deleteRow:function(e,t){return Tt("source/".concat(e,"/").concat(t,"/delete"))},loadRow:function(e,t){return Pt("source/".concat(e,"/").concat(t))},saveRow:function(e,t,n){return Tt("source/".concat(e,"/").concat(t),n)},replaceRow:function(e,t,n){return Tt("source/".concat(e,"/").concat(t,"/replace"),n)}},Ft={checkApi:function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=t?Tt("plugin/test",{test:"ping"}):Pt("plugin/test");return n.url=n.url.replace(wt(),e).replace(/[\?&]_wpnonce=[a-f0-9]*/,""),n.url+=(-1===n.url.indexOf("?")?"?":"&")+"_wpnonce="+xt(),n}},Mt=(n(43),function(e){var t=e.title,n=e.url,r=void 0!==n&&n;return T.a.createElement("tr",null,T.a.createElement("th",null,!r&&t,r&&T.a.createElement("a",{href:r,target:"_blank"},t)),T.a.createElement("td",null,e.children))}),zt=function(e){return T.a.createElement("table",{className:"form-table"},T.a.createElement("tbody",null,e.children))};function Ut(e){return(Ut="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var Ht=function e(t){var n=t.value,r=t.label;return"object"===Ut(n)?T.a.createElement("optgroup",{label:r},n.map((function(t,n){return T.a.createElement(e,{label:t.label,value:t.value,key:n})}))):T.a.createElement("option",{value:n},r)},Bt=function(e){var t=e.items,n=e.value,r=e.name,o=e.onChange,a=e.isEnabled,i=void 0===a||a;return T.a.createElement("select",{name:r,value:n,onChange:o,disabled:!i},t.map((function(e,t){return T.a.createElement(Ht,{value:e.value,label:e.label,key:t})})))};function Wt(e){return(Wt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function $t(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Vt(e,t){return(Vt=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function qt(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Kt(e);if(t){var o=Kt(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Gt(this,n)}}function Gt(e,t){return!t||"object"!==Wt(t)&&"function"!=typeof t?Qt(e):t}function Qt(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Kt(e){return(Kt=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Yt(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Xt=function(){return[{value:0,label:Object(A.translate)("Default REST API")},{value:1,label:Object(A.translate)("Raw REST API")},{value:3,label:Object(A.translate)("Relative REST API")}]},Jt=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Vt(e,t)}(a,e);var t,n,r,o=qt(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Yt(Qt(t=o.call(this,e)),"onChange",(function(e){var n=e.target,r="checkbox"===n.type?n.checked:n.value;t.setState(Yt({},n.name,r))})),Yt(Qt(t),"onSubmit",(function(e){e.preventDefault(),t.props.onSaveSettings(t.state)})),t.state=e.values,t}return t=a,(n=[{key:"render",value:function(){var e=this.props.saveStatus;return T.a.createElement("form",{onSubmit:this.onSubmit},T.a.createElement(zt,null,T.a.createElement(Mt,{title:""},T.a.createElement("label",null,T.a.createElement("input",{type:"checkbox",checked:this.state.support,name:"support",onChange:this.onChange}),T.a.createElement("span",{className:"sub"},Object(A.translate)("I'm a nice person and I have helped support the author of this plugin")))),T.a.createElement(Mt,{title:Object(A.translate)("Actions")},T.a.createElement("label",null,T.a.createElement("input",{type:"checkbox",checked:this.state.actionDropdown,name:"actionDropdown",onChange:this.onChange}),Object(A.translate)("Show row actions as dropdown menu."))),T.a.createElement(Mt,{title:Object(A.translate)("REST API")},T.a.createElement(Bt,{items:Xt(),name:"rest_api",value:parseInt(this.state.rest_api,10),onChange:this.onChange})," ",T.a.createElement("span",{className:"sub"},Object(A.translate)("How Search Regex uses the REST API - don't change unless necessary")))),T.a.createElement("input",{className:"button-primary",type:"submit",name:"update",value:Object(A.translate)("Update"),disabled:e===Ee}))}}])&&$t(t.prototype,n),r&&$t(t,r),a}(T.a.Component);var Zt=ge((function(e){var t=e.settings;return{values:t.values,saveStatus:t.saveStatus}}),(function(e){return{onSaveSettings:function(t){e(function(e){return function(t){return Nt(It.update(e)).then((function(e){t({type:"SETTING_SAVED",values:e.settings,warning:e.warning})})).catch((function(e){t({type:"SETTING_SAVE_FAILED",error:e})})),t({type:"SETTING_SAVING",settings:e})}}(t))}}}))(Jt),en=(n(45),function(){return T.a.createElement("div",{className:"placeholder-container"},T.a.createElement("div",{className:"placeholder-loading"}))});n(47);function tn(e){return(tn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function nn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function rn(e,t){return(rn=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function on(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=un(e);if(t){var o=un(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return an(this,n)}}function an(e,t){return!t||"object"!==tn(t)&&"function"!=typeof t?ln(e):t}function ln(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function un(e){return(un=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var cn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&rn(e,t)}(a,e);var t,n,r,o=on(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),(t=o.call(this,e)).onDonate=t.handleDonation.bind(ln(t)),t.onChange=t.handleChange.bind(ln(t)),t.onBlur=t.handleBlur.bind(ln(t)),t.onInput=t.handleInput.bind(ln(t)),t.state={support:e.support,amount:20},t}return t=a,(n=[{key:"handleBlur",value:function(){this.setState({amount:Math.max(16,this.state.amount)})}},{key:"handleDonation",value:function(){this.setState({support:!1})}},{key:"getReturnUrl",value:function(){return document.location.href+"#thanks"}},{key:"handleChange",value:function(e){this.state.amount!==e.value&&this.setState({amount:parseInt(e.value,10)})}},{key:"handleInput",value:function(e){var t=e.target.value?parseInt(e.target.value,10):16;this.setState({amount:t})}},{key:"getAmountoji",value:function(e){for(var t=[[100,"😍"],[80,"😎"],[60,"😊"],[40,"😃"],[20,"😀"],[10,"🙂"]],n=0;n<t.length;n++)if(e>=t[n][0])return t[n][1];return t[t.length-1][1]}},{key:"renderSupported",value:function(){return T.a.createElement("div",null,Object(A.translate)("You've supported this plugin - thank you!")," ",T.a.createElement("a",{href:"#",onClick:this.onDonate},Object(A.translate)("I'd like to support some more.")))}},{key:"renderUnsupported",value:function(){for(var e,t,n,r=(n="",(t=16)in(e={})?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e),o=20;o<=100;o+=20)r[o]="";return T.a.createElement("div",null,T.a.createElement("label",null,T.a.createElement("p",null,Object(A.translate)("Search Regex 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}}.",{components:{strong:T.a.createElement("strong",null)}})," ",Object(A.translate)("You get useful software and I get to carry on making it better."))),T.a.createElement("input",{type:"hidden",name:"cmd",value:"_xclick"}),T.a.createElement("input",{type:"hidden",name:"business",value:"admin@urbangiraffe.com"}),T.a.createElement("input",{type:"hidden",name:"item_name",value:"Search Regex (WordPress Plugin)"}),T.a.createElement("input",{type:"hidden",name:"buyer_credit_promo_code",value:""}),T.a.createElement("input",{type:"hidden",name:"buyer_credit_product_category",value:""}),T.a.createElement("input",{type:"hidden",name:"buyer_credit_shipping_method",value:""}),T.a.createElement("input",{type:"hidden",name:"buyer_credit_user_address_change",value:""}),T.a.createElement("input",{type:"hidden",name:"no_shipping",value:"1"}),T.a.createElement("input",{type:"hidden",name:"return",value:this.getReturnUrl()}),T.a.createElement("input",{type:"hidden",name:"no_note",value:"1"}),T.a.createElement("input",{type:"hidden",name:"currency_code",value:"USD"}),T.a.createElement("input",{type:"hidden",name:"tax",value:"0"}),T.a.createElement("input",{type:"hidden",name:"lc",value:"US"}),T.a.createElement("input",{type:"hidden",name:"bn",value:"PP-DonationsBF"}),T.a.createElement("div",{className:"donation-amount"},"$",T.a.createElement("input",{type:"number",name:"amount",min:16,value:this.state.amount,onChange:this.onInput,onBlur:this.onBlur}),T.a.createElement("span",null,this.getAmountoji(this.state.amount)),T.a.createElement("input",{type:"submit",className:"button-primary",value:Object(A.translate)("Support 💰")})))}},{key:"render",value:function(){var e=this.state.support;return T.a.createElement("form",{action:"https://www.paypal.com/cgi-bin/webscr",method:"post",className:"donation"},T.a.createElement(zt,null,T.a.createElement(Mt,{title:Object(A.translate)("Plugin Support")+":"},e?this.renderSupported():this.renderUnsupported())))}}])&&nn(t.prototype,n),r&&nn(t,r),a}(T.a.Component);function sn(e){return(sn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function fn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function pn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function dn(e,t){return(dn=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function hn(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=gn(e);if(t){var o=gn(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return mn(this,n)}}function mn(e,t){return!t||"object"!==sn(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function gn(e){return(gn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var yn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&dn(e,t)}(a,e);var t,n,r,o=hn(a);function a(){return fn(this,a),o.apply(this,arguments)}return t=a,(n=[{key:"componentDidMount",value:function(){this.props.onLoadSettings()}},{key:"render",value:function(){var e=this.props,t=e.loadStatus,n=e.values;return t!==Ee&&n?T.a.createElement("div",null,t===_e&&T.a.createElement(cn,{support:n.support}),t===_e&&T.a.createElement(Zt,null)):T.a.createElement(en,null)}}])&&pn(t.prototype,n),r&&pn(t,r),a}(T.a.Component);var bn=ge((function(e){var t=e.settings;return{loadStatus:t.loadStatus,values:t.values}}),(function(e){return{onLoadSettings:function(){e((function(e,t){return t().settings.loadStatus===_e?null:(Nt(It.get()).then((function(t){e({type:"SETTING_LOAD_SUCCESS",values:t.settings})})).catch((function(t){e({type:"SETTING_LOAD_FAILED",error:t})})),e({type:"SETTING_LOAD_START"}))}))}}}))(yn),vn=function(e){var t=e.url,n=e.children;return T.a.createElement("a",{href:t,target:"_blank",rel:"noopener noreferrer"},n)},wn=function(){return T.a.createElement("div",null,T.a.createElement("h2",null,Object(A.translate)("Need more help?")),T.a.createElement("p",null,Object(A.translate)("Full documentation for Search Regex can be found at {{site}}https://searchregex.com{{/site}}.",{components:{site:T.a.createElement(vn,{url:"https://searchregex.com/support/"})}})),T.a.createElement("p",null,T.a.createElement("strong",null,Object(A.translate)("If you want to report a bug please read the {{report}}Reporting Bugs{{/report}} guide.",{components:{report:T.a.createElement(vn,{url:"https://searchregex.com/support/reporting-bugs/"})}}))),T.a.createElement("div",{className:"inline-notice inline-general"},T.a.createElement("p",{className:"github"},T.a.createElement(vn,{url:"https://github.com/johngodley/search-regex/issues"},T.a.createElement("img",{src:SearchRegexi10n.pluginBaseUrl+"/images/GitHub-Mark-64px.png",width:"32",height:"32"})),T.a.createElement(vn,{url:"https://github.com/johngodley/search-regex/issues"},"https://github.com/johngodley/search-regex/"))),T.a.createElement("p",null,Object(A.translate)("Please note that any support is provide on as-time-is-available basis and is not guaranteed. I do not provide paid support.")),T.a.createElement("p",null,Object(A.translate)("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!",{components:{email:T.a.createElement("a",{href:"mailto:john@searchregex.com?subject=Search%20Regex%20Issue&body="+encodeURIComponent("Search Regex: "+SearchRegexi10n.versions)})}})),T.a.createElement("h2",null,Object(A.translate)("Redirection")),T.a.createElement("p",null,Object(A.translate)("Like this plugin? You might want to consider {{link}}Redirection{{/link}}, a plugin to manage redirects, that is also written by me.",{components:{link:T.a.createElement(vn,{url:"https://redirection.me"})}})))};var xn=function(){return T.a.createElement("div",{className:"searchregex-help"},T.a.createElement("h3",null,Object(A.translate)("Quick Help")),T.a.createElement("p",null,Object(A.translate)("The following concepts are used by Search Regex:")),T.a.createElement("ul",null,T.a.createElement("li",null,Object(A.translate)("{{link}}Search Flags{{/link}} - additional qualifiers for your search, to enable case insensitivity, and to enable regular expression support.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/searching/"})}})),T.a.createElement("li",null,Object(A.translate)("{{link}}Regular expression{{/link}} - a way of defining a pattern for text matching. Provides more advanced matches.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/regular-expression/"})}})),T.a.createElement("li",null,Object(A.translate)("{{link}}Source{{/link}} - the source of data you wish to search. For example, posts, pages, or comments.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/search-source/"})}})),T.a.createElement("li",null,Object(A.translate)("{{link}}Source Flags{{/link}} - additional options for the selected source. For example, include post {{guid}}GUID{{/guid}} in the search.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/search-source/"}),guid:T.a.createElement(vn,{url:"https://deliciousbrains.com/wordpress-post-guids-sometimes-update/"})}}))))},En=(n(49),function(){return T.a.createElement(T.a.Fragment,null,T.a.createElement(xn,null),T.a.createElement(wn,null))}),_n=n(2),On=n.n(_n);n(51);function Sn(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function kn(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Sn(Object(n),!0).forEach((function(t){jn(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Sn(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function jn(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Pn(e,t){if(null===e)return{};var n=e.left,r=e.top,o=e.width,a={left:n,top:r+e.height};return t&&(a.width=o),a}function Tn(e){var t=e.style,n=e.align,r=On()("redirect-popover__arrows",{"redirect-popover__arrows__left":"left"===n,"redirect-popover__arrows__right":"right"===n,"redirect-popover__arrows__centre":"centre"===n});return T.a.createElement("div",{className:r,style:t})}var Cn=function(e){var t=e.position,n=e.children,r=e.togglePosition,o=e.align,a=e.hasArrow,i=Object(P.useRef)(null),l=Object(P.useMemo)((function(){return function(e,t,n,r,o){if(!r.current)return kn(kn({},e),{},{visibility:"hidden"});var a=e.width?e.width:r.current.getBoundingClientRect().width,i=t.parentWidth-a-20,l=function(e,t,n,r){return"right"===r?e+n-t:"centre"===r?e-(t+n)/2:e}(t.left,e.width?e.width:a,t.width,n);return kn(kn({},e),{},{left:Math.min(i,l),top:o?e.top+5:e.top})}(t,r,o,i,a)}),[t,r]),u=Object(P.useMemo)((function(){return function(e,t){return t?kn(kn({},e),{},{width:t.getBoundingClientRect().width}):e}(l,i.current)}),[l]);return T.a.createElement(T.a.Fragment,null,a&&T.a.createElement(Tn,{style:u,align:o}),T.a.createElement("div",{className:"redirect-popover__content",style:l,ref:i},n))};function Rn(e){var t=Object(P.useRef)(null),n=e.children,r=e.onOutside,o=e.className,a=function(e){(function(e,t){return!!t.current&&!t.current.contains(e.target)}(e,t)||"Escape"===e.key)&&r(e)};return Object(P.useEffect)((function(){return addEventListener("click",a),addEventListener("keydown",a),function(){removeEventListener("click",a),removeEventListener("keydown",a)}}),[]),T.a.createElement("div",{className:o,ref:t},n)}function An(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Nn(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Nn(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Nn(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var In=function(e){var t=e.renderContent,n=e.className,r=e.renderToggle,o=e.align,a=void 0===o?"left":o,i=e.onHide,l=e.matchToggle,u=void 0!==l&&l,c=e.hasArrow,s=void 0!==c&&c,f=e.offset,p=An(Object(P.useState)(!1),2),d=p[0],h=p[1],m=An(Object(P.useState)(null),2),g=m[0],y=m[1],b=Object(P.useRef)(null);return Object(P.useEffect)((function(){d&&y(function(e,t){if(null===e)return{};var n=document.getElementById("react-portal").getBoundingClientRect(),r=e.getBoundingClientRect(),o=r.height,a=r.width,i=r.left,l=r.top;return{left:i-n.left+(t||0),top:l-n.top,width:a,height:o,parentWidth:n.width,parentHeight:n.height}}(b.current,f))}),[d,u]),Object(P.useEffect)((function(){if(d){var e=window.addEventListener("resize",(function(){h(!1)}));return function(){window.removeEventListener("resize",e)}}}),[d]),T.a.createElement(T.a.Fragment,null,T.a.createElement("div",{className:On()("redirect-popover__toggle",n),ref:b},r(d,(function(e){return h(!d)}))),d&&Object(C.createPortal)(T.a.createElement(Rn,{className:"redirect-popover",onOutside:function(){h(!1),i&&i()}},T.a.createElement(Cn,{position:Pn(g,u),togglePosition:g,align:a,hasArrow:s},t((function(){return h(!1)})))),document.getElementById("react-portal")))};n(53);function Dn(){return(Dn=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}var Ln=function(e){var t=e.children,n=e.className,r=e.onClick,o=e.title,a=e.onCancel,i=e.isEnabled,l={title:o,onClick:r};return T.a.createElement("div",Dn({className:On()("redirect-badge",n,r?"redirect-badge__click":null)},l),T.a.createElement("div",null,t,a&&T.a.createElement("span",{onClick:function(e){e.preventDefault(),i&&a(e)}},"⨯")))};function Fn(e){return(Fn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Mn(e){return function(e){if(Array.isArray(e))return zn(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return zn(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return zn(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function zn(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Un(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Hn(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Un(Object(n),!0).forEach((function(t){Kn(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Un(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Bn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Wn(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function $n(e,t){return($n=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Vn(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Qn(e);if(t){var o=Qn(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return qn(this,n)}}function qn(e,t){return!t||"object"!==Fn(t)&&"function"!=typeof t?Gn(e):t}function Gn(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Qn(e){return(Qn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Kn(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Yn=function(e){var t=e.label,n=e.value,r=e.onSelect,o=e.isSelected;return T.a.createElement("p",null,T.a.createElement("label",null,T.a.createElement("input",{type:"checkbox",name:n,onChange:function(e){return r(n,e.target.checked)},checked:o}),t))},Xn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&$n(e,t)}(a,e);var t,n,r,o=Vn(a);function a(){var e;Bn(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return Kn(Gn(e=o.call.apply(o,[this].concat(n))),"onSelect",(function(t,n){var r=e.props,o=r.selected,a=r.value,i=r.multiple,l=Hn({},o);if(n){var u=t===a||t;l[a]=i?[].concat(Mn(l[a]),[t]):u}else i?l[a]=l[a].filter((function(e){return e!==t})):delete l[a];e.props.onApply(l,t,a)})),e}return t=a,(n=[{key:"isSelected",value:function(e){var t=this.props,n=t.multiple,r=t.selected,o=t.value;return n&&Array.isArray(r[o])?-1!==r[o].indexOf(e):!(o!==e||!r[o])||r[o]===e}},{key:"render",value:function(){var e=this,t=this.props,n=t.label,r=t.options,o=t.value;return r?T.a.createElement("div",{className:"redirect-multioption__group"},T.a.createElement("h5",null,n),r.map((function(t){return T.a.createElement(Yn,{label:t.label,value:t.value,onSelect:e.onSelect,isSelected:e.isSelected(t.value),key:t.value})}))):T.a.createElement(Yn,{label:n,value:o,onSelect:this.onSelect,isSelected:this.isSelected(o)})}}])&&Wn(t.prototype,n),r&&Wn(t,r),a}(T.a.Component);n(55);function Jn(e){return(Jn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Zn(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function er(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Zn(Object(n),!0).forEach((function(t){ur(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Zn(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function tr(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function nr(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function rr(e,t){return(rr=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function or(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=lr(e);if(t){var o=lr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return ar(this,n)}}function ar(e,t){return!t||"object"!==Jn(t)&&"function"!=typeof t?ir(e):t}function ir(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function lr(e){return(lr=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function ur(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var cr=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&rr(e,t)}(a,e);var t,n,r,o=or(a);function a(){var e;tr(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return ur(ir(e=o.call.apply(o,[this].concat(n))),"removeFilter",(function(t,n){var r;n.preventDefault(),n.stopPropagation(),e.props.badgeValues?r=e.getBadgeValues().filter((function(e){return e!==t})):delete(r=er({},e.props.selected))[t],e.props.onApply(r,t)})),e}return t=a,(n=[{key:"getOptionForKey",value:function(e,t){if(this.props.badgeValues){var n=[];return Object.keys(e).map((function(t){return n=n.concat(e[t].options)})),n.find((function(e){return e.value===t}))}return e.find((function(e){return e.value===t}))}},{key:"getBadgeValues",value:function(){var e=this.props,t=e.selected;if(e.badgeValues){var n=[];return Object.keys(t).map((function(e){return n=n.concat(t[e])})),n}return Object.keys(t).filter((function(e){return void 0!==t[e]}))}},{key:"getBadges",value:function(){var e=this,t=this.props,n=t.selected,r=t.options,o=t.badges,a=t.badgeValues,i=t.customBadge,l=t.isEnabled,u=i?i(this.getBadgeValues()):this.getBadgeValues();return u.length>0&&o?u.slice(0,3).map((function(t){var o=e.getOptionForKey(r,t);return o&&(n[t]||a)?T.a.createElement(Ln,{key:t,onCancel:function(n){return e.removeFilter(t,n)},isEnabled:l},o.label):null})).concat([u.length>3?T.a.createElement("span",{key:"end"},"..."):null]):null}},{key:"shouldShowTitle",value:function(){var e=this.props,t=e.selected;return!1===e.hideTitle||0===Object.keys(t).filter((function(e){return t[e]})).length}},{key:"render",value:function(){var e=this,t=this.props,n=t.options,r=t.selected,o=t.onApply,a=t.title,i=t.isEnabled,l=t.multiple,u=t.className,c=this.getBadges();return T.a.createElement(In,{renderToggle:function(t,n){return T.a.createElement("button",{className:On()("button","action","redirect-multioption__button",i?null:"redirect-multioption__disabled",t?"redirect-multioption__button_enabled":null),onClick:n,disabled:!i,type:"button"},e.shouldShowTitle()&&a.length>0&&T.a.createElement("h5",null,a),c,T.a.createElement("svg",{height:"20",width:"20",viewBox:"0 0 20 20","aria-hidden":"true",focusable:"false"},T.a.createElement("path",{d:"M4.516 7.548c0.436-0.446 1.043-0.481 1.576 0l3.908 3.747 3.908-3.747c0.533-0.481 1.141-0.446 1.574 0 0.436 0.445 0.408 1.197 0 1.615-0.406 0.418-4.695 4.502-4.695 4.502-0.217 0.223-0.502 0.335-0.787 0.335s-0.57-0.112-0.789-0.335c0 0-4.287-4.084-4.695-4.502s-0.436-1.17 0-1.615z"})))},matchToggle:c&&Object.keys(r),align:"right",renderContent:function(){return T.a.createElement("div",{className:On()("redirect-multioption",u)},n.map((function(e){return T.a.createElement(Xn,{label:e.label,value:e.value,options:e.options,multiple:e.multiple||l||!1,selected:r,key:e.label,onApply:o})})))}})}}])&&nr(t.prototype,n),r&&nr(t,r),a}(T.a.Component);ur(cr,"defaultProps",{badges:!1,title:!1,hideTitle:!1,isEnabled:!0,badgeValues:!1});var sr=cr;n(57);function fr(){return(fr=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function pr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return dr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return dr(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function dr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function hr(e){var t=e.children,n=e.onSave,r=e.className,o=On()("searchregex-replace",r);if(n){return T.a.createElement("form",{className:o,onSubmit:function(e){e.preventDefault(),n()}},t)}return T.a.createElement("div",{className:o},t)}var mr=function(e){var t=e.canReplace,n=e.setReplace,r=e.className,o=e.autoFocus,a=e.onSave,i=e.onCancel,l=e.placeholder,u=e.description,c=Object(P.useRef)(null),s=pr(Object(P.useState)(""),2),f=s[0],p=s[1],d=pr(Object(P.useState)(""),2),h=d[0],m=d[1],g={id:"replace",value:null===f?"":f,name:"replace",onChange:function(e){return p(e.target.value)},disabled:!t||"remove"===h,placeholder:"remove"===h?Object(A.translate)("Search phrase will be removed"):l,ref:c};return Object(P.useEffect)((function(){p("remove"===h?null:""),n("remove"===h?null:"")}),[h]),Object(P.useEffect)((function(){n(f)}),[f]),Object(P.useEffect)((function(){setTimeout((function(){o&&c&&c.current.focus()}),50)}),[c]),T.a.createElement(hr,{onSave:a&&function(){return a(f)},className:r},T.a.createElement("div",{className:"searchregex-replace__input"},"multi"===h?T.a.createElement("textarea",fr({rows:"4"},g)):T.a.createElement("input",fr({type:"text"},g)),T.a.createElement(Bt,{items:[{value:"",label:Object(A.translate)("Single")},{value:"multi",label:Object(A.translate)("Multi")},{value:"remove",label:Object(A.translate)("Remove")}],name:"replace_flags",value:h,onChange:function(e){return m(e.target.value)},isEnabled:t})),T.a.createElement("div",{className:"searchregex-replace__action"},u&&T.a.createElement("p",null,u),a&&T.a.createElement("p",{className:"searchregex-replace__actions"},T.a.createElement("input",{type:"submit",className:"button button-primary",value:Object(A.translate)("Replace"),disabled:""===f}),T.a.createElement("input",{type:"button",className:"button button-secondary",value:Object(A.translate)("Cancel"),onClick:i}))))};function gr(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function yr(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?gr(Object(n),!0).forEach((function(t){br(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):gr(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function br(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var vr=function(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null,o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:null;return function(a,i){var l=i().search,u=l.search,c=l.sources,s=yr(yr({},Le(u,c)),{},{replacePhrase:e});return r&&(s.columnId=r),o&&(s.posId=o),delete s.source,a({type:"SEARCH_REPLACE_ROW",rowId:n}),Nt(Lt.replaceRow(t,n,s)).then((function(e){a(yr(yr({type:"SEARCH_REPLACE_COMPLETE"},e),{},{perPage:u.perPage,rowId:n}))})).catch((function(e){a({type:"SEARCH_FAIL",error:e})}))}},wr=function(e,t){return Nt(Dt.replace(e)).then((function(e){t(yr({type:"SEARCH_REPLACE_ALL_COMPLETE"},e))})).catch((function(e){t({type:"SEARCH_FAIL",error:e})}))};function xr(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Er(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?xr(Object(n),!0).forEach((function(t){_r(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):xr(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function _r(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Or=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"forward";return function(n,r){var o=r().search,a=o.sources,i=Er(Er({},Le(o.search,a)),{},{page:e,searchDirection:t});return n(Er({type:"SEARCH_START_FRESH"},i)),Sr(i,n)}},Sr=function(e,t){return Nt(Dt.get(e)).then((function(n){t(Er(Er({type:"SEARCH_COMPLETE"},n),{},{perPage:e.perPage}))})).catch((function(e){t({type:"SEARCH_FAIL",error:e})}))};function kr(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function jr(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?kr(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):kr(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Pr(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Tr(e,t,n,r){var o=[],a=Pe(r);return Object.keys(e).forEach((function(t){o=o.concat(e[t])})),"posts"===t?o=-1===o.indexOf("posts")?o.filter((function(e){return-1===a.indexOf(e)})):o.concat(a):"posttype"===n&&-1===o.indexOf(t)?o=o.filter((function(e){return"posts"!==e})):"posttype"===n&&a.filter((function(e){return-1!==o.indexOf(e)})).length===a.length&&o.push("posts"),0===o.length&&(o=["post","page"]),Array.from(new Set(o))}function Cr(e,t){for(var n={},r=0;r<t.length;r++){var o=t[r];n[o.name]||(n[o.name]=[]);for(var a=function(t){o.sources.find((function(n){return n.name===e[t]}))&&n[o.name].push(e[t])},i=0;i<e.length;i++)a(i)}return n}function Rr(e){return e.map((function(e){return{label:e.label,value:e.name,multiple:!0,options:e.sources.map((function(e){return{label:e.label,value:e.name}}))}}))}var Ar=ge((function(e){var t=e.search;return{search:t.search,sources:t.sources,sourceFlagOptions:t.sourceFlags,replaceAll:t.replaceAll}}),(function(e){return{onSetSearch:function(t){e(function(e){return{type:"SEARCH_VALUES",searchValue:e}}(t))}}}))((function(e){var t=e.search,n=e.onSetSearch,r=e.sources,o=e.sourceFlagOptions,a=e.replaceAll,i=t.searchPhrase,l=t.searchFlags,u=t.sourceFlags,c=t.source,s=t.perPage,f=function(e,t){var n=[];return Object.keys(e).forEach((function(r){-1!==t.indexOf(r)&&function(){for(var t=Object.keys(e[r]).map((function(t){return{label:e[r][t],value:t}})),o=function(e){n.find((function(n){return n.value===t[e].value}))||n.push(t[e])},a=0;a<t.length;a++)o(a)}()})),n}(o,c),p=status===Ee||a;return T.a.createElement("table",null,T.a.createElement("tbody",null,T.a.createElement("tr",{className:"searchregex-search__search"},T.a.createElement("th",null,Object(A.translate)("Search")),T.a.createElement("td",null,T.a.createElement("input",{type:"text",value:i,name:"searchPhrase",placeholder:Object(A.translate)("Enter search phrase"),onChange:function(e){var t,r,o;n((t={},r=e.target.name,o=e.target.value,r in t?Object.defineProperty(t,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):t[r]=o,t))},disabled:p}),T.a.createElement(sr,{options:Ne(),selected:l,onApply:function(e){return n({searchFlags:e})},title:Object(A.translate)("Search Flags"),isEnabled:!p,badges:!0}))),T.a.createElement("tr",{className:"searchregex-search__replace"},T.a.createElement("th",null,Object(A.translate)("Replace")),T.a.createElement("td",null,T.a.createElement(mr,{canReplace:!p,setReplace:function(e){return n({replacement:e})},placeholder:Object(A.translate)("Enter global replacement text")}))),T.a.createElement("tr",{className:"searchregex-search__source"},T.a.createElement("th",null,Object(A.translate)("Source")),T.a.createElement("td",null,T.a.createElement(sr,{options:Rr(r),selected:Cr(c,r),onApply:function(e,t,o){return n({source:Tr(e,t,o,r)})},title:"",isEnabled:!p,badges:!0,badgeValues:!0,customBadge:function(e){return function(e,t){if(-1!==e.indexOf("posts")){var n=Pe(t);return e.filter((function(e){return-1===n.indexOf(e)}))}return e}(e,r)}}),Object.keys(f).length>0&&T.a.createElement(sr,{options:f,selected:u,onApply:function(e){return n({sourceFlags:e})},title:Object(A.translate)("Source Options"),isEnabled:!p,badges:!0,hideTitle:!0}))),T.a.createElement("tr",null,T.a.createElement("th",null,Object(A.translate)("Results")),T.a.createElement("td",null,T.a.createElement(Bt,{name:"perPage",items:Ie(),value:s,onChange:function(e){return n({perPage:parseInt(e.target.value,10)})},isEnabled:!p})))))}));n(59);var Nr=function(e){var t=e.menu;return T.a.createElement(In,{align:"right",hasArrow:!0,renderToggle:function(e,t){return T.a.createElement("button",{className:"searchregex-dropdownmenu",onClick:t},e&&T.a.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",width:"24",height:"24",role:"img","aria-hidden":"true",focusable:"false"},T.a.createElement("path",{d:"M11 13h2v-2h-2v2zm-6 0h2v-2H5v2zm12-2v2h2v-2h-2z"})),!e&&T.a.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",width:"24",height:"24",role:"img","aria-hidden":"true",focusable:"false"},T.a.createElement("path",{d:"M13 19h-2v-2h2v2zm0-6h-2v-2h2v2zm0-6h-2V5h2v2z"})))},renderContent:function(e){return T.a.createElement("ul",{className:"searchregex-dropdownmenu__menu",onClick:e},t.map((function(e,t){return T.a.createElement("li",{key:t},e)})))}})};var Ir=ge((function(e){return{isLoading:e.search.status===Ee}}),(function(e){return{onDelete:function(t,n){e(function(e,t){return function(n){return Nt(Lt.deleteRow(e,t)).then((function(e){n({type:"SEARCH_DELETE_COMPLETE",rowId:t})})).catch((function(e){n({type:"SEARCH_FAIL",error:e})})),n({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n))},onSave:function(t,n,r){e(vr(t,n,r))}}}))((function(e){for(var t=e.setReplacement,n=e.actions,r=e.isLoading,o=e.onSave,a=e.result,i=e.onDelete,l=e.onEditor,u=e.description,c=e.sourceType,s=e.actionDropdown,f=function(e,n){n(),t(""),o(e,c,a.row_id)},p=[],d={edit:Object(A.translate)("Edit Page")},h=Object.keys(n),m=0;m<h.length;m++)d[h[m]]&&p.push(T.a.createElement(vn,{url:n[h[m]],key:h[m]},d[h[m]]));return p.push(T.a.createElement("a",{key:"inline-edit",href:"#",onClick:function(e){e.preventDefault(),l()}},Object(A.translate)("Inline Editor"))),p.push(T.a.createElement("a",{key:"delete",href:"#",onClick:function(e){e.preventDefault(),i(a.source_type,a.row_id)}},Object(A.translate)("Delete Row"))),s?T.a.createElement(In,{key:"replace",renderToggle:function(e,t){return T.a.createElement(Nr,{menu:[T.a.createElement("a",{href:"#",onClick:function(e){return function(e,t){e.preventDefault(),r||t()}(e,t)}},Object(A.translate)("Replace Row"))].concat(p)})},onHide:function(){return t("")},hasArrow:!0,disabled:r,align:"right",renderContent:function(e){return T.a.createElement(mr,{className:"searchregex-replace__modal",canReplace:!0,setReplace:function(e){return t(e)},autoFocus:!0,onSave:function(t){return f(t,e)},onCancel:function(){return function(e){e(),t("")}(e)},placeholder:Object(A.translate)("Replacement for all matches in this row"),description:u})}}):p.reduce((function(e,t){return[e," | ",t]}))})),Dr=(n(61),function(e){var t=e.size,n=void 0===t?"":t,r="spinner-container"+(n?" spinner-"+n:"");return T.a.createElement("div",{className:r},T.a.createElement("span",{className:"css-spinner"}))});var Lr=function(){return T.a.createElement("div",{className:"searchregex-result__more"},Object(A.translate)("Maximum number of matches exceeded and hidden from view. These will be included in any replacements."))};var Fr=function(e){var t=e.typeOfReplacement,n=e.isReplacing,r=e.onUpdate,o=e.onSave,a=e.children,i=e.match,l=function(e,t){o(e),t()},u=function(e){r(""),e&&e()};return T.a.createElement(In,{className:On()({"searchregex-result__replaced":"replace"===t,"searchregex-result__highlight":"match"===t,"searchregex-result__deleted":"delete"===t}),renderToggle:function(e,t){return T.a.createElement("span",{onClick:function(){return!n&&t()},title:i},a)},onHide:u,hasArrow:!0,align:"centre",offset:25,renderContent:function(e){return T.a.createElement(mr,{className:"searchregex-replace__modal",canReplace:!0,setReplace:function(e){return r(e)},autoFocus:!0,onSave:function(t){return l(t,e)},onCancel:function(){return u(e)},placeholder:Object(A.translate)("Replacement for this match"),description:Object(A.translate)("Replace single phrase.")})}})},Mr=function(e,t){return" ".replace(t.length)};function zr(e,t){return e&&t.length>0?e.replace(/(\\?\$|\\?\\)+(\d{1,2})/g,(function(e,n,r){return r=parseInt(r,10),"\\$"===e.substr(0,2)?e.replace("\\",""):void 0!==t[r-1]?t[r-1]:e})):e}function Ur(e,t){return null===e?"delete":e!==t?"replace":"match"}var Hr=function(e){var t=e.match,n=e.originalMatch;return null===t?T.a.createElement("strike",null,n):t.replace(/\n/g,"↵").replace(/^(\s+)/,Mr).replace(/(\s+)$/,Mr)};n(63);function Br(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||$r(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Wr(e){return function(e){if(Array.isArray(e))return Vr(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||$r(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function $r(e,t){if(e){if("string"==typeof e)return Vr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Vr(e,t):void 0}}function Vr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var qr=function(e){return e.map((function(){return""}))};function Gr(e,t,n){for(var r=e.source,o=e.matches,a=e.contextReplacement,i=e.columnId,l=e.rowId,u=e.onReplace,c=e.isReplacing,s=e.sourceType,f=[],p=0,d=function(e){var d,h,m,g=o[e],y=g.context_offset,b=g.match,v=g.pos_id,w=g.replacement,x=g.captures,E=(d=[t[e],a,w],h=b,void 0===(m=d.find((function(e){return n=h,null===(t=e)||t!==n&&""!==t;var t,n})))?h:m);f.push(r.substring(p,y)),f.push(T.a.createElement(Fr,{typeOfReplacement:Ur(E,b),onSave:function(e){return u(e,s,l,i,v)},onUpdate:function(r){return n(function(e,t,n){var r=Wr(e);return r[t]=n,r}(t,e,r))},isReplacing:c,title:b,key:e},T.a.createElement(Hr,{match:zr(E,x),originalMatch:b}))),p=y+b.length},h=0;h<o.length;h++)d(h);return f.push(r.substr(p)),f}var Qr=ge(null,(function(e){return{onReplace:function(t,n,r,o,a){e(vr(t,n,r,o,a))}}}))((function(e){var t=e.matches,n=e.count,r=e.contextReplacement,o=Br(Object(P.useState)(qr(t)),2),a=o[0],i=o[1],l=Gr(e,a,i);return Object(P.useEffect)((function(){i(qr(t))}),[r]),T.a.createElement("div",{className:"searchregex-match__context"},l,t.length!==n&&T.a.createElement(Lr,null))}));var Kr=function(e){var t=e.item,n=e.rowId,r=e.contextReplacement,o=e.isReplacing,a=e.column,i=e.sourceType,l=t.context,u=t.match_count,c=t.matches,s=a.column_id,f=a.column_label;return T.a.createElement("div",{className:"searchregex-match"},T.a.createElement("div",{className:"searchregex-match__column",title:s},f),T.a.createElement(Qr,{source:l,matches:c,count:u,sourceType:i,contextReplacement:r,columnId:s,rowId:n,isReplacing:o}))};function Yr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Xr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Xr(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Xr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var Jr=function(e){var t=e.replacement,n=e.rowId,r=e.isReplacing,o=e.column,a=e.sourceType,i=o.contexts,l=o.context_count,u=o.match_count,c=Yr(Object(P.useState)(!1),2),s=c[0],f=c[1],p=i.slice(0,s?i.length:2),d=u-p.reduce((function(e,t){return e+t.match_count}),0);return T.a.createElement(T.a.Fragment,null,p.map((function(e){return T.a.createElement(Kr,{item:e,key:n+"-"+e.context_id,column:o,rowId:n,contextReplacement:t,isReplacing:r,sourceType:a})})),!s&&i.length>2&&T.a.createElement("p",null,T.a.createElement("button",{className:"button button-secondary",onClick:function(){return f(!0)}},Object(A.translate)("Show %s more","Show %s more",{count:d,args:Object(A.numberFormat)(d)}))),s&&i.length!==l&&T.a.createElement(Lr,null))},Zr=function(e){var t=Object(P.useRef)(e);return Object(P.useEffect)((function(){t.current=e})),t},eo=function(e,t){"function"!=typeof e?e.current=t:e(t)},to=function(e,t){var n=Object(P.useRef)();return Object(P.useCallback)((function(r){e.current=r,n.current&&eo(n.current,null),n.current=t,t&&eo(t,r)}),[t])},no={"min-height":"0","max-height":"none",height:"0",visibility:"hidden",overflow:"hidden",position:"absolute","z-index":"-1000",top:"0",right:"0"},ro=function(e){Object.keys(no).forEach((function(t){e.style.setProperty(t,no[t],"important")}))},oo=null;var ao=function(){},io=["borderBottomWidth","borderLeftWidth","borderRightWidth","borderTopWidth","boxSizing","fontFamily","fontSize","fontStyle","fontWeight","letterSpacing","lineHeight","paddingBottom","paddingLeft","paddingRight","paddingTop","tabSize","textIndent","textRendering","textTransform","width"],lo=!!document.documentElement.currentStyle,uo=function(e,t){var n=e.cacheMeasurements,r=e.maxRows,o=e.minRows,a=e.onChange,i=void 0===a?ao:a,l=e.onHeightChange,u=void 0===l?ao:l,c=H(e,["cacheMeasurements","maxRows","minRows","onChange","onHeightChange"]);var s,f=void 0!==c.value,p=Object(P.useRef)(null),d=to(p,t),h=Object(P.useRef)(0),m=Object(P.useRef)(),g=function(){var e=p.current,t=n&&m.current?m.current:function(e){var t=window.getComputedStyle(e);if(null===t)return null;var n,r=(n=t,io.reduce((function(e,t){return e[t]=n[t],e}),{})),o=r.boxSizing;return""===o?null:(lo&&"border-box"===o&&(r.width=parseFloat(r.width)+parseFloat(r.borderRightWidth)+parseFloat(r.borderLeftWidth)+parseFloat(r.paddingRight)+parseFloat(r.paddingLeft)+"px"),{sizingStyle:r,paddingSize:parseFloat(r.paddingBottom)+parseFloat(r.paddingTop),borderSize:parseFloat(r.borderBottomWidth)+parseFloat(r.borderTopWidth)})}(e);if(t){m.current=t;var a=function(e,t,n,r){void 0===n&&(n=1),void 0===r&&(r=1/0),oo||((oo=document.createElement("textarea")).setAttribute("tab-index","-1"),oo.setAttribute("aria-hidden","true"),ro(oo)),null===oo.parentNode&&document.body.appendChild(oo);var o=e.paddingSize,a=e.borderSize,i=e.sizingStyle,l=i.boxSizing;Object.keys(i).forEach((function(e){var t=e;oo.style[t]=i[t]})),ro(oo),oo.value=t;var u=function(e,t){var n=e.scrollHeight;return"border-box"===t.sizingStyle.boxSizing?n+t.borderSize:n-t.paddingSize}(oo,e);oo.value="x";var c=oo.scrollHeight-o,s=c*n;"border-box"===l&&(s=s+o+a),u=Math.max(s,u);var f=c*r;return"border-box"===l&&(f=f+o+a),u=Math.min(f,u)}(t,e.value||e.placeholder||"x",o,r);h.current!==a&&(h.current=a,e.style.height=a+"px",u(a))}};return Object(P.useLayoutEffect)(g),s=Zr(g),Object(P.useEffect)((function(){var e=function(e){s.current(e)};return window.addEventListener("resize",e),function(){window.removeEventListener("resize",e)}}),[]),Object(P.createElement)("textarea",U({},c,{onChange:function(e){f||g(),i(e)},ref:d}))},co=Object(P.forwardRef)(uo);function so(e){return(so="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function fo(){return(fo=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function po(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function ho(e,t){return(ho=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function mo(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=bo(e);if(t){var o=bo(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return go(this,n)}}function go(e,t){return!t||"object"!==so(t)&&"function"!=typeof t?yo(e):t}function yo(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function bo(e){return(bo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function vo(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function wo(e){return(wo="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function xo(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Eo(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function _o(e,t){return(_o=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Oo(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=jo(e);if(t){var o=jo(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return So(this,n)}}function So(e,t){return!t||"object"!==wo(t)&&"function"!=typeof t?ko(e):t}function ko(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function jo(e){return(jo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Po(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var To,Co=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&_o(e,t)}(a,e);var t,n,r,o=Oo(a);function a(){var e;xo(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return Po(ko(e=o.call.apply(o,[this].concat(n))),"handleClickOutside",(function(){e.props.onClose()})),e}return t=a,(n=[{key:"render",value:function(){var e=this.props.onClose;return T.a.createElement("div",{className:"redirection-modal_content"},T.a.createElement("div",{className:"redirection-modal_close"},T.a.createElement("button",{onClick:e},"✖")),this.props.children)}}])&&Eo(t.prototype,n),r&&Eo(t,r),a}(T.a.Component),Ro=(To=Co,function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&ho(e,t)}(a,e);var t,n,r,o=mo(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),vo(yo(t=o.call(this,e)),"onClick",(function(e){t.node.current&&null===e.target.closest(".redirect-click-outside")&&t.node.current.handleClickOutside(e)})),vo(yo(t),"onKeydown",(function(e){"Escape"===e.key&&t.node.current.handleClickOutside(e)})),t.node=T.a.createRef(),t}return t=a,(n=[{key:"componentDidMount",value:function(){addEventListener("mousedown",this.onClick),addEventListener("keydown",this.onKeydown)}},{key:"componentWillUnmount",value:function(){removeEventListener("mousedown",this.onClick),removeEventListener("keydown",this.onKeydown)}},{key:"render",value:function(){return T.a.createElement("div",{className:"redirect-click-outside"},T.a.createElement(To,fo({},this.props,{ref:this.node})))}}])&&po(t.prototype,n),r&&po(t,r),a}(T.a.Component));n(65);function Ao(e){Object(P.useEffect)((function(){return document.body.classList.add("redirection-modal_shown"),function(){document.body.classList.remove("redirection-modal_shown")}}));var t=On()({"redirection-modal_wrapper":!0,"redirection-modal_wrapper-padding":e.padding});return T.a.createElement("div",{className:t},T.a.createElement("div",{className:"redirection-modal_backdrop"}),T.a.createElement("div",{className:"redirection-modal_main"},T.a.createElement(Ro,e)))}Ao.defaultProps={padding:!0,onClose:function(){}};var No=function(e){return R.a.createPortal(T.a.createElement(Ao,e),document.getElementById("react-modal"))};n(67);function Io(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Do(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Do(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Do(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var Lo=ge((function(e){var t=e.search;return{rawData:t.rawData,status:t.status}}),(function(e){return{onLoad:function(t,n){e(function(e,t){return function(n){return Nt(Lt.loadRow(e,t)).then((function(e){n({type:"SEARCH_LOAD_ROW_COMPLETE",rowId:t,row:e.result})})).catch((function(e){n({type:"SEARCH_FAIL",error:e})})),n({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n))},onSave:function(t,n,r,o){e(function(e,t,n,r){return function(o,a){var i=a().search.search,l=i.searchPhrase,u=i.searchFlags,c=i.replacement,s=i.sourceFlags,f={searchPhrase:l,replacement:c,searchFlags:Object.keys(u),sourceFlags:Object.keys(s)};return Nt(Lt.saveRow(e,t,jr(jr({},f),{},{columnId:n,content:r}))).then((function(e){o(jr(jr({type:"SEARCH_SAVE_ROW_COMPLETE"},e),{},{rowId:t}))})).catch((function(e){o({type:"SEARCH_FAIL",error:e})})),o({type:"SEARCH_REPLACE_ROW",rowId:t})}}(t,n,r,o))}}}))((function(e){var t=e.result,n=e.onClose,r=e.onLoad,o=e.rawData,a=e.onSave,i=e.status,l=t.row_id,u=t.source_type,c=t.columns,s=Io(Object(P.useState)(c[0].column_id),2),f=s[0],p=s[1],d=Io(Object(P.useState)(""),2),h=d[0],m=d[1],g=c.find((function(e){return e.column_id===f}))?c.find((function(e){return e.column_id===f})).column_label:"";return Object(P.useEffect)((function(){r(u,l)}),[]),Object(P.useEffect)((function(){o&&m(o[f]?o[f]:"")}),[o]),o?T.a.createElement(No,{onClose:n},T.a.createElement("div",{className:"searchregex-editor"},T.a.createElement("h2",null,Object(A.translate)("Editing %s",{args:g})),T.a.createElement(co,{value:h,rows:"15",maxRows:30,onChange:function(e){return m(e.target.value)},disabled:i===Ee}),T.a.createElement("div",{className:"searchregex-editor__actions"},1===c.length&&T.a.createElement("div",null," "),c.length>1&&T.a.createElement(Bt,{name:"column_id",value:f,items:c.map((function(e){return{value:e.column_id,label:e.column_label}})),onChange:function(e){return t=e.target.value,p(t),void m(o[t]?o[t]:"");var t},isEnabled:i!==Ee}),T.a.createElement("div",null,i===Ee&&T.a.createElement(Dr,null),T.a.createElement("button",{disabled:i===Ee,className:"button button-primary",onClick:function(){n(),a(u,l,f,h)}},Object(A.translate)("Save")),T.a.createElement("button",{className:"button button-secondary",onClick:function(){return n()}},Object(A.translate)("Close")))))):null}));n(69);function Fo(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Mo(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Mo(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Mo(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function zo(e,t){return null===t||t.length>0?t:e}function Uo(e){var t=e.view,n=e.title;return t?T.a.createElement(vn,{url:t},n):n}var Ho=ge((function(e){var t=e.search,n=t.replacing,r=t.search,o=e.settings.values.actionDropdown;return{replacing:n,globalReplacement:r.replacement,actionDropdown:o}}),null)((function(e){var t=e.result,n=e.globalReplacement,r=e.replacing,o=e.actionDropdown,a=t.columns,i=t.actions,l=t.row_id,u=t.source_name,c=t.source_type,s=t.title,f=t.match_count,p=r&&-1!==r.indexOf(l),d=Fo(Object(P.useState)(""),2),h=d[0],m=d[1],g=Fo(Object(P.useState)(!1),2),y=g[0],b=g[1];return Object(P.useEffect)((function(){m("")}),[n]),T.a.createElement("tr",{className:On()("searchregex-result",{"searchregex-result__updating":p})},T.a.createElement("td",{className:"searchregex-result__table"},T.a.createElement("span",{title:c},u)),T.a.createElement("td",{className:"searchregex-result__row"},Object(A.numberFormat)(l)),T.a.createElement("td",{className:"searchregex-result__row"},f),T.a.createElement("td",{className:"searchregex-result__match"},T.a.createElement("h2",null,T.a.createElement(Uo,{view:i.view,title:s})),a.map((function(e){return T.a.createElement(Jr,{column:e,replacement:zo(n,h),rowId:l,isReplacing:p,sourceType:c,key:e.column_id})}))),T.a.createElement("td",{className:On()("searchregex-result__action",o&&"searchregex-result__action__dropdown")},p?T.a.createElement(Dr,null):T.a.createElement(Ir,{actions:i,setReplacement:m,result:t,onEditor:function(){return b(!0)},sourceType:c,actionDropdown:o,description:Object(A.translate)("Replace %(count)s match.","Replace %(count)s matches.",{count:f,args:{count:Object(A.numberFormat)(f)}})}),y&&T.a.createElement(Lo,{onClose:function(){return b(!1)},result:t})))}));var Bo=function(e){for(var t=e.columns,n=[],r=0;r<t;r++)n.push(T.a.createElement("td",{key:r,colSpan:0==r?2:1},T.a.createElement(en,null)));return T.a.createElement("tr",null,n)};var Wo=function(e){var t=e.columns;return T.a.createElement("tr",null,T.a.createElement("td",{colSpan:t},Object(A.translate)("No more matching results found.")))},$o=function(e){var t=e.title,n=e.button,r=e.className,o=e.enabled,a=e.onClick;return o?T.a.createElement("a",{className:r+" button",href:"#",onClick:function(e){e.preventDefault(),a()}},T.a.createElement("span",{className:"screen-reader-text"},t),T.a.createElement("span",{"aria-hidden":"true"},n)):T.a.createElement("span",{className:"tablenav-pages-navspan button disabled","aria-hidden":"true"},n)};var Vo=ge(null,(function(e){return{onChangePage:function(t){e(Or(t))}}}))((function(e){var t=e.progress,n=e.onChangePage,r=e.isLoading,o=e.matchedPhrases,a=e.matchedRows,i=e.perPage,l=e.noTotal,u=void 0!==l&&l,c=t.current,s=t.previous,f=t.next,p=Math.ceil(a/i),d=Math.ceil(c/i)+1,h=f&&d<p;return T.a.createElement("div",{className:"tablenav-pages"},u&&T.a.createElement("div",null," "),!u&&T.a.createElement("div",{className:"displaying-num"},Object(A.translate)("Matches: %(phrases)s across %(rows)s database row.","Matches: %(phrases)s across %(rows)s database rows.",{count:a,args:{phrases:Object(A.numberFormat)(o),rows:Object(A.numberFormat)(a)}})),T.a.createElement("div",{className:"pagination-links"},T.a.createElement($o,{title:Object(A.translate)("First page"),button:"«",className:"first-page",enabled:!1!==s&&!r,onClick:function(){return n(0)}}),T.a.createElement($o,{title:Object(A.translate)("Prev page"),button:"‹",className:"prev-page",enabled:!1!==s&&!r,onClick:function(){return n(s)}}),T.a.createElement("span",{className:"tablenav-paging-text"},Object(A.translate)("Page %(current)s of %(total)s",{args:{current:Object(A.numberFormat)(d),total:Object(A.numberFormat)(p)}})),T.a.createElement($o,{title:Object(A.translate)("Next page"),button:"›",className:"next-page",enabled:h&&!r,onClick:function(){return n(f)}}),T.a.createElement($o,{title:Object(A.translate)("Last page"),button:"»",className:"last-page",enabled:h&&!r,onClick:function(){return n((p-1)*i)}})))})),qo=function(e,t){return!1===t?100:t/e*100},Go=function(e,t){return 0===t?t:t/e*100};var Qo=ge((function(e){return{search:e.search.search}}),(function(e){return{onChangePage:function(t,n){e(Or(t,n))}}}))((function(e){var t=e.total,n=e.progress,r=e.onChangePage,o=e.isLoading,a=e.searchDirection,i=e.noTotal,l=void 0!==i&&i,u=e.totals,c=n.previous,s=n.next;return T.a.createElement("div",{className:"tablenav-pages"},l&&T.a.createElement("div",null," "),!l&&T.a.createElement("div",{className:"displaying-num"},Object(A.translate)("%s database row in total","%s database rows in total",{count:t,args:Object(A.numberFormat)(t)})," — ",Object(A.translate)("matched rows = %(searched)s, phrases = %(found)s",{args:{searched:Object(A.numberFormat)(u.matched_rows),found:Object(A.numberFormat)(u.matched_phrases)}})),T.a.createElement("div",{className:"pagination-links"},T.a.createElement($o,{title:Object(A.translate)("First page"),button:"«",className:"first-page",enabled:!1!==c&&!o,onClick:function(){return r(0,"forward")}}),T.a.createElement($o,{title:Object(A.translate)("Prev page"),button:"‹",className:"prev-page",enabled:!1!==c&&!o,onClick:function(){return r(c,"backward")}}),T.a.createElement("span",{className:"tablenav-paging-text"},Object(A.translate)("Progress %(current)s%%",{args:{current:Object(A.numberFormat)("forward"===a?qo(t,s):Go(t,0==s?c:s))}})),T.a.createElement($o,{title:Object(A.translate)("Next page"),button:"›",className:"next-page",enabled:!1!==s&&!o,onClick:function(){return r(s,"forward")}})))}));n(71);function Ko(){return(Ko=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}var Yo=function(e){var t=e.totals,n=e.searchDirection,r=e.advanced,o=t.matched_rows,a=t.matched_phrases,i=t.rows;return null==o||0===o?T.a.createElement("div",{className:"tablenav-pages"},T.a.createElement("div",{className:"displaying-num"}," ")):r?T.a.createElement(Qo,Ko({},e,{total:i,searchDirection:n})):T.a.createElement(Vo,Ko({},e,{matchedRows:o,matchedPhrases:a,total:i}))},Xo=0;function Jo(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:1.2;return e>3?Math.min(2e3,Math.round(t*e*n)):t}function Zo(e){var t=(new Date).getTime();setTimeout((function(){Xo=t,e()}),t-Xo>500?0:300)}n(73);var ea=function(e,t,n,r){return e===Ee&&t>0&&n.length<r};var ta=ge((function(e){var t=e.search,n=t.results,r=t.status,o=t.progress,a=t.totals,i=t.requestCount;return{results:n,status:r,progress:o,searchDirection:t.searchDirection,totals:a,requestCount:i,search:t.search,showLoading:t.showLoading,actionDropdown:e.settings.values.actionDropdown}}),(function(e){return{onSearchMore:function(t,n,r){e(function(e,t,n){return function(r,o){var a=o().search,i=a.search,l=a.sources,u=a.searchDirection,c=void 0===u?"forward":u,s=Er(Er({},Le(i,l)),{},{page:e,perPage:t,searchDirection:c,limit:n});return r(Er({type:"SEARCH_START_MORE"},s)),Sr(s,r)}}(t,n,r))},onSetError:function(t){e(function(e){return{type:"SEARCH_FAIL",error:{message:e}}}(t))},onCancel:function(){e({type:"SEARCH_CANCEL",clearAll:!1})}}}))((function(e){var t=e.results,n=e.totals,r=e.progress,o=e.status,a=e.requestCount,i=e.search,l=e.searchDirection,u=e.showLoading,c=e.onCancel,s=e.actionDropdown,f=i.perPage,p=i.searchFlags,d=e.onSearchMore,h=e.onChangePage,m=e.onSetError,g=o===Ee;return Object(P.useEffect)((function(){if(a>1e3)m(Object(A.translate)("Maximum number of page requests has been exceeded and the search stopped. Try to be more specific with your search term."));else if(p.regex)if(ea(o,a,t,f)&&function(e,t){return"forward"===e&&!1!==t.next||"backward"===e&&!1!==t.previous}(l,r)){var e=Jo(a,f),n="forward"===l?r.next:r.previous;Zo((function(){return d(n,e,f-t.length)}))}else!ea(o,a,t,f)&&a>0&&c()}),[a]),T.a.createElement(T.a.Fragment,null,T.a.createElement(Yo,{totals:n,onChangePage:h,perPage:f,isLoading:g,progress:r,searchDirection:l,advanced:!!p.regex}),T.a.createElement("table",{className:On()("wp-list-table","widefat","fixed","striped","items","searchregex-results")},T.a.createElement("thead",null,T.a.createElement("tr",null,T.a.createElement("th",{className:"searchregex-result__table"},Object(A.translate)("Source")),T.a.createElement("th",{className:"searchregex-result__row"},Object(A.translate)("Row ID")),T.a.createElement("th",{className:"searchregex-result__matches"},Object(A.translate)("Matches")),T.a.createElement("th",{className:"searchregex-result__match"},Object(A.translate)("Matched Phrases")),T.a.createElement("th",{className:On()("searchregex-result__action",s&&"searchregex-result__action__dropdown")},Object(A.translate)("Actions")))),T.a.createElement("tbody",null,t.map((function(e,t){return T.a.createElement(Ho,{key:t,result:e})})),u&&T.a.createElement(Bo,{columns:4}),!g&&0===t.length&&T.a.createElement(Wo,{columns:5}))),T.a.createElement(Yo,{totals:n,onChangePage:h,perPage:f,isLoading:g,progress:r,searchDirection:l,noTotal:!0,advanced:!!p.regex}))})),na=function(e,t){return e===Ee||0===t.length},ra=function(e,t,n){return e===Ee||0===t.length||t===n||null!==n&&0===n.length};var oa=ge((function(e){var t=e.search;return{search:t.search,status:t.status,replaceAll:t.replaceAll,canCancel:t.canCancel}}),(function(e){return{onCancel:function(){e({type:"SEARCH_CANCEL",clearAll:!1})},onSearch:function(t,n){e(Or(t,n))},onReplace:function(t){e(function(e){return function(t,n){var r=n().search,o=r.search,a=yr(yr({},Le(o,r.sources)),{},{replacePhrase:Fe(o.replacement),offset:"0",perPage:e});return t({type:"SEARCH_REPLACE_ALL"}),wr(a,t)}}(t))}}}))((function(e){var t=e.search,n=e.status,r=e.onSearch,o=e.onReplace,a=e.onCancel,i=e.replaceAll,l=e.canCancel,u=t.searchPhrase,c=t.replacement;return T.a.createElement("div",{className:"searchregex-search__action"},T.a.createElement("input",{className:"button button-primary",type:"submit",value:Object(A.translate)("Search"),onClick:function(){return r(0,"forward")},disabled:na(n,u)||i}),T.a.createElement("input",{className:"button button-delete",type:"submit",value:Object(A.translate)("Replace All"),onClick:function(){return o(50)},disabled:ra(n,u,c)||i}),n===Ee&&l&&T.a.createElement(T.a.Fragment,null,T.a.createElement("button",{className:"button button-delete",onClick:a},Object(A.translate)("Cancel")),T.a.createElement(Dr,null)))})),aa={className:"",percent:0,prefixCls:"rc-progress",strokeColor:"#2db7f5",strokeLinecap:"round",strokeWidth:1,style:{},trailColor:"#D9D9D9",trailWidth:1},ia=function(e){var t=e.map((function(){return Object(P.useRef)()})),n=Object(P.useRef)();return Object(P.useEffect)((function(){var e=Date.now(),r=!1;Object.keys(t).forEach((function(o){var a=t[o].current;if(a){r=!0;var i=a.style;i.transitionDuration=".3s, .3s, .3s, .06s",n.current&&e-n.current<100&&(i.transitionDuration="0s, 0s")}})),r&&(n.current=Date.now())})),[t]};function la(){return(la=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function ua(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return ca(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return ca(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function ca(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function sa(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}var fa=function(e){var t=e.className,n=e.percent,r=e.prefixCls,o=e.strokeColor,a=e.strokeLinecap,i=e.strokeWidth,l=e.style,u=e.trailColor,c=e.trailWidth,s=e.transition,f=sa(e,["className","percent","prefixCls","strokeColor","strokeLinecap","strokeWidth","style","trailColor","trailWidth","transition"]);delete f.gapPosition;var p=Array.isArray(n)?n:[n],d=Array.isArray(o)?o:[o],h=ua(ia(p),1)[0],m=i/2,g=100-i/2,y="M ".concat("round"===a?m:0,",").concat(m,"\n L ").concat("round"===a?g:100,",").concat(m),b="0 0 100 ".concat(i),v=0;return T.a.createElement("svg",la({className:On()("".concat(r,"-line"),t),viewBox:b,preserveAspectRatio:"none",style:l},f),T.a.createElement("path",{className:"".concat(r,"-line-trail"),d:y,strokeLinecap:a,stroke:u,strokeWidth:c||i,fillOpacity:"0"}),p.map((function(e,t){var n={strokeDasharray:"".concat(e,"px, 100px"),strokeDashoffset:"-".concat(v,"px"),transition:s||"stroke-dashoffset 0.3s ease 0s, stroke-dasharray .3s ease 0s, stroke 0.3s linear"},o=d[t]||d[d.length-1];return v+=e,T.a.createElement("path",{key:t,className:"".concat(r,"-line-path"),d:y,strokeLinecap:a,stroke:o,strokeWidth:i,fillOpacity:"0",ref:h[t],style:n})})))};fa.defaultProps=aa;var pa=fa;function da(){return(da=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function ha(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return ma(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return ma(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function ma(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function ga(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}var ya=0;function ba(e){return+e.replace("%","")}function va(e){return Array.isArray(e)?e:[e]}function wa(e,t,n,r){var o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:0,a=arguments.length>5?arguments[5]:void 0,i=50-r/2,l=0,u=-i,c=0,s=-2*i;switch(a){case"left":l=-i,u=0,c=2*i,s=0;break;case"right":l=i,u=0,c=-2*i,s=0;break;case"bottom":u=i,s=2*i}var f="M 50,50 m ".concat(l,",").concat(u,"\n a ").concat(i,",").concat(i," 0 1 1 ").concat(c,",").concat(-s,"\n a ").concat(i,",").concat(i," 0 1 1 ").concat(-c,",").concat(s),p=2*Math.PI*i,d={stroke:n,strokeDasharray:"".concat(t/100*(p-o),"px ").concat(p,"px"),strokeDashoffset:"-".concat(o/2+e/100*(p-o),"px"),transition:"stroke-dashoffset .3s ease 0s, stroke-dasharray .3s ease 0s, stroke .3s, stroke-width .06s ease .3s"};return{pathString:f,pathStyle:d}}var xa=function(e){var t,n=e.prefixCls,r=e.strokeWidth,o=e.trailWidth,a=e.gapDegree,i=e.gapPosition,l=e.trailColor,u=e.strokeLinecap,c=e.style,s=e.className,f=e.strokeColor,p=e.percent,d=ga(e,["prefixCls","strokeWidth","trailWidth","gapDegree","gapPosition","trailColor","strokeLinecap","style","className","strokeColor","percent"]),h=Object(P.useMemo)((function(){return ya+=1}),[]),m=wa(0,100,l,r,a,i),g=m.pathString,y=m.pathStyle,b=va(p),v=va(f),w=v.find((function(e){return"[object Object]"===Object.prototype.toString.call(e)})),x=ha(ia(b),1)[0];return T.a.createElement("svg",da({className:On()("".concat(n,"-circle"),s),viewBox:"0 0 100 100",style:c},d),w&&T.a.createElement("defs",null,T.a.createElement("linearGradient",{id:"".concat(n,"-gradient-").concat(h),x1:"100%",y1:"0%",x2:"0%",y2:"0%"},Object.keys(w).sort((function(e,t){return ba(e)-ba(t)})).map((function(e,t){return T.a.createElement("stop",{key:t,offset:e,stopColor:w[e]})})))),T.a.createElement("path",{className:"".concat(n,"-circle-trail"),d:g,stroke:l,strokeLinecap:u,strokeWidth:o||r,fillOpacity:"0",style:y}),(t=0,b.map((function(e,o){var l=v[o]||v[v.length-1],c="[object Object]"===Object.prototype.toString.call(l)?"url(#".concat(n,"-gradient-").concat(h,")"):"",s=wa(t,e,l,r,a,i);return t+=e,T.a.createElement("path",{key:o,className:"".concat(n,"-circle-path"),d:s.pathString,stroke:c,strokeLinecap:u,strokeWidth:r,opacity:0===e?0:1,fillOpacity:"0",style:s.pathStyle,ref:x[o]})}))).reverse())};xa.defaultProps=aa;var Ea=n(21);n(75);function _a(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,o=!1,a=void 0;try{for(var i,l=e[Symbol.iterator]();!(r=(i=l.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==l.return||l.return()}finally{if(o)throw a}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return Oa(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Oa(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function Oa(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}var Sa=ge((function(e){var t=e.search,n=t.progress,r=t.totals,o=t.requestCount,a=t.replaceCount,i=t.phraseCount;return{status:t.status,progress:n,totals:r,requestCount:o,replaceCount:a,phraseCount:i,isRegex:void 0!==t.search.searchFlags.regex}}),(function(e){return{onClear:function(){e({type:"SEARCH_CANCEL",clearAll:!0})},onNext:function(t,n){e(function(e,t){return function(n,r){var o=r().search,a=o.search,i=yr(yr({},Le(a,o.sources)),{},{replacePhrase:Fe(a.replacement),offset:e,perPage:t});return n({type:"SEARCH_REPLACE_ALL_MORE"}),wr(i,n)}}(t,n))}}}))((function(e){var t=e.progress,n=e.totals,r=e.requestCount,o=e.replaceCount,a=e.onNext,i=e.status,l=e.onClear,u=e.phraseCount,c=function(e,t){return e?t.rows:t.matched_rows}(e.isRegex,n),s=void 0===t.current?0:t.current,f=Math.min(100,i===Ee?function(e,t){return t>0?Math.round(e/t*100):0}(s,c):100),p=Object(Ea.a)(o),d=_a(Object(P.useState)(0),2),h=d[0],m=d[1];return Object(P.useEffect)((function(){r>0&&!1!==t.next&&i===Ee&&(p&&p.prev&&p.prev<p.curr?m(Math.max(0,h-5)):m(h+1),Zo((function(){return a(t.next,Jo(h,200))})))}),[r]),T.a.createElement("div",{className:"searchregex-replaceall"},T.a.createElement("h3",null,Object(A.translate)("Replace progress")),T.a.createElement("div",{className:"searchregex-replaceall__progress"},T.a.createElement("div",{className:"searchregex-replaceall__container"},T.a.createElement(pa,{percent:f,strokeWidth:"4",trailWidth:"4",strokeLinecap:"square"})),T.a.createElement("div",{className:"searchregex-replaceall__status"},"".concat(f,"%"))),T.a.createElement("div",{className:"searchregex-replaceall__stats"},T.a.createElement("h4",null,Object(A.translate)("Replace Information")),T.a.createElement("p",null,Object(A.translate)("%s phrase.","%s phrases.",{count:u,args:Object(A.numberFormat)(u)})," ",Object(A.translate)("%s row.","%s rows.",{count:o,args:Object(A.numberFormat)(o)})),i===_e&&T.a.createElement("button",{className:"button button-primary",onClick:l},Object(A.translate)("Finished!"))))}));n(77);var ka=ge((function(e){var t=e.search;return{status:t.status,replaceAll:t.replaceAll}}),null)((function(e){var t=e.status,n=e.replaceAll;return T.a.createElement(T.a.Fragment,null,T.a.createElement("div",{className:"inline-notice inline-warning"},T.a.createElement("p",null,Object(A.translate)("Please backup your data before making modifications."))),T.a.createElement("p",null,Object(A.translate)("Search and replace information in your database.")),T.a.createElement("form",{className:"searchregex-search",onSubmit:function(e){return e.preventDefault()}},T.a.createElement(Ar,null),T.a.createElement(oa,null)),t&&(n?T.a.createElement(Sa,null):T.a.createElement(ta,null)))}));function ja(e){return 0===e.code?e.message:e.data&&e.data.wpdb?T.a.createElement("span",null,"".concat(e.message," (").concat(e.code,")"),": ",T.a.createElement("code",null,e.data.wpdb)):e.code?T.a.createElement(T.a.Fragment,null,e.message," (",T.a.createElement("code",null,e.code),")"):e.message}var Pa=function(e){var t,n,r,o,a=e.error;if(0===a.code)return T.a.createElement("p",null,Object(A.translate)("WordPress did not return a response. This could mean an error occurred or that the request was blocked. Please check your server error_log."));if("rest_cookie_invalid_nonce"===a.code)return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("Your REST API is being cached. Please clear any caching plugin and any server cache, logout, clear your browser cache, and try again.")),T.a.createElement("p",null,T.a.createElement(vn,{url:"https://searchregex.com/support/problems/cloudflare/"},Object(A.translate)("Read this REST API guide for more information."))));if(a.request&&function(e,t){return(-1!==[400,401,403,405].indexOf(e)||"rest_no_route"===t)&&0===parseInt(t,10)}(a.request.status,a.code))return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("Your REST API is probably being blocked by a security plugin. Please disable this, or configure it to allow REST API requests.")),T.a.createElement("p",null,T.a.createElement(vn,{url:"https://searchregex.com/support/problems/rest-api/"},Object(A.translate)("Read this REST API guide for more information."))));if(a.request&&404===a.request.status)return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("Your REST API is returning a 404 page. This may be caused by a security plugin, or your server may be misconfigured")),T.a.createElement("p",null,T.a.createElement(vn,{url:"https://searchregex.com/support/problems/rest-api/"},Object(A.translate)("Read this REST API guide for more information."))));if(a.request&&413===a.request.status)return T.a.createElement("p",null,Object(A.translate)("Your server has rejected the request for being too big. You will need to change it to continue."));if(a.request&&function(e){return-1!==[500,502,503].indexOf(e)}(a.request.status))return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("This could be a security plugin, or your server is out of memory or has an external error. Please check your server error log")),T.a.createElement("p",null,T.a.createElement(vn,{url:"https://searchregex.com/support/problems/rest-api/#http"},Object(A.translate)("Read this REST API guide for more information."))));if("disabled"===a.code||"rest_disabled"===a.code)return T.a.createElement("p",null,Object(A.translate)("Your WordPress REST API has been disabled. You will need to enable it for Search Regex to continue working"));if(void 0===a.message)return T.a.createElement("p",null,Object(A.translate)("An unknown error occurred."));if(-1!==a.message.indexOf("Unexpected token")||-1!==a.message.indexOf("JSON parse error")){var i=(t=a.request,n=t.raw,r=n.split("<br />").filter((function(e){return e})),(o=n.lastIndexOf("}"))!==n.length?n.substr(o+1).trim():r.slice(0,r.length-1).join(" ").trim());return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("WordPress returned an unexpected message. This is probably a PHP error from another plugin.")),i.length>1&&T.a.createElement("p",null,T.a.createElement("strong",null,Object(A.translate)("Possible cause"),":")," ",T.a.createElement("code",null,i.substr(0,1e3))))}var l=a.message.toLowerCase();return"failed to fetch"===l||"not allowed to request resource"===l||-1!==l.indexOf("networkerror")?T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,ja(a)),T.a.createElement("p",null,Object(A.translate)("Unable to make request due to browser security. This is typically because your WordPress and Site URL settings are inconsistent, or the request was blocked by your site CORS policy.")),T.a.createElement("p",null,T.a.createElement(vn,{url:"https://searchregex.com/support/problems/rest-api/#url"},Object(A.translate)("Read this REST API guide for more information.")))):T.a.createElement("p",null,ja(a))};function Ta(e){return(Ta="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Ca(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Ra(e,t){return(Ra=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Aa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Da(e);if(t){var o=Da(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Na(this,n)}}function Na(e,t){return!t||"object"!==Ta(t)&&"function"!=typeof t?Ia(e):t}function Ia(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Da(e){return(Da=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function La(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Fa=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ra(e,t)}(a,e);var t,n,r,o=Aa(a);function a(e){var t;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),La(Ia(t=o.call(this,e)),"onShow",(function(e){e.preventDefault(),t.setState({hide:!1})})),La(Ia(t),"onHide",(function(e){e.preventDefault(),t.setState({hide:!0})}));var n=t.props.error.request;return t.state={hide:t.doesNeedHiding(n)},t}return t=a,(n=[{key:"doesNeedHiding",value:function(e){return e&&e.raw&&e.raw.length>500}},{key:"render",value:function(){var e=this.props.error.request,t=this.state.hide,n=this.doesNeedHiding(e);return e&&e.raw?T.a.createElement(T.a.Fragment,null,n&&t&&T.a.createElement("a",{className:"api-result-hide",onClick:this.onShow,href:"#"},Object(A.translate)("Show Full")),n&&!t&&T.a.createElement("a",{className:"api-result-hide",onClick:this.onHide,href:"#"},Object(A.translate)("Hide")),T.a.createElement("pre",null,t?e.raw.substr(0,500)+" ...":e.raw)):null}}])&&Ca(t.prototype,n),r&&Ca(t,r),a}(T.a.Component),Ma=function(e,t){var n=function(e){return e.code?e.code:e.name?e.name:null}(e);return T.a.createElement("div",{className:"api-result-log_details",key:t},T.a.createElement("p",null,T.a.createElement("span",{className:"dashicons dashicons-no"})),T.a.createElement("div",null,T.a.createElement("p",null,t.map((function(t,n){return T.a.createElement("span",{key:n,className:"api-result-method_fail"},t," ",e.data&&e.data.status)})),n&&T.a.createElement("strong",null,n,": "),e.message),T.a.createElement(Pa,{error:e}),T.a.createElement(Fa,{error:e})))},za=function(e){return T.a.createElement("p",{key:e},T.a.createElement("span",{className:"dashicons dashicons-yes"}),e.map((function(e,t){return T.a.createElement("span",{key:t,className:"api-result-method_pass"},e)})),Object(A.translate)("Working!"))},Ua=function(e){return e.code?e.code:0},Ha=function(e){var t=e.result,n=[],r=t.GET,o=t.POST;return r.status===o.status&&Ua(r)===Ua(o)?("fail"===r.status?n.push(Ma(r.error,["GET","POST"])):n.push(za(["GET","POST"])),n):("fail"===r.status?n.push(Ma(r.error,["GET"])):n.push(za(["GET"])),"fail"===o.status?n.push(Ma(o.error,["POST"])):n.push(za(["POST"])),n)},Ba=function(e){var t=e.item,n=e.result,r=e.routes,o=e.isCurrent,a=e.allowChange;return function(e){return 0===Object.keys(e).length||"loading"===e.GET.status||"loading"===e.POST.status}(n)?null:T.a.createElement("div",{className:"api-result-log"},T.a.createElement("form",{className:"api-result-select",action:SearchRegexi10n.pluginRoot+"&sub=support",method:"POST"},a&&!o&&T.a.createElement("input",{type:"submit",className:"button button-secondary",value:Object(A.translate)("Switch to this API")}),a&&o&&T.a.createElement("span",null,Object(A.translate)("Current API")),T.a.createElement("input",{type:"hidden",name:"rest_api",value:t.value}),T.a.createElement("input",{type:"hidden",name:"_wpnonce",value:xt()}),T.a.createElement("input",{type:"hidden",name:"action",value:"rest_api"})),T.a.createElement("h4",null,t.text),T.a.createElement("p",null,"URL: ",T.a.createElement("code",null,T.a.createElement(vn,{url:r[t.value]},r[t.value]))),T.a.createElement(Ha,{result:n}))};n(79);function Wa(e){return(Wa="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function $a(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Va(e,t){return(Va=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function qa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Ka(e);if(t){var o=Ka(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Ga(this,n)}}function Ga(e,t){return!t||"object"!==Wa(t)&&"function"!=typeof t?Qa(e):t}function Qa(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Ka(e){return(Ka=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ya(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Xa="warning-not-selected",Ja=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Va(e,t)}(a,e);var t,n,r,o=qa(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Ya(Qa(t=o.call(this,e)),"onRetry",(function(e){e.preventDefault,t.setState({showing:!1}),t.onTry()})),Ya(Qa(t),"onShow",(function(){t.setState({showing:!0})})),t.state={showing:!1},t}return t=a,(n=[{key:"componentDidMount",value:function(){this.onTry()}},{key:"onTry",value:function(){var e=this.props.routes,t=Object.keys(e).map((function(t){return{id:t,url:e[t]}}));this.props.onCheckApi(t.filter((function(e){return e})))}},{key:"getPercent",value:function(e,t){if(0===Object.keys(e).length)return 0;for(var n=2*t.length,r=0,o=0;o<Object.keys(e).length;o++){var a=Object.keys(e)[o];e[a]&&e[a].GET&&"loading"!==e[a].GET.status&&r++,e[a]&&e[a].POST&&"loading"!==e[a].POST.status&&r++}return Math.round(r/n*100)}},{key:"getApiStatus",value:function(e,t,n){var r,o=Object.keys(e).filter((function(t){return(n=e[t]).GET&&n.POST&&("fail"===n.GET.status||"fail"===n.POST.status);var n})).length;return 0===o?"ok":o<t.length?(r=e[n]).GET&&r.POST&&"ok"===r.GET.status&&"ok"===r.POST.status?"warning-current":Xa:"fail"}},{key:"getApiStatusText",value:function(e){return"ok"===e?Object(A.translate)("Good"):"warning-current"===e?Object(A.translate)("Working but some issues"):e===Xa?Object(A.translate)("Not working but fixable"):Object(A.translate)("Unavailable")}},{key:"canShowProblem",value:function(e){return this.state.showing||"fail"===e||e===Xa}},{key:"renderError",value:function(e){var t=this.canShowProblem(e),n=Object(A.translate)("There are some problems connecting to your REST API. It is not necessary to fix these problems and the plugin is able to work.");return"fail"===e?n=Object(A.translate)("Your REST API is not working and the plugin will not be able to continue until this is fixed."):e===Xa&&(n=Object(A.translate)("You are using a broken REST API route. Changing to a working API should fix the problem.")),T.a.createElement("div",{className:"api-result-log"},T.a.createElement("p",null,T.a.createElement("strong",null,Object(A.translate)("Summary")),": ",n),!t&&T.a.createElement("p",null,T.a.createElement("button",{className:"button-secondary",onClick:this.onShow},Object(A.translate)("Show Problems"))))}},{key:"render",value:function(){var e=Xt(),t=this.props,n=t.apiTest,r=t.routes,o=t.current,a=t.allowChange,i=this.state.showing,l=this.getPercent(n,e),u=this.getApiStatus(n,e,o),c=l>=100&&this.canShowProblem(u)||i,s=On()({"api-result-status":!0,"api-result-status_good":"ok"===u&&l>=100,"api-result-status_problem":"warning-current"===u&&l>=100,"api-result-status_failed":("fail"===u||u===Xa)&&l>=100});return T.a.createElement("div",{className:"api-result-wrapper"},T.a.createElement("div",{className:"api-result-header"},T.a.createElement("strong",null,"REST API:"),T.a.createElement("div",{className:"api-result-progress"},T.a.createElement("span",{className:s},l<100&&Object(A.translate)("Testing - %s%%",{args:[l]}),l>=100&&this.getApiStatusText(u)),l<100&&T.a.createElement(Dr,null)),l>=100&&"ok"!==u&&T.a.createElement("button",{className:"button button-secondary api-result-retry",onClick:this.onRetry},Object(A.translate)("Check Again"))),l>=100&&"ok"!==u&&this.renderError(u),c&&e.map((function(e,t){return T.a.createElement(Ba,{item:e,result:(i=n,l=e.value,i&&i[l]?i[l]:{}),routes:r,key:t,isCurrent:o===e.value,allowChange:a});var i,l})))}}])&&$a(t.prototype,n),r&&$a(t,r),a}(T.a.Component);Ya(Ja,"defaultProps",{allowChange:!0});var Za=ge((function(e){var t=e.settings,n=t.api,r=n.routes,o=n.current;return{apiTest:t.apiTest,routes:r,current:o}}),(function(e){return{onCheckApi:function(t){e(function(e){return function(t){for(var n=function(n){var r=e[n],o=r.id,a=r.url;t({type:"SETTING_API_TRY",id:o,method:"GET"}),t({type:"SETTING_API_TRY",id:o,method:"POST"}),setTimeout((function(){Nt(Ft.checkApi(a)).then((function(){t({type:"SETTING_API_SUCCESS",id:o,method:"GET"})})).catch((function(e){t({type:"SETTING_API_FAILED",id:o,method:"GET",error:e})})),Nt(Ft.checkApi(a,!0)).then((function(){t({type:"SETTING_API_SUCCESS",id:o,method:"POST"})})).catch((function(e){t({type:"SETTING_API_FAILED",id:o,method:"POST",error:e})}))}),1e3)},r=0;r<e.length;r++)n(r)}}(t))}}}))(Ja);n(81);function ei(e){return(ei="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ti(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function ni(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function ri(e,t){return(ri=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function oi(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=li(e);if(t){var o=li(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return ai(this,n)}}function ai(e,t){return!t||"object"!==ei(t)&&"function"!=typeof t?ii(e):t}function ii(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function li(e){return(li=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function ui(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var ci=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&ri(e,t)}(a,e);var t,n,r,o=oi(a);function a(){var e;ti(this,a);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return ui(ii(e=o.call.apply(o,[this].concat(n))),"onClick",(function(){e.props.onClear()})),e}return t=a,(n=[{key:"componentDidUpdate",value:function(e){0===e.errors.length&&this.props.errors.length>0&&window.scrollTo(0,0)}},{key:"getDebug",value:function(e){for(var t=[SearchRegexi10n.versions],n=0;n<e.length;n++){var r=e[n].request,o=void 0!==r&&r;t.push(""),t.push("Error: "+this.getErrorDetails(e[n])),o&&o.status&&o.statusText&&(t.push("Action: "+o.action),o.params&&t.push("Params: "+JSON.stringify(o.params)),t.push("Code: "+o.status+" "+o.statusText)),o&&t.push("Raw: "+(o.raw?o.raw:"-no data-"))}return t}},{key:"getErrorDetails",value:function(e){return 0===e.code?e.message:e.data&&e.data.wpdb?"".concat(e.message," (").concat(e.code,"): ").concat(e.data.wpdb):e.code?"".concat(e.message," (").concat(e.code,")"):e.message}},{key:"removeSameError",value:function(e){return e.filter((function(t,n){for(var r=n+1;n<e.length-1;n++){if(t.code&&e[r].code&&t.code===e[r].code)return!1;if(t.message&&e[r].message&&t.message===e[r].message)return!1}return!0}))}},{key:"renderDebug",value:function(e){var t="mailto:john@searchregex.com?subject=Search%20Regex%20Error&body="+encodeURIComponent(e.join("\n")),n="https://github.com/johngodley/search-regex/issues/new?title=Search%20Regex%20Error&body="+encodeURIComponent("```\n"+e.join("\n")+"\n```\n\n");return T.a.createElement(T.a.Fragment,null,T.a.createElement("p",null,Object(A.translate)("Please {{strong}}create an issue{{/strong}} or send it in an {{strong}}email{{/strong}}.",{components:{strong:T.a.createElement("strong",null)}})),T.a.createElement("p",null,T.a.createElement("a",{href:n,className:"button-primary"},Object(A.translate)("Create An Issue"))," ",T.a.createElement("a",{href:t,className:"button-secondary"},Object(A.translate)("Email"))),T.a.createElement("p",null,Object(A.translate)("Include these details in your report along with a description of what you were doing and a screenshot.")),T.a.createElement("p",null,T.a.createElement(co,{readOnly:!0,cols:"120",value:e.join("\n"),spellCheck:!1})))}},{key:"renderNonce",value:function(e){return T.a.createElement("div",{className:"red-error"},T.a.createElement("h2",null,Object(A.translate)("You are not authorised to access this page.")),T.a.createElement("p",null,Object(A.translate)("This is usually fixed by doing one of these:")),T.a.createElement("ol",null,T.a.createElement("li",null,Object(A.translate)("Reload the page - your current session is old.")),T.a.createElement("li",null,Object(A.translate)("Log out, clear your browser cache, and log in again - your browser has cached an old session.")),T.a.createElement("li",null,Object(A.translate)("Your admin pages are being cached. Clear this cache and try again."))),T.a.createElement("p",null,Object(A.translate)("The problem is almost certainly caused by one of the above.")),T.a.createElement("h3",null,Object(A.translate)("That didn't help")),this.renderDebug(e))}},{key:"renderError",value:function(e){var t=this.removeSameError(e),n=this.getDebug(t);return e.length>0&&"rest_cookie_invalid_nonce"===e[0].code?this.renderNonce(n):T.a.createElement("div",{className:"red-error"},T.a.createElement("div",{className:"closer",onClick:this.onClick},"✖"),T.a.createElement("h2",null,Object(A.translate)("Something went wrong 🙁")),T.a.createElement("div",{className:"red-error_title"},t.map((function(e,t){return T.a.createElement(Pa,{error:e,key:t})}))),T.a.createElement(Za,null),T.a.createElement("h3",null,Object(A.translate)("What do I do next?")),T.a.createElement("ol",null,T.a.createElement("li",null,Object(A.translate)('Take a look at the {{link}}plugin status{{/link}}. It may be able to identify and "magic fix" the problem.',{components:{link:T.a.createElement("a",{href:"?page=search-regex.php&sub=support"})}})),T.a.createElement("li",null,Object(A.translate)("{{link}}Caching software{{/link}}, in particular Cloudflare, can cache the wrong thing. Try clearing all your caches.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/problems/cloudflare/"})}})),T.a.createElement("li",null,Object(A.translate)("{{link}}Please temporarily disable other plugins!{{/link}} This fixes so many problems.",{components:{link:T.a.createElement(vn,{url:"https://searchregex.com/support/problems/plugins/"})}})),T.a.createElement("li",null,Object(A.translate)("If you are using WordPress 5.2 or newer then look at your {{link}}Site Health{{/link}} and resolve any issues.",{components:{link:T.a.createElement(vn,{url:"/wp-admin/site-health.php"})}}))),T.a.createElement("h3",null,Object(A.translate)("That didn't help")),this.renderDebug(n))}},{key:"render",value:function(){var e=this.props.errors;return 0===e.length?null:this.renderError(e)}}])&&ni(t.prototype,n),r&&ni(t,r),a}(T.a.Component);var si=ge((function(e){return{errors:e.message.errors}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_ERRORS"})}}}))(ci);n(83);function fi(e){return(fi="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function pi(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function di(e,t){return(di=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function hi(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=yi(e);if(t){var o=yi(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return mi(this,n)}}function mi(e,t){return!t||"object"!==fi(t)&&"function"!=typeof t?gi(e):t}function gi(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function yi(e){return(yi=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function bi(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var vi=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&di(e,t)}(a,e);var t,n,r,o=hi(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),bi(gi(t=o.call(this,e)),"onClick",(function(){t.state.shrunk?t.setState({shrunk:!1}):t.props.onClear()})),bi(gi(t),"onShrink",(function(){t.setState({shrunk:!0})})),t.state={shrunk:!1,width:"auto"},t}return t=a,(n=[{key:"getSnapshotBeforeUpdate",value:function(e){return this.props.notices!==e.notices&&(this.stopTimer(),this.setState({shrunk:!1}),this.startTimer()),null}},{key:"componentWillUnmount",value:function(){this.stopTimer()}},{key:"stopTimer",value:function(){clearTimeout(this.timer)}},{key:"startTimer",value:function(){this.timer=setTimeout(this.onShrink,5e3)}},{key:"getNotice",value:function(e){return e.length>1?e[e.length-1]+" ("+e.length+")":e[0]}},{key:"renderNotice",value:function(e){var t="notice notice-info redirection-notice"+(this.state.shrunk?" redirection-notice_shrunk":"");return T.a.createElement("div",{className:t,onClick:this.onClick},T.a.createElement("div",{className:"closer"},"✔"),T.a.createElement("p",null,this.state.shrunk?T.a.createElement("span",{title:Object(A.translate)("View notice")},"🔔"):this.getNotice(e)))}},{key:"render",value:function(){var e=this.props.notices;return 0===e.length?null:this.renderNotice(e)}}])&&pi(t.prototype,n),r&&pi(t,r),a}(T.a.Component);var wi=ge((function(e){return{notices:e.message.notices}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_NOTICES"})}}}))(vi),xi=function(e){var t=e.item,n=e.isCurrent,r=e.onClick,o=SearchRegexi10n.pluginRoot+(""===t.value?"":"&sub="+t.value);return T.a.createElement("li",null,T.a.createElement("a",{className:n?"current":"",href:o,onClick:function(e){e.preventDefault(),r(t.value,o)}},t.name))};function Ei(e){return-1!==SearchRegexi10n.caps.pages.indexOf(e)}n(85);var _i=function(e,t){return e===t.value||"search"===e&&""===t.value},Oi=function(e){var t=e.onChangePage,n=e.current,r=[{name:Object(A.translate)("Search & Replace"),value:""},{name:Object(A.translate)("Options"),value:"options"},{name:Object(A.translate)("Support"),value:"support"}].filter((function(e){return Ei(e.value)||""===e.value&&Ei("search")}));return r.length<2?null:T.a.createElement("div",{className:"subsubsub-container"},T.a.createElement("ul",{className:"subsubsub"},r.map((function(e,r){return T.a.createElement(xi,{key:r,item:e,isCurrent:_i(n,e),onClick:t})})).reduce((function(e,t){return[e," | ",t]}))))};n(87);function Si(e){return(Si="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ki(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function ji(e,t){return(ji=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Pi(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Ri(e);if(t){var o=Ri(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return Ti(this,n)}}function Ti(e,t){return!t||"object"!==Si(t)&&"function"!=typeof t?Ci(e):t}function Ci(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Ri(e){return(Ri=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ai(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Ni=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&ji(e,t)}(a,e);var t,n,r,o=Pi(a);function a(e){var t;return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Ai(Ci(t=o.call(this,e)),"onPageChanged",(function(){var e=at();t.changePage(e),t.setState({page:e,clicked:t.state.clicked+1})})),Ai(Ci(t),"onChangePage",(function(e,n){""===e&&(e="search"),t.props.onClear(),history.pushState({},null,n),t.changePage(e),t.setState({page:e,clicked:t.state.clicked+1})})),t.state={page:at(),clicked:0,stack:!1,error:"2.1"!==SearchRegexi10n.version,info:!1},window.addEventListener("popstate",t.onPageChanged),t}return t=a,(n=[{key:"componentDidCatch",value:function(e,t){this.setState({error:!0,stack:e,info:t})}},{key:"componentWillUnmount",value:function(){window.removeEventListener("popstate",this.onPageChanged)}},{key:"changePage",value:function(e){}},{key:"getContent",value:function(e){switch(this.state.clicked,e){case"support":return T.a.createElement(En,null);case"options":return T.a.createElement(bn,null)}return T.a.createElement(ka,null)}},{key:"renderError",value:function(){var e=[SearchRegexi10n.versions,"Buster: 2.1 === "+SearchRegexi10n.version,"",this.state.stack?this.state.stack:""];return this.state.info&&this.state.info.componentStack&&e.push(this.state.info.componentStack),"2.1"!==SearchRegexi10n.version?T.a.createElement("div",{className:"red-error"},T.a.createElement("h2",null,Object(A.translate)("Cached Search Regex detected")),T.a.createElement("p",null,Object(A.translate)("Please clear your browser cache and reload this page.")),T.a.createElement("p",null,Object(A.translate)("If you are using a caching system such as Cloudflare then please read this: "),T.a.createElement(vn,{url:"https://searchregex.com/support/problems/cloudflare/"},Object(A.translate)("clearing your cache."))),T.a.createElement("p",null,T.a.createElement("textarea",{readOnly:!0,rows:e.length+6,cols:"120",value:e.join("\n"),spellCheck:!1}))):T.a.createElement("div",{className:"red-error"},T.a.createElement("h2",null,Object(A.translate)("Something went wrong 🙁")),T.a.createElement("p",null,Object(A.translate)("Search Regex is not working. Try clearing your browser cache and reloading this page.")," ",Object(A.translate)("If you are using a page caching plugin or service (CloudFlare, OVH, etc) then you can also try clearing that cache.")),T.a.createElement("p",null,Object(A.translate)("If that doesn't help, open your browser's error console and create a {{link}}new issue{{/link}} with the details.",{components:{link:T.a.createElement(vn,{url:"https://github.com/johngodley/searchregex/issues"})}})),T.a.createElement("p",null,Object(A.translate)("Please mention {{code}}%s{{/code}}, and explain what you were doing at the time",{components:{code:T.a.createElement("code",null)},args:this.state.page})),T.a.createElement("p",null,T.a.createElement("textarea",{readOnly:!0,rows:e.length+8,cols:"120",value:e.join("\n"),spellCheck:!1})))}},{key:"render",value:function(){var e=this.state,t=e.error,n=e.page,r={search:Object(A.translate)("Search Regex"),options:Object(A.translate)("Options"),support:Object(A.translate)("Support")}[n];return t?this.renderError():T.a.createElement("div",{className:"wrap searchregex"},T.a.createElement("h1",{className:"wp-heading-inline"},r),T.a.createElement(Oi,{onChangePage:this.onChangePage,current:n}),T.a.createElement(si,null),this.getContent(n),T.a.createElement(wi,null))}}])&&ki(t.prototype,n),r&&ki(t,r),a}(T.a.Component);var Ii,Di=ge((function(e){return{errors:e.message.errors}}),(function(e){return{onClear:function(){e({type:"MESSAGE_CLEAR_ERRORS"})}}}))(Ni),Li=function(){return T.a.createElement(z,{store:ut({settings:ct(),search:(e=st("sources",[]),{results:[],replacements:[],replacing:[],replaceAll:!1,replaceCount:0,phraseCount:0,search:bt(e),searchDirection:null,requestCount:0,totals:{matched_rows:0,matched_phrases:0,rows:0},progress:{},status:null,showLoading:!1,sources:e,sourceFlags:st("source_flags",[]),rawData:null,canCancel:!1}),message:{errors:[],notices:[],inProgress:0,saving:[]}})},T.a.createElement(T.a.StrictMode,null,T.a.createElement(Di,null)));var e};document.querySelector("#react-ui")&&(Ii="react-ui",N.a.setLocale({"":{localeSlug:SearchRegexi10n.localeSlug}}),N.a.addTranslations(SearchRegexi10n.locale),R.a.render(T.a.createElement(Li,null),document.getElementById(Ii))),window.searchregex=SearchRegexi10n.version}]);
|
search-regex.php
CHANGED
@@ -4,7 +4,7 @@
|
|
4 |
Plugin Name: Search Regex
|
5 |
Plugin URI: https://searchregex.com/
|
6 |
Description: Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support
|
7 |
-
Version: 2.
|
8 |
Author: John Godley
|
9 |
Text Domain: search-regex
|
10 |
Domain Path: /locale
|
4 |
Plugin Name: Search Regex
|
5 |
Plugin URI: https://searchregex.com/
|
6 |
Description: Adds search and replace functionality across posts, pages, comments, and meta-data, with full regular expression support
|
7 |
+
Version: 2.1
|
8 |
Author: John Godley
|
9 |
Text Domain: search-regex
|
10 |
Domain Path: /locale
|
source/core/comment.php
CHANGED
@@ -32,25 +32,25 @@ class Source_Comment extends Search_Source {
|
|
32 |
return $column;
|
33 |
}
|
34 |
|
35 |
-
public function get_search_conditions(
|
36 |
global $wpdb;
|
37 |
|
38 |
// If searching a particular post type then just look there
|
39 |
if ( ! $this->source_flags->has_flag( 'comment_spam' ) ) {
|
40 |
-
return
|
41 |
}
|
42 |
|
43 |
-
return
|
44 |
}
|
45 |
|
46 |
public function get_actions( Result $result ) {
|
47 |
-
$
|
48 |
-
|
49 |
-
$
|
50 |
$raw = $result->get_raw();
|
51 |
|
52 |
-
if ( $link ) {
|
53 |
-
$view =
|
54 |
|
55 |
return array_filter( [
|
56 |
'edit' => str_replace( '&', '&', $link ),
|
32 |
return $column;
|
33 |
}
|
34 |
|
35 |
+
public function get_search_conditions() {
|
36 |
global $wpdb;
|
37 |
|
38 |
// If searching a particular post type then just look there
|
39 |
if ( ! $this->source_flags->has_flag( 'comment_spam' ) ) {
|
40 |
+
return 'comment_approved=1';
|
41 |
}
|
42 |
|
43 |
+
return '';
|
44 |
}
|
45 |
|
46 |
public function get_actions( Result $result ) {
|
47 |
+
$id = $result->get_row_id();
|
48 |
+
$link = get_edit_comment_link( $id );
|
49 |
+
$comment = get_comment( $id );
|
50 |
$raw = $result->get_raw();
|
51 |
|
52 |
+
if ( $link && is_object( $comment ) ) {
|
53 |
+
$view = get_comment_link( $comment );
|
54 |
|
55 |
return array_filter( [
|
56 |
'edit' => str_replace( '&', '&', $link ),
|
source/core/meta.php
CHANGED
@@ -66,6 +66,6 @@ abstract class Source_Meta extends Search_Source {
|
|
66 |
return true;
|
67 |
}
|
68 |
|
69 |
-
return new \WP_Error( 'searchregex', 'Failed to update meta data' );
|
70 |
}
|
71 |
}
|
66 |
return true;
|
67 |
}
|
68 |
|
69 |
+
return new \WP_Error( 'searchregex', 'Failed to update meta data: ' . $this->get_meta_table() );
|
70 |
}
|
71 |
}
|
source/core/post.php
CHANGED
@@ -6,6 +6,23 @@ use SearchRegex\Search_Source;
|
|
6 |
use SearchRegex\Result;
|
7 |
|
8 |
class Source_Post extends Search_Source {
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
9 |
/**
|
10 |
* Get the custom post type from the source
|
11 |
*
|
@@ -28,22 +45,38 @@ class Source_Post extends Search_Source {
|
|
28 |
return null;
|
29 |
}
|
30 |
|
31 |
-
public function get_type( array $row ) {
|
32 |
$post_type = isset( $row['post_type'] ) ? $this->get_post_type( $row['post_type'] ) : false;
|
33 |
if ( $post_type ) {
|
34 |
return $post_type['name'];
|
35 |
}
|
36 |
|
|
|
|
|
|
|
|
|
|
|
37 |
return $this->source_type;
|
38 |
}
|
39 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
40 |
public function get_name( array $row ) {
|
41 |
$post_type = isset( $row['post_type'] ) ? $this->get_post_type( $row['post_type'] ) : false;
|
42 |
if ( $post_type ) {
|
43 |
return $post_type['label'];
|
44 |
}
|
45 |
|
46 |
-
|
|
|
47 |
}
|
48 |
|
49 |
public function get_supported_flags() {
|
@@ -66,15 +99,17 @@ class Source_Post extends Search_Source {
|
|
66 |
return [];
|
67 |
}
|
68 |
|
69 |
-
public function get_search_conditions(
|
70 |
-
global $wpdb;
|
71 |
-
|
72 |
// If searching a particular post type then just look there
|
73 |
if ( $this->source_type !== 'posts' ) {
|
74 |
-
return
|
|
|
|
|
|
|
|
|
75 |
}
|
76 |
|
77 |
-
return
|
78 |
}
|
79 |
|
80 |
public function get_info_columns() {
|
@@ -137,7 +172,7 @@ class Source_Post extends Search_Source {
|
|
137 |
return true;
|
138 |
}
|
139 |
|
140 |
-
return new \WP_Error( 'searchregex', 'Failed to update post' );
|
141 |
}
|
142 |
|
143 |
public function delete_row( $row_id ) {
|
6 |
use SearchRegex\Result;
|
7 |
|
8 |
class Source_Post extends Search_Source {
|
9 |
+
/**
|
10 |
+
* Array of supported custom post types
|
11 |
+
*
|
12 |
+
* @var Array
|
13 |
+
*/
|
14 |
+
private $cpts = [];
|
15 |
+
|
16 |
+
/**
|
17 |
+
* Set all the custom post types that this source supports
|
18 |
+
*
|
19 |
+
* @param Array $cpts Array of custom post type names.
|
20 |
+
* @return void
|
21 |
+
*/
|
22 |
+
public function set_custom_post_types( array $cpts ) {
|
23 |
+
$this->cpts = $cpts;
|
24 |
+
}
|
25 |
+
|
26 |
/**
|
27 |
* Get the custom post type from the source
|
28 |
*
|
45 |
return null;
|
46 |
}
|
47 |
|
48 |
+
public function get_type( array $row = [] ) {
|
49 |
$post_type = isset( $row['post_type'] ) ? $this->get_post_type( $row['post_type'] ) : false;
|
50 |
if ( $post_type ) {
|
51 |
return $post_type['name'];
|
52 |
}
|
53 |
|
54 |
+
// Handle post types when it's not registered
|
55 |
+
if ( isset( $row['post_type'] ) ) {
|
56 |
+
return $row['post_type'];
|
57 |
+
}
|
58 |
+
|
59 |
return $this->source_type;
|
60 |
}
|
61 |
|
62 |
+
/**
|
63 |
+
* Return true if the source matches the type, false otherwise
|
64 |
+
*
|
65 |
+
* @param String $type Source type.
|
66 |
+
* @return boolean
|
67 |
+
*/
|
68 |
+
public function is_type( $type ) {
|
69 |
+
return in_array( $type, $this->cpts, true );
|
70 |
+
}
|
71 |
+
|
72 |
public function get_name( array $row ) {
|
73 |
$post_type = isset( $row['post_type'] ) ? $this->get_post_type( $row['post_type'] ) : false;
|
74 |
if ( $post_type ) {
|
75 |
return $post_type['label'];
|
76 |
}
|
77 |
|
78 |
+
// Handle post types when it's not registered
|
79 |
+
return isset( $row['post_type'] ) ? ucwords( $row['post_type'] ) : $this->source_name;
|
80 |
}
|
81 |
|
82 |
public function get_supported_flags() {
|
99 |
return [];
|
100 |
}
|
101 |
|
102 |
+
public function get_search_conditions() {
|
|
|
|
|
103 |
// If searching a particular post type then just look there
|
104 |
if ( $this->source_type !== 'posts' ) {
|
105 |
+
return implode( ' OR ', array_map( function( $cpt ) {
|
106 |
+
global $wpdb;
|
107 |
+
|
108 |
+
return $wpdb->prepare( 'post_type=%s', $cpt );
|
109 |
+
}, $this->cpts ) );
|
110 |
}
|
111 |
|
112 |
+
return '';
|
113 |
}
|
114 |
|
115 |
public function get_info_columns() {
|
172 |
return true;
|
173 |
}
|
174 |
|
175 |
+
return new \WP_Error( 'searchregex', 'Failed to update post.' );
|
176 |
}
|
177 |
|
178 |
public function delete_row( $row_id ) {
|