Project

General

Profile

Download (21.1 KB) Statistics
| Branch: | Tag: | Revision:
1
<?php
2
/*
3
 * diag_backup.php
4
 *
5
 * part of pfSense (https://www.pfsense.org)
6
 * Copyright (c) 2004-2016 Rubicon Communications, LLC (Netgate)
7
 * All rights reserved.
8
 *
9
 * originally based on m0n0wall (http://m0n0.ch/wall)
10
 * Copyright (c) 2003-2004 Manuel Kasper <mk@neon1.net>.
11
 * All rights reserved.
12
 *
13
 * Licensed under the Apache License, Version 2.0 (the "License");
14
 * you may not use this file except in compliance with the License.
15
 * You may obtain a copy of the License at
16
 *
17
 * http://www.apache.org/licenses/LICENSE-2.0
18
 *
19
 * Unless required by applicable law or agreed to in writing, software
20
 * distributed under the License is distributed on an "AS IS" BASIS,
21
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
22
 * See the License for the specific language governing permissions and
23
 * limitations under the License.
24
 */
25

    
26
##|+PRIV
27
##|*IDENT=page-diagnostics-backup-restore
28
##|*NAME=Diagnostics: Backup & Restore
29
##|*DESCR=Allow access to the 'Diagnostics: Backup & Restore' page.
30
##|*WARN=standard-warning-root
31
##|*MATCH=diag_backup.php*
32
##|-PRIV
33

    
34
/* Allow additional execution time 0 = no limit. */
35
ini_set('max_execution_time', '0');
36
ini_set('max_input_time', '0');
37

    
38
/* omit no-cache headers because it confuses IE with file downloads */
39
$omit_nocacheheaders = true;
40
require_once("guiconfig.inc");
41
require_once("functions.inc");
42
require_once("filter.inc");
43
require_once("shaper.inc");
44

    
45
$rrddbpath = "/var/db/rrd";
46
$rrdtool = "/usr/bin/nice -n20 /usr/local/bin/rrdtool";
47

    
48
function rrd_data_xml() {
49
	global $rrddbpath;
50
	global $rrdtool;
51

    
52
	$result = "\t<rrddata>\n";
53
	$rrd_files = glob("{$rrddbpath}/*.rrd");
54
	$xml_files = array();
55
	foreach ($rrd_files as $rrd_file) {
56
		$basename = basename($rrd_file);
57
		$xml_file = preg_replace('/\.rrd$/', ".xml", $rrd_file);
58
		exec("$rrdtool dump '{$rrd_file}' '{$xml_file}'");
59
		$xml_data = file_get_contents($xml_file);
60
		unlink($xml_file);
61
		if ($xml_data !== false) {
62
			$result .= "\t\t<rrddatafile>\n";
63
			$result .= "\t\t\t<filename>{$basename}</filename>\n";
64
			$result .= "\t\t\t<xmldata>" . base64_encode(gzdeflate($xml_data)) . "</xmldata>\n";
65
			$result .= "\t\t</rrddatafile>\n";
66
		}
67
	}
68
	$result .= "\t</rrddata>\n";
69
	return $result;
70
}
71

    
72
function restore_rrddata() {
73
	global $config, $g, $rrdtool, $input_errors;
74
	foreach ($config['rrddata']['rrddatafile'] as $rrd) {
75
		if ($rrd['xmldata']) {
76
			$rrd_file = "{$g['vardb_path']}/rrd/{$rrd['filename']}";
77
			$xml_file = preg_replace('/\.rrd$/', ".xml", $rrd_file);
78
			if (file_put_contents($xml_file, gzinflate(base64_decode($rrd['xmldata']))) === false) {
79
				log_error(sprintf(gettext("Cannot write %s"), $xml_file));
80
				continue;
81
			}
82
			$output = array();
83
			$status = null;
84
			exec("$rrdtool restore -f '{$xml_file}' '{$rrd_file}'", $output, $status);
85
			if ($status) {
86
				log_error("rrdtool restore -f '{$xml_file}' '{$rrd_file}' failed returning {$status}.");
87
				continue;
88
			}
89
			unlink($xml_file);
90
		} else if ($rrd['data']) {
91
			$rrd_file = "{$g['vardb_path']}/rrd/{$rrd['filename']}";
92
			$rrd_fd = fopen($rrd_file, "w");
93
			if (!$rrd_fd) {
94
				log_error(sprintf(gettext("Cannot write %s"), $rrd_file));
95
				continue;
96
			}
97
			$data = base64_decode($rrd['data']);
98
			/* Try to decompress the data. */
99
			$dcomp = @gzinflate($data);
100
			if ($dcomp) {
101
				/* If the decompression worked, write the decompressed data */
102
				if (fwrite($rrd_fd, $dcomp) === false) {
103
					log_error(sprintf(gettext("fwrite %s failed"), $rrd_file));
104
					continue;
105
				}
106
			} else {
107
				/* If the decompression failed, it wasn't compressed, so write raw data */
108
				if (fwrite($rrd_fd, $data) === false) {
109
					log_error(sprintf(gettext("fwrite %s failed"), $rrd_file));
110
					continue;
111
				}
112
			}
113
			if (fclose($rrd_fd) === false) {
114
				log_error(sprintf(gettext("fclose %s failed"), $rrd_file));
115
				continue;
116
			}
117
		}
118
	}
119
}
120

    
121
function remove_bad_chars($string) {
122
	return preg_replace('/[^a-z_0-9]/i', '', $string);
123
}
124

    
125
function check_and_returnif_section_exists($section) {
126
	global $config;
127
	if (is_array($config[$section])) {
128
		return true;
129
	}
130
	return false;
131
}
132

    
133
if ($_POST['apply']) {
134
	ob_flush();
135
	flush();
136
	clear_subsystem_dirty("restore");
137
	exit;
138
}
139

    
140
if ($_POST) {
141
	unset($input_errors);
142
	if ($_POST['restore']) {
143
		$mode = "restore";
144
	} else if ($_POST['reinstallpackages']) {
145
		$mode = "reinstallpackages";
146
	} else if ($_POST['clearpackagelock']) {
147
		$mode = "clearpackagelock";
148
	} else if ($_POST['download']) {
149
		$mode = "download";
150
	}
151
	if ($_POST["nopackages"] <> "") {
152
		$options = "nopackages";
153
	}
154
	if ($_POST["ver"] <> "") {
155
		$ver2restore = $_POST["ver"];
156
	}
157
	if ($mode) {
158
		if ($mode == "download") {
159
			if ($_POST['encrypt']) {
160
				if (!$_POST['encrypt_password']) {
161
					$input_errors[] = gettext("A password for encryption must be supplied and confirmed.");
162
				}
163
			}
164

    
165
			if (!$input_errors) {
166

    
167
				//$lockbckp = lock('config');
168

    
169
				$host = "{$config['system']['hostname']}.{$config['system']['domain']}";
170
				$name = "config-{$host}-".date("YmdHis").".xml";
171
				$data = "";
172

    
173
				if ($options == "nopackages") {
174
					if (!$_POST['backuparea']) {
175
						/* backup entire configuration */
176
						$data = file_get_contents("{$g['conf_path']}/config.xml");
177
					} else {
178
						/* backup specific area of configuration */
179
						$data = backup_config_section($_POST['backuparea']);
180
						$name = "{$_POST['backuparea']}-{$name}";
181
					}
182
					$sfn = "{$g['tmp_path']}/config.xml.nopkg";
183
					file_put_contents($sfn, $data);
184
					exec("sed '/<installedpackages>/,/<\/installedpackages>/d' {$sfn} > {$sfn}-new");
185
					$data = file_get_contents($sfn . "-new");
186
				} else {
187
					if (!$_POST['backuparea']) {
188
						/* backup entire configuration */
189
						$data = file_get_contents("{$g['conf_path']}/config.xml");
190
					} else if ($_POST['backuparea'] === "rrddata") {
191
						$data = rrd_data_xml();
192
						$name = "{$_POST['backuparea']}-{$name}";
193
					} else {
194
						/* backup specific area of configuration */
195
						$data = backup_config_section($_POST['backuparea']);
196
						$name = "{$_POST['backuparea']}-{$name}";
197
					}
198
				}
199

    
200
				//unlock($lockbckp);
201

    
202
				/*
203
				 *	Backup RRD Data
204
				 */
205
				if ($_POST['backuparea'] !== "rrddata" && !$_POST['donotbackuprrd']) {
206
					$rrd_data_xml = rrd_data_xml();
207
					$closing_tag = "</" . $g['xml_rootobj'] . ">";
208
					$data = str_replace($closing_tag, $rrd_data_xml . $closing_tag, $data);
209
				}
210

    
211
				if ($_POST['encrypt']) {
212
					$data = encrypt_data($data, $_POST['encrypt_password']);
213
					tagfile_reformat($data, $data, "config.xml");
214
				}
215

    
216
				$size = strlen($data);
217
				header("Content-Type: application/octet-stream");
218
				header("Content-Disposition: attachment; filename={$name}");
219
				header("Content-Length: $size");
220
				if (isset($_SERVER['HTTPS'])) {
221
					header('Pragma: ');
222
					header('Cache-Control: ');
223
				} else {
224
					header("Pragma: private");
225
					header("Cache-Control: private, must-revalidate");
226
				}
227
				echo $data;
228

    
229
				exit;
230
			}
231
		}
232

    
233
		if ($mode == "restore") {
234
			if ($_POST['decrypt']) {
235
				if (!$_POST['decrypt_password']) {
236
					$input_errors[] = gettext("A password for decryption must be supplied and confirmed.");
237
				}
238
			}
239

    
240
			if (!$input_errors) {
241
				if (is_uploaded_file($_FILES['conffile']['tmp_name'])) {
242

    
243
					/* read the file contents */
244
					$data = file_get_contents($_FILES['conffile']['tmp_name']);
245
					if (!$data) {
246
						log_error(sprintf(gettext("Warning, could not read file %s"), $_FILES['conffile']['tmp_name']));
247
						return 1;
248
					}
249

    
250
					if ($_POST['decrypt']) {
251
						if (!tagfile_deformat($data, $data, "config.xml")) {
252
							$input_errors[] = gettext("The uploaded file does not appear to contain an encrypted pfsense configuration.");
253
							return 1;
254
						}
255
						$data = decrypt_data($data, $_POST['decrypt_password']);
256
					}
257

    
258
					if (stristr($data, "<m0n0wall>")) {
259
						log_error(gettext("Upgrading m0n0wall configuration to pfsense."));
260
						/* m0n0wall was found in config.  convert it. */
261
						$data = str_replace("m0n0wall", "pfsense", $data);
262
						$m0n0wall_upgrade = true;
263
					}
264
					if ($_POST['restorearea']) {
265
						/* restore a specific area of the configuration */
266
						if (!stristr($data, "<" . $_POST['restorearea'] . ">")) {
267
							$input_errors[] = gettext("An area to restore was selected but the correct xml tag could not be located.");
268
						} else {
269
							if (!restore_config_section($_POST['restorearea'], $data)) {
270
								$input_errors[] = gettext("An area to restore was selected but the correct xml tag could not be located.");
271
							} else {
272
								if ($config['rrddata']) {
273
									restore_rrddata();
274
									unset($config['rrddata']);
275
									unlink_if_exists("{$g['tmp_path']}/config.cache");
276
									write_config(sprintf(gettext("Unset RRD data from configuration after restoring %s configuration area"), $_POST['restorearea']));
277
									convert_config();
278
								}
279
								filter_configure();
280
								$savemsg = gettext("The configuration area has been restored. The firewall may need to be rebooted.");
281
							}
282
						}
283
					} else {
284
						if (!stristr($data, "<" . $g['xml_rootobj'] . ">")) {
285
							$input_errors[] = sprintf(gettext("A full configuration restore was selected but a %s tag could not be located."), $g['xml_rootobj']);
286
						} else {
287
							/* restore the entire configuration */
288
							file_put_contents($_FILES['conffile']['tmp_name'], $data);
289
							if (config_install($_FILES['conffile']['tmp_name']) == 0) {
290
								/* this will be picked up by /index.php */
291
								mark_subsystem_dirty("restore");
292
								touch("/conf/needs_package_sync_after_reboot");
293
								/* remove cache, we will force a config reboot */
294
								if (file_exists("{$g['tmp_path']}/config.cache")) {
295
									unlink("{$g['tmp_path']}/config.cache");
296
								}
297
								$config = parse_config(true);
298
								if (file_exists("/boot/loader.conf")) {
299
									$loaderconf = file_get_contents("/boot/loader.conf");
300
									if (strpos($loaderconf, "console=\"comconsole")) {
301
										$config['system']['enableserial'] = true;
302
										write_config(gettext("Restore serial console enabling in configuration."));
303
									}
304
									unset($loaderconf);
305
								}
306
								if (file_exists("/boot/loader.conf.local")) {
307
									$loaderconf = file_get_contents("/boot/loader.conf.local");
308
									if (strpos($loaderconf, "console=\"comconsole")) {
309
										$config['system']['enableserial'] = true;
310
										write_config(gettext("Restore serial console enabling in configuration."));
311
									}
312
									unset($loaderconf);
313
								}
314
								/* extract out rrd items, unset from $config when done */
315
								if ($config['rrddata']) {
316
									restore_rrddata();
317
									unset($config['rrddata']);
318
									unlink_if_exists("{$g['tmp_path']}/config.cache");
319
									write_config(gettext("Unset RRD data from configuration after restoring full configuration"));
320
									convert_config();
321
								}
322
								if ($m0n0wall_upgrade == true) {
323
									if ($config['system']['gateway'] <> "") {
324
										$config['interfaces']['wan']['gateway'] = $config['system']['gateway'];
325
									}
326
									unset($config['shaper']);
327
									/* optional if list */
328
									$ifdescrs = get_configured_interface_list(true);
329
									/* remove special characters from interface descriptions */
330
									if (is_array($ifdescrs)) {
331
										foreach ($ifdescrs as $iface) {
332
											$config['interfaces'][$iface]['descr'] = remove_bad_chars($config['interfaces'][$iface]['descr']);
333
										}
334
									}
335
									/* check for interface names with an alias */
336
									if (is_array($ifdescrs)) {
337
										foreach ($ifdescrs as $iface) {
338
											if (is_alias($config['interfaces'][$iface]['descr'])) {
339
												$origname = $config['interfaces'][$iface]['descr'];
340
												update_alias_name($origname . "Alias", $origname);
341
											}
342
										}
343
									}
344
									unlink_if_exists("{$g['tmp_path']}/config.cache");
345
									// Reset configuration version to something low
346
									// in order to force the config upgrade code to
347
									// run through with all steps that are required.
348
									$config['system']['version'] = "1.0";
349
									// Deal with descriptions longer than 63 characters
350
									for ($i = 0; isset($config["filter"]["rule"][$i]); $i++) {
351
										if (count($config['filter']['rule'][$i]['descr']) > 63) {
352
											$config['filter']['rule'][$i]['descr'] = substr($config['filter']['rule'][$i]['descr'], 0, 63);
353
										}
354
									}
355
									// Move interface from ipsec to enc0
356
									for ($i = 0; isset($config["filter"]["rule"][$i]); $i++) {
357
										if ($config['filter']['rule'][$i]['interface'] == "ipsec") {
358
											$config['filter']['rule'][$i]['interface'] = "enc0";
359
										}
360
									}
361
									// Convert icmp types
362
									// http://www.openbsd.org/cgi-bin/man.cgi?query=icmp&sektion=4&arch=i386&apropos=0&manpath=OpenBSD+Current
363
									$convert = array('echo' => 'echoreq', 'timest' => 'timereq', 'timestrep' => 'timerep');
364
									foreach ($config["filter"]["rule"] as $ruleid => &$ruledata) {
365
										if ($convert[$ruledata['icmptype']]) {
366
											$ruledata['icmptype'] = $convert[$ruledata['icmptype']];
367
										}
368
									}
369
									$config['diag']['ipv6nat'] = true;
370
									write_config(gettext("Imported m0n0wall configuration"));
371
									convert_config();
372
									$savemsg = gettext("The m0n0wall configuration has been restored and upgraded to pfSense.");
373
									mark_subsystem_dirty("restore");
374
								}
375
								if (is_array($config['captiveportal'])) {
376
									foreach ($config['captiveportal'] as $cp) {
377
										if (isset($cp['enable'])) {
378
											/* for some reason ipfw doesn't init correctly except on bootup sequence */
379
											mark_subsystem_dirty("restore");
380
											break;
381
										}
382
									}
383
								}
384
								setup_serial_port();
385
								if (is_interface_mismatch() == true) {
386
									touch("/var/run/interface_mismatch_reboot_needed");
387
									clear_subsystem_dirty("restore");
388
									convert_config();
389
									header("Location: interfaces_assign.php");
390
									exit;
391
								}
392
								if (is_interface_vlan_mismatch() == true) {
393
									touch("/var/run/interface_mismatch_reboot_needed");
394
									clear_subsystem_dirty("restore");
395
									convert_config();
396
									header("Location: interfaces_assign.php");
397
									exit;
398
								}
399
							} else {
400
								$input_errors[] = gettext("The configuration could not be restored.");
401
							}
402
						}
403
					}
404
				} else {
405
					$input_errors[] = gettext("The configuration could not be restored (file upload error).");
406
				}
407
			}
408
		}
409

    
410
		if ($mode == "reinstallpackages") {
411
			header("Location: pkg_mgr_install.php?mode=reinstallall");
412
			exit;
413
		} else if ($mode == "clearpackagelock") {
414
			clear_subsystem_dirty('packagelock');
415
			$savemsg = "Package lock cleared.";
416
		}
417
	}
418
}
419

    
420
$id = rand() . '.' . time();
421

    
422
$mth = ini_get('upload_progress_meter.store_method');
423
$dir = ini_get('upload_progress_meter.file.filename_template');
424

    
425
function build_area_list($showall) {
426
	global $config;
427

    
428
	$areas = array(
429
		"aliases" => gettext("Aliases"),
430
		"captiveportal" => gettext("Captive Portal"),
431
		"voucher" => gettext("Captive Portal Vouchers"),
432
		"dnsmasq" => gettext("DNS Forwarder"),
433
		"unbound" => gettext("DNS Resolver"),
434
		"dhcpd" => gettext("DHCP Server"),
435
		"dhcpdv6" => gettext("DHCPv6 Server"),
436
		"filter" => gettext("Firewall Rules"),
437
		"interfaces" => gettext("Interfaces"),
438
		"ipsec" => gettext("IPSEC"),
439
		"nat" => gettext("NAT"),
440
		"openvpn" => gettext("OpenVPN"),
441
		"installedpackages" => gettext("Package Manager"),
442
		"rrddata" => gettext("RRD Data"),
443
		"cron" => gettext("Scheduled Tasks"),
444
		"syslog" => gettext("Syslog"),
445
		"system" => gettext("System"),
446
		"staticroutes" => gettext("Static routes"),
447
		"sysctl" => gettext("System tunables"),
448
		"snmpd" => gettext("SNMP Server"),
449
		"shaper" => gettext("Traffic Shaper"),
450
		"vlans" => gettext("VLANS"),
451
		"wol" => gettext("Wake-on-LAN")
452
		);
453

    
454
	$list = array("" => gettext("All"));
455

    
456
	if ($showall) {
457
		return($list + $areas);
458
	} else {
459
		foreach ($areas as $area => $areaname) {
460
			if ($area === "rrddata" || check_and_returnif_section_exists($area) == true) {
461
				$list[$area] = $areaname;
462
			}
463
		}
464

    
465
		return($list);
466
	}
467
}
468

    
469
$pgtitle = array(gettext("Diagnostics"), htmlspecialchars(gettext("Backup & Restore")), htmlspecialchars(gettext("Backup & Restore")));
470
$pglinks = array("", "@self", "@self");
471
include("head.inc");
472

    
473
if ($input_errors) {
474
	print_input_errors($input_errors);
475
}
476

    
477
if ($savemsg) {
478
	print_info_box($savemsg, 'success');
479
}
480

    
481
if (is_subsystem_dirty('restore')):
482
?>
483
	<br/>
