1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
|
<?php $sub_menu = "100100"; include_once('./_common.php');
auth_check($auth[$sub_menu], 'r');
$token = get_token();
if ($is_admin != 'super') alert('최고관리자만 접근 가능합니다.');
if (!isset($config['cf_include_index'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_include_index` VARCHAR(255) NOT NULL AFTER `cf_admin`, ADD `cf_include_head` VARCHAR(255) NOT NULL AFTER `cf_include_index`, ADD `cf_include_tail` VARCHAR(255) NOT NULL AFTER `cf_include_head`, ADD `cf_add_script` TEXT NOT NULL AFTER `cf_include_tail` ", true); }
if (!isset($config['cf_mobile_new_skin'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_mobile_new_skin` VARCHAR(255) NOT NULL AFTER `cf_memo_send_point`, ADD `cf_mobile_search_skin` VARCHAR(255) NOT NULL AFTER `cf_mobile_new_skin`, ADD `cf_mobile_connect_skin` VARCHAR(255) NOT NULL AFTER `cf_mobile_search_skin`, ADD `cf_mobile_member_skin` VARCHAR(255) NOT NULL AFTER `cf_mobile_connect_skin` ", true); }
if (isset($config['cf_gcaptcha_mp3'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` CHANGE `cf_gcaptcha_mp3` `cf_captcha_mp3` VARCHAR(255) NOT NULL DEFAULT '' ", true); } else if (!isset($config['cf_captcha_mp3'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_captcha_mp3` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_mobile_member_skin` ", true); }
if(!isset($config['cf_editor'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_editor` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_captcha_mp3` ", true); }
if(!isset($config['cf_googl_shorturl_apikey'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_googl_shorturl_apikey` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_captcha_mp3` ", true); }
if(!isset($config['cf_mobile_pages'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_mobile_pages` INT(11) NOT NULL DEFAULT '0' AFTER `cf_write_pages` ", true); sql_query(" UPDATE `{$g5['config_table']}` SET cf_mobile_pages = '5' ", true); }
if(!isset($config['cf_facebook_appid'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_facebook_appid` VARCHAR(255) NOT NULL AFTER `cf_googl_shorturl_apikey`, ADD `cf_facebook_secret` VARCHAR(255) NOT NULL AFTER `cf_facebook_appid`, ADD `cf_twitter_key` VARCHAR(255) NOT NULL AFTER `cf_facebook_secret`, ADD `cf_twitter_secret` VARCHAR(255) NOT NULL AFTER `cf_twitter_key` ", true); }
// uniqid 테이블이 없을 경우 생성 if(!sql_query(" DESC {$g5['uniqid_table']} ", false)) { sql_query(" CREATE TABLE IF NOT EXISTS `{$g5['uniqid_table']}` ( `uq_id` bigint(20) unsigned NOT NULL, `uq_ip` varchar(255) NOT NULL, PRIMARY KEY (`uq_id`) ) ", false); }
if(!sql_query(" SELECT uq_ip from {$g5['uniqid_table']} limit 1 ", false)) { sql_query(" ALTER TABLE {$g5['uniqid_table']} ADD `uq_ip` VARCHAR(255) NOT NULL "); }
// 임시저장 테이블이 없을 경우 생성 if(!sql_query(" DESC {$g5['autosave_table']} ", false)) { sql_query(" CREATE TABLE IF NOT EXISTS `{$g5['autosave_table']}` ( `as_id` int(11) NOT NULL AUTO_INCREMENT, `mb_id` varchar(20) NOT NULL, `as_uid` bigint(20) unsigned NOT NULL, `as_subject` varchar(255) NOT NULL, `as_content` text NOT NULL, `as_datetime` datetime NOT NULL, PRIMARY KEY (`as_id`), UNIQUE KEY `as_uid` (`as_uid`), KEY `mb_id` (`mb_id`) ) ", false); }
if(!isset($config['cf_admin_email'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_admin_email` VARCHAR(255) NOT NULL AFTER `cf_admin` ", true); }
if(!isset($config['cf_admin_email_name'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_admin_email_name` VARCHAR(255) NOT NULL AFTER `cf_admin_email` ", true); }
if(!isset($config['cf_cert_use'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_cert_use` TINYINT(4) NOT NULL DEFAULT '0' AFTER `cf_editor`, ADD `cf_cert_ipin` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_cert_use`, ADD `cf_cert_hp` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_cert_ipin`, ADD `cf_cert_kcb_cd` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_cert_hp`, ADD `cf_cert_kcp_cd` VARCHAR(255) NOT NULL DEFAULT '' AFTER `cf_cert_kcb_cd`, ADD `cf_cert_limit` INT(11) NOT NULL DEFAULT '0' AFTER `cf_cert_kcp_cd` ", true); sql_query(" ALTER TABLE `{$g5['member_table']}` CHANGE `mb_hp_certify` `mb_certify` VARCHAR(20) NOT NULL DEFAULT '' ", true); sql_query(" update {$g5['member_table']} set mb_certify = 'hp' where mb_certify = '1' "); sql_query(" update {$g5['member_table']} set mb_certify = '' where mb_certify = '0' "); sql_query(" CREATE TABLE IF NOT EXISTS `{$g5['cert_history_table']}` ( `cr_id` int(11) NOT NULL auto_increment, `mb_id` varchar(255) NOT NULL DEFAULT '', `cr_company` varchar(255) NOT NULL DEFAULT '', `cr_method` varchar(255) NOT NULL DEFAULT '', `cr_ip` varchar(255) NOT NULL DEFAULT '', `cr_date` date NOT NULL DEFAULT '0000-00-00', `cr_time` time NOT NULL DEFAULT '00:00:00', PRIMARY KEY (`cr_id`), KEY `mb_id` (`mb_id`) )", true); }
if(!isset($config['cf_analytics'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_analytics` TEXT NOT NULL AFTER `cf_intercept_ip` ", true); }
if(!isset($config['cf_add_meta'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_add_meta` TEXT NOT NULL AFTER `cf_analytics` ", true); }
if (!isset($config['cf_syndi_token'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_syndi_token` VARCHAR(255) NOT NULL AFTER `cf_add_meta` ", true); }
if (!isset($config['cf_syndi_except'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_syndi_except` TEXT NOT NULL AFTER `cf_syndi_token` ", true); }
if(!isset($config['cf_sms_use'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_sms_use` varchar(255) NOT NULL DEFAULT '' AFTER `cf_cert_limit`, ADD `cf_icode_id` varchar(255) NOT NULL DEFAULT '' AFTER `cf_sms_use`, ADD `cf_icode_pw` varchar(255) NOT NULL DEFAULT '' AFTER `cf_icode_id`, ADD `cf_icode_server_ip` varchar(255) NOT NULL DEFAULT '' AFTER `cf_icode_pw`, ADD `cf_icode_server_port` varchar(255) NOT NULL DEFAULT '' AFTER `cf_icode_server_ip` ", true); }
if(!isset($config['cf_mobile_page_rows'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_mobile_page_rows` int(11) NOT NULL DEFAULT '0' AFTER `cf_page_rows` ", true); }
if(!isset($config['cf_cert_req'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_cert_req` tinyint(4) NOT NULL DEFAULT '0' AFTER `cf_cert_limit` ", true); }
if(!isset($config['cf_faq_skin'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_faq_skin` varchar(255) NOT NULL DEFAULT '' AFTER `cf_connect_skin`, ADD `cf_mobile_faq_skin` varchar(255) NOT NULL DEFAULT '' AFTER `cf_mobile_connect_skin` ", true); }
// LG유플러스 본인확인 필드 추가 if(!isset($config['cf_lg_mid'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_lg_mid` varchar(255) NOT NULL DEFAULT '' AFTER `cf_cert_kcp_cd`, ADD `cf_lg_mert_key` varchar(255) NOT NULL DEFAULT '' AFTER `cf_lg_mid` ", true); }
if(!isset($config['cf_optimize_date'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_optimize_date` date NOT NULL default '0000-00-00' AFTER `cf_popular_del` ", true); }
// 카카오톡링크 api 키 if(!isset($config['cf_kakao_js_apikey'])) { sql_query(" ALTER TABLE `{$g5['config_table']}` ADD `cf_kakao_js_apikey` varchar(255) NOT NULL DEFAULT '' AFTER `cf_googl_shorturl_apikey` ", true); }
if(!$config['cf_faq_skin']) $config['cf_faq_skin'] = "basic"; if(!$config['cf_mobile_faq_skin']) $config['cf_mobile_faq_skin'] = "basic";
$g5['title'] = '환경설정'; include_once ('./admin.head.php');
$pg_anchor = '<ul class="anchor"> <li><a href="#anc_cf_basic">기본환경</a></li> <li><a href="#anc_cf_board">게시판기본</a></li> <li><a href="#anc_cf_join">회원가입</a></li> <li><a href="#anc_cf_cert">본인확인</a></li> <li><a href="#anc_cf_mail">기본메일환경</a></li> <li><a href="#anc_cf_article_mail">글작성메일</a></li> <li><a href="#anc_cf_join_mail">가입메일</a></li> <li><a href="#anc_cf_vote_mail">투표메일</a></li> <li><a href="#anc_cf_sns">SNS</a></li> <li><a href="#anc_cf_lay">레이아웃 추가설정</a></li> <li><a href="#anc_cf_sms">SMS</a></li> <li><a href="#anc_cf_extra">여분필드</a></li> </ul>';
$frm_submit = '<div class="btn_confirm01 btn_confirm"> <input type="submit" value="확인" class="btn_submit" accesskey="s"> <a href="'.G5_URL.'/">메인으로</a> </div>';
if (!$config['cf_icode_server_ip']) $config['cf_icode_server_ip'] = '211.172.232.124'; if (!$config['cf_icode_server_port']) $config['cf_icode_server_port'] = '7295';
if ($config['cf_icode_id'] && $config['cf_icode_pw']) { $userinfo = get_icode_userinfo($config['cf_icode_id'], $config['cf_icode_pw']); } ?>
<form name="fconfigform" id="fconfigform" method="post" onsubmit="return fconfigform_submit(this);"> <input type="hidden" name="token" value="<?php echo $token ?>" id="token">
<section id="anc_cf_basic"> <h2 class="h2_frm">홈페이지 기본환경 설정</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>홈페이지 기본환경 설정</caption> <colgroup> <col class="grid_4"> <col> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_title">홈페이지 제목<strong class="sound_only">필수</strong></label></th> <td colspan="3"><input type="text" name="cf_title" value="<?php echo $config['cf_title'] ?>" id="cf_title" required class="required frm_input" size="40"></td> </tr> <tr> <th scope="row"><label for="cf_admin">최고관리자<strong class="sound_only">필수</strong></label></th> <td colspan="3"><?php echo get_member_id_select('cf_admin', 10, $config['cf_admin'], 'required') ?></td> </tr> <tr> <th scope="row"><label for="cf_admin_email">관리자 메일 주소<strong class="sound_only">필수</strong></label></th> <td colspan="3"> <?php echo help('관리자가 보내고 받는 용도로 사용하는 메일 주소를 입력합니다. (회원가입, 인증메일, 테스트, 회원메일발송 등에서 사용)') ?> <input type="text" name="cf_admin_email" value="<?php echo $config['cf_admin_email'] ?>" id="cf_admin_email" required class="required email frm_input" size="40"> </td> </tr> <tr> <th scope="row"><label for="cf_admin_email_name">관리자 메일 발송이름<strong class="sound_only">필수</strong></label></th> <td colspan="3"> <?php echo help('관리자가 보내고 받는 용도로 사용하는 메일의 발송이름을 입력합니다. (회원가입, 인증메일, 테스트, 회원메일발송 등에서 사용)') ?> <input type="text" name="cf_admin_email_name" value="<?php echo $config['cf_admin_email_name'] ?>" id="cf_admin_email_name" required class="required frm_input" size="40"> </td> </tr> <tr> <th scope="row"><label for="cf_use_point">포인트 사용</label></th> <td colspan="3"><input type="checkbox" name="cf_use_point" value="1" id="cf_use_point" <?php echo $config['cf_use_point']?'checked':''; ?>> 사용</td> </tr> <tr> <th scope="row"><label for="cf_login_point">로그인시 포인트<strong class="sound_only">필수</strong></label></th> <td> <?php echo help('회원이 로그인시 하루에 한번만 적립') ?> <input type="text" name="cf_login_point" value="<?php echo $config['cf_login_point'] ?>" id="cf_login_point" required class="required frm_input" size="5"> 점 </td> <th scope="row"><label for="cf_memo_send_point">쪽지보낼시 차감 포인트<strong class="sound_only">필수</strong></label></th> <td> <?php echo help('양수로 입력하십시오. 0점은 쪽지 보낼시 포인트를 차감하지 않습니다.') ?> <input type="text" name="cf_memo_send_point" value="<?php echo $config['cf_memo_send_point'] ?>" id="cf_memo_send_point" required class="required frm_input" size="5"> 점 </td> </tr> <tr> <th scope="row"><label for="cf_cut_name">이름(닉네임) 표시</label></th> <td colspan="3"> <input type="text" name="cf_cut_name" value="<?php echo $config['cf_cut_name'] ?>" id="cf_cut_name" class="frm_input" size="5"> 자리만 표시 </td> </tr> <tr> <th scope="row"><label for="cf_nick_modify">닉네임 수정</label></th> <td>수정하면 <input type="text" name="cf_nick_modify" value="<?php echo $config['cf_nick_modify'] ?>" id="cf_nick_modify" class="frm_input" size="3"> 일 동안 바꿀 수 없음</td> <th scope="row"><label for="cf_open_modify">정보공개 수정</label></th> <td>수정하면 <input type="text" name="cf_open_modify" value="<?php echo $config['cf_open_modify'] ?>" id="cf_open_modify" class="frm_input" size="3"> 일 동안 바꿀 수 없음</td> </tr> <tr> <th scope="row"><label for="cf_new_del">최근게시물 삭제</label></th> <td> <?php echo help('설정일이 지난 최근게시물 자동 삭제') ?> <input type="text" name="cf_new_del" value="<?php echo $config['cf_new_del'] ?>" id="cf_new_del" class="frm_input" size="5"> 일 </td> <th scope="row"><label for="cf_memo_del">쪽지 삭제</label></th> <td> <?php echo help('설정일이 지난 쪽지 자동 삭제') ?> <input type="text" name="cf_memo_del" value="<?php echo $config['cf_memo_del'] ?>" id="cf_memo_del" class="frm_input" size="5"> 일 </td> </tr> <tr> <th scope="row"><label for="cf_visit_del">접속자로그 삭제</label></th> <td> <?php echo help('설정일이 지난 접속자 로그 자동 삭제') ?> <input type="text" name="cf_visit_del" value="<?php echo $config['cf_visit_del'] ?>" id="cf_visit_del" class="frm_input" size="5"> 일 </td> <th scope="row"><label for="cf_popular_del">인기검색어 삭제</label></th> <td> <?php echo help('설정일이 지난 인기검색어 자동 삭제') ?> <input type="text" name="cf_popular_del" value="<?php echo $config['cf_popular_del'] ?>" id="cf_popular_del" class="frm_input" size="5"> 일 </td> </tr> <tr> <th scope="row"><label for="cf_login_minutes">현재 접속자</label></th> <td> <?php echo help('설정값 이내의 접속자를 현재 접속자로 인정') ?> <input type="text" name="cf_login_minutes" value="<?php echo $config['cf_login_minutes'] ?>" id="cf_login_minutes" class="frm_input" size="3"> 분 </td> <th scope="row"><label for="cf_new_rows">최근게시물 라인수</label></th> <td> <?php echo help('목록 한페이지당 라인수') ?> <input type="text" name="cf_new_rows" value="<?php echo $config['cf_new_rows'] ?>" id="cf_new_rows" class="frm_input" size="3"> 라인 </td> </tr> <tr> <th scope="row"><label for="cf_page_rows">한페이지당 라인수</label></th> <td> <?php echo help('목록(리스트) 한페이지당 라인수') ?> <input type="text" name="cf_page_rows" value="<?php echo $config['cf_page_rows'] ?>" id="cf_page_rows" class="frm_input" size="3"> 라인 </td> <th scope="row"><label for="cf_mobile_page_rows">모바일 한페이지당 라인수</label></th> <td> <?php echo help('모바일 목록 한페이지당 라인수') ?> <input type="text" name="cf_mobile_page_rows" value="<?php echo $config['cf_mobile_page_rows'] ?>" id="cf_mobile_page_rows" class="frm_input" size="3"> 라인 </td> </tr> <tr> <th scope="row"><label for="cf_write_pages">페이지 표시 수<strong class="sound_only">필수</strong></label></th> <td><input type="text" name="cf_write_pages" value="<?php echo $config['cf_write_pages'] ?>" id="cf_write_pages" required class="required numeric frm_input" size="3"> 페이지씩 표시</td> <th scope="row"><label for="cf_mobile_pages">모바일 페이지 표시 수<strong class="sound_only">필수</strong></label></th> <td><input type="text" name="cf_mobile_pages" value="<?php echo $config['cf_mobile_pages'] ?>" id="cf_mobile_pages" required class="required numeric frm_input" size="3"> 페이지씩 표시</td> </tr> <tr> <th scope="row"><label for="cf_new_skin">최근게시물 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_new_skin" id="cf_new_skin" required class="required"> <?php $arr = get_skin_dir('new'); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_new_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> <th scope="row"><label for="cf_mobile_new_skin">모바일<br>최근게시물 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_mobile_new_skin" id="cf_mobile_new_skin" required class="required"> <?php $arr = get_skin_dir('new', G5_MOBILE_PATH.'/'.G5_SKIN_DIR); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_mobile_new_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_search_skin">검색 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_search_skin" id="cf_search_skin" required class="required"> <?php $arr = get_skin_dir('search'); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_search_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> <th scope="row"><label for="cf_mobile_search_skin">모바일 검색 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_mobile_search_skin" id="cf_mobile_search_skin" required class="required"> <?php $arr = get_skin_dir('search', G5_MOBILE_PATH.'/'.G5_SKIN_DIR); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_mobile_search_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_connect_skin">접속자 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_connect_skin" id="cf_connect_skin" required class="required"> <?php $arr = get_skin_dir('connect'); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_connect_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> <th scope="row"><label for="cf_mobile_connect_skin">모바일 접속자 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_mobile_connect_skin" id="cf_mobile_connect_skin" required class="required"> <?php $arr = get_skin_dir('connect', G5_MOBILE_PATH.'/'.G5_SKIN_DIR); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_mobile_connect_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_faq_skin">FAQ 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_faq_skin" id="cf_faq_skin" required class="required"> <?php $arr = get_skin_dir('faq'); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_faq_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> <th scope="row"><label for="cf_mobile_faq_skin">모바일 FAQ 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_mobile_faq_skin" id="cf_mobile_faq_skin" required class="required"> <?php $arr = get_skin_dir('faq', G5_MOBILE_PATH.'/'.G5_SKIN_DIR); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_mobile_faq_skin'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_editor">에디터 선택</label></th> <td colspan="3"> <?php echo help(G5_EDITOR_URL.' 밑의 DHTML 에디터 폴더를 선택합니다.') ?> <select name="cf_editor" id="cf_editor"> <?php $arr = get_skin_dir('', G5_EDITOR_PATH); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">사용안함</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_editor'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_captcha_mp3">음성캡챠 선택<strong class="sound_only">필수</strong></label></th> <td colspan="3"> <?php echo help(G5_CAPTCHA_URL.'/mp3 밑의 음성 폴더를 선택합니다.') ?> <select name="cf_captcha_mp3" id="cf_captcha_mp3" required class="required"> <?php $arr = get_skin_dir('mp3', G5_CAPTCHA_PATH); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo "<option value=\"".$arr[$i]."\"".get_selected($config['cf_captcha_mp3'], $arr[$i]).">".$arr[$i]."</option>\n"; } ?> </select> </td> </tr> <tr> <th scope="row"><label for="cf_use_copy_log">복사, 이동시 로그</label></th> <td colspan="3"> <?php echo help('게시물 아래에 누구로 부터 복사, 이동됨 표시') ?> <input type="checkbox" name="cf_use_copy_log" value="1" id="cf_use_copy_log" <?php echo $config['cf_use_copy_log']?'checked':''; ?>> 남김 </td> </tr> <tr> <th scope="row"><label for="cf_point_term">포인트 유효기간</label></th> <td colspan="3"> <?php echo help('기간을 0으로 설정시 포인트 유효기간이 적용되지 않습니다.') ?> <input type="text" name="cf_point_term" value="<?php echo $config['cf_point_term']; ?>" id="cf_point_term" required class="required frm_input" size="5"> 일 </td> </tr> <tr> <th scope="row"><label for="cf_possible_ip">접근가능 IP</label></th> <td> <?php echo help('입력된 IP의 컴퓨터만 접근할 수 있습니다.<br>123.123.+ 도 입력 가능. (엔터로 구분)') ?> <textarea name="cf_possible_ip" id="cf_possible_ip"><?php echo $config['cf_possible_ip'] ?></textarea> </td> <th scope="row"><label for="cf_intercept_ip">접근차단 IP</label></th> <td> <?php echo help('입력된 IP의 컴퓨터는 접근할 수 없음.<br>123.123.+ 도 입력 가능. (엔터로 구분)') ?> <textarea name="cf_intercept_ip" id="cf_intercept_ip"><?php echo $config['cf_intercept_ip'] ?></textarea> </td> </tr> <tr> <th scope="row"><label for="cf_analytics">방문자분석 스크립트</label></th> <td colspan="3"> <?php echo help('방문자분석 스크립트 코드를 입력합니다. 예) 구글 애널리틱스'); ?> <textarea name="cf_analytics" id="cf_analytics"><?php echo $config['cf_analytics']; ?></textarea> </td> </tr> <tr> <th scope="row"><label for="cf_add_meta">추가 메타태그</label></th> <td colspan="3"> <?php echo help('추가로 사용하실 meta 태그를 입력합니다.'); ?> <textarea name="cf_add_meta" id="cf_add_meta"><?php echo $config['cf_add_meta']; ?></textarea> </td> </tr> <tr> <th scope="row"><label for="cf_syndi_token">네이버 신디케이션 연동키</label></th> <td colspan="3"> <?php if (!function_exists('curl_init')) echo help('<b>경고) curl이 지원되지 않아 네이버 신디케이션을 사용할수 없습니다.</b>'); ?> <?php echo help('네이버 신디케이션 연동키(token)을 입력하면 네이버 신디케이션을 사용할 수 있습니다.<br>연동키는 <a href="http://webmastertool.naver.com/" target="_blank"><u>네이버 웹마스터도구</u></a> -> 네이버 신디케이션에서 발급할 수 있습니다.') ?> <input type="text" name="cf_syndi_token" value="<?php echo $config['cf_syndi_token'] ?>" id="cf_syndi_token" class="frm_input" size="70"> </td> </tr> <tr> <th scope="row"><label for="cf_syndi_except">네이버 신디케이션 제외게시판</label></th> <td colspan="3"> <?php echo help('네이버 신디케이션 수집에서 제외할 게시판 아이디를 | 로 구분하여 입력하십시오. 예) notice|adult<br>참고로 그룹접근사용 게시판, 글읽기 권한 2 이상 게시판, 비밀글은 신디케이션 수집에서 제외됩니다.') ?> <input type="text" name="cf_syndi_except" value="<?php echo $config['cf_syndi_except'] ?>" id="cf_syndi_except" class="frm_input" size="70"> </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_board"> <h2 class="h2_frm">게시판 기본 설정</h2> <?php echo $pg_anchor ?> <div class="local_desc02 local_desc"> <p>각 게시판 관리에서 개별적으로 설정 가능합니다.</p> </div>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>게시판 기본 설정</caption> <colgroup> <col class="grid_4"> <col> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_delay_sec">글쓰기 간격<strong class="sound_only">필수</strong></label></th> <td><input type="text" name="cf_delay_sec" value="<?php echo $config['cf_delay_sec'] ?>" id="cf_delay_sec" required class="required numeric frm_input" size="3"> 초 지난후 가능</td> <th scope="row"><label for="cf_link_target">새창 링크</label></th> <td> <?php echo help('글내용중 자동 링크되는 타켓을 지정합니다.') ?> <select name="cf_link_target" id="cf_link_target"> <option value="_blank"<?php echo get_selected($config['cf_link_target'], '_blank') ?>>_blank</option> <option value="_self"<?php echo get_selected($config['cf_link_target'], '_self') ?>>_self</option> <option value="_top"<?php echo get_selected($config['cf_link_target'], '_top') ?>>_top</option> <option value="_new"<?php echo get_selected($config['cf_link_target'], '_new') ?>>_new</option> </select> </td> </tr> <tr> <th scope="row"><label for="cf_read_point">글읽기 포인트<strong class="sound_only">필수</strong></label></th> <td><input type="text" name="cf_read_point" value="<?php echo $config['cf_read_point'] ?>" id="cf_read_point" required class="required frm_input" size="3"> 점</td> <th scope="row"><label for="cf_write_point">글쓰기 포인트</label></th> <td><input type="text" name="cf_write_point" value="<?php echo $config['cf_write_point'] ?>" id="cf_write_point" required class="required frm_input" size="3"> 점</td> </tr> <tr> <th scope="row"><label for="cf_comment_point">댓글쓰기 포인트</label></th> <td><input type="text" name="cf_comment_point" value="<?php echo $config['cf_comment_point'] ?>" id="cf_comment_point" required class="required frm_input" size="3"> 점</td> <th scope="row"><label for="cf_download_point">다운로드 포인트</label></th> <td><input type="text" name="cf_download_point" value="<?php echo $config['cf_download_point'] ?>" id="cf_download_point" required class="required frm_input" size="3"> 점</td> </tr> <tr> <th scope="row"><label for="cf_search_part">검색 단위</label></th> <td colspan="3"><input type="text" name="cf_search_part" value="<?php echo $config['cf_search_part'] ?>" id="cf_search_part" class="frm_input" size="4"> 건 단위로 검색</td> </tr> <tr> <th scope="row"><label for="cf_image_extension">이미지 업로드 확장자</label></th> <td colspan="3"> <?php echo help('게시판 글작성시 이미지 파일 업로드 가능 확장자. | 로 구분') ?> <input type="text" name="cf_image_extension" value="<?php echo $config['cf_image_extension'] ?>" id="cf_image_extension" class="frm_input" size="70"> </td> </tr> <tr> <th scope="row"><label for="cf_flash_extension">플래쉬 업로드 확장자</label></th> <td colspan="3"> <?php echo help('게시판 글작성시 플래쉬 파일 업로드 가능 확장자. | 로 구분') ?> <input type="text" name="cf_flash_extension" value="<?php echo $config['cf_flash_extension'] ?>" id="cf_flash_extension" class="frm_input" size="70"> </td> </tr> <tr> <th scope="row"><label for="cf_movie_extension">동영상 업로드 확장자</label></th> <td colspan="3"> <?php echo help('게시판 글작성시 동영상 파일 업로드 가능 확장자. | 로 구분') ?> <input type="text" name="cf_movie_extension" value="<?php echo $config['cf_movie_extension'] ?>" id="cf_movie_extension" class="frm_input" size="70"> </td> </tr> <tr> <th scope="row"><label for="cf_filter">단어 필터링</label></th> <td colspan="3"> <?php echo help('입력된 단어가 포함된 내용은 게시할 수 없습니다. 단어와 단어 사이는 ,로 구분합니다.') ?> <textarea name="cf_filter" id="cf_filter" rows="7"><?php echo $config['cf_filter'] ?></textarea> </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_join"> <h2 class="h2_frm">회원가입 설정</h2> <?php echo $pg_anchor ?> <div class="local_desc02 local_desc"> <p>회원가입 시 사용할 스킨과 입력 받을 정보 등을 설정할 수 있습니다.</p> </div>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>회원가입 설정</caption> <colgroup> <col class="grid_4"> <col> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_member_skin">회원 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_member_skin" id="cf_member_skin" required class="required"> <?php $arr = get_skin_dir('member'); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo '<option value="'.$arr[$i].'"'.get_selected($config['cf_member_skin'], $arr[$i]).'>'.$arr[$i].'</option>'."\n"; } ?> </select> </td> <th scope="row"><label for="cf_mobile_member_skin">모바일<br>회원 스킨<strong class="sound_only">필수</strong></label></th> <td> <select name="cf_mobile_member_skin" id="cf_mobile_member_skin" required class="required"> <?php $arr = get_skin_dir('member', G5_MOBILE_PATH.'/'.G5_SKIN_DIR); for ($i=0; $i<count($arr); $i++) { if ($i == 0) echo "<option value=\"\">선택</option>"; echo '<option value="'.$arr[$i].'"'.get_selected($config['cf_mobile_member_skin'], $arr[$i]).'>'.$arr[$i].'</option>'."\n"; } ?> </select> </td> </tr> <tr> <th scope="row">홈페이지 입력</th> <td> <input type="checkbox" name="cf_use_homepage" value="1" id="cf_use_homepage" <?php echo $config['cf_use_homepage']?'checked':''; ?>> <label for="cf_use_homepage">보이기</label> <input type="checkbox" name="cf_req_homepage" value="1" id="cf_req_homepage" <?php echo $config['cf_req_homepage']?'checked':''; ?>> <label for="cf_req_homepage">필수입력</label> </td> <th scope="row">주소 입력</th> <td> <input type="checkbox" name="cf_use_addr" value="1" id="cf_use_addr" <?php echo $config['cf_use_addr']?'checked':''; ?>> <label for="cf_use_addr">보이기</label> <input type="checkbox" name="cf_req_addr" value="1" id="cf_req_addr" <?php echo $config['cf_req_addr']?'checked':''; ?>> <label for="cf_req_addr">필수입력</label> </td> </tr> <tr> <th scope="row">전화번호 입력</th> <td> <input type="checkbox" name="cf_use_tel" value="1" id="cf_use_tel" <?php echo $config['cf_use_tel']?'checked':''; ?>> <label for="cf_use_tel">보이기</label> <input type="checkbox" name="cf_req_tel" value="1" id="cf_req_tel" <?php echo $config['cf_req_tel']?'checked':''; ?>> <label for="cf_req_tel">필수입력</label> </td> <th scope="row">휴대폰번호 입력</th> <td> <input type="checkbox" name="cf_use_hp" value="1" id="cf_use_hp" <?php echo $config['cf_use_hp']?'checked':''; ?>> <label for="cf_use_hp">보이기</label> <input type="checkbox" name="cf_req_hp" value="1" id="cf_req_hp" <?php echo $config['cf_req_hp']?'checked':''; ?>> <label for="cf_req_hp">필수입력</label> </td> </tr> <tr> <th scope="row">서명 입력</th> <td> <input type="checkbox" name="cf_use_signature" value="1" id="cf_use_signature" <?php echo $config['cf_use_signature']?'checked':''; ?>> <label for="cf_use_signature">보이기</label> <input type="checkbox" name="cf_req_signature" value="1" id="cf_req_signature" <?php echo $config['cf_req_signature']?'checked':''; ?>> <label for="cf_req_signature">필수입력</label> </td> <th scope="row">자기소개 입력</th> <td> <input type="checkbox" name="cf_use_profile" value="1" id="cf_use_profile" <?php echo $config['cf_use_profile']?'checked':''; ?>> <label for="cf_use_profile">보이기</label> <input type="checkbox" name="cf_req_profile" value="1" id="cf_req_profile" <?php echo $config['cf_req_profile']?'checked':''; ?>> <label for="cf_req_profile">필수입력</label> </td> </tr> <tr> <th scope="row"><label for="cf_register_level">회원가입시 권한</label></th> <td><?php echo get_member_level_select('cf_register_level', 1, 9, $config['cf_register_level']) ?></td> <th scope="row"><label for="cf_register_point">회원가입시 포인트</label></th> <td><input type="text" name="cf_register_point" value="<?php echo $config['cf_register_point'] ?>" id="cf_register_point" class="frm_input" size="5"> 점</td> </tr> <tr> <th scope="row" id="th310"><label for="cf_leave_day">회원탈퇴후 삭제일</label></th> <td colspan="3"><input type="text" name="cf_leave_day" value="<?php echo $config['cf_leave_day'] ?>" id="cf_leave_day" class="frm_input" size="2"> 일 후 자동 삭제</td> </tr> <tr> <th scope="row"><label for="cf_use_member_icon">회원아이콘 사용</label></th> <td> <?php echo help('게시물에 게시자 닉네임 대신 아이콘 사용') ?> <select name="cf_use_member_icon" id="cf_use_member_icon"> <option value="0"<?php echo get_selected($config['cf_use_member_icon'], '0') ?>>미사용 <option value="1"<?php echo get_selected($config['cf_use_member_icon'], '1') ?>>아이콘만 표시 <option value="2"<?php echo get_selected($config['cf_use_member_icon'], '2') ?>>아이콘+이름 표시 </select> </td> <th scope="row"><label for="cf_icon_level">아이콘 업로드 권한</label></th> <td><?php echo get_member_level_select('cf_icon_level', 1, 9, $config['cf_icon_level']) ?> 이상</td> </tr> <tr> <th scope="row"><label for="cf_member_icon_size">회원아이콘 용량</label></th> <td><input type="text" name="cf_member_icon_size" value="<?php echo $config['cf_member_icon_size'] ?>" id="cf_member_icon_size" class="frm_input" size="10"> 바이트 이하</td> <th scope="row">회원아이콘 사이즈</th> <td> <label for="cf_member_icon_width">가로</label> <input type="text" name="cf_member_icon_width" value="<?php echo $config['cf_member_icon_width'] ?>" id="cf_member_icon_width" class="frm_input" size="2"> <label for="cf_member_icon_height">세로</label> <input type="text" name="cf_member_icon_height" value="<?php echo $config['cf_member_icon_height'] ?>" id="cf_member_icon_height" class="frm_input" size="2"> 픽셀 이하 </td> </tr> <tr> <th scope="row"><label for="cf_use_recommend">추천인제도 사용</label></th> <td><input type="checkbox" name="cf_use_recommend" value="1" id="cf_use_recommend" <?php echo $config['cf_use_recommend']?'checked':''; ?>> 사용</td> <th scope="row"><label for="cf_recommend_point">추천인 포인트</label></th> <td><input type="text" name="cf_recommend_point" value="<?php echo $config['cf_recommend_point'] ?>" id="cf_recommend_point" class="frm_input"> 점</td> </tr> <tr> <th scope="row"><label for="cf_prohibit_id">아이디,닉네임 금지단어</label></th> <td> <?php echo help('회원아이디, 닉네임으로 사용할 수 없는 단어를 정합니다. 쉼표 (,) 로 구분') ?> <textarea name="cf_prohibit_id" id="cf_prohibit_id" rows="5"><?php echo $config['cf_prohibit_id'] ?></textarea> </td> <th scope="row"><label for="cf_prohibit_email">입력 금지 메일</label></th> <td> <?php echo help('입력 받지 않을 도메인을 지정합니다. 엔터로 구분 ex) hotmail.com') ?> <textarea name="cf_prohibit_email" id="cf_prohibit_email" rows="5"><?php echo $config['cf_prohibit_email'] ?></textarea> </td> </tr> <tr> <th scope="row"><label for="cf_stipulation">회원가입약관</label></th> <td colspan="3"><textarea name="cf_stipulation" id="cf_stipulation" rows="10"><?php echo $config['cf_stipulation'] ?></textarea></td> </tr> <tr> <th scope="row"><label for="cf_privacy">개인정보처리방침</label></th> <td colspan="3"><textarea id="cf_privacy" name="cf_privacy" rows="10"><?php echo $config['cf_privacy'] ?></textarea></td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_cert"> <h2 class="h2_frm">본인확인 설정</h2> <?php echo $pg_anchor ?> <div class="local_desc02 local_desc"> <p> 회원가입 시 본인확인 수단을 설정합니다.<br> 실명과 휴대폰 번호 그리고 본인확인 당시에 성인인지의 여부를 저장합니다.<br> 게시판의 경우 본인확인 또는 성인여부를 따져 게시물 조회 및 쓰기 권한을 줄 수 있습니다. </p> </div>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>본인확인 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_cert_use">본인확인</label></th> <td> <select name="cf_cert_use" id="cf_cert_use"> <?php echo option_selected("0", $config['cf_cert_use'], "사용안함"); ?> <?php echo option_selected("1", $config['cf_cert_use'], "테스트"); ?> <?php echo option_selected("2", $config['cf_cert_use'], "실서비스"); ?> </select> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_ipin">아이핀 본인확인</label></th> <td class="cf_cert_service"> <select name="cf_cert_ipin" id="cf_cert_ipin"> <?php echo option_selected("", $config['cf_cert_ipin'], "사용안함"); ?> <?php echo option_selected("kcb", $config['cf_cert_ipin'], "코리아크레딧뷰로(KCB) 아이핀"); ?> </select> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_hp">휴대폰 본인확인</label></th> <td class="cf_cert_service"> <select name="cf_cert_hp" id="cf_cert_hp"> <?php echo option_selected("", $config['cf_cert_hp'], "사용안함"); ?> <?php echo option_selected("kcb", $config['cf_cert_hp'], "코리아크레딧뷰로(KCB) 휴대폰 본인확인"); ?> <?php echo option_selected("kcp", $config['cf_cert_hp'], "한국사이버결제(KCP) 휴대폰 본인확인"); ?> <?php echo option_selected("lg", $config['cf_cert_hp'], "LG유플러스 휴대폰 본인확인"); ?> </select> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_kcb_cd">코리아크레딧뷰로<br>KCB 회원사ID</label></th> <td class="cf_cert_service"> <?php echo help('KCB 회원사ID를 입력해 주십시오.<br>서비스에 가입되어 있지 않다면, KCB와 계약체결 후 회원사ID를 발급 받으실 수 있습니다.<br>이용하시려는 서비스에 대한 계약을 아이핀, 휴대폰 본인확인 각각 체결해주셔야 합니다.<br>아이핀 본인확인 테스트의 경우에는 KCB 회원사ID가 필요 없으나,<br>휴대폰 본인확인 테스트의 경우 KCB 에서 따로 발급 받으셔야 합니다.') ?> <input type="text" name="cf_cert_kcb_cd" value="<?php echo $config['cf_cert_kcb_cd'] ?>" id="cf_cert_kcb_cd" class="frm_input" size="20"> <a href="http://sir.co.kr/main/service/b_ipin.php" target="_blank" class="btn_frmline">KCB 아이핀 서비스 신청페이지</a> <a href="http://sir.co.kr/main/service/b_cert.php" target="_blank" class="btn_frmline">KCB 휴대폰 본인확인 서비스 신청페이지</a> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_kcp_cd">한국사이버결제<br>KCP 사이트코드</label></th> <td class="cf_cert_service"> <?php echo help('<!--SM으로 시작하는 5자리 사이트 코드중 뒤의 3자리만 입력해 주십시오.<br>-->서비스에 가입되어 있지 않다면, 본인확인 서비스 신청페이지에서 서비스 신청 후 사이트코드를 발급 받으실 수 있습니다.') ?> <!--<span class="sitecode">SM</span>--> <input type="text" name="cf_cert_kcp_cd" value="<?php echo $config['cf_cert_kcp_cd'] ?>" id="cf_cert_kcp_cd" class="frm_input" size="20"> <a href="http://sir.co.kr/main/service/p_cert.php" target="_blank" class="btn_frmline">KCP 휴대폰 본인확인 서비스 신청페이지</a> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_lg_mid">LG유플러스 상점아이디</label></th> <td class="cf_cert_service"> <?php echo help('<!--LG유플러스 상점아이디 중 si_를 제외한 나머지 아이디만 입력해 주십시오.<br>-->서비스에 가입되어 있지 않다면, 본인확인 서비스 신청페이지에서 서비스 신청 후 상점아이디를 발급 받으실 수 있습니다.<br><strong>LG유플러스 휴대폰본인확인은 ActiveX 설치가 필요하므로 Internet Explorer 에서만 사용할 수 있습니다.</strong>') ?> <!--<span class="sitecode">si_</span>--> <input type="text" name="cf_lg_mid" value="<?php echo $config['cf_lg_mid'] ?>" id="cf_lg_mid" class="frm_input" size="20"> <a href="http://sir.co.kr/main/service/lg_cert.php" target="_blank" class="btn_frmline">LG유플러스 본인확인 서비스 신청페이지</a> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_lg_mert_key">LG유플러스 MERT KEY</label></th> <td class="cf_cert_service"> <?php echo help('LG유플러스 상점MertKey는 상점관리자 -> 계약정보 -> 상점정보관리에서 확인하실 수 있습니다.') ?> <input type="text" name="cf_lg_mert_key" value="<?php echo $config['cf_lg_mert_key'] ?>" id="cf_lg_mert_key" class="frm_input" size="40"> </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_limit">본인확인 이용제한</label></th> <td class="cf_cert_service"> <?php echo help('하루동안 아이핀과 휴대폰 본인확인 인증 이용회수를 제한할 수 있습니다.<br>회수제한은 실서비스에서 아이핀과 휴대폰 본인확인 인증에 개별 적용됩니다.<br>0 으로 설정하시면 회수제한이 적용되지 않습니다.'); ?> <input type="text" name="cf_cert_limit" value="<?php echo $config['cf_cert_limit']; ?>" id="cf_cert_limit" class="frm_input" size="3"> 회 </td> </tr> <tr> <th scope="row" class="cf_cert_service"><label for="cf_cert_req">본인확인 필수</label></th> <td class="cf_cert_service"> <?php echo help('회원가입 때 본인확인을 필수로 할지 설정합니다. 필수로 설정하시면 본인확인을 하지 않은 경우 회원가입이 안됩니다.'); ?> <input type="checkbox" name="cf_cert_req" value="1" id="cf_cert_req"<?php echo get_checked($config['cf_cert_req'], 1); ?>> 예 </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_mail"> <h2 class="h2_frm">기본 메일 환경 설정</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>기본 메일 환경 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_email_use">메일발송 사용</label></th> <td> <?php echo help('체크하지 않으면 메일발송을 아예 사용하지 않습니다. 메일 테스트도 불가합니다.') ?> <input type="checkbox" name="cf_email_use" value="1" id="cf_email_use" <?php echo $config['cf_email_use']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_use_email_certify">메일인증 사용</label></th> <td> <?php echo help('메일에 배달된 인증 주소를 클릭하여야 회원으로 인정합니다.'); ?> <input type="checkbox" name="cf_use_email_certify" value="1" id="cf_use_email_certify" <?php echo $config['cf_use_email_certify']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_formmail_is_member">폼메일 사용 여부</label></th> <td> <?php echo help('체크하지 않으면 비회원도 사용 할 수 있습니다.') ?> <input type="checkbox" name="cf_formmail_is_member" value="1" id="cf_formmail_is_member" <?php echo $config['cf_formmail_is_member']?'checked':''; ?>> 회원만 사용 </td> </tr> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_article_mail"> <h2 class="h2_frm">게시판 글 작성 시 메일 설정</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>게시판 글 작성 시 메일 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_email_wr_super_admin">최고관리자</label></th> <td> <?php echo help('최고관리자에게 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_wr_super_admin" value="1" id="cf_email_wr_super_admin" <?php echo $config['cf_email_wr_super_admin']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_email_wr_group_admin">그룹관리자</label></th> <td> <?php echo help('그룹관리자에게 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_wr_group_admin" value="1" id="cf_email_wr_group_admin" <?php echo $config['cf_email_wr_group_admin']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_email_wr_board_admin">게시판관리자</label></th> <td> <?php echo help('게시판관리자에게 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_wr_board_admin" value="1" id="cf_email_wr_board_admin" <?php echo $config['cf_email_wr_board_admin']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_email_wr_write">원글작성자</label></th> <td> <?php echo help('게시자님께 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_wr_write" value="1" id="cf_email_wr_write" <?php echo $config['cf_email_wr_write']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_email_wr_comment_all">댓글작성자</label></th> <td> <?php echo help('원글에 댓글이 올라오는 경우 댓글 쓴 모든 분들께 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_wr_comment_all" value="1" id="cf_email_wr_comment_all" <?php echo $config['cf_email_wr_comment_all']?'checked':''; ?>> 사용 </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_join_mail"> <h2 class="h2_frm">회원가입 시 메일 설정</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>회원가입 시 메일 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_email_mb_super_admin">최고관리자 메일발송</label></th> <td> <?php echo help('최고관리자에게 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_mb_super_admin" value="1" id="cf_email_mb_super_admin" <?php echo $config['cf_email_mb_super_admin']?'checked':''; ?>> 사용 </td> </tr> <tr> <th scope="row"><label for="cf_email_mb_member">회원님께 메일발송</label></th> <td> <?php echo help('회원가입한 회원님께 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_mb_member" value="1" id="cf_email_mb_member" <?php echo $config['cf_email_mb_member']?'checked':''; ?>> 사용 </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_vote_mail"> <h2 class="h2_frm">투표 기타의견 작성 시 메일 설정</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>투표 기타의견 작성 시 메일 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_email_po_super_admin">최고관리자 메일발송</label></th> <td> <?php echo help('최고관리자에게 메일을 발송합니다.') ?> <input type="checkbox" name="cf_email_po_super_admin" value="1" id="cf_email_po_super_admin" <?php echo $config['cf_email_po_super_admin']?'checked':''; ?>> 사용 </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_sns"> <h2 class="h2_frm">소셜네트워크서비스(SNS : Social Network Service)</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>소셜네트워크서비스 설정</caption> <colgroup> <col class="grid_4"> <col> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_facebook_appid">페이스북 앱 ID</label></th> <td> <input type="text" name="cf_facebook_appid" value="<?php echo $config['cf_facebook_appid'] ?>" id="cf_facebook_appid" class="frm_input"> <a href="https://developers.facebook.com/apps" target="_blank" class="btn_frmline">앱 등록하기</a> </td> <th scope="row"><label for="cf_facebook_secret">페이스북 앱 Secret</label></th> <td> <input type="text" name="cf_facebook_secret" value="<?php echo $config['cf_facebook_secret'] ?>" id="cf_facebook_secret" class="frm_input" size="35"> </td> </tr> <tr> <th scope="row"><label for="cf_twitter_key">트위터 컨슈머 Key</label></th> <td> <input type="text" name="cf_twitter_key" value="<?php echo $config['cf_twitter_key'] ?>" id="cf_twitter_key" class="frm_input"> <a href="https://dev.twitter.com/apps" target="_blank" class="btn_frmline">앱 등록하기</a> </td> <th scope="row"><label for="cf_twitter_secret">트위터 컨슈머 Secret</label></th> <td> <input type="text" name="cf_twitter_secret" value="<?php echo $config['cf_twitter_secret'] ?>" id="cf_twitter_secret" class="frm_input" size="35"> </td> </tr> <tr> <th scope="row"><label for="cf_googl_shorturl_apikey">구글 짧은주소 API Key</label></th> <td> <input type="text" name="cf_googl_shorturl_apikey" value="<?php echo $config['cf_googl_shorturl_apikey'] ?>" id="cf_googl_shorturl_apikey" class="frm_input"> <a href="http://code.google.com/apis/console/" target="_blank" class="btn_frmline">API Key 등록하기</a> </td> <th scope="row"><label for="cf_kakao_js_apikey">카카오 Javascript API Key</label></th> <td> <input type="text" name="cf_kakao_js_apikey" value="<?php echo $config['cf_kakao_js_apikey'] ?>" id="cf_kakao_js_apikey" class="frm_input"> <a href="http://developers.kakao.com/" target="_blank" class="btn_frmline">앱 등록하기</a> </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_lay"> <h2 class="h2_frm">레이아웃 추가설정</h2> <?php echo $pg_anchor; ?> <div class="local_desc02 local_desc"> <p>기본 설정된 파일 경로 및 script, css 를 추가하거나 변경할 수 있습니다.</p> </div>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>레이아웃 추가설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_include_index">초기화면 파일 경로</label></th> <td> <?php echo help('입력이 없으면 index.php가 초기화면 파일로 설정됩니다.<br>초기화면 파일은 index.php 파일과 동일한 위치에 존재해야 합니다.') ?> <input type="text" name="cf_include_index" value="<?php echo $config['cf_include_index'] ?>" id="cf_include_index" class="frm_input" size="50"> </td> </tr> <tr> <th scope="row"><label for="cf_include_head">상단 파일 경로</label></th> <td> <?php echo help('입력이 없으면 head.php가 상단 파일로 설정됩니다.<br>상단 파일은 head.php 파일과 동일한 위치에 존재해야 합니다.') ?> <input type="text" name="cf_include_head" value="<?php echo $config['cf_include_head'] ?>" id="cf_include_head" class="frm_input" size="50"> </td> </tr> <tr> <th scope="row"><label for="cf_include_tail">하단 파일 경로</label></th> <td> <?php echo help('입력이 없으면 tail.php가 하단 파일로 설정됩니다.<br>초기화면 파일은 tail.php 파일과 동일한 위치에 존재해야 합니다.') ?> <input type="text" name="cf_include_tail" value="<?php echo $config['cf_include_tail'] ?>" id="cf_include_tail" class="frm_input" size="50"> </td> </tr> <tr> <th scope="row"><label for="cf_add_script">추가 script, css</label></th> <td> <?php echo help('HTML의 </HEAD> 태그위로 추가될 JavaScript와 css 코드를 설정합니다.<br>관리자 페이지에서는 이 코드를 사용하지 않습니다.') ?> <textarea name="cf_add_script" id="cf_add_script"><?php echo get_text($config['cf_add_script']); ?></textarea> </td> </tr> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_sms"> <h2 class="h2_frm">SMS</h2> <?php echo $pg_anchor ?>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>SMS 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <tr> <th scope="row"><label for="cf_sms_use">SMS 사용</label></th> <td> <select id="cf_sms_use" name="cf_sms_use"> <option value="" <?php echo get_selected($config['cf_sms_use'], ''); ?>>사용안함</option> <option value="icode" <?php echo get_selected($config['cf_sms_use'], 'icode'); ?>>아이코드</option> </select> </td> </tr> <tr> <th scope="row"><label for="cf_icode_id">아이코드 회원아이디</label></th> <td> <?php echo help("아이코드에서 사용하시는 회원아이디를 입력합니다."); ?> <input type="text" name="cf_icode_id" value="<?php echo $config['cf_icode_id']; ?>" id="cf_icode_id" class="frm_input" size="20"> </td> </tr> <tr> <th scope="row"><label for="cf_icode_pw">아이코드 비밀번호</label></th> <td> <?php echo help("아이코드에서 사용하시는 비밀번호를 입력합니다."); ?> <input type="password" name="cf_icode_pw" value="<?php echo $config['cf_icode_pw']; ?>" id="cf_icode_pw" class="frm_input"> </td> </tr> <tr> <th scope="row">요금제</th> <td> <input type="hidden" name="cf_icode_server_ip" value="<?php echo $config['cf_icode_server_ip']; ?>"> <?php if ($userinfo['payment'] == 'A') { echo '충전제'; echo '<input type="hidden" name="cf_icode_server_port" value="7295">'; } else if ($userinfo['payment'] == 'C') { echo '정액제'; echo '<input type="hidden" name="cf_icode_server_port" value="7296">'; } else { echo '가입해주세요.'; echo '<input type="hidden" name="cf_icode_server_port" value="7295">'; } ?> </td> </tr> <tr> <th scope="row">아이코드 SMS 신청<br>회원가입</th> <td> <?php echo help("아래 링크에서 회원가입 하시면 문자 건당 16원에 제공 받을 수 있습니다."); ?> <a href="http://icodekorea.com/res/join_company_fix_a.php?sellid=sir2" target="_blank" class="btn_frmline">아이코드 회원가입</a> </td> </tr> <?php if ($userinfo['payment'] == 'A') { ?> <tr> <th scope="row">충전 잔액</th> <td colspan="3"> <?php echo number_format($userinfo['coin']); ?> 원. <a href="http://www.icodekorea.com/smsbiz/credit_card_amt.php?icode_id=<?php echo $config['cf_icode_id']; ?>&icode_passwd=<?php echo $config['cf_icode_pw']; ?>" target="_blank" class="btn_frmline" onclick="window.open(this.href,'icode_payment', 'scrollbars=1,resizable=1'); return false;">충전하기</a> </td> </tr> <tr> <th scope="row">건수별 금액</th> <td colspan="3"> <?php echo number_format($userinfo['gpay']); ?> 원. </td> </tr> <?php } ?> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
<section id="anc_cf_extra"> <h2 class="h2_frm">여분필드 기본 설정</h2> <?php echo $pg_anchor ?> <div class="local_desc02 local_desc"> <p>각 게시판 관리에서 개별적으로 설정 가능합니다.</p> </div>
<div class="tbl_frm01 tbl_wrap"> <table> <caption>여분필드 기본 설정</caption> <colgroup> <col class="grid_4"> <col> </colgroup> <tbody> <?php for ($i=1; $i<=10; $i++) { ?> <tr> <th scope="row">여분필드<?php echo $i ?></th> <td class="td_extra"> <label for="cf_<?php echo $i ?>_subj">여분필드<?php echo $i ?> 제목</label> <input type="text" name="cf_<?php echo $i ?>_subj" value="<?php echo get_text($config['cf_'.$i.'_subj']) ?>" id="cf_<?php echo $i ?>_subj" class="frm_input" size="30"> <label for="cf_<?php echo $i ?>">여분필드<?php echo $i ?> 값</label> <input type="text" name="cf_<?php echo $i ?>" value="<?php echo $config['cf_'.$i] ?>" id="cf_<?php echo $i ?>" class="frm_input" size="30"> </td> </tr> <?php } ?> </tbody> </table> </div> </section>
<?php echo $frm_submit; ?>
</form>
<script> $(function(){ <?php if(!$config['cf_cert_use']) echo '$(".cf_cert_service").addClass("cf_cert_hide");'; ?> $("#cf_cert_use").change(function(){ switch($(this).val()) { case "0": $(".cf_cert_service").addClass("cf_cert_hide"); break; default: $(".cf_cert_service").removeClass("cf_cert_hide"); break; } }); });
function fconfigform_submit(f) { f.action = "./config_form_update.php"; return true; } </script>
<?php // 본인확인 모듈 실행권한 체크 if($config['cf_cert_use']) { // kcb일 때 if($config['cf_cert_ipin'] == 'kcb' || $config['cf_cert_hp'] == 'kcb') { // 실행모듈 if(strtoupper(substr(PHP_OS, 0, 3)) !== 'WIN') { if(PHP_INT_MAX == 2147483647) // 32-bit $exe = G5_OKNAME_PATH.'/bin/okname'; else $exe = G5_OKNAME_PATH.'/bin/okname_x64'; } else { if(PHP_INT_MAX == 2147483647) // 32-bit $exe = G5_OKNAME_PATH.'/bin/okname.exe'; else $exe = G5_OKNAME_PATH.'/bin/oknamex64.exe'; }
echo module_exec_check($exe, 'okname'); }
// kcp일 때 if($config['cf_cert_hp'] == 'kcp') { if(PHP_INT_MAX == 2147483647) // 32-bit $exe = G5_KCPCERT_PATH . '/bin/ct_cli'; else $exe = G5_KCPCERT_PATH . '/bin/ct_cli_x64';
echo module_exec_check($exe, 'ct_cli'); }
// LG의 경우 log 디렉토리 체크 if($config['cf_cert_hp'] == 'lg') { $log_path = G5_LGXPAY_PATH.'/lgdacom/log';
if(!is_dir($log_path)) { echo '<script>'.PHP_EOL; echo 'alert("'.str_replace(G5_PATH.'/', '', G5_LGXPAY_PATH).'/lgdacom 폴더 안에 log 폴더를 생성하신 후 쓰기권한을 부여해 주십시오.\n> mkdir log\n> chmod 707 log");'.PHP_EOL; echo '</script>'.PHP_EOL; } else { if(!is_writable($log_path)) { echo '<script>'.PHP_EOL; echo 'alert("'.str_replace(G5_PATH.'/', '',$log_path).' 폴더에 쓰기권한을 부여해 주십시오.\n> chmod 707 log");'.PHP_EOL; echo '</script>'.PHP_EOL; } } } }
include_once ('./admin.tail.php'); ?>
|