484
	<form action="diag_reboot.php" method="post">
485
		<input name="Submit" type="hidden" value="Yes" />
486
		<?php print_info_box(gettext("The firewall configuration has been changed.") . "<br />" . gettext("The firewall is now rebooting.")); ?>
487
		<br />
488
	</form>
489
<?php
490
endif;
491

    
492
$tab_array = array();
493
$tab_array[] = array(htmlspecialchars(gettext("Backup & Restore")), true, "diag_backup.php");
494
$tab_array[] = array(gettext("Config History"), false, "diag_confbak.php");
495
display_top_tabs($tab_array);
496

    
497
$form = new Form(false);
498
$form->setMultipartEncoding();	// Allow file uploads
499

    
500
$section = new Form_Section('Backup Configuration');
501

    
502
$section->addInput(new Form_Select(
503
	'backuparea',
504
	'Backup area',
505
	'',
506
	build_area_list(false)
507
));
508

    
509
$section->addInput(new Form_Checkbox(
510
	'nopackages',
511
	'Skip packages',
512
	'Do not backup package information.',
513
	false
514
));
515

    
516
$section->addInput(new Form_Checkbox(
517
	'donotbackuprrd',
518
	'Skip RRD data',
519
	'Do not backup RRD data (NOTE: RRD Data can consume 4+ megabytes of config.xml space!)',
520
	true
521
));
522

    
523
$section->addInput(new Form_Checkbox(
524
	'encrypt',
525
	'Encryption',
526
	'Encrypt this configuration file.',
527
	false
528
));
529

    
530
$section->addInput(new Form_Input(
531
	'encrypt_password',
532
	'Password',
533
	'password',
534
	null
535
));
536

    
537
$group = new Form_Group('');
538
// Note: ID attribute of each element created is to be unique.  Not being used, suppressing it.
539
$group->add(new Form_Button(
540
	'download',
541
	'Download configuration as XML',
542
	null,
543
	'fa-download'
544
))->setAttribute('id')->addClass('btn-primary');
545

    
546
$section->add($group);
547
$form->add($section);
548

    
549
$section = new Form_Section('Restore Backup');
550

    
551
$section->addInput(new Form_StaticText(
552
	null,
553
	sprintf(gettext("Open a %s configuration XML file and click the button below to restore the configuration."), $g['product_name'])
554
));
555

    
556
$section->addInput(new Form_Select(
557
	'restorearea',
558
	'Restore area',
559
	'',
560
	build_area_list(true)
561
));
562

    
563
$section->addInput(new Form_Input(
564
	'conffile',
565
	'Configuration file',
566
	'file',
567
	null
568
));
569

    
570
$section->addInput(new Form_Checkbox(
571
	'decrypt',
572
	'Encryption',
573
	'Configuration file is encrypted.',
574
	false
575
));
576

    
577
$section->addInput(new Form_Input(
578
	'decrypt_password',
579
	'Password',
580
	'password',
581
	null,
582
	['placeholder' => 'Password']
583
));
584

    
585
$group = new Form_Group('');
586
// Note: ID attribute of each element created is to be unique.  Not being used, suppressing it.
587
$group->add(new Form_Button(
588
	'restore',
589
	'Restore Configuration',
590
	null,
591
	'fa-undo'
592
))->setHelp('The firewall will reboot after restoring the configuration.')->addClass('btn-danger restore')->setAttribute('id');
593

    
594
$section->add($group);
595

    
596
$form->add($section);
597

    
598
if (($config['installedpackages']['package'] != "") || (is_subsystem_dirty("packagelock"))) {
599
	$section = new Form_Section('Package Functions');
600

    
601
	if ($config['installedpackages']['package'] != "") {
602
		$group = new Form_Group('');
603
		// Note: ID attribute of each element created is to be unique.  Not being used, suppressing it.
604
		$group->add(new Form_Button(
605
			'reinstallpackages',
606
			'Reinstall Packages',
607
			null,
608
			'fa-retweet'
609
		))->setHelp('Click this button to reinstall all system packages.  This may take a while.')->addClass('btn-success')->setAttribute('id');
610

    
611
		$section->add($group);
612
	}
613

    
614
	if (is_subsystem_dirty("packagelock")) {
615
		$group = new Form_Group('');
616
		// Note: ID attribute of each element created is to be unique.  Not being used, suppressing it.
617
		$group->add(new Form_Button(
618
			'clearpackagelock',
619
			'Clear Package Lock',
620
			null,
621
			'fa-wrench'
622
		))->setHelp('Click this button to clear the package lock if a package fails to reinstall properly after an upgrade.')->addClass('btn-warning')->setAttribute('id');
623

    
624
		$section->add($group);
625
	}
626

    
627
	$form->add($section);
628
}
629

    
630
print($form);
631
?>
632
<script type="text/javascript">
633
//<![CDATA[
634
events.push(function() {
635

    
636
	// ------- Show/hide sections based on checkbox settings --------------------------------------
637

    
638
	function hideSections(hide) {
639
		hidePasswords();
640
	}
641

    
642
	function hidePasswords() {
643

    
644
		encryptHide = !($('input[name="encrypt"]').is(':checked'));
645
		decryptHide = !($('input[name="decrypt"]').is(':checked'));
646

    
647
		hideInput('encrypt_password', encryptHide);
648
		hideInput('encrypt_password_confirm', encryptHide);
649
		hideInput('decrypt_password', decryptHide);
650
		hideInput('decrypt_password_confirm', decryptHide);
651
	}
652

    
653
	// ---------- Click handlers ------------------------------------------------------------------
654

    
655
	$('input[name="encrypt"]').on('change', function() {
656
		hidePasswords();
657
	});
658

    
659
	$('input[name="decrypt"]').on('change', function() {
660
		hidePasswords();
661
	});
662

    
663
	$('#conffile').change(function () {
664
		if (document.getElementById("conffile").value) {
665
			$('.restore').prop('disabled', false);
666
		} else {
667
			$('.restore').prop('disabled', true);
668
		}
669
    });
670
	// ---------- On initial page load ------------------------------------------------------------
671

    
672
	hideSections();
673
	$('.restore').prop('disabled', true);
674
});
675
//]]>
676
</script>
677

    
678
<?php
679
include("foot.inc");
680

    
681
if (is_subsystem_dirty('restore')) {
682
	system_reboot();
683
}
(10-10/231)