OSDN Git Service

c344a9f733c02f155c2b9f76dfe861a94f2839e2
[hengband/hengband.git] / src / cmd4.c
1 /*!
2  * @file cmd4.c
3  * @brief プレイヤーのインターフェイスに関するコマンドの実装 / Interface commands
4  * @date 2014/01/02
5  * @author
6  * <pre>
7  * Copyright (c) 1997 Ben Harrison, James E. Wilson, Robert A. Koeneke
8  * This software may be copied and distributed for educational, research,
9  * and not for profit purposes provided that this copyright and statement
10  * are included in all such copies.  Other copyrights may also apply.
11  * </pre>
12  * @details
13  * <pre>
14  * A set of functions to maintain automatic dumps of various kinds.
15  * -Mogami-
16  * remove_auto_dump(orig_file, mark)
17  *     Remove the old automatic dump of type "mark".
18  * auto_dump_printf(fmt, ...)
19  *     Dump a formatted string using fprintf().
20  * open_auto_dump(buf, mark)
21  *     Open a file, remove old dump, and add new header.
22  * close_auto_dump(void)
23  *     Add a footer, and close the file.
24  *    The dump commands of original Angband simply add new lines to
25  * existing files; these files will become bigger and bigger unless
26  * an user deletes some or all of these files by hand at some
27  * point.
28  *     These three functions automatically delete old dumped lines 
29  * before adding new ones.  Since there are various kinds of automatic 
30  * dumps in a single file, we add a header and a footer with a type 
31  * name for every automatic dump, and kill old lines only when the 
32  * lines have the correct type of header and footer.
33  *     We need to be quite paranoid about correctness; the user might 
34  * (mistakenly) edit the file by hand, and see all their work come
35  * to nothing on the next auto dump otherwise.  The current code only 
36  * detects changes by noting inconsistencies between the actual number 
37  * of lines and the number written in the footer.  Note that this will 
38  * not catch single-line edits.
39  * </pre>
40  */
41
42 #include "angband.h"
43
44
45
46 /*
47  */
48
49 /*
50  *  Mark strings for auto dump
51  */
52 static char auto_dump_header[] = "# vvvvvvv== %s ==vvvvvvv";
53 static char auto_dump_footer[] = "# ^^^^^^^== %s ==^^^^^^^";
54
55 /*
56  * Variables for auto dump
57  */
58 static FILE *auto_dump_stream;
59 static cptr auto_dump_mark;
60 static int auto_dump_line_num;
61
62
63 /*!
64  * @brief prf出力内容を消去する /
65  * Remove old lines automatically generated before.
66  * @param orig_file 消去を行うファイル名
67  */
68 static void remove_auto_dump(cptr orig_file)
69 {
70         FILE *tmp_fff, *orig_fff;
71
72         char tmp_file[1024];
73         char buf[1024];
74         bool between_mark = FALSE;
75         bool changed = FALSE;
76         int line_num = 0;
77         long header_location = 0;
78         char header_mark_str[80];
79         char footer_mark_str[80];
80         size_t mark_len;
81
82         /* Prepare a header/footer mark string */
83         sprintf(header_mark_str, auto_dump_header, auto_dump_mark);
84         sprintf(footer_mark_str, auto_dump_footer, auto_dump_mark);
85
86         mark_len = strlen(footer_mark_str);
87
88         /* Open an old dump file in read-only mode */
89         orig_fff = my_fopen(orig_file, "r");
90
91         /* If original file does not exist, nothing to do */
92         if (!orig_fff) return;
93
94         /* Open a new (temporary) file */
95         tmp_fff = my_fopen_temp(tmp_file, 1024);
96
97         if (!tmp_fff)
98         {
99             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), tmp_file);
100             msg_print(NULL);
101             return;
102         }
103
104         /* Loop for every line */
105         while (TRUE)
106         {
107                 /* Read a line */
108                 if (my_fgets(orig_fff, buf, sizeof(buf)))
109                 {
110                         /* Read error: Assume End of File */
111
112                         /*
113                          * Was looking for the footer, but not found.
114                          *
115                          * Since automatic dump might be edited by hand,
116                          * it's dangerous to kill these lines.
117                          * Seek back to the next line of the (pseudo) header,
118                          * and read again.
119                          */
120                         if (between_mark)
121                         {
122                                 fseek(orig_fff, header_location, SEEK_SET);
123                                 between_mark = FALSE;
124                                 continue;
125                         }
126
127                         /* Success -- End the loop */
128                         else
129                         {
130                                 break;
131                         }
132                 }
133
134                 /* We are looking for the header mark of automatic dump */
135                 if (!between_mark)
136                 {
137                         /* Is this line a header? */
138                         if (!strcmp(buf, header_mark_str))
139                         {
140                                 /* Memorise seek point of this line */
141                                 header_location = ftell(orig_fff);
142
143                                 /* Initialize counter for number of lines */
144                                 line_num = 0;
145
146                                 /* Look for the footer from now */
147                                 between_mark = TRUE;
148
149                                 /* There are some changes */
150                                 changed = TRUE;
151                         }
152
153                         /* Not a header */
154                         else
155                         {
156                                 /* Copy orginally lines */
157                                 fprintf(tmp_fff, "%s\n", buf);
158                         }
159                 }
160
161                 /* We are looking for the footer mark of automatic dump */
162                 else
163                 {
164                         /* Is this line a footer? */
165                         if (!strncmp(buf, footer_mark_str, mark_len))
166                         {
167                                 int tmp;
168
169                                 /*
170                                  * Compare the number of lines
171                                  *
172                                  * If there is an inconsistency between
173                                  * actual number of lines and the
174                                  * number here, the automatic dump
175                                  * might be edited by hand.  So it's
176                                  * dangerous to kill these lines.
177                                  * Seek back to the next line of the
178                                  * (pseudo) header, and read again.
179                                  */
180                                 if (!sscanf(buf + mark_len, " (%d)", &tmp)
181                                     || tmp != line_num)
182                                 {
183                                         fseek(orig_fff, header_location, SEEK_SET);
184                                 }
185
186                                 /* Look for another header */
187                                 between_mark = FALSE;
188                         }
189
190                         /* Not a footer */
191                         else
192                         {
193                                 /* Ignore old line, and count number of lines */
194                                 line_num++;
195                         }
196                 }
197         }
198
199         /* Close files */
200         my_fclose(orig_fff);
201         my_fclose(tmp_fff);
202
203         /* If there are some changes, overwrite the original file with new one */
204         if (changed)
205         {
206                 /* Copy contents of temporary file */
207
208                 tmp_fff = my_fopen(tmp_file, "r");
209                 orig_fff = my_fopen(orig_file, "w");
210
211                 while (!my_fgets(tmp_fff, buf, sizeof(buf)))
212                         fprintf(orig_fff, "%s\n", buf);
213
214                 my_fclose(orig_fff);
215                 my_fclose(tmp_fff);
216         }
217
218         /* Kill the temporary file */
219         fd_kill(tmp_file);
220
221         return;
222 }
223
224
225 /*!
226  * @brief prfファイルのフォーマットに従った内容を出力する /
227  * Dump a formatted line, using "vstrnfmt()".
228  * @param fmt 出力内容
229  */
230 static void auto_dump_printf(cptr fmt, ...)
231 {
232         cptr p;
233         va_list vp;
234
235         char buf[1024];
236
237         /* Begin the Varargs Stuff */
238         va_start(vp, fmt);
239
240         /* Format the args, save the length */
241         (void)vstrnfmt(buf, sizeof(buf), fmt, vp);
242
243         /* End the Varargs Stuff */
244         va_end(vp);
245
246         /* Count number of lines */
247         for (p = buf; *p; p++)
248         {
249                 if (*p == '\n') auto_dump_line_num++;
250         }
251
252         /* Dump it */
253         fprintf(auto_dump_stream, "%s", buf);
254 }
255
256
257 /*!
258  * @brief prfファイルをファイルオープンする /
259  * Open file to append auto dump.
260  * @param buf ファイル名
261  * @param mark 出力するヘッダマーク
262  * @return ファイルポインタを取得できたらTRUEを返す
263  */
264 static bool open_auto_dump(cptr buf, cptr mark)
265 {
266
267         char header_mark_str[80];
268
269         /* Save the mark string */
270         auto_dump_mark = mark;
271
272         /* Prepare a header mark string */
273         sprintf(header_mark_str, auto_dump_header, auto_dump_mark);
274
275         /* Remove old macro dumps */
276         remove_auto_dump(buf);
277
278         /* Append to the file */
279         auto_dump_stream = my_fopen(buf, "a");
280
281         /* Failure */
282         if (!auto_dump_stream) {
283                 msg_format(_("%s を開くことができませんでした。", "Failed to open %s."), buf);
284                 msg_print(NULL);
285
286                 /* Failed */
287                 return FALSE;
288         }
289
290         /* Start dumping */
291         fprintf(auto_dump_stream, "%s\n", header_mark_str);
292
293         /* Initialize counter */
294         auto_dump_line_num = 0;
295
296         auto_dump_printf(_("# *警告!!* 以降の行は自動生成されたものです。\n",
297                                            "# *Warning!*  The lines below are an automatic dump.\n"));
298         auto_dump_printf(_("# *警告!!* 後で自動的に削除されるので編集しないでください。\n", 
299                                            "# Don't edit them; changes will be deleted and replaced automatically.\n"));
300         /* Success */
301         return TRUE;
302 }
303
304 /*!
305  * @brief prfファイルをファイルクローズする /
306  * Append foot part and close auto dump.
307  * @return なし
308  */
309 static void close_auto_dump(void)
310 {
311         char footer_mark_str[80];
312
313         /* Prepare a footer mark string */
314         sprintf(footer_mark_str, auto_dump_footer, auto_dump_mark);
315
316         auto_dump_printf(_("# *警告!!* 以降の行は自動生成されたものです。\n",
317                                            "# *Warning!*  The lines below are an automatic dump.\n"));
318         auto_dump_printf(_("# *警告!!* 後で自動的に削除されるので編集しないでください。\n", 
319                                            "# Don't edit them; changes will be deleted and replaced automatically.\n"));
320         /* End of dump */
321         fprintf(auto_dump_stream, "%s (%d)\n", footer_mark_str, auto_dump_line_num);
322
323         /* Close */
324         my_fclose(auto_dump_stream);
325
326         return;
327 }
328
329
330 #ifndef JP
331
332 /*!
333  * @brief Return suffix of ordinal number
334  * @param num number
335  * @return pointer of suffix string.
336  */
337 cptr get_ordinal_number_suffix(int num)
338 {
339         num = ABS(num) % 100;
340         switch (num % 10)
341         {
342         case 1:
343                 return (num == 11) ? "th" : "st";
344         case 2:
345                 return (num == 12) ? "th" : "nd";
346         case 3:
347                 return (num == 13) ? "th" : "rd";
348         default:
349                 return "th";
350         }
351 }
352 #endif
353
354
355 /*!
356  * @brief 日記にメッセージを追加する /
357  * Take note to the diary.
358  * @param type 日記内容のID
359  * @param num 日記内容のIDに応じた数値
360  * @param note 日記内容のIDに応じた文字列参照ポインタ
361  * @return エラーID
362  */
363 errr do_cmd_write_nikki(int type, int num, cptr note)
364 {
365         int day, hour, min;
366         FILE *fff = NULL;
367         char file_name[80];
368         char buf[1024];
369         cptr note_level = "";
370         bool do_level = TRUE;
371         char note_level_buf[40];
372         int q_idx;
373
374         static bool disable_nikki = FALSE;
375
376         extract_day_hour_min(&day, &hour, &min);
377
378         if (disable_nikki) return(-1);
379
380         if (type == NIKKI_FIX_QUEST_C ||
381             type == NIKKI_FIX_QUEST_F ||
382             type == NIKKI_RAND_QUEST_C ||
383             type == NIKKI_RAND_QUEST_F ||
384             type == NIKKI_TO_QUEST)
385         {
386                 IDX old_quest;
387
388                 old_quest = p_ptr->inside_quest;
389                 p_ptr->inside_quest = (quest[num].type == QUEST_TYPE_RANDOM) ? 0 : num;
390
391                 /* Get the quest text */
392                 init_flags = INIT_NAME_ONLY;
393
394                 process_dungeon_file("q_info.txt", 0, 0, 0, 0);
395
396                 /* Reset the old quest number */
397                 p_ptr->inside_quest = old_quest;
398         }
399
400         /* different filne name to avoid mixing */
401         sprintf(file_name,_("playrecord-%s.txt", "playrec-%s.txt"),savefile_base);
402
403         /* Build the filename */
404         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, file_name);
405
406         /* File type is "TEXT" */
407         FILE_TYPE(FILE_TYPE_TEXT);
408
409         fff = my_fopen(buf, "a");
410
411         /* Failure */
412         if (!fff)
413         {
414                 msg_format(_("%s を開くことができませんでした。プレイ記録を一時停止します。", "Failed to open %s. Play-Record is disabled temporally."), buf);
415                 msg_format(NULL);
416                 disable_nikki=TRUE;
417                 return (-1);
418         }
419
420         q_idx = quest_number(dun_level);
421
422         if (write_level)
423         {
424                 if (p_ptr->inside_arena)
425                         note_level = _("アリーナ:", "Arane:");
426                 else if (!dun_level)
427                         note_level = _("地上:", "Surface:");
428                 else if (q_idx && (is_fixed_quest_idx(q_idx)
429                          && !((q_idx == QUEST_OBERON) || (q_idx == QUEST_SERPENT))))
430                         note_level = _("クエスト:", "Quest:");
431                 else
432                 {
433 #ifdef JP
434                         sprintf(note_level_buf, "%d階(%s):", (int)dun_level, d_name+d_info[dungeon_type].name);
435 #else
436                         sprintf(note_level_buf, "%s L%d:", d_name+d_info[dungeon_type].name, (int)dun_level);
437 #endif
438                         note_level = note_level_buf;
439                 }
440         }
441
442         switch(type)
443         {
444                 case NIKKI_HIGAWARI:
445                 {
446                         if (day < MAX_DAYS) fprintf(fff, _("%d日目\n", "Day %d\n"), day);
447                         else fputs(_("*****日目\n", "Day *****\n"), fff);
448                         do_level = FALSE;
449                         break;
450                 }
451                 case NIKKI_BUNSHOU:
452                 {
453                         if (num)
454                         {
455                                 fprintf(fff, "%s\n",note);
456                                 do_level = FALSE;
457                         }
458                         else
459                                 fprintf(fff, " %2d:%02d %20s %s\n",hour, min, note_level, note);
460                         break;
461                 }
462                 case NIKKI_ART:
463                 {
464                         fprintf(fff, _(" %2d:%02d %20s %sを発見した。\n", " %2d:%02d %20s discovered %s.\n"), hour, min, note_level, note);
465                         break;
466                 }
467                 case NIKKI_ART_SCROLL:
468                 {
469                         fprintf(fff, _(" %2d:%02d %20s 巻物によって%sを生成した。\n", " %2d:%02d %20s created %s by scroll.\n"), hour, min, note_level, note);
470                         break;
471                 }
472                 case NIKKI_UNIQUE:
473                 {
474                         fprintf(fff, _(" %2d:%02d %20s %sを倒した。\n", " %2d:%02d %20s defeated %s.\n"), hour, min, note_level, note);
475                         break;
476                 }
477                 case NIKKI_FIX_QUEST_C:
478                 {
479                         if (quest[num].flags & QUEST_FLAG_SILENT) break;
480                         fprintf(fff, _(" %2d:%02d %20s クエスト「%s」を達成した。\n",
481                                                    " %2d:%02d %20s completed quest '%s'.\n"), hour, min, note_level, quest[num].name);
482                         break;
483                 }
484                 case NIKKI_FIX_QUEST_F:
485                 {
486                         if (quest[num].flags & QUEST_FLAG_SILENT) break;
487                         fprintf(fff, _(" %2d:%02d %20s クエスト「%s」から命からがら逃げ帰った。\n",
488                                                    " %2d:%02d %20s run away from quest '%s'.\n"), hour, min, note_level, quest[num].name);
489                         break;
490                 }
491                 case NIKKI_RAND_QUEST_C:
492                 {
493                         char name[80];
494                         strcpy(name, r_name+r_info[quest[num].r_idx].name);
495                         fprintf(fff, _(" %2d:%02d %20s ランダムクエスト(%s)を達成した。\n",
496                                                    " %2d:%02d %20s completed random quest '%s'\n"), hour, min, note_level, name);
497                         break;
498                 }
499                 case NIKKI_RAND_QUEST_F:
500                 {
501                         char name[80];
502                         strcpy(name, r_name+r_info[quest[num].r_idx].name);
503                         fprintf(fff, _(" %2d:%02d %20s ランダムクエスト(%s)から逃げ出した。\n",
504                                                    " %2d:%02d %20s ran away from quest '%s'.\n"), hour, min, note_level, name);
505                         break;
506                 }
507                 case NIKKI_MAXDEAPTH:
508                 {
509                         fprintf(fff, _(" %2d:%02d %20s %sの最深階%d階に到達した。\n",
510                                                    " %2d:%02d %20s reached level %d of %s for the first time.\n"), hour, min, note_level,
511                                                    _(d_name+d_info[dungeon_type].name, num),
512                                                    _(num, d_name+d_info[dungeon_type].name));
513                         break;
514                 }
515                 case NIKKI_TRUMP:
516                 {
517                         fprintf(fff, _(" %2d:%02d %20s %s%sの最深階を%d階にセットした。\n",
518                                                    " %2d:%02d %20s reset recall level of %s to %d %s.\n"), hour, min, note_level, note,
519                                                    _(d_name + d_info[num].name, (int)max_dlv[num]),
520                                                    _((int)max_dlv[num], d_name + d_info[num].name));
521                         break;
522                 }
523                 case NIKKI_STAIR:
524                 {
525                         cptr to;
526                         if (q_idx && (is_fixed_quest_idx(q_idx)
527                              && !((q_idx == QUEST_OBERON) || (q_idx == QUEST_SERPENT))))
528                         {
529                                 to = _("地上", "the surface");
530                         }
531                         else
532                         {
533                                 if (!(dun_level+num)) to = _("地上", "the surface");
534                                 else to = format(_("%d階", "level %d"), dun_level+num);
535                         }
536                         fprintf(fff, _(" %2d:%02d %20s %sへ%s。\n", " %2d:%02d %20s %s %s.\n"), hour, min, note_level, _(to, note), _(note, to));
537                         break;
538                 }
539                 case NIKKI_RECALL:
540                 {
541                         if (!num)
542                         fprintf(fff, _(" %2d:%02d %20s 帰還を使って%sの%d階へ下りた。\n", " %2d:%02d %20s recalled to dungeon level %d of %s.\n"), 
543                                                 hour, min, note_level, _(d_name+d_info[dungeon_type].name, (int)max_dlv[dungeon_type]), 
544                                                                                            _((int)max_dlv[dungeon_type], d_name+d_info[dungeon_type].name));
545                         else
546                                 fprintf(fff, _(" %2d:%02d %20s 帰還を使って地上へと戻った。\n", " %2d:%02d %20s recalled from dungeon to surface.\n"), hour, min, note_level);
547                         break;
548                 }
549                 case NIKKI_TO_QUEST:
550                 {
551                         if (quest[num].flags & QUEST_FLAG_SILENT) break;
552                         fprintf(fff, _(" %2d:%02d %20s クエスト「%s」へと突入した。\n", " %2d:%02d %20s entered the quest '%s'.\n"),
553                                                 hour, min, note_level, quest[num].name);
554                         break;
555                 }
556                 case NIKKI_TELE_LEV:
557                 {
558                         fprintf(fff, _(" %2d:%02d %20s レベル・テレポートで脱出した。\n", " %2d:%02d %20s Got out using teleport level.\n"),
559                                                 hour, min, note_level);
560                         break;
561                 }
562                 case NIKKI_BUY:
563                 {
564                         fprintf(fff, _(" %2d:%02d %20s %sを購入した。\n", " %2d:%02d %20s bought %s.\n"), hour, min, note_level, note);
565                         break;
566                 }
567                 case NIKKI_SELL:
568                 {
569                         fprintf(fff, _(" %2d:%02d %20s %sを売却した。\n", " %2d:%02d %20s sold %s.\n"), hour, min, note_level, note);
570                         break;
571                 }
572                 case NIKKI_ARENA:
573                 {
574                         if (num < 0)
575                         {
576                                 int n = -num;
577                                 fprintf(fff, _(" %2d:%02d %20s 闘技場の%d%s回戦で、%sの前に敗れ去った。\n", " %2d:%02d %20s beaten by %s in the %d%s fight.\n"),
578                                                         hour, min, note_level, _(n, note), _("", n), _(note, get_ordinal_number_suffix(n)));
579                                 break;
580                         }
581                         fprintf(fff, _(" %2d:%02d %20s 闘技場の%d%s回戦(%s)に勝利した。\n", " %2d:%02d %20s won the %d%s fight (%s).\n"),
582                                                 hour, min, note_level, num, _("", get_ordinal_number_suffix(num)), note);
583                         
584                         if (num == MAX_ARENA_MONS)
585                         {
586                                 fprintf(fff, _("                 闘技場のすべての敵に勝利し、チャンピオンとなった。\n",
587                                                            "                 won all fight to become a Chanpion.\n"));
588                                 do_level = FALSE;
589                         }
590                         break;
591                 }
592                 case NIKKI_HANMEI:
593                 {
594                         fprintf(fff, _(" %2d:%02d %20s %sを識別した。\n", " %2d:%02d %20s identified %s.\n"), hour, min, note_level, note);
595                         break;
596                 }
597                 case NIKKI_WIZ_TELE:
598                 {
599                         cptr to;
600                         if (!dun_level)
601                                 to = _("地上", "the surface");
602                         else
603                                 to = format(_("%d階(%s)", "level %d of %s"), dun_level, d_name+d_info[dungeon_type].name);
604
605                         fprintf(fff, _(" %2d:%02d %20s %sへとウィザード・テレポートで移動した。\n",
606                                                    " %2d:%02d %20s wizard-teleport to %s.\n"), hour, min, note_level, to);
607                         break;
608                 }
609                 case NIKKI_PAT_TELE:
610                 {
611                         cptr to;
612                         if (!dun_level)
613                                 to = _("地上", "the surface");
614                         else
615                                 to = format(_("%d階(%s)", "level %d of %s"), dun_level, d_name+d_info[dungeon_type].name);
616
617                         fprintf(fff, _(" %2d:%02d %20s %sへとパターンの力で移動した。\n",
618                                                    " %2d:%02d %20s used Pattern to teleport to %s.\n"), hour, min, note_level, to);
619                         break;
620                 }
621                 case NIKKI_LEVELUP:
622                 {
623                         fprintf(fff, _(" %2d:%02d %20s レベルが%dに上がった。\n", " %2d:%02d %20s reached player level %d.\n"), hour, min, note_level, num);
624                         break;
625                 }
626                 case NIKKI_GAMESTART:
627                 {
628                         time_t ct = time((time_t*)0);
629                         do_level = FALSE;
630                         if (num)
631                         {
632                                 fprintf(fff, "%s %s",note, ctime(&ct));
633                         }
634                         else
635                                 fprintf(fff, " %2d:%02d %20s %s %s",hour, min, note_level, note, ctime(&ct));
636                         break;
637                 }
638                 case NIKKI_NAMED_PET:
639                 {
640                         fprintf(fff, " %2d:%02d %20s ", hour, min, note_level);
641                         switch (num)
642                         {
643                                 case RECORD_NAMED_PET_NAME:
644                                         fprintf(fff, _("%sを旅の友にすることに決めた。\n", "decided to travel together with %s.\n"), note);
645                                         break;
646                                 case RECORD_NAMED_PET_UNNAME:
647                                         fprintf(fff, _("%sの名前を消した。\n", "unnamed %s.\n"), note);
648                                         break;
649                                 case RECORD_NAMED_PET_DISMISS:
650                                         fprintf(fff, _("%sを解放した。\n", "dismissed %s.\n"), note);
651                                         break;
652                                 case RECORD_NAMED_PET_DEATH:
653                                         fprintf(fff, _("%sが死んでしまった。\n", "%s died.\n"), note);
654                                         break;
655                                 case RECORD_NAMED_PET_MOVED:
656                                         fprintf(fff, _("%sをおいて別のマップへ移動した。\n", "moved to another map leaving %s behind.\n"), note);
657                                         break;
658                                 case RECORD_NAMED_PET_LOST_SIGHT:
659                                         fprintf(fff, _("%sとはぐれてしまった。\n", "lost sight of %s.\n"), note);
660                                         break;
661                                 case RECORD_NAMED_PET_DESTROY:
662                                         fprintf(fff, _("%sが*破壊*によって消え去った。\n", "%s was made disappeared by *destruction*.\n"), note);
663                                         break;
664                                 case RECORD_NAMED_PET_EARTHQUAKE:
665                                         fprintf(fff, _("%sが岩石に押し潰された。\n", "%s was crushed by falling rocks.\n"), note);
666                                         break;
667                                 case RECORD_NAMED_PET_GENOCIDE:
668                                         fprintf(fff, _("%sが抹殺によって消え去った。\n", "%s was made disappeared by genocide.\n"), note);
669                                         break;
670                                 case RECORD_NAMED_PET_WIZ_ZAP:
671                                         fprintf(fff, _("%sがデバッグコマンドによって消え去った。\n", "%s was removed by debug command.\n"), note);
672                                         break;
673                                 case RECORD_NAMED_PET_TELE_LEVEL:
674                                         fprintf(fff, _("%sがテレポート・レベルによって消え去った。\n", "%s was made disappeared by teleport level.\n"), note);
675                                         break;
676                                 case RECORD_NAMED_PET_BLAST:
677                                         fprintf(fff, _("%sを爆破した。\n", "blasted %s.\n"), note);
678                                         break;
679                                 case RECORD_NAMED_PET_HEAL_LEPER:
680                                         fprintf(fff, _("%sの病気が治り旅から外れた。\n", "%s was healed and left.\n"), note);
681                                         break;
682                                 case RECORD_NAMED_PET_COMPACT:
683                                         fprintf(fff, _("%sがモンスター情報圧縮によって消え去った。\n", "%s was made disappeared by compacting monsters.\n"), note);
684                                         break;
685                                 case RECORD_NAMED_PET_LOSE_PARENT:
686                                         fprintf(fff, _("%sの召喚者が既にいないため消え去った。\n", "%s disappeared because there does not exist summoner.\n"), note);
687                                         break;
688
689
690                                 default:
691                                         fprintf(fff, "\n");
692                                         break;
693                         }
694                         break;
695                 }
696
697                 case NIKKI_WIZARD_LOG:
698                         fprintf(fff, "%s\n", note);
699                         break;
700
701                 default:
702                         break;
703         }
704
705         my_fclose(fff);
706
707         if (do_level) write_level = FALSE;
708
709         return (0);
710 }
711
712
713 #define MAX_SUBTITLE (sizeof(subtitle)/sizeof(subtitle[0]))
714
715 /*!
716  * @brief 日記のタイトル表記と内容出力 /
717  * @return なし
718  * @details
719  * 日記のタイトルは本関数の subtitle ローカル変数で定義されている。
720  */
721 static void do_cmd_disp_nikki(void)
722 {
723         char nikki_title[256];
724         char file_name[80];
725         char buf[1024];
726         char tmp[80];
727 #ifdef JP
728         /*! */
729         static const char subtitle[][30] = {"最強の肉体を求めて",
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 #else
760         static const char subtitle[][51] ={"Quest of The World's Toughest Body",
761                                            "Attack is the best form of defence.",
762                                            "Might is right.",
763                                            "An unexpected windfall",
764                                            "A drowning man will catch at a straw",
765                                            "Don't count your chickens before they are hatched.",
766                                            "It is no use crying over spilt milk.",
767                                            "Seeing is believing.",
768                                            "Strike the iron while it is hot.",
769                                            "I don't care what follows.",
770                                            "To dig a well to put out a house on fire.",
771                                            "Tomorrow is another day.",
772                                            "Easy come, easy go.",
773                                            "The more haste, the less speed.",
774                                            "Where there is life, there is hope.",
775                                            "There is no royal road to *WINNER*.",
776                                            "Danger past, God forgotten.",
777                                            "The best thing to do now is to run away.",
778                                            "Life is but an empty dream.",
779                                            "Dead men tell no tales.",
780                                            "A book that remains shut is but a block.",
781                                            "Misfortunes never come singly.",
782                                            "A little knowledge is a dangerous thing.",
783                                            "History repeats itself.",
784                                            "*WINNER* was not built in a day.",
785                                            "Ignorance is bliss.",
786                                            "To lose is to win?",
787                                            "No medicine can cure folly.",
788                                            "All good things come to an end.",
789                                            "M$ Empire strikes back.",
790                                            "To see is to believe",
791                                            "Time is money.",
792                                            "Quest of The World's Greatest Brain"};
793 #endif
794         sprintf(file_name,_("playrecord-%s.txt", "playrec-%s.txt"),savefile_base);
795
796         /* Build the filename */
797         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, file_name);
798
799         if (p_ptr->pclass == CLASS_WARRIOR || p_ptr->pclass == CLASS_MONK || p_ptr->pclass == CLASS_SAMURAI || p_ptr->pclass == CLASS_BERSERKER)
800                 strcpy(tmp,subtitle[randint0(MAX_SUBTITLE-1)]);
801         else if (p_ptr->pclass == CLASS_MAGE || p_ptr->pclass == CLASS_HIGH_MAGE || p_ptr->pclass == CLASS_SORCERER)
802                 strcpy(tmp,subtitle[randint0(MAX_SUBTITLE-1)+1]);
803         else strcpy(tmp,subtitle[randint0(MAX_SUBTITLE-2)+1]);
804
805 #ifdef JP
806         sprintf(nikki_title, "「%s%s%sの伝説 -%s-」",
807                 ap_ptr->title, ap_ptr->no ? "の" : "", p_ptr->name, tmp);
808 #else
809         sprintf(nikki_title, "Legend of %s %s '%s'",
810                 ap_ptr->title, p_ptr->name, tmp);
811 #endif
812
813         /* Display the file contents */
814         show_file(FALSE, buf, nikki_title, -1, 0);
815 }
816
817 /*!
818  * @brief 日記に任意の内容を表記するコマンドのメインルーチン /
819  * @return なし
820  */
821 static void do_cmd_bunshou(void)
822 {
823         char tmp[80] = "\0";
824         char bunshou[80] = "\0";
825
826         if (get_string(_("内容: ", "diary note: "), tmp, 79))
827         {
828                 strcpy(bunshou, tmp);
829
830                 do_cmd_write_nikki(NIKKI_BUNSHOU, 0, bunshou);
831         }
832 }
833
834 /*!
835  * @brief 最後に取得したアイテムの情報を日記に追加するメインルーチン /
836  * @return なし
837  */
838 static void do_cmd_last_get(void)
839 {
840         char buf[256];
841         s32b turn_tmp;
842
843         if (record_o_name[0] == '\0') return;
844
845         sprintf(buf,_("%sの入手を記録します。", "Do you really want to record getting %s? "),record_o_name);
846         if (!get_check(buf)) return;
847
848         turn_tmp = turn;
849         turn = record_turn;
850         sprintf(buf,_("%sを手に入れた。", "descover %s."), record_o_name);
851         do_cmd_write_nikki(NIKKI_BUNSHOU, 0, buf);
852         turn = turn_tmp;
853 }
854
855 /*!
856  * @brief ファイル中の全日記記録を消去する /
857  * @return なし
858  */
859 static void do_cmd_erase_nikki(void)
860 {
861         char file_name[80];
862         char buf[256];
863         FILE *fff = NULL;
864
865         if (!get_check(_("本当に記録を消去しますか?", "Do you really want to delete all your record? "))) return;
866                 sprintf(file_name,_("playrecord-%s.txt", "playrec-%s.txt"),savefile_base);
867
868         /* Build the filename */
869         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, file_name);
870
871         /* Remove the file */
872         fd_kill(buf);
873
874         fff = my_fopen(buf, "w");
875         if(fff){
876                 my_fclose(fff);
877                 msg_format(_("記録を消去しました。", "deleted record."));
878         }else{
879                 msg_format(_("%s の消去に失敗しました。", "failed to delete %s."), buf);
880         }
881         msg_print(NULL);
882 }
883
884 /*!
885  * @brief 日記コマンド
886  * @return なし
887  */
888 void do_cmd_nikki(void)
889 {
890         int i;
891
892         /* File type is "TEXT" */
893         FILE_TYPE(FILE_TYPE_TEXT);
894
895         /* Save the screen */
896         screen_save();
897
898         /* Interact until done */
899         while (1)
900         {
901                 /* Clear screen */
902                 Term_clear();
903
904                 /* Ask for a choice */
905                 prt(_("[ 記録の設定 ]", "[ Play Record ]"), 2, 0);
906
907                 /* Give some choices */
908                 prt(_("(1) 記録を見る", "(1) Display your record"), 4, 5);
909                 prt(_("(2) 文章を記録する", "(2) Add record"), 5, 5);
910                 prt(_("(3) 直前に入手又は鑑定したものを記録する", "(3) Record item you last get/identify"), 6, 5);
911                 prt(_("(4) 記録を消去する", "(4) Delete your record"), 7, 5);
912
913                 prt(_("(R) プレイ動画を記録する/中止する", "(R) Record playing movie / or stop it"), 9, 5);
914
915                 /* Prompt */
916                 prt(_("コマンド:", "Command: "), 18, 0);
917
918                 /* Prompt */
919                 i = inkey();
920
921                 /* Done */
922                 if (i == ESCAPE) break;
923
924                 switch (i)
925                 {
926                 case '1':
927                         do_cmd_disp_nikki();
928                         break;
929                 case '2':
930                         do_cmd_bunshou();
931                         break;
932                 case '3':
933                         do_cmd_last_get();
934                         break;
935                 case '4':
936                         do_cmd_erase_nikki();
937                         break;
938                 case 'r': case 'R':
939                         screen_load();
940                         prepare_movie_hooks();
941                         return;
942                 default: /* Unknown option */
943                         bell();
944                 }
945
946                 /* Flush messages */
947                 msg_print(NULL);
948         }
949
950         /* Restore the screen */
951         screen_load();
952 }
953
954 /*!
955  * @brief 画面を再描画するコマンドのメインルーチン
956  * Hack -- redraw the screen
957  * @return なし
958  * @details
959  * <pre>
960  * This command performs various low level updates, clears all the "extra"
961  * windows, does a total redraw of the main window, and requests all of the
962  * interesting updates and redraws that I can think of.
963  *
964  * This command is also used to "instantiate" the results of the user
965  * selecting various things, such as graphics mode, so it must call
966  * the "TERM_XTRA_REACT" hook before redrawing the windows.
967  * </pre>
968  */
969 void do_cmd_redraw(void)
970 {
971         int j;
972
973         term *old = Term;
974
975
976         /* Hack -- react to changes */
977         Term_xtra(TERM_XTRA_REACT, 0);
978
979
980         /* Combine and Reorder the pack (later) */
981         p_ptr->notice |= (PN_COMBINE | PN_REORDER);
982
983
984         /* Update torch */
985         p_ptr->update |= (PU_TORCH);
986
987         /* Update stuff */
988         p_ptr->update |= (PU_BONUS | PU_HP | PU_MANA | PU_SPELLS);
989
990         /* Forget lite/view */
991         p_ptr->update |= (PU_UN_VIEW | PU_UN_LITE);
992
993         /* Update lite/view */
994         p_ptr->update |= (PU_VIEW | PU_LITE | PU_MON_LITE);
995
996         /* Update monsters */
997         p_ptr->update |= (PU_MONSTERS);
998
999         /* Redraw everything */
1000         p_ptr->redraw |= (PR_WIPE | PR_BASIC | PR_EXTRA | PR_MAP | PR_EQUIPPY);
1001
1002         /* Window stuff */
1003         p_ptr->window |= (PW_INVEN | PW_EQUIP | PW_SPELL | PW_PLAYER);
1004
1005         /* Window stuff */
1006         p_ptr->window |= (PW_MESSAGE | PW_OVERHEAD | PW_DUNGEON | PW_MONSTER | PW_OBJECT);
1007
1008         update_playtime();
1009
1010         /* Hack -- update */
1011         handle_stuff();
1012
1013         if (p_ptr->prace == RACE_ANDROID) calc_android_exp();
1014
1015
1016         /* Redraw every window */
1017         for (j = 0; j < 8; j++)
1018         {
1019                 /* Dead window */
1020                 if (!angband_term[j]) continue;
1021
1022                 /* Activate */
1023                 Term_activate(angband_term[j]);
1024
1025                 /* Redraw */
1026                 Term_redraw();
1027
1028                 /* Refresh */
1029                 Term_fresh();
1030
1031                 /* Restore */
1032                 Term_activate(old);
1033         }
1034 }
1035
1036
1037 /*!
1038  * @brief 名前を変更するコマンドのメインルーチン
1039  * Hack -- change name
1040  * @return なし
1041  */
1042 void do_cmd_change_name(void)
1043 {
1044         char    c;
1045
1046         int             mode = 0;
1047
1048         char    tmp[160];
1049
1050
1051         /* Save the screen */
1052         screen_save();
1053
1054         /* Forever */
1055         while (1)
1056         {
1057                 update_playtime();
1058
1059                 /* Display the player */
1060                 display_player(mode);
1061
1062                 if (mode == 4)
1063                 {
1064                         mode = 0;
1065                         display_player(mode);
1066                 }
1067
1068                 /* Prompt */
1069 #ifdef JP
1070                 Term_putstr(2, 23, -1, TERM_WHITE,
1071                             "['c'で名前変更, 'f'でファイルへ書出, 'h'でモード変更, ESCで終了]");
1072 #else
1073                 Term_putstr(2, 23, -1, TERM_WHITE,
1074                         "['c' to change name, 'f' to file, 'h' to change mode, or ESC]");
1075 #endif
1076
1077
1078                 /* Query */
1079                 c = inkey();
1080
1081                 /* Exit */
1082                 if (c == ESCAPE) break;
1083
1084                 /* Change name */
1085                 if (c == 'c')
1086                 {
1087                         get_name();
1088
1089                         /* Process the player name */
1090                         process_player_name(FALSE);
1091                 }
1092
1093                 /* File dump */
1094                 else if (c == 'f')
1095                 {
1096                         sprintf(tmp, "%s.txt", player_base);
1097                         if (get_string(_("ファイル名: ", "File name: "), tmp, 80))
1098                         {
1099                                 if (tmp[0] && (tmp[0] != ' '))
1100                                 {
1101                                         file_character(tmp);
1102                                 }
1103                         }
1104                 }
1105
1106                 /* Toggle mode */
1107                 else if (c == 'h')
1108                 {
1109                         mode++;
1110                 }
1111
1112                 /* Oops */
1113                 else
1114                 {
1115                         bell();
1116                 }
1117
1118                 /* Flush messages */
1119                 msg_print(NULL);
1120         }
1121
1122         /* Restore the screen */
1123         screen_load();
1124
1125         /* Redraw everything */
1126         p_ptr->redraw |= (PR_WIPE | PR_BASIC | PR_EXTRA | PR_MAP | PR_EQUIPPY);
1127
1128         handle_stuff();
1129 }
1130
1131
1132 /*!
1133  * @brief 最近表示されたメッセージを再表示するコマンドのメインルーチン
1134  * Recall the most recent message
1135  * @return なし
1136  */
1137 void do_cmd_message_one(void)
1138 {
1139         /* Recall one message XXX XXX XXX */
1140         prt(format("> %s", message_str(0)), 0, 0);
1141 }
1142
1143
1144 /*!
1145  * @brief メッセージのログを表示するコマンドのメインルーチン
1146  * Recall the most recent message
1147  * @return なし
1148  * @details
1149  * <pre>
1150  * Show previous messages to the user   -BEN-
1151  *
1152  * The screen format uses line 0 and 23 for headers and prompts,
1153  * skips line 1 and 22, and uses line 2 thru 21 for old messages.
1154  *
1155  * This command shows you which commands you are viewing, and allows
1156  * you to "search" for strings in the recall.
1157  *
1158  * Note that messages may be longer than 80 characters, but they are
1159  * displayed using "infinite" length, with a special sub-command to
1160  * "slide" the virtual display to the left or right.
1161  *
1162  * Attempt to only hilite the matching portions of the string.
1163  * </pre>
1164  */
1165 void do_cmd_messages(int num_now)
1166 {
1167         int i, n;
1168
1169         char shower_str[81];
1170         char finder_str[81];
1171         char back_str[81];
1172         cptr shower = NULL;
1173         int wid, hgt;
1174         int num_lines;
1175
1176         /* Get size */
1177         Term_get_size(&wid, &hgt);
1178
1179         /* Number of message lines in a screen */
1180         num_lines = hgt - 4;
1181
1182         /* Wipe finder */
1183         strcpy(finder_str, "");
1184
1185         /* Wipe shower */
1186         strcpy(shower_str, "");
1187
1188         /* Total messages */
1189         n = message_num();
1190
1191         /* Start on first message */
1192         i = 0;
1193
1194         /* Save the screen */
1195         screen_save();
1196
1197         /* Clear screen */
1198         Term_clear();
1199
1200         /* Process requests until done */
1201         while (1)
1202         {
1203                 int j;
1204                 int skey;
1205
1206                 /* Dump up to 20 lines of messages */
1207                 for (j = 0; (j < num_lines) && (i + j < n); j++)
1208                 {
1209                         cptr msg = message_str(i+j);
1210
1211                         /* Dump the messages, bottom to top */
1212                         c_prt((i + j < num_now ? TERM_WHITE : TERM_SLATE), msg, num_lines + 1 - j, 0);
1213
1214                         /* Hilite "shower" */
1215                         if (shower && shower[0])
1216                         {
1217                                 cptr str = msg;
1218
1219                                 /* Display matches */
1220                                 while ((str = my_strstr(str, shower)) != NULL)
1221                                 {
1222                                         int len = strlen(shower);
1223
1224                                         /* Display the match */
1225                                         Term_putstr(str-msg, num_lines + 1 - j, len, TERM_YELLOW, shower);
1226
1227                                         /* Advance */
1228                                         str += len;
1229                                 }
1230                         }
1231                 }
1232
1233                 /* Erase remaining lines */
1234                 for (; j < num_lines; j++)
1235                 {
1236                         Term_erase(0, num_lines + 1 - j, 255);
1237                 }
1238
1239                 /* Display header XXX XXX XXX */
1240                 /* translation */
1241                 prt(format(_("以前のメッセージ %d-%d 全部で(%d)", "Message Recall (%d-%d of %d)"),
1242                            i, i + j - 1, n), 0, 0);
1243
1244                 /* Display prompt (not very informative) */
1245                 prt(_("[ 'p' で更に古いもの, 'n' で更に新しいもの, '/' で検索, ESC で中断 ]",
1246                           "[Press 'p' for older, 'n' for newer, ..., or ESCAPE]"), hgt - 1, 0);
1247
1248                 /* Get a command */
1249                 skey = inkey_special(TRUE);
1250
1251                 /* Exit on Escape */
1252                 if (skey == ESCAPE) break;
1253
1254                 /* Hack -- Save the old index */
1255                 j = i;
1256
1257                 switch (skey)
1258                 {
1259                 /* Hack -- handle show */
1260                 case '=':
1261                         /* Prompt */
1262                         prt(_("強調: ", "Show: "), hgt - 1, 0);
1263
1264                         /* Get a "shower" string, or continue */
1265                         strcpy(back_str, shower_str);
1266                         if (askfor(shower_str, 80))
1267                         {
1268                                 /* Show it */
1269                                 shower = shower_str[0] ? shower_str : NULL;
1270                         }
1271                         else strcpy(shower_str, back_str);
1272
1273                         /* Okay */
1274                         continue;
1275
1276                 /* Hack -- handle find */
1277                 case '/':
1278                 case KTRL('s'):
1279                         {
1280                                 int z;
1281
1282                                 /* Prompt */
1283                                 prt(_("検索: ", "Find: "), hgt - 1, 0);
1284
1285                                 /* Get a "finder" string, or continue */
1286                                 strcpy(back_str, finder_str);
1287                                 if (!askfor(finder_str, 80))
1288                                 {
1289                                         strcpy(finder_str, back_str);
1290                                         continue;
1291                                 }
1292                                 else if (!finder_str[0])
1293                                 {
1294                                         shower = NULL; /* Stop showing */
1295                                         continue;
1296                                 }
1297
1298                                 /* Show it */
1299                                 shower = finder_str;
1300
1301                                 /* Scan messages */
1302                                 for (z = i + 1; z < n; z++)
1303                                 {
1304                                         cptr msg = message_str(z);
1305
1306                                         /* Search for it */
1307                                         if (my_strstr(msg, finder_str))
1308                                         {
1309                                                 /* New location */
1310                                                 i = z;
1311
1312                                                 /* Done */
1313                                                 break;
1314                                         }
1315                                 }
1316                         }
1317                         break;
1318
1319                 /* Recall 1 older message */
1320                 case SKEY_TOP:
1321                         /* Go to the oldest line */
1322                         i = n - num_lines;
1323                         break;
1324
1325                 /* Recall 1 newer message */
1326                 case SKEY_BOTTOM:
1327                         /* Go to the newest line */
1328                         i = 0;
1329                         break;
1330
1331                 /* Recall 1 older message */
1332                 case '8':
1333                 case SKEY_UP:
1334                 case '\n':
1335                 case '\r':
1336                         /* Go older if legal */
1337                         i = MIN(i + 1, n - num_lines);
1338                         break;
1339
1340                 /* Recall 10 older messages */
1341                 case '+':
1342                         /* Go older if legal */
1343                         i = MIN(i + 10, n - num_lines);
1344                         break;
1345
1346                 /* Recall 20 older messages */
1347                 case 'p':
1348                 case KTRL('P'):
1349                 case ' ':
1350                 case SKEY_PGUP:
1351                         /* Go older if legal */
1352                         i = MIN(i + num_lines, n - num_lines);
1353                         break;
1354
1355                 /* Recall 20 newer messages */
1356                 case 'n':
1357                 case KTRL('N'):
1358                 case SKEY_PGDOWN:
1359                         /* Go newer (if able) */
1360                         i = MAX(0, i - num_lines);
1361                         break;
1362
1363                 /* Recall 10 newer messages */
1364                 case '-':
1365                         /* Go newer (if able) */
1366                         i = MAX(0, i - 10);
1367                         break;
1368
1369                 /* Recall 1 newer messages */
1370                 case '2':
1371                 case SKEY_DOWN:
1372                         /* Go newer (if able) */
1373                         i = MAX(0, i - 1);
1374                         break;
1375                 }
1376
1377                 /* Hack -- Error of some kind */
1378                 if (i == j) bell();
1379         }
1380
1381         /* Restore the screen */
1382         screen_load();
1383 }
1384
1385
1386
1387 /*!
1388  * チートオプションの最大数 / Number of cheating options
1389  */
1390 #define CHEAT_MAX 9
1391
1392 /*!
1393  * チーとオプションの定義テーブル / Cheating options
1394  */
1395 static option_type cheat_info[CHEAT_MAX] =
1396 {
1397         { &cheat_peek,          FALSE,  255,    0x01, 0x00,
1398                 "cheat_peek",           _("アイテムの生成をのぞき見る", "Peek into object creation")
1399         },
1400
1401         { &cheat_hear,          FALSE,  255,    0x02, 0x00,
1402                 "cheat_hear",           _("モンスターの生成をのぞき見る", "Peek into monster creation")
1403         },
1404
1405         { &cheat_room,          FALSE,  255,    0x04, 0x00,
1406                 "cheat_room",           _("ダンジョンの生成をのぞき見る", "Peek into dungeon creation")
1407         },
1408
1409         { &cheat_xtra,          FALSE,  255,    0x08, 0x00,
1410                 "cheat_xtra",           _("その他の事をのぞき見る", "Peek into something else")
1411         },
1412
1413         { &cheat_know,          FALSE,  255,    0x10, 0x00,
1414                 "cheat_know",           _("完全なモンスターの思い出を知る", "Know complete monster info")
1415         },
1416
1417         { &cheat_live,          FALSE,  255,    0x20, 0x00,
1418                 "cheat_live",           _("死を回避することを可能にする", "Allow player to avoid death")
1419         },
1420
1421         { &cheat_save,          FALSE,  255,    0x40, 0x00,
1422                 "cheat_save",           _("死んだ時セーブするか確認する", "Ask for saving death")
1423         },
1424
1425         { &cheat_diary_output,  FALSE,  255,    0x80, 0x00,
1426                 "cheat_diary_output",   _("ウィザードログを日記に出力する", "Output wizard log to diary.")
1427         },
1428
1429         { &cheat_turn,  FALSE,  255,    0x81, 0x00,
1430                 "cheat_turn",   _("ゲームメッセージにターン表示を行う", "Put turn to game message.")
1431         }
1432
1433
1434 };
1435
1436 /*!
1437  * @brief チートオプションを変更するコマンドのメインルーチン
1438  * Interact with some options for cheating
1439  * @param info 表示メッセージ
1440  * @return なし
1441  */
1442 static void do_cmd_options_cheat(cptr info)
1443 {
1444         char    ch;
1445
1446         int             i, k = 0, n = CHEAT_MAX;
1447
1448         char    buf[80];
1449
1450
1451         /* Clear screen */
1452         Term_clear();
1453
1454         /* Interact with the player */
1455         while (TRUE)
1456         {
1457                 int dir;
1458
1459                 /* Prompt XXX XXX XXX */
1460                 sprintf(buf, _("%s ( リターンで次へ, y/n でセット, ESC で決定 )", "%s (RET to advance, y/n to set, ESC to accept) "), info);
1461
1462                 prt(buf, 0, 0);
1463
1464 #ifdef JP
1465                 /* 詐欺オプションをうっかりいじってしまう人がいるようなので注意 */
1466                 prt("                                 <<  注意  >>", 11, 0);
1467                 prt("      詐欺オプションを一度でも設定すると、スコア記録が残らなくなります!", 12, 0);
1468                 prt("      後に解除してもダメですので、勝利者を目指す方はここのオプションはい", 13, 0);
1469                 prt("      じらないようにして下さい。", 14, 0);
1470 #endif
1471                 /* Display the options */
1472                 for (i = 0; i < n; i++)
1473                 {
1474                         byte a = TERM_WHITE;
1475
1476                         /* Color current option */
1477                         if (i == k) a = TERM_L_BLUE;
1478
1479                         /* Display the option text */
1480                         sprintf(buf, "%-48s: %s (%s)",
1481                             cheat_info[i].o_desc,
1482                             (*cheat_info[i].o_var ? _("はい  ", "yes") : _("いいえ", "no ")),
1483                             cheat_info[i].o_text);
1484                         c_prt(a, buf, i + 2, 0);
1485                 }
1486
1487                 /* Hilite current option */
1488                 move_cursor(k + 2, 50);
1489
1490                 /* Get a key */
1491                 ch = inkey();
1492
1493                 /*
1494                  * HACK - Try to translate the key into a direction
1495                  * to allow using the roguelike keys for navigation.
1496                  */
1497                 dir = get_keymap_dir(ch);
1498                 if ((dir == 2) || (dir == 4) || (dir == 6) || (dir == 8))
1499                         ch = I2D(dir);
1500
1501                 /* Analyze */
1502                 switch (ch)
1503                 {
1504                         case ESCAPE:
1505                         {
1506                                 return;
1507                         }
1508
1509                         case '-':
1510                         case '8':
1511                         {
1512                                 k = (n + k - 1) % n;
1513                                 break;
1514                         }
1515
1516                         case ' ':
1517                         case '\n':
1518                         case '\r':
1519                         case '2':
1520                         {
1521                                 k = (k + 1) % n;
1522                                 break;
1523                         }
1524
1525                         case 'y':
1526                         case 'Y':
1527                         case '6':
1528                         {
1529                                 if(!p_ptr->noscore)
1530                                 do_cmd_write_nikki(NIKKI_BUNSHOU, 0,
1531                                                         _("詐欺オプションをONにして、スコアを残せなくなった。", "give up sending score to use cheating options."));
1532                                 p_ptr->noscore |= (cheat_info[k].o_set * 256 + cheat_info[k].o_bit);
1533                                 (*cheat_info[k].o_var) = TRUE;
1534                                 k = (k + 1) % n;
1535                                 break;
1536                         }
1537
1538                         case 'n':
1539                         case 'N':
1540                         case '4':
1541                         {
1542                                 (*cheat_info[k].o_var) = FALSE;
1543                                 k = (k + 1) % n;
1544                                 break;
1545                         }
1546
1547                         case '?':
1548                         {
1549                                 strnfmt(buf, sizeof(buf), _("joption.txt#%s", "option.txt#%s"), cheat_info[k].o_text);
1550                                 /* Peruse the help file */
1551                                 (void)show_file(TRUE, buf, NULL, 0, 0);
1552
1553                                 Term_clear(); 
1554                                 break;
1555                         }
1556
1557                         default:
1558                         {
1559                                 bell();
1560                                 break;
1561                         }
1562                 }
1563         }
1564 }
1565
1566
1567 /*!
1568  * 自動セーブオプションテーブル
1569  */
1570 static option_type autosave_info[2] =
1571 {
1572         { &autosave_l,      FALSE, 255, 0x01, 0x00,
1573             "autosave_l",    _("新しい階に入る度に自動セーブする", "Autosave when entering new levels") },
1574
1575         { &autosave_t,      FALSE, 255, 0x02, 0x00,
1576             "autosave_t",   _("一定ターン毎に自動セーブする", "Timed autosave") },
1577 };
1578
1579 /*!
1580  * @brief セーブ頻度ターンの次の値を返す
1581  * @param current 現在のセーブ頻度ターン値
1582  * @return 次のセーブ頻度ターン値
1583  */
1584 static s16b toggle_frequency(s16b current)
1585 {
1586         switch (current)
1587         {
1588         case 0: return 50;
1589         case 50: return 100;
1590         case 100: return 250;
1591         case 250: return 500;
1592         case 500: return 1000;
1593         case 1000: return 2500;
1594         case 2500: return 5000;
1595         case 5000: return 10000;
1596         case 10000: return 25000;
1597         default: return 0;
1598         }
1599 }
1600
1601
1602 /*!
1603  * @brief 自動セーブオプションを変更するコマンドのメインルーチン
1604  * @param info 表示メッセージ
1605  * @return なし
1606  */
1607 static void do_cmd_options_autosave(cptr info)
1608 {
1609         char    ch;
1610
1611         int     i, k = 0, n = 2;
1612
1613         char    buf[80];
1614
1615
1616         /* Clear screen */
1617         Term_clear();
1618
1619         /* Interact with the player */
1620         while (TRUE)
1621         {
1622                 /* Prompt XXX XXX XXX */
1623                 sprintf(buf, _("%s ( リターンで次へ, y/n でセット, F で頻度を入力, ESC で決定 ) ", 
1624                                            "%s (RET to advance, y/n to set, 'F' for frequency, ESC to accept) "), info);
1625
1626                 prt(buf, 0, 0);
1627
1628                 /* Display the options */
1629                 for (i = 0; i < n; i++)
1630                 {
1631                         byte a = TERM_WHITE;
1632
1633                         /* Color current option */
1634                         if (i == k) a = TERM_L_BLUE;
1635
1636                         /* Display the option text */
1637                         sprintf(buf, "%-48s: %s (%s)",
1638                             autosave_info[i].o_desc,
1639                             (*autosave_info[i].o_var ? _("はい  ", "yes") : _("いいえ", "no ")),
1640                             autosave_info[i].o_text);
1641                         c_prt(a, buf, i + 2, 0);
1642                 }
1643                 prt(format(_("自動セーブの頻度: %d ターン毎", "Timed autosave frequency: every %d turns"),  autosave_freq), 5, 0);
1644
1645                 /* Hilite current option */
1646                 move_cursor(k + 2, 50);
1647
1648                 /* Get a key */
1649                 ch = inkey();
1650
1651                 /* Analyze */
1652                 switch (ch)
1653                 {
1654                         case ESCAPE:
1655                         {
1656                                 return;
1657                         }
1658
1659                         case '-':
1660                         case '8':
1661                         {
1662                                 k = (n + k - 1) % n;
1663                                 break;
1664                         }
1665
1666                         case ' ':
1667                         case '\n':
1668                         case '\r':
1669                         case '2':
1670                         {
1671                                 k = (k + 1) % n;
1672                                 break;
1673                         }
1674
1675                         case 'y':
1676                         case 'Y':
1677                         case '6':
1678                         {
1679
1680                                 (*autosave_info[k].o_var) = TRUE;
1681                                 k = (k + 1) % n;
1682                                 break;
1683                         }
1684
1685                         case 'n':
1686                         case 'N':
1687                         case '4':
1688                         {
1689                                 (*autosave_info[k].o_var) = FALSE;
1690                                 k = (k + 1) % n;
1691                                 break;
1692                         }
1693
1694                         case 'f':
1695                         case 'F':
1696                         {
1697                                 autosave_freq = toggle_frequency(autosave_freq);
1698                                 prt(format(_("自動セーブの頻度: %d ターン毎", "Timed autosave frequency: every %d turns"), autosave_freq), 5, 0);
1699                                 break;
1700                         }
1701
1702                         case '?':
1703                         {
1704                                 (void)show_file(TRUE, _("joption.txt#Autosave", "option.txt#Autosave"), NULL, 0, 0);
1705                                 Term_clear(); 
1706                                 break;
1707                         }
1708
1709                         default:
1710                         {
1711                                 bell();
1712                                 break;
1713                         }
1714                 }
1715         }
1716 }
1717
1718
1719 /*!
1720  * @brief 標準オプションを変更するコマンドのサブルーチン /
1721  * Interact with some options
1722  * @param page オプションページ番号
1723  * @param info 表示メッセージ
1724  * @return なし
1725  */
1726 void do_cmd_options_aux(int page, cptr info)
1727 {
1728         char    ch;
1729         int     i, k = 0, n = 0, l;
1730         int     opt[24];
1731         char    buf[80];
1732         bool    browse_only = (page == OPT_PAGE_BIRTH) && character_generated &&
1733                               (!p_ptr->wizard || !allow_debug_opts);
1734
1735
1736         /* Lookup the options */
1737         for (i = 0; i < 24; i++) opt[i] = 0;
1738
1739         /* Scan the options */
1740         for (i = 0; option_info[i].o_desc; i++)
1741         {
1742                 /* Notice options on this "page" */
1743                 if (option_info[i].o_page == page) opt[n++] = i;
1744         }
1745
1746
1747         /* Clear screen */
1748         Term_clear();
1749
1750         /* Interact with the player */
1751         while (TRUE)
1752         {
1753                 int dir;
1754
1755                 /* Prompt XXX XXX XXX */
1756                 sprintf(buf, _("%s (リターン:次, %sESC:終了, ?:ヘルプ) ", "%s (RET:next, %s, ?:help) "),
1757                                         info, browse_only ? _("", "ESC:exit") : _("y/n:変更, ", "y/n:change, ESC:accept"));
1758                 prt(buf, 0, 0);
1759
1760                 /* HACK -- description for easy-auto-destroy options */
1761                 if (page == OPT_PAGE_AUTODESTROY) 
1762                         c_prt(TERM_YELLOW, _("以下のオプションは、簡易自動破壊を使用するときのみ有効", 
1763                                                                  "Following options will protect items from easy auto-destroyer."), 6, _(6, 3));
1764
1765                 /* Display the options */
1766                 for (i = 0; i < n; i++)
1767                 {
1768                         byte a = TERM_WHITE;
1769
1770                         /* Color current option */
1771                         if (i == k) a = TERM_L_BLUE;
1772
1773                         /* Display the option text */
1774                         sprintf(buf, "%-48s: %s (%.19s)",
1775                                 option_info[opt[i]].o_desc,
1776                                 (*option_info[opt[i]].o_var ? _("はい  ", "yes") : _("いいえ", "no ")),
1777                                 option_info[opt[i]].o_text);
1778                         if ((page == OPT_PAGE_AUTODESTROY) && i > 2) c_prt(a, buf, i + 5, 0);
1779                         else c_prt(a, buf, i + 2, 0);
1780                 }
1781
1782                 if ((page == OPT_PAGE_AUTODESTROY) && (k > 2)) l = 3;
1783                 else l = 0;
1784
1785                 /* Hilite current option */
1786                 move_cursor(k + 2 + l, 50);
1787
1788                 /* Get a key */
1789                 ch = inkey();
1790
1791                 /*
1792                  * HACK - Try to translate the key into a direction
1793                  * to allow using the roguelike keys for navigation.
1794                  */
1795                 dir = get_keymap_dir(ch);
1796                 if ((dir == 2) || (dir == 4) || (dir == 6) || (dir == 8))
1797                         ch = I2D(dir);
1798
1799                 /* Analyze */
1800                 switch (ch)
1801                 {
1802                         case ESCAPE:
1803                         {
1804                                 return;
1805                         }
1806
1807                         case '-':
1808                         case '8':
1809                         {
1810                                 k = (n + k - 1) % n;
1811                                 break;
1812                         }
1813
1814                         case ' ':
1815                         case '\n':
1816                         case '\r':
1817                         case '2':
1818                         {
1819                                 k = (k + 1) % n;
1820                                 break;
1821                         }
1822
1823                         case 'y':
1824                         case 'Y':
1825                         case '6':
1826                         {
1827                                 if (browse_only) break;
1828                                 (*option_info[opt[k]].o_var) = TRUE;
1829                                 k = (k + 1) % n;
1830                                 break;
1831                         }
1832
1833                         case 'n':
1834                         case 'N':
1835                         case '4':
1836                         {
1837                                 if (browse_only) break;
1838                                 (*option_info[opt[k]].o_var) = FALSE;
1839                                 k = (k + 1) % n;
1840                                 break;
1841                         }
1842
1843                         case 't':
1844                         case 'T':
1845                         {
1846                                 if (!browse_only) (*option_info[opt[k]].o_var) = !(*option_info[opt[k]].o_var);
1847                                 break;
1848                         }
1849
1850                         case '?':
1851                         {
1852                                 strnfmt(buf, sizeof(buf), _("joption.txt#%s", "option.txt#%s"), option_info[opt[k]].o_text);
1853                                 /* Peruse the help file */
1854                                 (void)show_file(TRUE, buf, NULL, 0, 0);
1855
1856                                 Term_clear();
1857                                 break;
1858                         }
1859
1860                         default:
1861                         {
1862                                 bell();
1863                                 break;
1864                         }
1865                 }
1866         }
1867 }
1868
1869
1870 /*!
1871  * @brief ウィンドウオプションを変更するコマンドのメインルーチン /
1872  * Modify the "window" options
1873  * @return なし
1874  */
1875 static void do_cmd_options_win(void)
1876 {
1877         int i, j, d;
1878         int y = 0;
1879         int x = 0;
1880         char ch;
1881         bool go = TRUE;
1882         u32b old_flag[8];
1883
1884
1885         /* Memorize old flags */
1886         for (j = 0; j < 8; j++)
1887         {
1888                 /* Acquire current flags */
1889                 old_flag[j] = window_flag[j];
1890         }
1891
1892
1893         /* Clear screen */
1894         Term_clear();
1895
1896         /* Interact */
1897         while (go)
1898         {
1899                 /* Prompt XXX XXX XXX */
1900                 prt(_("ウィンドウ・フラグ (<方向>で移動, tでチェンジ, y/n でセット, ESC)", "Window Flags (<dir>, t, y, n, ESC) "), 0, 0);
1901
1902                 /* Display the windows */
1903                 for (j = 0; j < 8; j++)
1904                 {
1905                         byte a = TERM_WHITE;
1906
1907                         cptr s = angband_term_name[j];
1908
1909                         /* Use color */
1910                         if (j == x) a = TERM_L_BLUE;
1911
1912                         /* Window name, staggered, centered */
1913                         Term_putstr(35 + j * 5 - strlen(s) / 2, 2 + j % 2, -1, a, s);
1914                 }
1915
1916                 /* Display the options */
1917                 for (i = 0; i < 16; i++)
1918                 {
1919                         byte a = TERM_WHITE;
1920
1921                         cptr str = window_flag_desc[i];
1922
1923                         /* Use color */
1924                         if (i == y) a = TERM_L_BLUE;
1925
1926                         /* Unused option */
1927                         if (!str) str = _("(未使用)", "(Unused option)");
1928
1929                         /* Flag name */
1930                         Term_putstr(0, i + 5, -1, a, str);
1931
1932                         /* Display the windows */
1933                         for (j = 0; j < 8; j++)
1934                         {
1935                                 char c = '.';
1936                                 a = TERM_WHITE;
1937
1938                                 /* Use color */
1939                                 if ((i == y) && (j == x)) a = TERM_L_BLUE;
1940
1941                                 /* Active flag */
1942                                 if (window_flag[j] & (1L << i)) c = 'X';
1943
1944                                 /* Flag value */
1945                                 Term_putch(35 + j * 5, i + 5, a, c);
1946                         }
1947                 }
1948
1949                 /* Place Cursor */
1950                 Term_gotoxy(35 + x * 5, y + 5);
1951
1952                 /* Get key */
1953                 ch = inkey();
1954
1955                 /* Analyze */
1956                 switch (ch)
1957                 {
1958                         case ESCAPE:
1959                         {
1960                                 go = FALSE;
1961                                 break;
1962                         }
1963
1964                         case 'T':
1965                         case 't':
1966                         {
1967                                 /* Clear windows */
1968                                 for (j = 0; j < 8; j++)
1969                                 {
1970                                         window_flag[j] &= ~(1L << y);
1971                                 }
1972
1973                                 /* Clear flags */
1974                                 for (i = 0; i < 16; i++)
1975                                 {
1976                                         window_flag[x] &= ~(1L << i);
1977                                 }
1978
1979                                 /* Fall through */
1980                         }
1981
1982                         case 'y':
1983                         case 'Y':
1984                         {
1985                                 /* Ignore screen */
1986                                 if (x == 0) break;
1987
1988                                 /* Set flag */
1989                                 window_flag[x] |= (1L << y);
1990                                 break;
1991                         }
1992
1993                         case 'n':
1994                         case 'N':
1995                         {
1996                                 /* Clear flag */
1997                                 window_flag[x] &= ~(1L << y);
1998                                 break;
1999                         }
2000
2001                         case '?':
2002                         {
2003                                 (void)show_file(TRUE, _("joption.txt#Window", "option.txt#Window"), NULL, 0, 0);
2004
2005                                 Term_clear(); 
2006                                 break;
2007                         }
2008
2009                         default:
2010                         {
2011                                 d = get_keymap_dir(ch);
2012
2013                                 x = (x + ddx[d] + 8) % 8;
2014                                 y = (y + ddy[d] + 16) % 16;
2015
2016                                 if (!d) bell();
2017                         }
2018                 }
2019         }
2020
2021         /* Notice changes */
2022         for (j = 0; j < 8; j++)
2023         {
2024                 term *old = Term;
2025
2026                 /* Dead window */
2027                 if (!angband_term[j]) continue;
2028
2029                 /* Ignore non-changes */
2030                 if (window_flag[j] == old_flag[j]) continue;
2031
2032                 /* Activate */
2033                 Term_activate(angband_term[j]);
2034
2035                 /* Erase */
2036                 Term_clear();
2037
2038                 /* Refresh */
2039                 Term_fresh();
2040
2041                 /* Restore */
2042                 Term_activate(old);
2043         }
2044 }
2045
2046
2047
2048 #define OPT_NUM 15
2049
2050 static struct opts
2051 {
2052         char key;
2053         cptr name;
2054         int row;
2055 }
2056 option_fields[OPT_NUM] =
2057 {
2058 #ifdef JP
2059         { '1', "    キー入力     オプション", 3 },
2060         { '2', "   マップ画面    オプション", 4 },
2061         { '3', "  テキスト表示   オプション", 5 },
2062         { '4', "  ゲームプレイ   オプション", 6 },
2063         { '5', "  行動中止関係   オプション", 7 },
2064         { '6', "  簡易自動破壊   オプション", 8 },
2065         { 'r', "   プレイ記録    オプション", 9 },
2066
2067         { 'p', "自動拾いエディタ", 11 },
2068         { 'd', " 基本ウェイト量 ", 12 },
2069         { 'h', "低ヒットポイント", 13 },
2070         { 'm', "  低魔力色閾値  ", 14 },
2071         { 'a', "   自動セーブ    オプション", 15 },
2072         { 'w', "ウインドウフラグ", 16 },
2073
2074         { 'b', "      初期       オプション (参照のみ)", 18 },
2075         { 'c', "      詐欺       オプション", 19 },
2076 #else
2077         { '1', "Input Options", 3 },
2078         { '2', "Map Screen Options", 4 },
2079         { '3', "Text Display Options", 5 },
2080         { '4', "Game-Play Options", 6 },
2081         { '5', "Disturbance Options", 7 },
2082         { '6', "Easy Auto-Destroyer Options", 8 },
2083         { 'r', "Play record Options", 9 },
2084
2085         { 'p', "Auto-picker/destroyer editor", 11 },
2086         { 'd', "Base Delay Factor", 12 },
2087         { 'h', "Hitpoint Warning", 13 },
2088         { 'm', "Mana Color Threshold", 14 },
2089         { 'a', "Autosave Options", 15 },
2090         { 'w', "Window Flags", 16 },
2091
2092         { 'b', "Birth Options (Browse Only)", 18 },
2093         { 'c', "Cheat Options", 19 },
2094 #endif
2095 };
2096
2097
2098 /*!
2099  * @brief 標準オプションを変更するコマンドのメインルーチン /
2100  * Set or unset various options.
2101  * @return なし
2102  * @details
2103  * <pre>
2104  * The user must use the "Ctrl-R" command to "adapt" to changes
2105  * in any options which control "visual" aspects of the game.
2106  * </pre>
2107  */
2108 void do_cmd_options(void)
2109 {
2110         char k;
2111         int i, d, skey;
2112         int y = 0;
2113
2114         /* Save the screen */
2115         screen_save();
2116
2117         /* Interact */
2118         while (1)
2119         {
2120                 int n = OPT_NUM;
2121
2122                 /* Does not list cheat option when cheat option is off */
2123                 if (!p_ptr->noscore && !allow_debug_opts) n--;
2124
2125                 /* Clear screen */
2126                 Term_clear();
2127
2128                 /* Why are we here */
2129                 prt(_("[ オプションの設定 ]", "TinyAngband options"), 1, 0);
2130
2131                 while(1)
2132                 {
2133                         /* Give some choices */
2134                         for (i = 0; i < n; i++)
2135                         {
2136                                 byte a = TERM_WHITE;
2137                                 if (i == y) a = TERM_L_BLUE;
2138                                 Term_putstr(5, option_fields[i].row, -1, a, 
2139                                         format("(%c) %s", toupper(option_fields[i].key), option_fields[i].name));
2140                         }
2141
2142                         prt(_("<方向>で移動, Enterで決定, ESCでキャンセル, ?でヘルプ: ", "Move to <dir>, Select to Enter, Cancel to ESC, ? to help: "), 21, 0);
2143
2144                         /* Get command */
2145                         skey = inkey_special(TRUE);
2146                         if (!(skey & SKEY_MASK)) k = (char)skey;
2147                         else k = 0;
2148
2149                         /* Exit */
2150                         if (k == ESCAPE) break;
2151
2152                         if (my_strchr("\n\r ", k))
2153                         {
2154                                 k = option_fields[y].key;
2155                                 break;
2156                         }
2157
2158                         for (i = 0; i < n; i++)
2159                         {
2160                                 if (tolower(k) == option_fields[i].key) break;
2161                         }
2162
2163                         /* Command is found */
2164                         if (i < n) break;
2165
2166                         /* Hack -- browse help */
2167                         if (k == '?') break;
2168
2169                         /* Move cursor */
2170                         d = 0;
2171                         if (skey == SKEY_UP) d = 8;
2172                         if (skey == SKEY_DOWN) d = 2;
2173                         y = (y + ddy[d] + n) % n;
2174                         if (!d) bell();
2175                 }
2176
2177                 /* Exit */
2178                 if (k == ESCAPE) break;
2179
2180                 /* Analyze */
2181                 switch (k)
2182                 {
2183                         case '1':
2184                         {
2185                                 /* Process the general options */
2186                                 do_cmd_options_aux(OPT_PAGE_INPUT, _("キー入力オプション", "Input Options"));
2187                                 break;
2188                         }
2189
2190                         case '2':
2191                         {
2192                                 /* Process the general options */
2193                                 do_cmd_options_aux(OPT_PAGE_MAPSCREEN, _("マップ画面オプション", "Map Screen Options"));
2194                                 break;
2195                         }
2196
2197                         case '3':
2198                         {
2199                                 /* Spawn */
2200                                 do_cmd_options_aux(OPT_PAGE_TEXT, _("テキスト表示オプション", "Text Display Options"));
2201                                 break;
2202                         }
2203
2204                         case '4':
2205                         {
2206                                 /* Spawn */
2207                                 do_cmd_options_aux(OPT_PAGE_GAMEPLAY, _("ゲームプレイ・オプション", "Game-Play Options"));
2208                                 break;
2209                         }
2210
2211                         case '5':
2212                         {
2213                                 /* Spawn */
2214                                 do_cmd_options_aux(OPT_PAGE_DISTURBANCE, _("行動中止関係のオプション", "Disturbance Options"));
2215                                 break;
2216                         }
2217
2218                         case '6':
2219                         {
2220                                 /* Spawn */
2221                                 do_cmd_options_aux(OPT_PAGE_AUTODESTROY, _("簡易自動破壊オプション", "Easy Auto-Destroyer Options"));
2222                                 break;
2223                         }
2224
2225                         /* Play-record Options */
2226                         case 'R':
2227                         case 'r':
2228                         {
2229                                 /* Spawn */
2230                                 do_cmd_options_aux(OPT_PAGE_PLAYRECORD, _("プレイ記録オプション", "Play-record Options"));
2231                                 break;
2232                         }
2233
2234                         /* Birth Options */
2235                         case 'B':
2236                         case 'b':
2237                         {
2238                                 /* Spawn */
2239                                 do_cmd_options_aux(OPT_PAGE_BIRTH, (!p_ptr->wizard || !allow_debug_opts) ? 
2240                                                         _("初期オプション(参照のみ)", "Birth Options(browse only)") : 
2241                                                         _("初期オプション((*)はスコアに影響)", "Birth Options((*)s effect score)"));
2242                                 break;
2243                         }
2244
2245                         /* Cheating Options */
2246                         case 'C':
2247                         {
2248                                 if (!p_ptr->noscore && !allow_debug_opts)
2249                                 {
2250                                         /* Cheat options are not permitted */
2251                                         bell();
2252                                         break;
2253                                 }
2254
2255                                 /* Spawn */
2256                                 do_cmd_options_cheat(_("詐欺師は決して勝利できない!", "Cheaters never win"));
2257                                 break;
2258                         }
2259
2260                         case 'a':
2261                         case 'A':
2262                         {
2263                                 do_cmd_options_autosave(_("自動セーブ", "Autosave"));
2264                                 break;
2265                         }
2266
2267                         /* Window flags */
2268                         case 'W':
2269                         case 'w':
2270                         {
2271                                 /* Spawn */
2272                                 do_cmd_options_win();
2273                                 p_ptr->window |= (PW_INVEN | PW_EQUIP | PW_SPELL |
2274                                                   PW_PLAYER | PW_MESSAGE | PW_OVERHEAD |
2275                                                         PW_MONSTER | PW_OBJECT | PW_SNAPSHOT |
2276                                                         PW_BORG_1 | PW_BORG_2 | PW_DUNGEON   |
2277                                                         PW_MONSTER_LIST);
2278                                 break;
2279                         }
2280
2281                         /* Auto-picker/destroyer editor */
2282                         case 'P':
2283                         case 'p':
2284                         {
2285                                 do_cmd_edit_autopick();
2286                                 break;
2287                         }
2288
2289                         /* Hack -- Delay Speed */
2290                         case 'D':
2291                         case 'd':
2292                         {
2293                                 /* Prompt */
2294                                 clear_from(18);
2295                                 prt(_("コマンド: 基本ウェイト量", "Command: Base Delay Factor"), 19, 0);
2296
2297                                 /* Get a new value */
2298                                 while (1)
2299                                 {
2300                                         int msec = delay_factor * delay_factor * delay_factor;
2301                                         prt(format(_("現在のウェイト: %d (%dミリ秒)", "Current base delay factor: %d (%d msec)"), delay_factor, msec), 22, 0);
2302                                         prt(_("ウェイト (0-9) ESCで決定: ", "Delay Factor (0-9 or ESC to accept): "), 20, 0);
2303                                         k = inkey();
2304                                         if (k == ESCAPE) break;
2305                                         else if (k == '?')
2306                                         {
2307                                                 (void)show_file(TRUE, _("joption.txt#BaseDelay", "option.txt#BaseDelay"), NULL, 0, 0);
2308                                                 Term_clear(); 
2309                                         }
2310                                         else if (isdigit(k)) delay_factor = D2I(k);
2311                                         else bell();
2312                                 }
2313
2314                                 break;
2315                         }
2316
2317                         /* Hack -- hitpoint warning factor */
2318                         case 'H':
2319                         case 'h':
2320                         {
2321                                 /* Prompt */
2322                                 clear_from(18);
2323                                 prt(_("コマンド: 低ヒットポイント警告", "Command: Hitpoint Warning"), 19, 0);
2324
2325                                 /* Get a new value */
2326                                 while (1)
2327                                 {
2328                                         prt(format(_("現在の低ヒットポイント警告: %d0%%", "Current hitpoint warning: %d0%%"), hitpoint_warn), 22, 0);
2329                                         prt(_("低ヒットポイント警告 (0-9) ESCで決定: ", "Hitpoint Warning (0-9 or ESC to accept): "), 20, 0);
2330                                         k = inkey();
2331                                         if (k == ESCAPE) break;
2332                                         else if (k == '?')
2333                                         {
2334                                                 (void)show_file(TRUE, _("joption.txt#Hitpoint", "option.txt#Hitpoint"), NULL, 0, 0);
2335                                                 Term_clear(); 
2336                                         }
2337                                         else if (isdigit(k)) hitpoint_warn = D2I(k);
2338                                         else bell();
2339                                 }
2340
2341                                 break;
2342                         }
2343
2344                         /* Hack -- mana color factor */
2345                         case 'M':
2346                         case 'm':
2347                         {
2348                                 /* Prompt */
2349                                 clear_from(18);
2350                                 prt(_("コマンド: 低魔力色閾値", "Command: Mana Color Threshold"), 19, 0);
2351                                 
2352                                 /* Get a new value */
2353                                 while (1)
2354                                 {
2355                                         prt(format(_("現在の低魔力色閾値: %d0%%", "Current mana color threshold: %d0%%"), mana_warn), 22, 0);
2356                                         prt(_("低魔力閾値 (0-9) ESCで決定: ", "Mana color Threshold (0-9 or ESC to accept): "), 20, 0);
2357                                         k = inkey();
2358                                         if (k == ESCAPE) break;
2359                                         else if (k == '?')
2360                                         {
2361                                                 (void)show_file(TRUE, _("joption.txt#Manapoint", "option.txt#Manapoint"), NULL, 0, 0);
2362                                                 Term_clear(); 
2363                                         }
2364                                         else if (isdigit(k)) mana_warn = D2I(k);
2365                                         else bell();
2366                                 }
2367
2368                                 break;
2369                         }
2370
2371                         case '?':
2372                                 (void)show_file(TRUE, _("joption.txt", "option.txt"), NULL, 0, 0);
2373                                 Term_clear(); 
2374                                 break;
2375
2376                         /* Unknown option */
2377                         default:
2378                         {
2379                                 /* Oops */
2380                                 bell();
2381                                 break;
2382                         }
2383                 }
2384
2385                 /* Flush messages */
2386                 msg_print(NULL);
2387         }
2388
2389
2390         /* Restore the screen */
2391         screen_load();
2392
2393         /* Hack - Redraw equippy chars */
2394         p_ptr->redraw |= (PR_EQUIPPY);
2395 }
2396
2397
2398
2399 /*!
2400  * @brief prefファイルを選択して処理する /
2401  * Ask for a "user pref line" and process it
2402  * @return なし
2403  * @details
2404  * XXX XXX XXX Allow absolute file names?
2405  */
2406 void do_cmd_pref(void)
2407 {
2408         char buf[80];
2409
2410         /* Default */
2411         strcpy(buf, "");
2412
2413         /* Ask for a "user pref command" */
2414         if (!get_string(_("設定変更コマンド: ", "Pref: "), buf, 80)) return;
2415
2416         /* Process that pref command */
2417         (void)process_pref_file_command(buf);
2418 }
2419
2420 /*!
2421  * @brief 自動拾い設定ファイルをロードするコマンドのメインルーチン /
2422  * @return なし
2423  */
2424 void do_cmd_reload_autopick(void)
2425 {
2426         if (!get_check(_("自動拾い設定ファイルをロードしますか? ", "Reload auto-pick preference file? "))) return;
2427         /* Load the file with messages */
2428         autopick_load_pref(TRUE);
2429 }
2430
2431 #ifdef ALLOW_MACROS
2432
2433 /*!
2434  * @brief マクロ情報をprefファイルに保存する /
2435  * @param fname ファイル名
2436  * @return なし
2437  */
2438 static errr macro_dump(cptr fname)
2439 {
2440         static cptr mark = "Macro Dump";
2441
2442         int i;
2443
2444         char buf[1024];
2445
2446         /* Build the filename */
2447         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, fname);
2448
2449         /* File type is "TEXT" */
2450         FILE_TYPE(FILE_TYPE_TEXT);
2451
2452         /* Append to the file */
2453         if (!open_auto_dump(buf, mark)) return (-1);
2454
2455         /* Start dumping */
2456         auto_dump_printf(_("\n# 自動マクロセーブ\n\n", "\n# Automatic macro dump\n\n"));
2457         
2458         /* Dump them */
2459         for (i = 0; i < macro__num; i++)
2460         {
2461                 /* Extract the action */
2462                 ascii_to_text(buf, macro__act[i]);
2463
2464                 /* Dump the macro */
2465                 auto_dump_printf("A:%s\n", buf);
2466
2467                 /* Extract the action */
2468                 ascii_to_text(buf, macro__pat[i]);
2469
2470                 /* Dump normal macros */
2471                 auto_dump_printf("P:%s\n", buf);
2472
2473                 /* End the macro */
2474                 auto_dump_printf("\n");
2475         }
2476
2477         /* Close */
2478         close_auto_dump();
2479
2480         /* Success */
2481         return (0);
2482 }
2483
2484
2485 /*!
2486  * @brief マクロのトリガーキーを取得する /
2487  * Hack -- ask for a "trigger" (see below)
2488  * @param buf キー表記を保管するバッファ
2489  * @return なし
2490  * @details
2491  * <pre>
2492  * Note the complex use of the "inkey()" function from "util.c".
2493  *
2494  * Note that both "flush()" calls are extremely important.
2495  * </pre>
2496  */
2497 static void do_cmd_macro_aux(char *buf)
2498 {
2499         char i;
2500         int n = 0;
2501         char tmp[1024];
2502
2503         /* Flush */
2504         flush();
2505
2506         /* Do not process macros */
2507         inkey_base = TRUE;
2508
2509         /* First key */
2510         i = inkey();
2511
2512         /* Read the pattern */
2513         while (i)
2514         {
2515                 /* Save the key */
2516                 buf[n++] = i;
2517
2518                 /* Do not process macros */
2519                 inkey_base = TRUE;
2520
2521                 /* Do not wait for keys */
2522                 inkey_scan = TRUE;
2523
2524                 /* Attempt to read a key */
2525                 i = inkey();
2526         }
2527
2528         /* Terminate */
2529         buf[n] = '\0';
2530
2531         /* Flush */
2532         flush();
2533
2534
2535         /* Convert the trigger */
2536         ascii_to_text(tmp, buf);
2537
2538         /* Hack -- display the trigger */
2539         Term_addstr(-1, TERM_WHITE, tmp);
2540 }
2541
2542 #endif
2543
2544 /*!
2545  * @brief マクロのキー表記からアスキーコードを得てターミナルに表示する /
2546  * Hack -- ask for a keymap "trigger" (see below)
2547  * @param buf キー表記を取得するバッファ
2548  * @return なし
2549  * @details
2550  * <pre>
2551  * Note that both "flush()" calls are extremely important.  This may
2552  * no longer be true, since "util.c" is much simpler now.  XXX XXX XXX
2553  * </pre>
2554  */
2555 static void do_cmd_macro_aux_keymap(char *buf)
2556 {
2557         char tmp[1024];
2558
2559
2560         /* Flush */
2561         flush();
2562
2563
2564         /* Get a key */
2565         buf[0] = inkey();
2566         buf[1] = '\0';
2567
2568
2569         /* Convert to ascii */
2570         ascii_to_text(tmp, buf);
2571
2572         /* Hack -- display the trigger */
2573         Term_addstr(-1, TERM_WHITE, tmp);
2574
2575
2576         /* Flush */
2577         flush();
2578 }
2579
2580
2581 /*!
2582  * @brief キーマップをprefファイルにダンプする /
2583  * Hack -- append all keymaps to the given file
2584  * @param fname ファイルネーム
2585  * @return エラーコード
2586  * @details
2587  */
2588 static errr keymap_dump(cptr fname)
2589 {
2590         static cptr mark = "Keymap Dump";
2591         int i;
2592
2593         char key[1024];
2594         char buf[1024];
2595
2596         int mode;
2597
2598         /* Roguelike */
2599         if (rogue_like_commands)
2600         {
2601                 mode = KEYMAP_MODE_ROGUE;
2602         }
2603
2604         /* Original */
2605         else
2606         {
2607                 mode = KEYMAP_MODE_ORIG;
2608         }
2609
2610
2611         /* Build the filename */
2612         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, fname);
2613
2614         /* File type is "TEXT" */
2615         FILE_TYPE(FILE_TYPE_TEXT);
2616
2617         /* Append to the file */
2618         if (!open_auto_dump(buf, mark)) return -1;
2619
2620         /* Start dumping */
2621         auto_dump_printf(_("\n# 自動キー配置セーブ\n\n", "\n# Automatic keymap dump\n\n"));
2622         
2623         /* Dump them */
2624         for (i = 0; i < 256; i++)
2625         {
2626                 cptr act;
2627
2628                 /* Loop up the keymap */
2629                 act = keymap_act[mode][i];
2630
2631                 /* Skip empty keymaps */
2632                 if (!act) continue;
2633
2634                 /* Encode the key */
2635                 buf[0] = (char)i;
2636                 buf[1] = '\0';
2637                 ascii_to_text(key, buf);
2638
2639                 /* Encode the action */
2640                 ascii_to_text(buf, act);
2641
2642                 /* Dump the macro */
2643                 auto_dump_printf("A:%s\n", buf);
2644                 auto_dump_printf("C:%d:%s\n", mode, key);
2645         }
2646
2647         /* Close */
2648         close_auto_dump();
2649
2650         /* Success */
2651         return (0);
2652 }
2653
2654
2655 /*!
2656  * @brief マクロを設定するコマンドのメインルーチン /
2657  * Interact with "macros"
2658  * @return なし
2659  * @details
2660  * <pre>
2661  * Note that the macro "action" must be defined before the trigger.
2662  *
2663  * Could use some helpful instructions on this page.  XXX XXX XXX
2664  * </pre>
2665  */
2666 void do_cmd_macros(void)
2667 {
2668         int i;
2669
2670         char tmp[1024];
2671
2672         char buf[1024];
2673
2674         int mode;
2675
2676
2677         /* Roguelike */
2678         if (rogue_like_commands)
2679         {
2680                 mode = KEYMAP_MODE_ROGUE;
2681         }
2682
2683         /* Original */
2684         else
2685         {
2686                 mode = KEYMAP_MODE_ORIG;
2687         }
2688
2689         /* File type is "TEXT" */
2690         FILE_TYPE(FILE_TYPE_TEXT);
2691
2692
2693         /* Save screen */
2694         screen_save();
2695
2696
2697         /* Process requests until done */
2698         while (1)
2699         {
2700                 /* Clear screen */
2701                 Term_clear();
2702
2703                 /* Describe */
2704                 prt(_("[ マクロの設定 ]", "Interact with Macros"), 2, 0);
2705
2706                 /* Describe that action */
2707                 prt(_("マクロ行動が(もしあれば)下に表示されます:", "Current action (if any) shown below:"), 20, 0);
2708
2709                 /* Analyze the current action */
2710                 ascii_to_text(buf, macro__buf);
2711
2712                 /* Display the current action */
2713                 prt(buf, 22, 0);
2714
2715
2716                 /* Selections */
2717                 prt(_("(1) ユーザー設定ファイルのロード", "(1) Load a user pref file"), 4, 5);
2718 #ifdef ALLOW_MACROS
2719                 prt(_("(2) ファイルにマクロを追加", "(2) Append macros to a file"), 5, 5);
2720                 prt(_("(3) マクロの確認", "(3) Query a macro"), 6, 5);
2721                 prt(_("(4) マクロの作成", "(4) Create a macro"), 7, 5);
2722                 prt(_("(5) マクロの削除", "(5) Remove a macro"), 8, 5);
2723                 prt(_("(6) ファイルにキー配置を追加", "(6) Append keymaps to a file"), 9, 5);
2724                 prt(_("(7) キー配置の確認", "(7) Query a keymap"), 10, 5);
2725                 prt(_("(8) キー配置の作成", "(8) Create a keymap"), 11, 5);
2726                 prt(_("(9) キー配置の削除", "(9) Remove a keymap"), 12, 5);
2727                 prt(_("(0) マクロ行動の入力", "(0) Enter a new action"), 13, 5);
2728 #endif /* ALLOW_MACROS */
2729
2730                 /* Prompt */
2731                 prt(_("コマンド: ", "Command: "), 16, 0);
2732
2733                 /* Get a command */
2734                 i = inkey();
2735
2736                 /* Leave */
2737                 if (i == ESCAPE) break;
2738
2739                 /* Load a 'macro' file */
2740                 else if (i == '1')
2741                 {
2742                         errr err;
2743
2744                         /* Prompt */
2745                         prt(_("コマンド: ユーザー設定ファイルのロード", "Command: Load a user pref file"), 16, 0);
2746
2747                         /* Prompt */
2748                         prt(_("ファイル: ", "File: "), 18, 0);
2749
2750                         /* Default filename */
2751                         sprintf(tmp, "%s.prf", player_base);
2752
2753                         /* Ask for a file */
2754                         if (!askfor(tmp, 80)) continue;
2755
2756                         /* Process the given filename */
2757                         err = process_pref_file(tmp);
2758                         if (-2 == err)
2759                         {
2760                                 msg_format(_("標準の設定ファイル'%s'を読み込みました。", "Loaded default '%s'."), tmp);
2761                         }
2762                         else if (err)
2763                         {
2764                                 /* Prompt */
2765                                 msg_format(_("'%s'の読み込みに失敗しました!", "Failed to load '%s'!"), tmp);
2766                         }
2767                         else
2768                         {
2769                                 msg_format(_("'%s'を読み込みました。", "Loaded '%s'."), tmp);
2770                         }
2771                 }
2772
2773 #ifdef ALLOW_MACROS
2774
2775                 /* Save macros */
2776                 else if (i == '2')
2777                 {
2778                         /* Prompt */
2779                         prt(_("コマンド: マクロをファイルに追加する", "Command: Append macros to a file"), 16, 0);
2780
2781                         /* Prompt */
2782                         prt(_("ファイル: ", "File: "), 18, 0);
2783
2784                         /* Default filename */
2785                         sprintf(tmp, "%s.prf", player_base);
2786
2787                         /* Ask for a file */
2788                         if (!askfor(tmp, 80)) continue;
2789
2790                         /* Dump the macros */
2791                         (void)macro_dump(tmp);
2792
2793                         /* Prompt */
2794                         msg_print(_("マクロを追加しました。", "Appended macros."));
2795                 }
2796
2797                 /* Query a macro */
2798                 else if (i == '3')
2799                 {
2800                         int k;
2801
2802                         /* Prompt */
2803                         prt(_("コマンド: マクロの確認", "Command: Query a macro"), 16, 0);
2804
2805
2806                         /* Prompt */
2807                         prt(_("トリガーキー: ", "Trigger: "), 18, 0);
2808
2809                         /* Get a macro trigger */
2810                         do_cmd_macro_aux(buf);
2811
2812                         /* Acquire action */
2813                         k = macro_find_exact(buf);
2814
2815                         /* Nothing found */
2816                         if (k < 0)
2817                         {
2818                                 /* Prompt */
2819                                 msg_print(_("そのキーにはマクロは定義されていません。", "Found no macro."));
2820                         }
2821
2822                         /* Found one */
2823                         else
2824                         {
2825                                 /* Obtain the action */
2826                                 strcpy(macro__buf, macro__act[k]);
2827
2828                                 /* Analyze the current action */
2829                                 ascii_to_text(buf, macro__buf);
2830
2831                                 /* Display the current action */
2832                                 prt(buf, 22, 0);
2833
2834                                 /* Prompt */
2835                                 msg_print(_("マクロを確認しました。", "Found a macro."));
2836                         }
2837                 }
2838
2839                 /* Create a macro */
2840                 else if (i == '4')
2841                 {
2842                         /* Prompt */
2843                         prt(_("コマンド: マクロの作成", "Command: Create a macro"), 16, 0);
2844
2845                         /* Prompt */
2846                         prt(_("トリガーキー: ", "Trigger: "), 18, 0);
2847
2848                         /* Get a macro trigger */
2849                         do_cmd_macro_aux(buf);
2850
2851                         /* Clear */
2852                         clear_from(20);
2853
2854                         /* Help message */
2855                         c_prt(TERM_L_RED, _("カーソルキーの左右でカーソル位置を移動。BackspaceかDeleteで一文字削除。",
2856                                                                 "Press Left/Right arrow keys to move cursor. Backspace/Delete to delete a char."), 22, 0);
2857
2858                         /* Prompt */
2859                         prt(_("マクロ行動: ", "Action: "), 20, 0);
2860
2861                         /* Convert to text */
2862                         ascii_to_text(tmp, macro__buf);
2863
2864                         /* Get an encoded action */
2865                         if (askfor(tmp, 80))
2866                         {
2867                                 /* Convert to ascii */
2868                                 text_to_ascii(macro__buf, tmp);
2869
2870                                 /* Link the macro */
2871                                 macro_add(buf, macro__buf);
2872
2873                                 /* Prompt */
2874                                 msg_print(_("マクロを追加しました。", "Added a macro."));
2875                         }
2876                 }
2877
2878                 /* Remove a macro */
2879                 else if (i == '5')
2880                 {
2881                         /* Prompt */
2882                         prt(_("コマンド: マクロの削除", "Command: Remove a macro"), 16, 0);
2883
2884                         /* Prompt */
2885                         prt(_("トリガーキー: ", "Trigger: "), 18, 0);
2886
2887                         /* Get a macro trigger */
2888                         do_cmd_macro_aux(buf);
2889
2890                         /* Link the macro */
2891                         macro_add(buf, buf);
2892
2893                         /* Prompt */
2894                         msg_print(_("マクロを削除しました。", "Removed a macro."));
2895                 }
2896
2897                 /* Save keymaps */
2898                 else if (i == '6')
2899                 {
2900                         /* Prompt */
2901                         prt(_("コマンド: キー配置をファイルに追加する", "Command: Append keymaps to a file"), 16, 0);
2902
2903                         /* Prompt */
2904                         prt(_("ファイル: ", "File: "), 18, 0);
2905
2906                         /* Default filename */
2907                         sprintf(tmp, "%s.prf", player_base);
2908
2909                         /* Ask for a file */
2910                         if (!askfor(tmp, 80)) continue;
2911
2912                         /* Dump the macros */
2913                         (void)keymap_dump(tmp);
2914
2915                         /* Prompt */
2916                         msg_print(_("キー配置を追加しました。", "Appended keymaps."));
2917                 }
2918
2919                 /* Query a keymap */
2920                 else if (i == '7')
2921                 {
2922                         cptr act;
2923
2924                         /* Prompt */
2925                         prt(_("コマンド: キー配置の確認", "Command: Query a keymap"), 16, 0);
2926
2927                         /* Prompt */
2928                         prt(_("押すキー: ", "Keypress: "), 18, 0);
2929
2930                         /* Get a keymap trigger */
2931                         do_cmd_macro_aux_keymap(buf);
2932
2933                         /* Look up the keymap */
2934                         act = keymap_act[mode][(byte)(buf[0])];
2935
2936                         /* Nothing found */
2937                         if (!act)
2938                         {
2939                                 /* Prompt */
2940                                 msg_print(_("キー配置は定義されていません。", "Found no keymap."));
2941                         }
2942
2943                         /* Found one */
2944                         else
2945                         {
2946                                 /* Obtain the action */
2947                                 strcpy(macro__buf, act);
2948
2949                                 /* Analyze the current action */
2950                                 ascii_to_text(buf, macro__buf);
2951
2952                                 /* Display the current action */
2953                                 prt(buf, 22, 0);
2954
2955                                 /* Prompt */
2956                                 msg_print(_("キー配置を確認しました。", "Found a keymap."));
2957                         }
2958                 }
2959
2960                 /* Create a keymap */
2961                 else if (i == '8')
2962                 {
2963                         /* Prompt */
2964                         prt(_("コマンド: キー配置の作成", "Command: Create a keymap"), 16, 0);
2965
2966                         /* Prompt */
2967                         prt(_("押すキー: ", "Keypress: "), 18, 0);
2968
2969                         /* Get a keymap trigger */
2970                         do_cmd_macro_aux_keymap(buf);
2971
2972                         /* Clear */
2973                         clear_from(20);
2974
2975                         /* Help message */
2976                         c_prt(TERM_L_RED, _("カーソルキーの左右でカーソル位置を移動。BackspaceかDeleteで一文字削除。",
2977                                                             "Press Left/Right arrow keys to move cursor. Backspace/Delete to delete a char."), 22, 0);
2978
2979                         /* Prompt */
2980                         prt(_("行動: ", "Action: "), 20, 0);
2981
2982                         /* Convert to text */
2983                         ascii_to_text(tmp, macro__buf);
2984
2985                         /* Get an encoded action */
2986                         if (askfor(tmp, 80))
2987                         {
2988                                 /* Convert to ascii */
2989                                 text_to_ascii(macro__buf, tmp);
2990
2991                                 /* Free old keymap */
2992                                 string_free(keymap_act[mode][(byte)(buf[0])]);
2993
2994                                 /* Make new keymap */
2995                                 keymap_act[mode][(byte)(buf[0])] = string_make(macro__buf);
2996
2997                                 /* Prompt */
2998                                 msg_print(_("キー配置を追加しました。", "Added a keymap."));
2999                         }
3000                 }
3001
3002                 /* Remove a keymap */
3003                 else if (i == '9')
3004                 {
3005                         /* Prompt */
3006                         prt(_("コマンド: キー配置の削除", "Command: Remove a keymap"), 16, 0);
3007
3008                         /* Prompt */
3009                         prt(_("押すキー: ", "Keypress: "), 18, 0);
3010
3011                         /* Get a keymap trigger */
3012                         do_cmd_macro_aux_keymap(buf);
3013
3014                         /* Free old keymap */
3015                         string_free(keymap_act[mode][(byte)(buf[0])]);
3016
3017                         /* Make new keymap */
3018                         keymap_act[mode][(byte)(buf[0])] = NULL;
3019
3020                         /* Prompt */
3021                         msg_print(_("キー配置を削除しました。", "Removed a keymap."));
3022                 }
3023
3024                 /* Enter a new action */
3025                 else if (i == '0')
3026                 {
3027                         /* Prompt */
3028                         prt(_("コマンド: マクロ行動の入力", "Command: Enter a new action"), 16, 0);
3029
3030                         /* Clear */
3031                         clear_from(20);
3032
3033                         /* Help message */
3034                         c_prt(TERM_L_RED, _("カーソルキーの左右でカーソル位置を移動。BackspaceかDeleteで一文字削除。",
3035                                                                 "Press Left/Right arrow keys to move cursor. Backspace/Delete to delete a char."), 22, 0);
3036
3037                         /* Prompt */
3038                         prt(_("マクロ行動: ", "Action: "), 20, 0);
3039
3040                         /* Hack -- limit the value */
3041                         tmp[80] = '\0';
3042
3043                         /* Get an encoded action */
3044                         if (!askfor(buf, 80)) continue;
3045
3046                         /* Extract an action */
3047                         text_to_ascii(macro__buf, buf);
3048                 }
3049
3050 #endif /* ALLOW_MACROS */
3051
3052                 /* Oops */
3053                 else
3054                 {
3055                         /* Oops */
3056                         bell();
3057                 }
3058
3059                 /* Flush messages */
3060                 msg_print(NULL);
3061         }
3062
3063         /* Load screen */
3064         screen_load();
3065 }
3066
3067 /*!
3068  * @brief キャラクタ色の明暗表現
3069  */
3070 static cptr lighting_level_str[F_LIT_MAX] =
3071 {
3072 #ifdef JP
3073         "標準色",
3074         "明色",
3075         "暗色",
3076 #else
3077         "standard",
3078         "brightly lit",
3079         "darkened",
3080 #endif
3081 };
3082
3083
3084 /*!
3085  * @brief キャラクタのビジュアルIDを変更する際の対象指定関数
3086  * @param i 指定対象となるキャラクタコード
3087  * @param num 指定されたビジュアルIDを返す参照ポインタ
3088  * @param max ビジュアルIDの最大数
3089  * @return 指定が実際に行われた場合TRUE、キャンセルされた場合FALSE
3090  */
3091 static bool cmd_visuals_aux(int i, IDX *num, IDX max)
3092 {
3093         if (iscntrl(i))
3094         {
3095                 char str[10] = "";
3096                 IDX tmp;
3097
3098                 sprintf(str, "%d", *num);
3099
3100                 if (!get_string(format("Input new number(0-%d): ", max-1), str, 4))
3101                         return FALSE;
3102
3103                 tmp = (IDX)strtol(str, NULL, 0);
3104                 if (tmp >= 0 && tmp < max)
3105                         *num = tmp;
3106         }
3107         else if (isupper(i))
3108                 *num = (*num + max - 1) % max;
3109         else
3110                 *num = (*num + 1) % max;
3111
3112         return TRUE;
3113 }
3114
3115 /*!
3116  * @brief キャラクタの変更メニュー表示
3117  * @param choice_msg 選択メッセージ
3118  * @return なし
3119  */
3120 static void print_visuals_menu(cptr choice_msg)
3121 {
3122         prt(_("[ 画面表示の設定 ]", "Interact with Visuals"), 1, 0);
3123         
3124         /* Give some choices */
3125         prt(_("(0) ユーザー設定ファイルのロード", "(0) Load a user pref file"), 3, 5);
3126         
3127 #ifdef ALLOW_VISUALS
3128         prt(_("(1) モンスターの 色/文字 をファイルに書き出す", "(1) Dump monster attr/chars"), 4, 5);
3129         prt(_("(2) アイテムの   色/文字 をファイルに書き出す", "(2) Dump object attr/chars"), 5, 5);
3130         prt(_("(3) 地形の       色/文字 をファイルに書き出す", "(3) Dump feature attr/chars"), 6, 5);
3131         prt(_("(4) モンスターの 色/文字 を変更する (数値操作)", "(4) Change monster attr/chars (numeric operation)"), 7, 5);
3132         prt(_("(5) アイテムの   色/文字 を変更する (数値操作)", "(5) Change object attr/chars (numeric operation)"), 8, 5);
3133         prt(_("(6) 地形の       色/文字 を変更する (数値操作)", "(6) Change feature attr/chars (numeric operation)"), 9, 5);
3134         prt(_("(7) モンスターの 色/文字 を変更する (シンボルエディタ)", "(7) Change monster attr/chars (visual mode)"), 10, 5);
3135         prt(_("(8) アイテムの   色/文字 を変更する (シンボルエディタ)", "(8) Change object attr/chars (visual mode)"), 11, 5);
3136         prt(_("(9) 地形の       色/文字 を変更する (シンボルエディタ)", "(9) Change feature attr/chars (visual mode)"), 12, 5);
3137 #endif /* ALLOW_VISUALS */
3138
3139         prt(_("(R) 画面表示方法の初期化", "(R) Reset visuals"), 13, 5);
3140
3141         /* Prompt */
3142         prt(format("コマンド: %s", choice_msg ? choice_msg : _("", "")), 15, 0);
3143 }
3144
3145 static void do_cmd_knowledge_monsters(bool *need_redraw, bool visual_only, IDX direct_r_idx);
3146 static void do_cmd_knowledge_objects(bool *need_redraw, bool visual_only, IDX direct_k_idx);
3147 static void do_cmd_knowledge_features(bool *need_redraw, bool visual_only, IDX direct_f_idx, IDX *lighting_level);
3148
3149 /*
3150  * Interact with "visuals"
3151  */
3152 void do_cmd_visuals(void)
3153 {
3154         char i;
3155         char tmp[160];
3156         char buf[1024];
3157         bool need_redraw = FALSE;
3158         const char *empty_symbol = "<< ? >>";
3159
3160         if (use_bigtile) empty_symbol = "<< ?? >>";
3161
3162         /* File type is "TEXT" */
3163         FILE_TYPE(FILE_TYPE_TEXT);
3164
3165         /* Save the screen */
3166         screen_save();
3167
3168         /* Interact until done */
3169         while (1)
3170         {
3171                 /* Clear screen */
3172                 Term_clear();
3173
3174                 /* Ask for a choice */
3175                 print_visuals_menu(NULL);
3176
3177                 /* Prompt */
3178                 i = inkey();
3179
3180                 /* Done */
3181                 if (i == ESCAPE) break;
3182
3183                 switch (i)
3184                 {
3185                 /* Load a 'pref' file */
3186                 case '0':
3187                         /* Prompt */
3188                         prt(_("コマンド: ユーザー設定ファイルのロード", "Command: Load a user pref file"), 15, 0);
3189
3190                         /* Prompt */
3191                         prt(_("ファイル: ", "File: "), 17, 0);
3192
3193                         /* Default filename */
3194                         sprintf(tmp, "%s.prf", player_base);
3195
3196                         /* Query */
3197                         if (!askfor(tmp, 70)) continue;
3198
3199                         /* Process the given filename */
3200                         (void)process_pref_file(tmp);
3201
3202                         need_redraw = TRUE;
3203                         break;
3204
3205 #ifdef ALLOW_VISUALS
3206
3207                 /* Dump monster attr/chars */
3208                 case '1':
3209                 {
3210                         static cptr mark = "Monster attr/chars";
3211
3212                         /* Prompt */
3213                         prt(_("コマンド: モンスターの[色/文字]をファイルに書き出します", "Command: Dump monster attr/chars"), 15, 0);
3214
3215                         /* Prompt */
3216                         prt(_("ファイル: ", "File: "), 17, 0);
3217
3218                         /* Default filename */
3219                         sprintf(tmp, "%s.prf", player_base);
3220
3221                         /* Get a filename */
3222                         if (!askfor(tmp, 70)) continue;
3223
3224                         /* Build the filename */
3225                         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, tmp);
3226
3227                         /* Append to the file */
3228                         if (!open_auto_dump(buf, mark)) continue;
3229
3230                         /* Start dumping */
3231                         auto_dump_printf(_("\n# モンスターの[色/文字]の設定\n\n", "\n# Monster attr/char definitions\n\n"));
3232
3233                         /* Dump monsters */
3234                         for (i = 0; i < max_r_idx; i++)
3235                         {
3236                                 monster_race *r_ptr = &r_info[i];
3237
3238                                 /* Skip non-entries */
3239                                 if (!r_ptr->name) continue;
3240
3241                                 /* Dump a comment */
3242                                 auto_dump_printf("# %s\n", (r_name + r_ptr->name));
3243
3244                                 /* Dump the monster attr/char info */
3245                                 auto_dump_printf("R:%d:0x%02X/0x%02X\n\n", i,
3246                                         (byte)(r_ptr->x_attr), (byte)(r_ptr->x_char));
3247                         }
3248
3249                         /* Close */
3250                         close_auto_dump();
3251
3252                         /* Message */
3253                         msg_print(_("モンスターの[色/文字]をファイルに書き出しました。", "Dumped monster attr/chars."));
3254
3255                         break;
3256                 }
3257
3258                 /* Dump object attr/chars */
3259                 case '2':
3260                 {
3261                         static cptr mark = "Object attr/chars";
3262                         IDX k_idx;
3263
3264                         /* Prompt */
3265                         prt(_("コマンド: アイテムの[色/文字]をファイルに書き出します", "Command: Dump object attr/chars"), 15, 0);
3266
3267                         /* Prompt */
3268                         prt(_("ファイル: ", "File: "), 17, 0);
3269
3270                         /* Default filename */
3271                         sprintf(tmp, "%s.prf", player_base);
3272
3273                         /* Get a filename */
3274                         if (!askfor(tmp, 70)) continue;
3275
3276                         /* Build the filename */
3277                         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, tmp);
3278
3279                         /* Append to the file */
3280                         if (!open_auto_dump(buf, mark)) continue;
3281
3282                         /* Start dumping */
3283                         auto_dump_printf(_("\n# アイテムの[色/文字]の設定\n\n", "\n# Object attr/char definitions\n\n"));
3284
3285                         /* Dump objects */
3286                         for (k_idx = 0; k_idx < max_k_idx; k_idx++)
3287                         {
3288                                 char o_name[80];
3289                                 object_kind *k_ptr = &k_info[k_idx];
3290
3291                                 /* Skip non-entries */
3292                                 if (!k_ptr->name) continue;
3293
3294                                 if (!k_ptr->flavor)
3295                                 {
3296                                         /* Tidy name */
3297                                         strip_name(o_name, k_idx);
3298                                 }
3299                                 else
3300                                 {
3301                                         object_type forge;
3302
3303                                         /* Prepare dummy object */
3304                                         object_prep(&forge, k_idx);
3305
3306                                         /* Get un-shuffled flavor name */
3307                                         object_desc(o_name, &forge, OD_FORCE_FLAVOR);
3308                                 }
3309
3310                                 /* Dump a comment */
3311                                 auto_dump_printf("# %s\n", o_name);
3312
3313                                 /* Dump the object attr/char info */
3314                                 auto_dump_printf("K:%d:0x%02X/0x%02X\n\n", (int)k_idx,
3315                                         (byte)(k_ptr->x_attr), (byte)(k_ptr->x_char));
3316                         }
3317
3318                         /* Close */
3319                         close_auto_dump();
3320
3321                         /* Message */
3322                         msg_print(_("アイテムの[色/文字]をファイルに書き出しました。", "Dumped object attr/chars."));
3323
3324                         break;
3325                 }
3326
3327                 /* Dump feature attr/chars */
3328                 case '3':
3329                 {
3330                         static cptr mark = "Feature attr/chars";
3331
3332                         /* Prompt */
3333                         prt(_("コマンド: 地形の[色/文字]をファイルに書き出します", "Command: Dump feature attr/chars"), 15, 0);
3334
3335                         /* Prompt */
3336                         prt(_("ファイル: ", "File: "), 17, 0);
3337
3338                         /* Default filename */
3339                         sprintf(tmp, "%s.prf", player_base);
3340
3341                         /* Get a filename */
3342                         if (!askfor(tmp, 70)) continue;
3343
3344                         /* Build the filename */
3345                         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, tmp);
3346
3347                         /* Append to the file */
3348                         if (!open_auto_dump(buf, mark)) continue;
3349
3350                         /* Start dumping */
3351                         auto_dump_printf(_("\n# 地形の[色/文字]の設定\n\n", "\n# Feature attr/char definitions\n\n"));
3352
3353                         /* Dump features */
3354                         for (i = 0; i < max_f_idx; i++)
3355                         {
3356                                 feature_type *f_ptr = &f_info[i];
3357
3358                                 /* Skip non-entries */
3359                                 if (!f_ptr->name) continue;
3360
3361                                 /* Skip mimiccing features */
3362                                 if (f_ptr->mimic != i) continue;
3363
3364                                 /* Dump a comment */
3365                                 auto_dump_printf("# %s\n", (f_name + f_ptr->name));
3366
3367                                 /* Dump the feature attr/char info */
3368                                 auto_dump_printf("F:%d:0x%02X/0x%02X:0x%02X/0x%02X:0x%02X/0x%02X\n\n", i,
3369                                         (byte)(f_ptr->x_attr[F_LIT_STANDARD]), (byte)(f_ptr->x_char[F_LIT_STANDARD]),
3370                                         (byte)(f_ptr->x_attr[F_LIT_LITE]), (byte)(f_ptr->x_char[F_LIT_LITE]),
3371                                         (byte)(f_ptr->x_attr[F_LIT_DARK]), (byte)(f_ptr->x_char[F_LIT_DARK]));
3372                         }
3373
3374                         /* Close */
3375                         close_auto_dump();
3376
3377                         /* Message */
3378                         msg_print(_("地形の[色/文字]をファイルに書き出しました。", "Dumped feature attr/chars."));
3379
3380                         break;
3381                 }
3382
3383                 /* Modify monster attr/chars (numeric operation) */
3384                 case '4':
3385                 {
3386                         static cptr choice_msg = _("モンスターの[色/文字]を変更します", "Change monster attr/chars");
3387                         static IDX r = 0;
3388
3389                         prt(format(_("コマンド: %s", "Command: %s"), choice_msg), 15, 0);
3390
3391                         /* Hack -- query until done */
3392                         while (1)
3393                         {
3394                                 monster_race *r_ptr = &r_info[r];
3395                                 char c;
3396                                 IDX t;
3397
3398                                 byte da = r_ptr->d_attr;
3399                                 byte dc = r_ptr->d_char;
3400                                 byte ca = r_ptr->x_attr;
3401                                 byte cc = r_ptr->x_char;
3402
3403                                 /* Label the object */
3404                                 Term_putstr(5, 17, -1, TERM_WHITE,
3405                                          format(_("モンスター = %d, 名前 = %-40.40s", "Monster = %d, Name = %-40.40s"), r, (r_name + r_ptr->name)));
3406
3407                                 /* Label the Default values */
3408                                 Term_putstr(10, 19, -1, TERM_WHITE,
3409                                         format(_("初期値  色 / 文字 = %3u / %3u", "Default attr/char = %3u / %3u"), da, dc));
3410
3411                                 Term_putstr(40, 19, -1, TERM_WHITE, empty_symbol);
3412                                 Term_queue_bigchar(43, 19, da, dc, 0, 0);
3413
3414                                 /* Label the Current values */
3415                                 Term_putstr(10, 20, -1, TERM_WHITE,
3416                                         format(_("現在値  色 / 文字 = %3u / %3u", "Current attr/char = %3u / %3u"), ca, cc));
3417
3418                                 Term_putstr(40, 20, -1, TERM_WHITE, empty_symbol);
3419                                 Term_queue_bigchar(43, 20, ca, cc, 0, 0);
3420
3421                                 /* Prompt */
3422                                 Term_putstr(0, 22, -1, TERM_WHITE, 
3423                                         _("コマンド (n/N/^N/a/A/^A/c/C/^C/v/V/^V): ", "Command (n/N/^N/a/A/^A/c/C/^C/v/V/^V): "));
3424
3425                                 /* Get a command */
3426                                 i = inkey();
3427
3428                                 /* All done */
3429                                 if (i == ESCAPE) break;
3430
3431                                 if (iscntrl(i)) c = 'a' + i - KTRL('A');
3432                                 else if (isupper(i)) c = 'a' + i - 'A';
3433                                 else c = i;
3434
3435                                 switch (c)
3436                                 {
3437                                 case 'n':
3438                                         {
3439                                                 IDX prev_r = r;
3440                                                 do
3441                                                 {
3442                                                         if (!cmd_visuals_aux(i, &r, max_r_idx))
3443                                                         {
3444                                                                 r = prev_r;
3445                                                                 break;
3446                                                         }
3447                                                 }
3448                                                 while (!r_info[r].name);
3449                                         }
3450                                         break;
3451                                 case 'a':
3452                                         t = (int)r_ptr->x_attr;
3453                                         (void)cmd_visuals_aux(i, &t, 256);
3454                                         r_ptr->x_attr = (byte)t;
3455                                         need_redraw = TRUE;
3456                                         break;
3457                                 case 'c':
3458                                         t = (int)r_ptr->x_char;
3459                                         (void)cmd_visuals_aux(i, &t, 256);
3460                                         r_ptr->x_char = (byte)t;
3461                                         need_redraw = TRUE;
3462                                         break;
3463                                 case 'v':
3464                                         do_cmd_knowledge_monsters(&need_redraw, TRUE, r);
3465
3466                                         /* Clear screen */
3467                                         Term_clear();
3468                                         print_visuals_menu(choice_msg);
3469                                         break;
3470                                 }
3471                         }
3472
3473                         break;
3474                 }
3475
3476                 /* Modify object attr/chars (numeric operation) */
3477                 case '5':
3478                 {
3479                         static cptr choice_msg = _("アイテムの[色/文字]を変更します", "Change object attr/chars");
3480                         static IDX k = 0;
3481                         prt(format(_("コマンド: %s", "Command: %s"), choice_msg), 15, 0);
3482
3483                         /* Hack -- query until done */
3484                         while (1)
3485                         {
3486                                 object_kind *k_ptr = &k_info[k];
3487                                 char c;
3488                                 IDX t;
3489
3490                                 SYMBOL_COLOR da = k_ptr->d_attr;
3491                                 SYMBOL_CODE dc = k_ptr->d_char;
3492                                 SYMBOL_COLOR ca = k_ptr->x_attr;
3493                                 SYMBOL_CODE cc = k_ptr->x_char;
3494
3495                                 /* Label the object */
3496                                 Term_putstr(5, 17, -1, TERM_WHITE,
3497                                             format(_("アイテム = %d, 名前 = %-40.40s", "Object = %d, Name = %-40.40s"),
3498                                                    k, k_name + (!k_ptr->flavor ? k_ptr->name : k_ptr->flavor_name)));
3499
3500                                 /* Label the Default values */
3501                                 Term_putstr(10, 19, -1, TERM_WHITE,
3502                                             format(_("初期値  色 / 文字 = %3d / %3d", "Default attr/char = %3d / %3d"), da, dc));
3503
3504                                 Term_putstr(40, 19, -1, TERM_WHITE, empty_symbol);
3505                                 Term_queue_bigchar(43, 19, da, dc, 0, 0);
3506
3507                                 /* Label the Current values */
3508                                 Term_putstr(10, 20, -1, TERM_WHITE,
3509                                             format(_("現在値  色 / 文字 = %3d / %3d", "Current attr/char = %3d / %3d"), ca, cc));
3510
3511                                 Term_putstr(40, 20, -1, TERM_WHITE, empty_symbol);
3512                                 Term_queue_bigchar(43, 20, ca, cc, 0, 0);
3513
3514                                 /* Prompt */
3515                                 Term_putstr(0, 22, -1, TERM_WHITE,
3516                                             _("コマンド (n/N/^N/a/A/^A/c/C/^C/v/V/^V): ", "Command (n/N/^N/a/A/^A/c/C/^C/v/V/^V): "));
3517
3518                                 /* Get a command */
3519                                 i = inkey();
3520
3521                                 /* All done */
3522                                 if (i == ESCAPE) break;
3523
3524                                 if (iscntrl(i)) c = 'a' + i - KTRL('A');
3525                                 else if (isupper(i)) c = 'a' + i - 'A';
3526                                 else c = i;
3527
3528                                 switch (c)
3529                                 {
3530                                 case 'n':
3531                                         {
3532                                                 IDX prev_k = k;
3533                                                 do
3534                                                 {
3535                                                         if (!cmd_visuals_aux(i, &k, max_k_idx))
3536                                                         {
3537                                                                 k = prev_k;
3538                                                                 break;
3539                                                         }
3540                                                 }
3541                                                 while (!k_info[k].name);
3542                                         }
3543                                         break;
3544                                 case 'a':
3545                                         t = (int)k_ptr->x_attr;
3546                                         (void)cmd_visuals_aux(i, &t, 256);
3547                                         k_ptr->x_attr = (byte)t;
3548                                         need_redraw = TRUE;
3549                                         break;
3550                                 case 'c':
3551                                         t = (int)k_ptr->x_char;
3552                                         (void)cmd_visuals_aux(i, &t, 256);
3553                                         k_ptr->x_char = (byte)t;
3554                                         need_redraw = TRUE;
3555                                         break;
3556                                 case 'v':
3557                                         do_cmd_knowledge_objects(&need_redraw, TRUE, k);
3558
3559                                         /* Clear screen */
3560                                         Term_clear();
3561                                         print_visuals_menu(choice_msg);
3562                                         break;
3563                                 }
3564                         }
3565
3566                         break;
3567                 }
3568
3569                 /* Modify feature attr/chars (numeric operation) */
3570                 case '6':
3571                 {
3572                         static cptr choice_msg = _("地形の[色/文字]を変更します", "Change feature attr/chars");
3573                         static IDX f = 0;
3574                         static IDX lighting_level = F_LIT_STANDARD;
3575                         prt(format(_("コマンド: %s", "Command: %s"), choice_msg), 15, 0);
3576
3577                         /* Hack -- query until done */
3578                         while (1)
3579                         {
3580                                 feature_type *f_ptr = &f_info[f];
3581                                 char c;
3582                                 IDX t;
3583
3584                                 byte da = f_ptr->d_attr[lighting_level];
3585                                 byte dc = f_ptr->d_char[lighting_level];
3586                                 byte ca = f_ptr->x_attr[lighting_level];
3587                                 byte cc = f_ptr->x_char[lighting_level];
3588
3589                                 /* Label the object */
3590                                 prt("", 17, 5);
3591                                 Term_putstr(5, 17, -1, TERM_WHITE,
3592                                             format(_("地形 = %d, 名前 = %s, 明度 = %s", "Terrain = %d, Name = %s, Lighting = %s"),
3593                                                    f, (f_name + f_ptr->name), lighting_level_str[lighting_level]));
3594
3595                                 /* Label the Default values */
3596                                 Term_putstr(10, 19, -1, TERM_WHITE,
3597                                             format(_("初期値  色 / 文字 = %3d / %3d", "Default attr/char = %3d / %3d"), da, dc));
3598
3599                                 Term_putstr(40, 19, -1, TERM_WHITE, empty_symbol);
3600                                 Term_queue_bigchar(43, 19, da, dc, 0, 0);
3601
3602                                 /* Label the Current values */
3603 #ifdef JP
3604                                 Term_putstr(10, 20, -1, TERM_WHITE,
3605                                             format("現在値  色 / 文字 = %3d / %3d", ca, cc));
3606 #else
3607                                 Term_putstr(10, 20, -1, TERM_WHITE,
3608                                             format("Current attr/char = %3d / %3d", ca, cc));
3609 #endif
3610
3611                                 Term_putstr(40, 20, -1, TERM_WHITE, empty_symbol);
3612                                 Term_queue_bigchar(43, 20, ca, cc, 0, 0);
3613
3614                                 /* Prompt */
3615 #ifdef JP
3616                                 Term_putstr(0, 22, -1, TERM_WHITE,
3617                                             "コマンド (n/N/^N/a/A/^A/c/C/^C/l/L/^L/d/D/^D/v/V/^V): ");
3618 #else
3619                                 Term_putstr(0, 22, -1, TERM_WHITE,
3620                                             "Command (n/N/^N/a/A/^A/c/C/^C/l/L/^L/d/D/^D/v/V/^V): ");
3621 #endif
3622
3623                                 /* Get a command */
3624                                 i = inkey();
3625
3626                                 /* All done */
3627                                 if (i == ESCAPE) break;
3628
3629                                 if (iscntrl(i)) c = 'a' + i - KTRL('A');
3630                                 else if (isupper(i)) c = 'a' + i - 'A';
3631                                 else c = i;
3632
3633                                 switch (c)
3634                                 {
3635                                 case 'n':
3636                                         {
3637                                                 IDX prev_f = f;
3638                                                 do
3639                                                 {
3640                                                         if (!cmd_visuals_aux(i, &f, max_f_idx))
3641                                                         {
3642                                                                 f = prev_f;
3643                                                                 break;
3644                                                         }
3645                                                 }
3646                                                 while (!f_info[f].name || (f_info[f].mimic != f));
3647                                         }
3648                                         break;
3649                                 case 'a':
3650                                         t = (int)f_ptr->x_attr[lighting_level];
3651                                         (void)cmd_visuals_aux(i, &t, 256);
3652                                         f_ptr->x_attr[lighting_level] = (byte)t;
3653                                         need_redraw = TRUE;
3654                                         break;
3655                                 case 'c':
3656                                         t = (int)f_ptr->x_char[lighting_level];
3657                                         (void)cmd_visuals_aux(i, &t, 256);
3658                                         f_ptr->x_char[lighting_level] = (byte)t;
3659                                         need_redraw = TRUE;
3660                                         break;
3661                                 case 'l':
3662                                         (void)cmd_visuals_aux(i, &lighting_level, F_LIT_MAX);
3663                                         break;
3664                                 case 'd':
3665                                         apply_default_feat_lighting(f_ptr->x_attr, f_ptr->x_char);
3666                                         need_redraw = TRUE;
3667                                         break;
3668                                 case 'v':
3669                                         do_cmd_knowledge_features(&need_redraw, TRUE, f, &lighting_level);
3670
3671                                         /* Clear screen */
3672                                         Term_clear();
3673                                         print_visuals_menu(choice_msg);
3674                                         break;
3675                                 }
3676                         }
3677
3678                         break;
3679                 }
3680
3681                 /* Modify monster attr/chars (visual mode) */
3682                 case '7':
3683                         do_cmd_knowledge_monsters(&need_redraw, TRUE, -1);
3684                         break;
3685
3686                 /* Modify object attr/chars (visual mode) */
3687                 case '8':
3688                         do_cmd_knowledge_objects(&need_redraw, TRUE, -1);
3689                         break;
3690
3691                 /* Modify feature attr/chars (visual mode) */
3692                 case '9':
3693                 {
3694                         IDX lighting_level = F_LIT_STANDARD;
3695                         do_cmd_knowledge_features(&need_redraw, TRUE, -1, &lighting_level);
3696                         break;
3697                 }
3698
3699 #endif /* ALLOW_VISUALS */
3700
3701                 /* Reset visuals */
3702                 case 'R':
3703                 case 'r':
3704                         /* Reset */
3705                         reset_visuals();
3706
3707                         /* Message */
3708                         msg_print(_("画面上の[色/文字]を初期値にリセットしました。", "Visual attr/char tables reset."));
3709                         need_redraw = TRUE;
3710                         break;
3711
3712                 /* Unknown option */
3713                 default:
3714                         bell();
3715                         break;
3716                 }
3717
3718                 /* Flush messages */
3719                 msg_print(NULL);
3720         }
3721
3722         /* Restore the screen */
3723         screen_load();
3724
3725         if (need_redraw) do_cmd_redraw();
3726 }
3727
3728
3729 /*
3730  * Interact with "colors"
3731  */
3732 void do_cmd_colors(void)
3733 {
3734         int i;
3735
3736         char tmp[160];
3737
3738         char buf[1024];
3739
3740
3741         /* File type is "TEXT" */
3742         FILE_TYPE(FILE_TYPE_TEXT);
3743
3744
3745         /* Save the screen */
3746         screen_save();
3747
3748
3749         /* Interact until done */
3750         while (1)
3751         {
3752                 /* Clear screen */
3753                 Term_clear();
3754
3755                 /* Ask for a choice */
3756                 prt(_("[ カラーの設定 ]", "Interact with Colors"), 2, 0);
3757
3758                 /* Give some choices */
3759                 prt(_("(1) ユーザー設定ファイルのロード", "(1) Load a user pref file"), 4, 5);
3760
3761 #ifdef ALLOW_COLORS
3762                 prt(_("(2) カラーの設定をファイルに書き出す", "(2) Dump colors"), 5, 5);
3763                 prt(_("(3) カラーの設定を変更する", "(3) Modify colors"), 6, 5);
3764 #endif
3765
3766                 /* Prompt */
3767                 prt(_("コマンド: ", "Command: "), 8, 0);
3768                 /* Prompt */
3769                 i = inkey();
3770
3771                 /* Done */
3772                 if (i == ESCAPE) break;
3773
3774                 /* Load a 'pref' file */
3775                 if (i == '1')
3776                 {
3777                         /* Prompt */
3778                         prt(_("コマンド: ユーザー設定ファイルをロードします", "Command: Load a user pref file"), 8, 0);
3779
3780                         /* Prompt */
3781                         prt(_("ファイル: ", "File: "), 10, 0);
3782
3783                         /* Default file */
3784                         sprintf(tmp, "%s.prf", player_base);
3785
3786                         /* Query */
3787                         if (!askfor(tmp, 70)) continue;
3788
3789                         /* Process the given filename */
3790                         (void)process_pref_file(tmp);
3791
3792                         /* Mega-Hack -- react to changes */
3793                         Term_xtra(TERM_XTRA_REACT, 0);
3794
3795                         /* Mega-Hack -- redraw */
3796                         Term_redraw();
3797                 }
3798
3799 #ifdef ALLOW_COLORS
3800
3801                 /* Dump colors */
3802                 else if (i == '2')
3803                 {
3804                         static cptr mark = "Colors";
3805
3806                         /* Prompt */
3807                         prt(_("コマンド: カラーの設定をファイルに書き出します", "Command: Dump colors"), 8, 0);
3808
3809                         /* Prompt */
3810                         prt(_("ファイル: ", "File: "), 10, 0);
3811
3812                         /* Default filename */
3813                         sprintf(tmp, "%s.prf", player_base);
3814
3815                         /* Get a filename */
3816                         if (!askfor(tmp, 70)) continue;
3817
3818                         /* Build the filename */
3819                         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, tmp);
3820
3821                         /* Append to the file */
3822                         if (!open_auto_dump(buf, mark)) continue;
3823
3824                         /* Start dumping */
3825                         auto_dump_printf(_("\n# カラーの設定\n\n", "\n# Color redefinitions\n\n"));
3826                         
3827                         /* Dump colors */
3828                         for (i = 0; i < 256; i++)
3829                         {
3830                                 int kv = angband_color_table[i][0];
3831                                 int rv = angband_color_table[i][1];
3832                                 int gv = angband_color_table[i][2];
3833                                 int bv = angband_color_table[i][3];
3834
3835                                 cptr name = _("未知", "unknown");
3836
3837                                 /* Skip non-entries */
3838                                 if (!kv && !rv && !gv && !bv) continue;
3839
3840                                 /* Extract the color name */
3841                                 if (i < 16) name = color_names[i];
3842
3843                                 /* Dump a comment */
3844                                 auto_dump_printf(_("# カラー '%s'\n", "# Color '%s'\n"), name);
3845                                 
3846                                 /* Dump the monster attr/char info */
3847                                 auto_dump_printf("V:%d:0x%02X:0x%02X:0x%02X:0x%02X\n\n",
3848                                         i, kv, rv, gv, bv);
3849                         }
3850
3851                         /* Close */
3852                         close_auto_dump();
3853
3854                         /* Message */
3855                         msg_print(_("カラーの設定をファイルに書き出しました。", "Dumped color redefinitions."));
3856                 }
3857
3858                 /* Edit colors */
3859                 else if (i == '3')
3860                 {
3861                         static byte a = 0;
3862
3863                         /* Prompt */
3864                         prt(_("コマンド: カラーの設定を変更します", "Command: Modify colors"), 8, 0);
3865
3866                         /* Hack -- query until done */
3867                         while (1)
3868                         {
3869                                 cptr name;
3870                                 byte j;
3871
3872                                 /* Clear */
3873                                 clear_from(10);
3874
3875                                 /* Exhibit the normal colors */
3876                                 for (j = 0; j < 16; j++)
3877                                 {
3878                                         /* Exhibit this color */
3879                                         Term_putstr(j*4, 20, -1, a, "###");
3880
3881                                         /* Exhibit all colors */
3882                                         Term_putstr(j*4, 22, -1, j, format("%3d", j));
3883                                 }
3884
3885                                 /* Describe the color */
3886                                 name = ((a < 16) ? color_names[a] : _("未定義", "undefined"));
3887
3888                                 /* Describe the color */
3889                                 Term_putstr(5, 10, -1, TERM_WHITE,
3890                                             format(_("カラー = %d, 名前 = %s", "Color = %d, Name = %s"), a, name));
3891
3892                                 /* Label the Current values */
3893                                 Term_putstr(5, 12, -1, TERM_WHITE,
3894                                             format("K = 0x%02x / R,G,B = 0x%02x,0x%02x,0x%02x",
3895                                                    angband_color_table[a][0],
3896                                                    angband_color_table[a][1],
3897                                                    angband_color_table[a][2],
3898                                                    angband_color_table[a][3]));
3899
3900                                 /* Prompt */
3901                                 Term_putstr(0, 14, -1, TERM_WHITE,
3902                                         _("コマンド (n/N/k/K/r/R/g/G/b/B): ", "Command (n/N/k/K/r/R/g/G/b/B): "));
3903
3904
3905                                 /* Get a command */
3906                                 i = inkey();
3907
3908                                 /* All done */
3909                                 if (i == ESCAPE) break;
3910
3911                                 /* Analyze */
3912                                 if (i == 'n') a = (byte)(a + 1);
3913                                 if (i == 'N') a = (byte)(a - 1);
3914                                 if (i == 'k') angband_color_table[a][0] = (byte)(angband_color_table[a][0] + 1);
3915                                 if (i == 'K') angband_color_table[a][0] = (byte)(angband_color_table[a][0] - 1);
3916                                 if (i == 'r') angband_color_table[a][1] = (byte)(angband_color_table[a][1] + 1);
3917                                 if (i == 'R') angband_color_table[a][1] = (byte)(angband_color_table[a][1] - 1);
3918                                 if (i == 'g') angband_color_table[a][2] = (byte)(angband_color_table[a][2] + 1);
3919                                 if (i == 'G') angband_color_table[a][2] = (byte)(angband_color_table[a][2] - 1);
3920                                 if (i == 'b') angband_color_table[a][3] = (byte)(angband_color_table[a][3] + 1);
3921                                 if (i == 'B') angband_color_table[a][3] = (byte)(angband_color_table[a][3] - 1);
3922
3923                                 /* Hack -- react to changes */
3924                                 Term_xtra(TERM_XTRA_REACT, 0);
3925
3926                                 /* Hack -- redraw */
3927                                 Term_redraw();
3928                         }
3929                 }
3930
3931 #endif
3932
3933                 /* Unknown option */
3934                 else
3935                 {
3936                         bell();
3937                 }
3938
3939                 /* Flush messages */
3940                 msg_print(NULL);
3941         }
3942
3943
3944         /* Restore the screen */
3945         screen_load();
3946 }
3947
3948
3949 /*
3950  * Note something in the message recall
3951  */
3952 void do_cmd_note(void)
3953 {
3954         char buf[80];
3955
3956         /* Default */
3957         strcpy(buf, "");
3958
3959         /* Input */
3960         if (!get_string(_("メモ: ", "Note: "), buf, 60)) return;
3961
3962         /* Ignore empty notes */
3963         if (!buf[0] || (buf[0] == ' ')) return;
3964
3965         /* Add the note to the message recall */
3966         msg_format(_("メモ: %s", "Note: %s"), buf);
3967 }
3968
3969
3970 /*
3971  * Mention the current version
3972  */
3973 void do_cmd_version(void)
3974 {
3975         /* Silly message */
3976
3977 #if FAKE_VER_EXTRA > 0
3978         msg_format(_("変愚蛮怒(Hengband) %d.%d.%d.%d", "You are playing Hengband %d.%d.%d.%d."),
3979                 FAKE_VER_MAJOR-10, FAKE_VER_MINOR, FAKE_VER_PATCH, FAKE_VER_EXTRA);
3980 #else
3981         msg_format(_("変愚蛮怒(Hengband) %d.%d.%d", "You are playing Hengband %d.%d.%d."),
3982                 FAKE_VER_MAJOR - 10, FAKE_VER_MINOR, FAKE_VER_PATCH);
3983 #endif
3984 }
3985
3986
3987
3988 /*
3989  * Array of feeling strings
3990  */
3991 static cptr do_cmd_feeling_text[11] =
3992 {
3993         _("この階の雰囲気を感じとれなかった...", "Looks like any other level."),
3994         _("この階には何か特別なものがあるような気がする。", "You feel there is something special about this level."),
3995         _("恐ろしい死の幻が目に浮かび、気絶しそうになった!", "You nearly faint as horrible visions of death fill your mind!"),
3996         _("この階はとても危険なようだ。", "This level looks very dangerous."),
3997         _("とても悪い予感がする...", "You have a very bad feeling..."),
3998         _("悪い予感がする...", "You have a bad feeling..."),
3999         _("何か緊張する。", "You feel nervous."),
4000         _("少し不運な気がする...", "You feel your luck is turning..."),
4001         _("この場所は好きになれない。", "You don't like the look of this place."),
4002         _("この階はそれなりに安全なようだ。", "This level looks reasonably safe."),
4003         _("なんて退屈なところだ...", "What a boring place...")
4004 };
4005
4006 static cptr do_cmd_feeling_text_combat[11] =
4007 {
4008         _("この階の雰囲気を感じとれなかった...", "Looks like any other level."),
4009         _("この階には何か特別なものがあるような気がする。", "You feel there is something special about this level."),
4010         _("今夜もまた、誰かが命を落とす...", "You nearly faint as horrible visions of death fill your mind!"),
4011         _("この階はとても危険なようだ。", "This level looks very dangerous."),
4012         _("とても悪い予感がする...", "You have a very bad feeling..."),
4013         _("悪い予感がする...", "You have a bad feeling..."),
4014         _("何か緊張する。", "You feel nervous."),
4015         _("少し不運な気がする...", "You feel your luck is turning..."),
4016         _("この場所は好きになれない。", "You don't like the look of this place."),
4017         _("この階はそれなりに安全なようだ。", "This level looks reasonably safe."),
4018         _("なんて退屈なところだ...", "What a boring place...")
4019 };
4020
4021 static cptr do_cmd_feeling_text_lucky[11] =
4022 {
4023         _("この階の雰囲気を感じとれなかった...", "Looks like any other level."),
4024         _("この階には何か特別なものがあるような気がする。", "You feel there is something special about this level."),
4025         _("この階はこの上なく素晴らしい感じがする。", "You have a superb feeling about this level."),
4026         _("素晴らしい感じがする...", "You have an excellent feeling..."),
4027         _("とても良い感じがする...", "You have a very good feeling..."),
4028         _("良い感じがする...", "You have a good feeling..."),
4029         _("ちょっと幸運な感じがする...", "You feel strangely lucky..."),
4030         _("多少は運が向いてきたか...", "You feel your luck is turning..."),
4031         _("見た感じ悪くはない...", "You like the look of this place..."),
4032         _("全然駄目ということはないが...", "This level can't be all bad..."),
4033         _("なんて退屈なところだ...", "What a boring place...")
4034 };
4035
4036
4037 /*
4038  * Note that "feeling" is set to zero unless some time has passed.
4039  * Note that this is done when the level is GENERATED, not entered.
4040  */
4041 void do_cmd_feeling(void)
4042 {
4043         /* No useful feeling in quests */
4044         if (p_ptr->inside_quest && !random_quest_number(dun_level))
4045         {
4046                 msg_print(_("典型的なクエストのダンジョンのようだ。", "Looks like a typical quest level."));
4047                 return;
4048         }
4049
4050         /* No useful feeling in town */
4051         else if (p_ptr->town_num && !dun_level)
4052         {
4053                 if (!strcmp(town[p_ptr->town_num].name, _("荒野", "wilderness")))
4054                 {
4055                         msg_print(_("何かありそうな荒野のようだ。", "Looks like a strange wilderness."));
4056                         return;
4057                 }
4058                 else
4059                 {
4060                         msg_print(_("典型的な町のようだ。", "Looks like a typical town."));
4061                         return;
4062                 }
4063         }
4064
4065         /* No useful feeling in the wilderness */
4066         else if (!dun_level)
4067         {
4068                 msg_print(_("典型的な荒野のようだ。", "Looks like a typical wilderness."));
4069                 return;
4070         }
4071
4072         /* Display the feeling */
4073         if (p_ptr->muta3 & MUT3_GOOD_LUCK)
4074                 msg_print(do_cmd_feeling_text_lucky[p_ptr->feeling]);
4075         else if (p_ptr->pseikaku == SEIKAKU_COMBAT ||
4076                  inventory[INVEN_BOW].name1 == ART_CRIMSON)
4077                 msg_print(do_cmd_feeling_text_combat[p_ptr->feeling]);
4078         else
4079                 msg_print(do_cmd_feeling_text[p_ptr->feeling]);
4080 }
4081
4082
4083
4084 /*
4085  * Description of each monster group.
4086  */
4087 static cptr monster_group_text[] = 
4088 {
4089 #ifdef JP
4090         "ユニーク", /* "Uniques" */
4091         "乗馬可能なモンスター",       /* "Riding" */
4092         "賞金首", /* "Wanted */
4093         "アンバーの王族", /* "Ambertite" */
4094         "アリ",
4095         "コウモリ",
4096         "ムカデ",
4097         "ドラゴン",
4098         "目玉",
4099         "ネコ",
4100         "ゴーレム",
4101         "標準人間型生物",
4102         "ベトベト",
4103         "ゼリー",
4104         "コボルド",
4105         "水棲生物",
4106         "モルド",
4107         "ナーガ",
4108         "オーク",
4109         "人間",
4110         "四足獣",
4111         "ネズミ",
4112         "スケルトン",
4113         "デーモン",
4114         "ボルテックス",
4115         "イモムシ/大群",
4116         /* "unused", */
4117         "イーク",
4118         "ゾンビ/ミイラ",
4119         "天使",
4120         "鳥",
4121         "犬",
4122         /* "古代ドラゴン/ワイアーム", */
4123         "エレメンタル",
4124         "トンボ",
4125         "ゴースト",
4126         "雑種",
4127         "昆虫",
4128         "ヘビ",
4129         "キラー・ビートル",
4130         "リッチ",
4131         "多首の爬虫類",
4132         "謎の生物",
4133         "オーガ",
4134         "巨大人間型生物",
4135         "クイルスルグ",
4136         "爬虫類/両生類",
4137         "蜘蛛/サソリ/ダニ",
4138         "トロル",
4139         /* "上級デーモン", */
4140         "バンパイア",
4141         "ワイト/レイス/等",
4142         "ゾーン/ザレン/等",
4143         "イエティ",
4144         "ハウンド",
4145         "ミミック",
4146         "壁/植物/気体",
4147         "おばけキノコ",
4148         "球体",
4149         "プレイヤー",
4150 #else
4151         "Uniques",
4152         "Ridable monsters",
4153         "Wanted monsters",
4154         "Ambertite",
4155         "Ant",
4156         "Bat",
4157         "Centipede",
4158         "Dragon",
4159         "Floating Eye",
4160         "Feline",
4161         "Golem",
4162         "Hobbit/Elf/Dwarf",
4163         "Icky Thing",
4164         "Jelly",
4165         "Kobold",
4166         "Aquatic monster",
4167         "Mold",
4168         "Naga",
4169         "Orc",
4170         "Person/Human",
4171         "Quadruped",
4172         "Rodent",
4173         "Skeleton",
4174         "Demon",
4175         "Vortex",
4176         "Worm/Worm-Mass",
4177         /* "unused", */
4178         "Yeek",
4179         "Zombie/Mummy",
4180         "Angel",
4181         "Bird",
4182         "Canine",
4183         /* "Ancient Dragon/Wyrm", */
4184         "Elemental",
4185         "Dragon Fly",
4186         "Ghost",
4187         "Hybrid",
4188         "Insect",
4189         "Snake",
4190         "Killer Beetle",
4191         "Lich",
4192         "Multi-Headed Reptile",
4193         "Mystery Living",
4194         "Ogre",
4195         "Giant Humanoid",
4196         "Quylthulg",
4197         "Reptile/Amphibian",
4198         "Spider/Scorpion/Tick",
4199         "Troll",
4200         /* "Major Demon", */
4201         "Vampire",
4202         "Wight/Wraith/etc",
4203         "Xorn/Xaren/etc",
4204         "Yeti",
4205         "Zephyr Hound",
4206         "Mimic",
4207         "Wall/Plant/Gas",
4208         "Mushroom patch",
4209         "Ball",
4210         "Player",
4211 #endif
4212         NULL
4213 };
4214
4215
4216 /*
4217  * Symbols of monsters in each group. Note the "Uniques" group
4218  * is handled differently.
4219  */
4220 static cptr monster_group_char[] =
4221 {
4222         (char *) -1L,
4223         (char *) -2L,
4224         (char *) -3L,
4225         (char *) -4L,
4226         "a",
4227         "b",
4228         "c",
4229         "dD",
4230         "e",
4231         "f",
4232         "g",
4233         "h",
4234         "i",
4235         "j",
4236         "k",
4237         "l",
4238         "m",
4239         "n",
4240         "o",
4241         "pt",
4242         "q",
4243         "r",
4244         "s",
4245         "uU",
4246         "v",
4247         "w",
4248         /* "x", */
4249         "y",
4250         "z",
4251         "A",
4252         "B",
4253         "C",
4254         /* "D", */
4255         "E",
4256         "F",
4257         "G",
4258         "H",
4259         "I",
4260         "J",
4261         "K",
4262         "L",
4263         "M",
4264         "N",
4265         "O",
4266         "P",
4267         "Q",
4268         "R",
4269         "S",
4270         "T",
4271         /* "U", */
4272         "V",
4273         "W",
4274         "X",
4275         "Y",
4276         "Z",
4277         "!$&()+./=>?[\\]`{|~",
4278         "#%",
4279         ",",
4280         "*",
4281         "@",
4282         NULL
4283 };
4284
4285
4286 /*
4287  * hook function to sort monsters by level
4288  */
4289 static bool ang_sort_comp_monster_level(vptr u, vptr v, int a, int b)
4290 {
4291         u16b *who = (u16b*)(u);
4292
4293         int w1 = who[a];
4294         int w2 = who[b];
4295
4296         monster_race *r_ptr1 = &r_info[w1];
4297         monster_race *r_ptr2 = &r_info[w2];
4298
4299         /* Unused */
4300         (void)v;
4301
4302         if (r_ptr2->level > r_ptr1->level) return TRUE;
4303         if (r_ptr1->level > r_ptr2->level) return FALSE;
4304
4305         if ((r_ptr2->flags1 & RF1_UNIQUE) && !(r_ptr1->flags1 & RF1_UNIQUE)) return TRUE;
4306         if ((r_ptr1->flags1 & RF1_UNIQUE) && !(r_ptr2->flags1 & RF1_UNIQUE)) return FALSE;
4307         return w1 <= w2;
4308 }
4309
4310 /*
4311  * Build a list of monster indexes in the given group. Return the number
4312  * of monsters in the group.
4313  *
4314  * mode & 0x01 : check for non-empty group
4315  * mode & 0x02 : visual operation only
4316  */
4317 static IDX collect_monsters(IDX grp_cur, IDX mon_idx[], BIT_FLAGS8 mode)
4318 {
4319         IDX i;
4320         IDX mon_cnt = 0;
4321         int dummy_why;
4322
4323         /* Get a list of x_char in this group */
4324         cptr group_char = monster_group_char[grp_cur];
4325
4326         /* XXX Hack -- Check if this is the "Uniques" group */
4327         bool grp_unique = (monster_group_char[grp_cur] == (char *) -1L);
4328
4329         /* XXX Hack -- Check if this is the "Riding" group */
4330         bool grp_riding = (monster_group_char[grp_cur] == (char *) -2L);
4331
4332         /* XXX Hack -- Check if this is the "Wanted" group */
4333         bool grp_wanted = (monster_group_char[grp_cur] == (char *) -3L);
4334
4335         /* XXX Hack -- Check if this is the "Amberite" group */
4336         bool grp_amberite = (monster_group_char[grp_cur] == (char *) -4L);
4337
4338
4339         /* Check every race */
4340         for (i = 0; i < max_r_idx; i++)
4341         {
4342                 /* Access the race */
4343                 monster_race *r_ptr = &r_info[i];
4344
4345                 /* Skip empty race */
4346                 if (!r_ptr->name) continue ;
4347
4348                 /* Require known monsters */
4349                 if (!(mode & 0x02) && !cheat_know && !r_ptr->r_sights) continue;
4350
4351                 if (grp_unique)
4352                 {
4353                         if (!(r_ptr->flags1 & RF1_UNIQUE)) continue;
4354                 }
4355
4356                 else if (grp_riding)
4357                 {
4358                         if (!(r_ptr->flags7 & RF7_RIDING)) continue;
4359                 }
4360
4361                 else if (grp_wanted)
4362                 {
4363                         bool wanted = FALSE;
4364                         int j;
4365                         for (j = 0; j < MAX_KUBI; j++)
4366                         {
4367                                 if (kubi_r_idx[j] == i || kubi_r_idx[j] - 10000 == i ||
4368                                         (p_ptr->today_mon && p_ptr->today_mon == i))
4369                                 {
4370                                         wanted = TRUE;
4371                                         break;
4372                                 }
4373                         }
4374                         if (!wanted) continue;
4375                 }
4376
4377                 else if (grp_amberite)
4378                 {
4379                         if (!(r_ptr->flags3 & RF3_AMBERITE)) continue;
4380                 }
4381
4382                 else
4383                 {
4384                         /* Check for race in the group */
4385                         if (!my_strchr(group_char, r_ptr->d_char)) continue;
4386                 }
4387
4388                 /* Add the race */
4389                 mon_idx[mon_cnt++] = i;
4390
4391                 /* XXX Hack -- Just checking for non-empty group */
4392                 if (mode & 0x01) break;
4393         }
4394
4395         /* Terminate the list */
4396         mon_idx[mon_cnt] = -1;
4397
4398         /* Select the sort method */
4399         ang_sort_comp = ang_sort_comp_monster_level;
4400         ang_sort_swap = ang_sort_swap_hook;
4401
4402         /* Sort by monster level */
4403         ang_sort(mon_idx, &dummy_why, mon_cnt);
4404
4405         /* Return the number of races */
4406         return mon_cnt;
4407 }
4408
4409
4410 /*
4411  * Description of each monster group.
4412  */
4413 static cptr object_group_text[] = 
4414 {
4415 #ifdef JP
4416         "キノコ",    /* "Mushrooms" */
4417         "薬",          /* "Potions" */
4418         "油つぼ",    /* "Flasks" */
4419         "巻物",               /* "Scrolls" */
4420         "指輪",               /* "Rings" */
4421         "アミュレット",   /* "Amulets" */
4422         "笛",          /* "Whistle" */
4423         "光源",               /* "Lanterns" */
4424         "魔法棒",    /* "Wands" */
4425         "杖",          /* "Staffs" */
4426         "ロッド",    /* "Rods" */
4427         "カード",    /* "Cards" */
4428         "キャプチャー・ボール",
4429         "羊皮紙",    
4430         "くさび",
4431         "箱",
4432         "人形",
4433         "像",
4434         "ゴミ",
4435         "空のビン",
4436         "骨",
4437         "死体",
4438         "刀剣類",    /* "Swords" */
4439         "鈍器",               /* "Blunt Weapons" */
4440         "長柄武器", /* "Polearms" */
4441         "採掘道具", /* "Diggers" */
4442         "飛び道具", /* "Bows" */
4443         "弾",
4444         "矢",
4445         "ボルト",
4446         "軽装鎧",    /* "Soft Armor" */
4447         "重装鎧",    /* "Hard Armor" */
4448         "ドラゴン鎧",      /* "Dragon Armor" */
4449         "盾",  /* "Shields" */
4450         "クローク", /* "Cloaks" */
4451         "籠手",       /* "Gloves" */
4452         "ヘルメット",      /* "Helms" */
4453         "冠",  /* "Crowns" */
4454         "ブーツ",    /* "Boots" */
4455         "魔法書",
4456         "財宝",
4457         "何か",
4458 #else
4459         "Mushrooms",
4460         "Potions",
4461         "Flasks",
4462         "Scrolls",
4463         "Rings",
4464         "Amulets",
4465         "Whistle",
4466         "Lanterns",
4467         "Wands",
4468         "Staves",
4469         "Rods",
4470         "Cards",
4471         "Capture Balls",
4472         "Parchments",
4473         "Spikes",
4474         "Boxs",
4475         "Figurines",
4476         "Statues",
4477         "Junks",
4478         "Bottles",
4479         "Skeletons",
4480         "Corpses",
4481         "Swords",
4482         "Blunt Weapons",
4483         "Polearms",
4484         "Diggers",
4485         "Bows",
4486         "Shots",
4487         "Arrows",
4488         "Bolts",
4489         "Soft Armor",
4490         "Hard Armor",
4491         "Dragon Armor",
4492         "Shields",
4493         "Cloaks",
4494         "Gloves",
4495         "Helms",
4496         "Crowns",
4497         "Boots",
4498         "Spellbooks",
4499         "Treasure",
4500         "Something",
4501 #endif
4502         NULL
4503 };
4504
4505
4506 /*
4507  * TVALs of items in each group
4508  */
4509 static byte object_group_tval[] = 
4510 {
4511         TV_FOOD,
4512         TV_POTION,
4513         TV_FLASK,
4514         TV_SCROLL,
4515         TV_RING,
4516         TV_AMULET,
4517         TV_WHISTLE,
4518         TV_LITE,
4519         TV_WAND,
4520         TV_STAFF,
4521         TV_ROD,
4522         TV_CARD,
4523         TV_CAPTURE,
4524         TV_PARCHMENT,
4525         TV_SPIKE,
4526         TV_CHEST,
4527         TV_FIGURINE,
4528         TV_STATUE,
4529         TV_JUNK,
4530         TV_BOTTLE,
4531         TV_SKELETON,
4532         TV_CORPSE,
4533         TV_SWORD,
4534         TV_HAFTED,
4535         TV_POLEARM,
4536         TV_DIGGING,
4537         TV_BOW,
4538         TV_SHOT,
4539         TV_ARROW,
4540         TV_BOLT,
4541         TV_SOFT_ARMOR,
4542         TV_HARD_ARMOR,
4543         TV_DRAG_ARMOR,
4544         TV_SHIELD,
4545         TV_CLOAK,
4546         TV_GLOVES,
4547         TV_HELM,
4548         TV_CROWN,
4549         TV_BOOTS,
4550         TV_LIFE_BOOK, /* Hack -- all spellbooks */
4551         TV_GOLD,
4552         0,
4553         0,
4554 };
4555
4556
4557 /*
4558  * Build a list of object indexes in the given group. Return the number
4559  * of objects in the group.
4560  *
4561  * mode & 0x01 : check for non-empty group
4562  * mode & 0x02 : visual operation only
4563  */
4564 static int collect_objects(int grp_cur, IDX object_idx[], BIT_FLAGS8 mode)
4565 {
4566         IDX i;
4567         int j, k, object_cnt = 0;
4568
4569         /* Get a list of x_char in this group */
4570         byte group_tval = object_group_tval[grp_cur];
4571
4572         /* Check every object */
4573         for (i = 0; i < max_k_idx; i++)
4574         {
4575                 /* Access the object */
4576                 object_kind *k_ptr = &k_info[i];
4577
4578                 /* Skip empty objects */
4579                 if (!k_ptr->name) continue;
4580
4581                 if (mode & 0x02)
4582                 {
4583                         /* Any objects will be displayed */
4584                 }
4585                 else
4586                 {
4587                         if (!p_ptr->wizard)
4588                         {
4589                                 /* Skip non-flavoured objects */
4590                                 if (!k_ptr->flavor) continue;
4591
4592                                 /* Require objects ever seen */
4593                                 if (!k_ptr->aware) continue;
4594                         }
4595
4596                         /* Skip items with no distribution (special artifacts) */
4597                         for (j = 0, k = 0; j < 4; j++) k += k_ptr->chance[j];
4598                         if (!k) continue;
4599                 }
4600
4601                 /* Check for objects in the group */
4602                 if (TV_LIFE_BOOK == group_tval)
4603                 {
4604                         /* Hack -- All spell books */
4605                         if (TV_LIFE_BOOK <= k_ptr->tval && k_ptr->tval <= TV_HEX_BOOK)
4606                         {
4607                                 /* Add the object */
4608                                 object_idx[object_cnt++] = i;
4609                         }
4610                         else continue;
4611                 }
4612                 else if (k_ptr->tval == group_tval)
4613                 {
4614                         /* Add the object */
4615                         object_idx[object_cnt++] = i;
4616                 }
4617                 else continue;
4618
4619                 /* XXX Hack -- Just checking for non-empty group */
4620                 if (mode & 0x01) break;
4621         }
4622
4623         /* Terminate the list */
4624         object_idx[object_cnt] = -1;
4625
4626         /* Return the number of objects */
4627         return object_cnt;
4628 }
4629
4630
4631 /*
4632  * Description of each feature group.
4633  */
4634 static cptr feature_group_text[] = 
4635 {
4636         "terrains",
4637         NULL
4638 };
4639
4640
4641 /*
4642  * Build a list of feature indexes in the given group. Return the number
4643  * of features in the group.
4644  *
4645  * mode & 0x01 : check for non-empty group
4646  */
4647 static int collect_features(int grp_cur, IDX *feat_idx, BIT_FLAGS8 mode)
4648 {
4649         IDX i;
4650         int feat_cnt = 0;
4651
4652         /* Unused;  There is a single group. */
4653         (void)grp_cur;
4654
4655         /* Check every feature */
4656         for (i = 0; i < max_f_idx; i++)
4657         {
4658                 /* Access the index */
4659                 feature_type *f_ptr = &f_info[i];
4660
4661                 /* Skip empty index */
4662                 if (!f_ptr->name) continue;
4663
4664                 /* Skip mimiccing features */
4665                 if (f_ptr->mimic != i) continue;
4666
4667                 /* Add the index */
4668                 feat_idx[feat_cnt++] = i;
4669
4670                 /* XXX Hack -- Just checking for non-empty group */
4671                 if (mode & 0x01) break;
4672         }
4673
4674         /* Terminate the list */
4675         feat_idx[feat_cnt] = -1;
4676
4677         /* Return the number of races */
4678         return feat_cnt;
4679 }
4680
4681
4682 #if 0
4683 /*
4684  * Build a list of monster indexes in the given group. Return the number
4685  * of monsters in the group.
4686  */
4687 static int collect_artifacts(int grp_cur, int object_idx[])
4688 {
4689         int i, object_cnt = 0;
4690
4691         /* Get a list of x_char in this group */
4692         byte group_tval = object_group_tval[grp_cur];
4693
4694         /* Check every object */
4695         for (i = 0; i < max_a_idx; i++)
4696         {
4697                 /* Access the artifact */
4698                 artifact_type *a_ptr = &a_info[i];
4699
4700                 /* Skip empty artifacts */
4701                 if (!a_ptr->name) continue;
4702
4703                 /* Skip "uncreated" artifacts */
4704                 if (!a_ptr->cur_num) continue;
4705
4706                 /* Check for race in the group */
4707                 if (a_ptr->tval == group_tval)
4708                 {
4709                         /* Add the race */
4710                         object_idx[object_cnt++] = i;
4711                 }
4712         }
4713
4714         /* Terminate the list */
4715         object_idx[object_cnt] = 0;
4716
4717         /* Return the number of races */
4718         return object_cnt;
4719 }
4720 #endif /* 0 */
4721
4722
4723 /*
4724  * Encode the screen colors
4725  */
4726 static char hack[17] = "dwsorgbuDWvyRGBU";
4727
4728
4729 /*
4730  * Hack -- load a screen dump from a file
4731  */
4732 void do_cmd_load_screen(void)
4733 {
4734         int i, y, x;
4735
4736         byte a = 0;
4737         char c = ' ';
4738
4739         bool okay = TRUE;
4740
4741         FILE *fff;
4742
4743         char buf[1024];
4744
4745         int wid, hgt;
4746
4747         Term_get_size(&wid, &hgt);
4748
4749         /* Build the filename */
4750         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, "dump.txt");
4751
4752         /* Append to the file */
4753         fff = my_fopen(buf, "r");
4754
4755         /* Oops */
4756         if (!fff) {
4757                 msg_format(_("%s を開くことができませんでした。", "Failed to open %s."), buf);
4758                 msg_print(NULL);
4759                 return;
4760         }
4761
4762
4763         /* Save the screen */
4764         screen_save();
4765
4766         /* Clear the screen */
4767         Term_clear();
4768
4769
4770         /* Load the screen */
4771         for (y = 0; okay; y++)
4772         {
4773                 /* Get a line of data including control code */
4774                 if (!fgets(buf, 1024, fff)) okay = FALSE;
4775
4776                 /* Get the blank line */
4777                 if (buf[0] == '\n' || buf[0] == '\0') break;
4778
4779                 /* Ignore too large screen image */
4780                 if (y >= hgt) continue;
4781
4782                 /* Show each row */
4783                 for (x = 0; x < wid - 1; x++)
4784                 {
4785                         /* End of line */
4786                         if (buf[x] == '\n' || buf[x] == '\0') break;
4787
4788                         /* Put the attr/char */
4789                         Term_draw(x, y, TERM_WHITE, buf[x]);
4790                 }
4791         }
4792
4793         /* Dump the screen */
4794         for (y = 0; okay; y++)
4795         {
4796                 /* Get a line of data including control code */
4797                 if (!fgets(buf, 1024, fff)) okay = FALSE;
4798
4799                 /* Get the blank line */
4800                 if (buf[0] == '\n' || buf[0] == '\0') break;
4801
4802                 /* Ignore too large screen image */
4803                 if (y >= hgt) continue;
4804
4805                 /* Dump each row */
4806                 for (x = 0; x < wid - 1; x++)
4807                 {
4808                         /* End of line */
4809                         if (buf[x] == '\n' || buf[x] == '\0') break;
4810
4811                         /* Get the attr/char */
4812                         (void)(Term_what(x, y, &a, &c));
4813
4814                         /* Look up the attr */
4815                         for (i = 0; i < 16; i++)
4816                         {
4817                                 /* Use attr matches */
4818                                 if (hack[i] == buf[x]) a = (byte_hack)i;
4819                         }
4820
4821                         /* Put the attr/char */
4822                         Term_draw(x, y, a, c);
4823                 }
4824         }
4825
4826
4827         /* Close it */
4828         my_fclose(fff);
4829
4830
4831         /* Message */
4832         prt(_("ファイルに書き出された画面(記念撮影)をロードしました。", "Screen dump loaded."), 0, 0);
4833
4834         flush();
4835         inkey();
4836
4837
4838         /* Restore the screen */
4839         screen_load();
4840 }
4841
4842
4843
4844
4845 cptr inven_res_label = _("                               酸電火冷毒光闇破轟獄因沌劣 盲怖乱痺透命感消復浮",
4846                                                  "                               AcElFiCoPoLiDkShSoNtNxCaDi BlFeCfFaSeHlEpSdRgLv");
4847
4848
4849 #define IM_FLAG_STR  _("*", "* ")
4850 #define HAS_FLAG_STR _("+", "+ ")
4851 #define NO_FLAG_STR  _("・", ". ")
4852
4853 #define print_im_or_res_flag(IM, RES) \
4854 { \
4855         fputs(have_flag(flgs, (IM)) ? IM_FLAG_STR : \
4856               (have_flag(flgs, (RES)) ? HAS_FLAG_STR : NO_FLAG_STR), fff); \
4857 }
4858
4859 #define print_flag(TR) \
4860 { \
4861         fputs(have_flag(flgs, (TR)) ? HAS_FLAG_STR : NO_FLAG_STR, fff); \
4862 }
4863
4864
4865 /* XTRA HACK RESLIST */
4866 static void do_cmd_knowledge_inven_aux(FILE *fff, object_type *o_ptr, int *j, byte tval, char *where)
4867 {
4868         char o_name[MAX_NLEN];
4869         u32b flgs[TR_FLAG_SIZE];
4870
4871         if (!o_ptr->k_idx) return;
4872         if (o_ptr->tval != tval) return;
4873
4874         /* Identified items only */
4875         if (!object_is_known(o_ptr)) return;
4876
4877         /*
4878          * HACK:Ring of Lordly protection and Dragon equipment
4879          * have random resistances.
4880          */
4881         if ((object_is_wearable(o_ptr) && object_is_ego(o_ptr))
4882             || ((tval == TV_AMULET) && (o_ptr->sval == SV_AMULET_RESISTANCE))
4883             || ((tval == TV_RING) && (o_ptr->sval == SV_RING_LORDLY))
4884             || ((tval == TV_SHIELD) && (o_ptr->sval == SV_DRAGON_SHIELD))
4885             || ((tval == TV_HELM) && (o_ptr->sval == SV_DRAGON_HELM))
4886             || ((tval == TV_GLOVES) && (o_ptr->sval == SV_SET_OF_DRAGON_GLOVES))
4887             || ((tval == TV_BOOTS) && (o_ptr->sval == SV_PAIR_OF_DRAGON_GREAVE))
4888             || object_is_artifact(o_ptr))
4889         {
4890                 int i = 0;
4891                 object_desc(o_name, o_ptr, OD_NAME_ONLY);
4892
4893                 while (o_name[i] && (i < 26))
4894                 {
4895 #ifdef JP
4896                         if (iskanji(o_name[i])) i++;
4897 #endif
4898                         i++;
4899                 }
4900
4901                 if (i < 28)
4902                 {
4903                         while (i < 28)
4904                         {
4905                                 o_name[i] = ' '; i++;
4906                         }
4907                 }
4908                 o_name[i] = '\0';
4909
4910                 fprintf(fff, "%s %s", where, o_name);
4911
4912                 if (!(o_ptr->ident & (IDENT_MENTAL)))
4913                 {
4914                         fputs(_("-------不明--------------- -------不明---------\n", 
4915                                         "-------unknown------------ -------unknown------\n"), fff);
4916                 }
4917                 else
4918                 {
4919                         object_flags_known(o_ptr, flgs);
4920
4921                         print_im_or_res_flag(TR_IM_ACID, TR_RES_ACID);
4922                         print_im_or_res_flag(TR_IM_ELEC, TR_RES_ELEC);
4923                         print_im_or_res_flag(TR_IM_FIRE, TR_RES_FIRE);
4924                         print_im_or_res_flag(TR_IM_COLD, TR_RES_COLD);
4925                         print_flag(TR_RES_POIS);
4926                         print_flag(TR_RES_LITE);
4927                         print_flag(TR_RES_DARK);
4928                         print_flag(TR_RES_SHARDS);
4929                         print_flag(TR_RES_SOUND);
4930                         print_flag(TR_RES_NETHER);
4931                         print_flag(TR_RES_NEXUS);
4932                         print_flag(TR_RES_CHAOS);
4933                         print_flag(TR_RES_DISEN);
4934
4935                         fputs(" ", fff);
4936
4937                         print_flag(TR_RES_BLIND);
4938                         print_flag(TR_RES_FEAR);
4939                         print_flag(TR_RES_CONF);
4940                         print_flag(TR_FREE_ACT);
4941                         print_flag(TR_SEE_INVIS);
4942                         print_flag(TR_HOLD_EXP);
4943                         print_flag(TR_TELEPATHY);
4944                         print_flag(TR_SLOW_DIGEST);
4945                         print_flag(TR_REGEN);
4946                         print_flag(TR_LEVITATION);
4947
4948                         fputc('\n', fff);
4949                 }
4950                 (*j)++;
4951                 if (*j == 9)
4952                 {
4953                         *j = 0;
4954                         fprintf(fff, "%s\n", inven_res_label);
4955                 }
4956         }
4957 }
4958
4959 /*
4960  * Display *ID* ed weapons/armors's resistances
4961  */
4962 static void do_cmd_knowledge_inven(void)
4963 {
4964         FILE *fff;
4965
4966         char file_name[1024];
4967
4968         store_type  *st_ptr;
4969
4970         byte tval;
4971         int i = 0;
4972         int j = 0;
4973
4974         char  where[32];
4975
4976         /* Open a new file */
4977         fff = my_fopen_temp(file_name, 1024);
4978         if (!fff)
4979         {
4980             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
4981             msg_print(NULL);
4982             return;
4983         }
4984         fprintf(fff, "%s\n", inven_res_label);
4985
4986         for (tval = TV_WEARABLE_BEGIN; tval <= TV_WEARABLE_END; tval++)
4987         {
4988                 if (j != 0)
4989                 {
4990                         for (; j < 9; j++) fputc('\n', fff);
4991                         j = 0;
4992                         fprintf(fff, "%s\n", inven_res_label);
4993                 }
4994                 strcpy(where, _("装", "E "));
4995                 for (i = INVEN_RARM; i < INVEN_TOTAL; i++)
4996                 {
4997                         do_cmd_knowledge_inven_aux(fff, &inventory[i], &j, tval, where);
4998                 }
4999                 strcpy(where, _("持", "I "));
5000                 for (i = 0; i < INVEN_PACK; i++)
5001                 {
5002                         do_cmd_knowledge_inven_aux(fff, &inventory[i], &j, tval, where);
5003                 }
5004
5005                 st_ptr = &town[1].store[STORE_HOME];
5006                 strcpy(where, _("家", "H "));
5007                 for (i = 0; i < st_ptr->stock_num; i++)
5008                 {
5009                         do_cmd_knowledge_inven_aux(fff, &st_ptr->stock[i], &j, tval, where);
5010                 }
5011         }
5012
5013         /* Close the file */
5014         my_fclose(fff);
5015
5016         /* Display the file contents */
5017         show_file(TRUE, file_name, _("*鑑定*済み武器/防具の耐性リスト", "Resistances of *identified* equipment"), 0, 0);
5018
5019         /* Remove the file */
5020         fd_kill(file_name);
5021 }
5022
5023
5024 void do_cmd_save_screen_html_aux(char *filename, int message)
5025 {
5026         int y, x, i;
5027
5028         byte a = 0, old_a = 0;
5029         char c = ' ';
5030
5031         FILE *fff, *tmpfff;
5032         char buf[2048];
5033
5034         int yomikomu = 0;
5035         cptr tags[4] = {
5036                 "HEADER_START:",
5037                 "HEADER_END:",
5038                 "FOOTER_START:",
5039                 "FOOTER_END:",
5040         };
5041
5042         cptr html_head[] = {
5043                 "<html>\n<body text=\"#ffffff\" bgcolor=\"#000000\">\n",
5044                 "<pre>",
5045                 0,
5046         };
5047         cptr html_foot[] = {
5048                 "</pre>\n",
5049                 "</body>\n</html>\n",
5050                 0,
5051         };
5052
5053         int wid, hgt;
5054
5055         Term_get_size(&wid, &hgt);
5056
5057         /* File type is "TEXT" */
5058         FILE_TYPE(FILE_TYPE_TEXT);
5059
5060         /* Append to the file */
5061         fff = my_fopen(filename, "w");
5062
5063         /* Oops */
5064         if (!fff) {
5065                 if (message) {
5066                     msg_format(_("ファイル %s を開けませんでした。", "Failed to open file %s."), filename);
5067                     msg_print(NULL);
5068                 }
5069                 
5070                 return;
5071         }
5072
5073         /* Save the screen */
5074         if (message)
5075                 screen_save();
5076
5077         /* Build the filename */
5078         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, "htmldump.prf");
5079         tmpfff = my_fopen(buf, "r");
5080         if (!tmpfff) {
5081                 for (i = 0; html_head[i]; i++)
5082                         fputs(html_head[i], fff);
5083         }
5084         else {
5085                 yomikomu = 0;
5086                 while (!my_fgets(tmpfff, buf, sizeof(buf))) {
5087                         if (!yomikomu) {
5088                                 if (strncmp(buf, tags[0], strlen(tags[0])) == 0)
5089                                         yomikomu = 1;
5090                         }
5091                         else {
5092                                 if (strncmp(buf, tags[1], strlen(tags[1])) == 0)
5093                                         break;
5094                                 fprintf(fff, "%s\n", buf);
5095                         }
5096                 }
5097         }
5098
5099         /* Dump the screen */
5100         for (y = 0; y < hgt; y++)
5101         {
5102                 /* Start the row */
5103                 if (y != 0)
5104                         fprintf(fff, "\n");
5105
5106                 /* Dump each row */
5107                 for (x = 0; x < wid - 1; x++)
5108                 {
5109                         int rv, gv, bv;
5110                         cptr cc = NULL;
5111                         /* Get the attr/char */
5112                         (void)(Term_what(x, y, &a, &c));
5113
5114                         switch (c)
5115                         {
5116                         case '&': cc = "&amp;"; break;
5117                         case '<': cc = "&lt;"; break;
5118                         case '>': cc = "&gt;"; break;
5119 #ifdef WINDOWS
5120                         case 0x1f: c = '.'; break;
5121                         case 0x7f: c = (a == 0x09) ? '%' : '#'; break;
5122 #endif
5123                         }
5124
5125                         a = a & 0x0F;
5126                         if ((y == 0 && x == 0) || a != old_a) {
5127                                 rv = angband_color_table[a][1];
5128                                 gv = angband_color_table[a][2];
5129                                 bv = angband_color_table[a][3];
5130                                 fprintf(fff, "%s<font color=\"#%02x%02x%02x\">", 
5131                                         ((y == 0 && x == 0) ? "" : "</font>"), rv, gv, bv);
5132                                 old_a = a;
5133                         }
5134                         if (cc)
5135                                 fprintf(fff, "%s", cc);
5136                         else
5137                                 fprintf(fff, "%c", c);
5138                 }
5139         }
5140         fprintf(fff, "</font>");
5141
5142         if (!tmpfff) {
5143                 for (i = 0; html_foot[i]; i++)
5144                         fputs(html_foot[i], fff);
5145         }
5146         else {
5147                 rewind(tmpfff);
5148                 yomikomu = 0;
5149                 while (!my_fgets(tmpfff, buf, sizeof(buf))) {
5150                         if (!yomikomu) {
5151                                 if (strncmp(buf, tags[2], strlen(tags[2])) == 0)
5152                                         yomikomu = 1;
5153                         }
5154                         else {
5155                                 if (strncmp(buf, tags[3], strlen(tags[3])) == 0)
5156                                         break;
5157                                 fprintf(fff, "%s\n", buf);
5158                         }
5159                 }
5160                 my_fclose(tmpfff);
5161         }
5162
5163         /* Skip a line */
5164         fprintf(fff, "\n");
5165
5166         /* Close it */
5167         my_fclose(fff);
5168
5169         /* Message */
5170         if (message) {
5171                 msg_print(_("画面(記念撮影)をファイルに書き出しました。", "Screen dump saved."));
5172                 msg_print(NULL);
5173         }
5174
5175         /* Restore the screen */
5176         if (message)
5177                 screen_load();
5178 }
5179
5180 /*
5181  * Hack -- save a screen dump to a file
5182  */
5183 static void do_cmd_save_screen_html(void)
5184 {
5185         char buf[1024], tmp[256] = "screen.html";
5186
5187         if (!get_string(_("ファイル名: ", "File name: "), tmp, 80))
5188                 return;
5189
5190         /* Build the filename */
5191         path_build(buf, sizeof(buf), ANGBAND_DIR_USER, tmp);
5192
5193         msg_print(NULL);
5194
5195         do_cmd_save_screen_html_aux(buf, 1);
5196 }
5197
5198
5199 /*
5200  * Redefinable "save_screen" action
5201  */
5202 void (*screendump_aux)(void) = NULL;
5203
5204
5205 /*
5206  * Hack -- save a screen dump to a file
5207  */
5208 void do_cmd_save_screen(void)
5209 {
5210         bool old_use_graphics = use_graphics;
5211         bool html_dump = FALSE;
5212
5213         int wid, hgt;
5214
5215         prt(_("記念撮影しますか? [(y)es/(h)tml/(n)o] ", "Save screen dump? [(y)es/(h)tml/(n)o] "), 0, 0);
5216         while(TRUE)
5217         {
5218                 char c = inkey();
5219                 if (c == 'Y' || c == 'y')
5220                         break;
5221                 else if (c == 'H' || c == 'h')
5222                 {
5223                         html_dump = TRUE;
5224                         break;
5225                 }
5226                 else
5227                 {
5228                         prt("", 0, 0);
5229                         return;
5230                 }
5231         }
5232
5233         Term_get_size(&wid, &hgt);
5234
5235         if (old_use_graphics)
5236         {
5237                 use_graphics = FALSE;
5238                 reset_visuals();
5239
5240                 /* Redraw everything */
5241                 p_ptr->redraw |= (PR_WIPE | PR_BASIC | PR_EXTRA | PR_MAP | PR_EQUIPPY);
5242
5243                 /* Hack -- update */
5244                 handle_stuff();
5245         }
5246
5247         if (html_dump)
5248         {
5249                 do_cmd_save_screen_html();
5250                 do_cmd_redraw();
5251         }
5252
5253         /* Do we use a special screendump function ? */
5254         else if (screendump_aux)
5255         {
5256                 /* Dump the screen to a graphics file */
5257                 (*screendump_aux)();
5258         }
5259         else /* Dump the screen as text */
5260         {
5261                 int y, x;
5262
5263                 byte a = 0;
5264                 char c = ' ';
5265
5266                 FILE *fff;
5267
5268                 char buf[1024];
5269
5270                 /* Build the filename */
5271                 path_build(buf, sizeof(buf), ANGBAND_DIR_USER, "dump.txt");
5272
5273                 /* File type is "TEXT" */
5274                 FILE_TYPE(FILE_TYPE_TEXT);
5275
5276                 /* Append to the file */
5277                 fff = my_fopen(buf, "w");
5278
5279                 /* Oops */
5280                 if (!fff)
5281                 {
5282                         msg_format(_("ファイル %s を開けませんでした。", "Failed to open file %s."), buf);
5283                         msg_print(NULL);
5284                         return;
5285                 }
5286
5287
5288                 /* Save the screen */
5289                 screen_save();
5290
5291
5292                 /* Dump the screen */
5293                 for (y = 0; y < hgt; y++)
5294                 {
5295                         /* Dump each row */
5296                         for (x = 0; x < wid - 1; x++)
5297                         {
5298                                 /* Get the attr/char */
5299                                 (void)(Term_what(x, y, &a, &c));
5300
5301                                 /* Dump it */
5302                                 buf[x] = c;
5303                         }
5304
5305                         /* Terminate */
5306                         buf[x] = '\0';
5307
5308                         /* End the row */
5309                         fprintf(fff, "%s\n", buf);
5310                 }
5311
5312                 /* Skip a line */
5313                 fprintf(fff, "\n");
5314
5315
5316                 /* Dump the screen */
5317                 for (y = 0; y < hgt; y++)
5318                 {
5319                         /* Dump each row */
5320                         for (x = 0; x < wid - 1; x++)
5321                         {
5322                                 /* Get the attr/char */
5323                                 (void)(Term_what(x, y, &a, &c));
5324
5325                                 /* Dump it */
5326                                 buf[x] = hack[a&0x0F];
5327                         }
5328
5329                         /* Terminate */
5330                         buf[x] = '\0';
5331
5332                         /* End the row */
5333                         fprintf(fff, "%s\n", buf);
5334                 }
5335
5336                 /* Skip a line */
5337                 fprintf(fff, "\n");
5338
5339
5340                 /* Close it */
5341                 my_fclose(fff);
5342
5343                 /* Message */
5344                 msg_print(_("画面(記念撮影)をファイルに書き出しました。", "Screen dump saved."));
5345                 msg_print(NULL);
5346
5347                 /* Restore the screen */
5348                 screen_load();
5349         }
5350
5351         if (old_use_graphics)
5352         {
5353                 use_graphics = TRUE;
5354                 reset_visuals();
5355
5356                 /* Redraw everything */
5357                 p_ptr->redraw |= (PR_WIPE | PR_BASIC | PR_EXTRA | PR_MAP | PR_EQUIPPY);
5358
5359                 /* Hack -- update */
5360                 handle_stuff();
5361         }
5362 }
5363
5364
5365 /*
5366  * Sorting hook -- Comp function -- see below
5367  *
5368  * We use "u" to point to array of monster indexes,
5369  * and "v" to select the type of sorting to perform on "u".
5370  */
5371 static bool ang_sort_art_comp(vptr u, vptr v, int a, int b)
5372 {
5373         u16b *who = (u16b*)(u);
5374
5375         u16b *why = (u16b*)(v);
5376
5377         int w1 = who[a];
5378         int w2 = who[b];
5379
5380         int z1, z2;
5381
5382         /* Sort by total kills */
5383         if (*why >= 3)
5384         {
5385                 /* Extract total kills */
5386                 z1 = a_info[w1].tval;
5387                 z2 = a_info[w2].tval;
5388
5389                 /* Compare total kills */
5390                 if (z1 < z2) return (TRUE);
5391                 if (z1 > z2) return (FALSE);
5392         }
5393
5394
5395         /* Sort by monster level */
5396         if (*why >= 2)
5397         {
5398                 /* Extract levels */
5399                 z1 = a_info[w1].sval;
5400                 z2 = a_info[w2].sval;
5401
5402                 /* Compare levels */
5403                 if (z1 < z2) return (TRUE);
5404                 if (z1 > z2) return (FALSE);
5405         }
5406
5407
5408         /* Sort by monster experience */
5409         if (*why >= 1)
5410         {
5411                 /* Extract experience */
5412                 z1 = a_info[w1].level;
5413                 z2 = a_info[w2].level;
5414
5415                 /* Compare experience */
5416                 if (z1 < z2) return (TRUE);
5417                 if (z1 > z2) return (FALSE);
5418         }
5419
5420
5421         /* Compare indexes */
5422         return (w1 <= w2);
5423 }
5424
5425
5426 /*
5427  * Sorting hook -- Swap function -- see below
5428  *
5429  * We use "u" to point to array of monster indexes,
5430  * and "v" to select the type of sorting to perform.
5431  */
5432 static void ang_sort_art_swap(vptr u, vptr v, int a, int b)
5433 {
5434         u16b *who = (u16b*)(u);
5435
5436         u16b holder;
5437
5438         /* Unused */
5439         (void)v;
5440
5441         /* Swap */
5442         holder = who[a];
5443         who[a] = who[b];
5444         who[b] = holder;
5445 }
5446
5447
5448 /*
5449  * Check the status of "artifacts"
5450  */
5451 static void do_cmd_knowledge_artifacts(void)
5452 {
5453         IDX i;
5454         IDX k;
5455         int x, y, n = 0;
5456         IDX z;
5457         u16b why = 3;
5458         IDX *who;
5459
5460         FILE *fff;
5461
5462         char file_name[1024];
5463
5464         char base_name[MAX_NLEN];
5465
5466         bool *okay;
5467
5468         /* Open a new file */
5469         fff = my_fopen_temp(file_name, 1024);
5470
5471         if (!fff) {
5472             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
5473             msg_print(NULL);
5474             return;
5475         }
5476
5477         /* Allocate the "who" array */
5478         C_MAKE(who, max_a_idx, s16b);
5479
5480         /* Allocate the "okay" array */
5481         C_MAKE(okay, max_a_idx, bool);
5482
5483         /* Scan the artifacts */
5484         for (k = 0; k < max_a_idx; k++)
5485         {
5486                 artifact_type *a_ptr = &a_info[k];
5487
5488                 /* Default */
5489                 okay[k] = FALSE;
5490
5491                 /* Skip "empty" artifacts */
5492                 if (!a_ptr->name) continue;
5493
5494                 /* Skip "uncreated" artifacts */
5495                 if (!a_ptr->cur_num) continue;
5496
5497                 /* Assume okay */
5498                 okay[k] = TRUE;
5499         }
5500
5501         /* Check the dungeon */
5502         for (y = 0; y < cur_hgt; y++)
5503         {
5504                 for (x = 0; x < cur_wid; x++)
5505                 {
5506                         cave_type *c_ptr = &cave[y][x];
5507
5508                         s16b this_o_idx, next_o_idx = 0;
5509
5510                         /* Scan all objects in the grid */
5511                         for (this_o_idx = c_ptr->o_idx; this_o_idx; this_o_idx = next_o_idx)
5512                         {
5513                                 object_type *o_ptr;
5514
5515                                 /* Acquire object */
5516                                 o_ptr = &o_list[this_o_idx];
5517
5518                                 /* Acquire next object */
5519                                 next_o_idx = o_ptr->next_o_idx;
5520
5521                                 /* Ignore non-artifacts */
5522                                 if (!object_is_fixed_artifact(o_ptr)) continue;
5523
5524                                 /* Ignore known items */
5525                                 if (object_is_known(o_ptr)) continue;
5526
5527                                 /* Note the artifact */
5528                                 okay[o_ptr->name1] = FALSE;
5529                         }
5530                 }
5531         }
5532
5533         /* Check the inventory and equipment */
5534         for (i = 0; i < INVEN_TOTAL; i++)
5535         {
5536                 object_type *o_ptr = &inventory[i];
5537
5538                 /* Ignore non-objects */
5539                 if (!o_ptr->k_idx) continue;
5540
5541                 /* Ignore non-artifacts */
5542                 if (!object_is_fixed_artifact(o_ptr)) continue;
5543
5544                 /* Ignore known items */
5545                 if (object_is_known(o_ptr)) continue;
5546
5547                 /* Note the artifact */
5548                 okay[o_ptr->name1] = FALSE;
5549         }
5550
5551         for (k = 0; k < max_a_idx; k++)
5552         {
5553                 if (okay[k]) who[n++] = k;
5554         }
5555
5556         /* Select the sort method */
5557         ang_sort_comp = ang_sort_art_comp;
5558         ang_sort_swap = ang_sort_art_swap;
5559
5560         /* Sort the array by dungeon depth of monsters */
5561         ang_sort(who, &why, n);
5562
5563         /* Scan the artifacts */
5564         for (k = 0; k < n; k++)
5565         {
5566                 artifact_type *a_ptr = &a_info[who[k]];
5567
5568                 /* Paranoia */
5569                 strcpy(base_name, _("未知の伝説のアイテム", "Unknown Artifact"));
5570
5571                 /* Obtain the base object type */
5572                 z = lookup_kind(a_ptr->tval, a_ptr->sval);
5573
5574                 /* Real object */
5575                 if (z)
5576                 {
5577                         object_type forge;
5578                         object_type *q_ptr;
5579
5580                         /* Get local object */
5581                         q_ptr = &forge;
5582
5583                         /* Create fake object */
5584                         object_prep(q_ptr, z);
5585
5586                         /* Make it an artifact */
5587                         q_ptr->name1 = (byte)who[k];
5588
5589                         /* Display as if known */
5590                         q_ptr->ident |= IDENT_STORE;
5591
5592                         /* Describe the artifact */
5593                         object_desc(base_name, q_ptr, (OD_OMIT_PREFIX | OD_NAME_ONLY));
5594                 }
5595
5596                 /* Hack -- Build the artifact name */
5597                 fprintf(fff, _("     %s\n", "     The %s\n"), base_name);
5598         }
5599
5600         /* Free the "who" array */
5601         C_KILL(who, max_a_idx, s16b);
5602
5603         /* Free the "okay" array */
5604         C_KILL(okay, max_a_idx, bool);
5605
5606         /* Close the file */
5607         my_fclose(fff);
5608
5609         /* Display the file contents */
5610         show_file(TRUE, file_name, _("既知の伝説のアイテム", "Artifacts Seen"), 0, 0);
5611
5612         /* Remove the file */
5613         fd_kill(file_name);
5614 }
5615
5616
5617 /*
5618  * Display known uniques
5619  * With "XTRA HACK UNIQHIST" (Originally from XAngband)
5620  */
5621 static void do_cmd_knowledge_uniques(void)
5622 {
5623         IDX i;
5624         int k, n = 0;
5625         u16b why = 2;
5626         IDX *who;
5627
5628         FILE *fff;
5629
5630         char file_name[1024];
5631
5632         int n_alive[10];
5633         int n_alive_surface = 0;
5634         int n_alive_over100 = 0;
5635         int n_alive_total = 0;
5636         int max_lev = -1;
5637
5638         for (i = 0; i < 10; i++) n_alive[i] = 0;
5639
5640         /* Open a new file */
5641         fff = my_fopen_temp(file_name, 1024);
5642
5643         if (!fff)
5644         {
5645             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
5646             msg_print(NULL);
5647             return;
5648         }
5649
5650         /* Allocate the "who" array */
5651         C_MAKE(who, max_r_idx, s16b);
5652
5653         /* Scan the monsters */
5654         for (i = 1; i < max_r_idx; i++)
5655         {
5656                 monster_race *r_ptr = &r_info[i];
5657                 int          lev;
5658
5659                 if (!r_ptr->name) continue;
5660
5661                 /* Require unique monsters */
5662                 if (!(r_ptr->flags1 & RF1_UNIQUE)) continue;
5663
5664                 /* Only display "known" uniques */
5665                 if (!cheat_know && !r_ptr->r_sights) continue;
5666
5667                 /* Only print rarity <= 100 uniques */
5668                 if (!r_ptr->rarity || ((r_ptr->rarity > 100) && !(r_ptr->flags1 & RF1_QUESTOR))) continue;
5669
5670                 /* Only "alive" uniques */
5671                 if (r_ptr->max_num == 0) continue;
5672
5673                 if (r_ptr->level)
5674                 {
5675                         lev = (r_ptr->level - 1) / 10;
5676                         if (lev < 10)
5677                         {
5678                                 n_alive[lev]++;
5679                                 if (max_lev < lev) max_lev = lev;
5680                         }
5681                         else n_alive_over100++;
5682                 }
5683                 else n_alive_surface++;
5684
5685                 /* Collect "appropriate" monsters */
5686                 who[n++] = i;
5687         }
5688
5689         /* Select the sort method */
5690         ang_sort_comp = ang_sort_comp_hook;
5691         ang_sort_swap = ang_sort_swap_hook;
5692
5693         /* Sort the array by dungeon depth of monsters */
5694         ang_sort(who, &why, n);
5695
5696         if (n_alive_surface)
5697         {
5698                 fprintf(fff, _("     地上  生存: %3d体\n", "      Surface  alive: %3d\n"), n_alive_surface);
5699                 n_alive_total += n_alive_surface;
5700         }
5701         for (i = 0; i <= max_lev; i++)
5702         {
5703                 fprintf(fff, _("%3d-%3d階  生存: %3d体\n", "Level %3d-%3d  alive: %3d\n"), 1 + i * 10, 10 + i * 10, n_alive[i]);
5704                 n_alive_total += n_alive[i];
5705         }
5706         if (n_alive_over100)
5707         {
5708                 fprintf(fff, _("101-   階  生存: %3d体\n", "Level 101-     alive: %3d\n"), n_alive_over100);
5709                 n_alive_total += n_alive_over100;
5710         }
5711
5712         if (n_alive_total)
5713         {
5714                 fputs(_("---------  -----------\n", "-------------  ----------\n"), fff);
5715                 fprintf(fff, _("     合計  生存: %3d体\n\n", "        Total  alive: %3d\n\n"), n_alive_total);
5716         }
5717         else
5718         {
5719                 fputs(_("現在は既知の生存ユニークはいません。\n", "No known uniques alive.\n"), fff);
5720         }
5721
5722         /* Scan the monster races */
5723         for (k = 0; k < n; k++)
5724         {
5725                 monster_race *r_ptr = &r_info[who[k]];
5726
5727                 /* Print a message */
5728                 fprintf(fff, _("     %s (レベル%d)\n", "     %s (level %d)\n"), r_name + r_ptr->name, (int)r_ptr->level);
5729         }
5730
5731         /* Free the "who" array */
5732         C_KILL(who, max_r_idx, s16b);
5733
5734         /* Close the file */
5735         my_fclose(fff);
5736
5737         /* Display the file contents */
5738         show_file(TRUE, file_name, _("まだ生きているユニーク・モンスター", "Alive Uniques"), 0, 0);
5739
5740         /* Remove the file */
5741         fd_kill(file_name);
5742 }
5743
5744
5745 /*
5746  * Display weapon-exp
5747  */
5748 static void do_cmd_knowledge_weapon_exp(void)
5749 {
5750         int i, j, num, weapon_exp;
5751
5752         FILE *fff;
5753
5754         char file_name[1024];
5755         char tmp[30];
5756
5757         /* Open a new file */
5758         fff = my_fopen_temp(file_name, 1024);
5759         if (!fff) {
5760             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
5761             msg_print(NULL);
5762             return;
5763         }
5764
5765         for (i = 0; i < 5; i++)
5766         {
5767                 for (num = 0; num < 64; num++)
5768                 {
5769                         for (j = 0; j < max_k_idx; j++)
5770                         {
5771                                 object_kind *k_ptr = &k_info[j];
5772
5773                                 if ((k_ptr->tval == TV_SWORD - i) && (k_ptr->sval == num))
5774                                 {
5775                                         if ((k_ptr->tval == TV_BOW) && (k_ptr->sval == SV_CRIMSON || k_ptr->sval == SV_HARP)) continue;
5776
5777                                         weapon_exp = p_ptr->weapon_exp[4 - i][num];
5778                                         strip_name(tmp, j);
5779                                         fprintf(fff, "%-25s ", tmp);
5780                                         if (weapon_exp >= s_info[p_ptr->pclass].w_max[4 - i][num]) fprintf(fff, "!");
5781                                         else fprintf(fff, " ");
5782                                         fprintf(fff, "%s", exp_level_str[weapon_exp_level(weapon_exp)]);
5783                                         if (cheat_xtra) fprintf(fff, " %d", weapon_exp);
5784                                         fprintf(fff, "\n");
5785                                         break;
5786                                 }
5787                         }
5788                 }
5789         }
5790
5791         /* Close the file */
5792         my_fclose(fff);
5793
5794         /* Display the file contents */
5795         show_file(TRUE, file_name, _("武器の経験値", "Weapon Proficiency"), 0, 0);
5796
5797         /* Remove the file */
5798         fd_kill(file_name);
5799 }
5800
5801
5802 /*!
5803  * @brief 魔法の経験値を表示するコマンドのメインルーチン
5804  * Display spell-exp
5805  * @return なし
5806  */
5807 static void do_cmd_knowledge_spell_exp(void)
5808 {
5809         SPELL_IDX i = 0;
5810         int spell_exp, exp_level;
5811
5812         FILE *fff;
5813         const magic_type *s_ptr;
5814
5815         char file_name[1024];
5816
5817         /* Open a new file */
5818         fff = my_fopen_temp(file_name, 1024);
5819         if (!fff) {
5820             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
5821             msg_print(NULL);
5822             return;
5823         }
5824
5825         if (p_ptr->realm1 != REALM_NONE)
5826         {
5827                 fprintf(fff, _("%sの魔法書\n", "%s Spellbook\n"), realm_names[p_ptr->realm1]);
5828                 for (i = 0; i < 32; i++)
5829                 {
5830                         if (!is_magic(p_ptr->realm1))
5831                         {
5832                                 s_ptr = &technic_info[p_ptr->realm1 - MIN_TECHNIC][i];
5833                         }
5834                         else
5835                         {
5836                                 s_ptr = &mp_ptr->info[p_ptr->realm1 - 1][i];
5837                         }
5838                         if (s_ptr->slevel >= 99) continue;
5839                         spell_exp = p_ptr->spell_exp[i];
5840                         exp_level = spell_exp_level(spell_exp);
5841                         fprintf(fff, "%-25s ", do_spell(p_ptr->realm1, i, SPELL_NAME));
5842                         if (p_ptr->realm1 == REALM_HISSATSU)
5843                                 fprintf(fff, "[--]");
5844                         else
5845                         {
5846                                 if (exp_level >= EXP_LEVEL_MASTER) fprintf(fff, "!");
5847                                 else fprintf(fff, " ");
5848                                 fprintf(fff, "%s", exp_level_str[exp_level]);
5849                         }
5850                         if (cheat_xtra) fprintf(fff, " %d", spell_exp);
5851                         fprintf(fff, "\n");
5852                 }
5853         }
5854
5855         if (p_ptr->realm2 != REALM_NONE)
5856         {
5857                 fprintf(fff, _("%sの魔法書\n", "\n%s Spellbook\n"), realm_names[p_ptr->realm2]);
5858                 for (i = 0; i < 32; i++)
5859                 {
5860                         if (!is_magic(p_ptr->realm1))
5861                         {
5862                                 s_ptr = &technic_info[p_ptr->realm2 - MIN_TECHNIC][i];
5863                         }
5864                         else
5865                         {
5866                                 s_ptr = &mp_ptr->info[p_ptr->realm2 - 1][i];
5867                         }
5868                         if (s_ptr->slevel >= 99) continue;
5869
5870                         spell_exp = p_ptr->spell_exp[i + 32];
5871                         exp_level = spell_exp_level(spell_exp);
5872                         fprintf(fff, "%-25s ", do_spell(p_ptr->realm2, i, SPELL_NAME));
5873                         if (exp_level >= EXP_LEVEL_EXPERT) fprintf(fff, "!");
5874                         else fprintf(fff, " ");
5875                         fprintf(fff, "%s", exp_level_str[exp_level]);
5876                         if (cheat_xtra) fprintf(fff, " %d", spell_exp);
5877                         fprintf(fff, "\n");
5878                 }
5879         }
5880
5881         /* Close the file */
5882         my_fclose(fff);
5883
5884         /* Display the file contents */
5885         show_file(TRUE, file_name, _("魔法の経験値", "Spell Proficiency"), 0, 0);
5886
5887         /* Remove the file */
5888         fd_kill(file_name);
5889 }
5890
5891
5892 /*!
5893  * @brief スキル情報を表示するコマンドのメインルーチン /
5894  * Display skill-exp
5895  * @return なし
5896  */
5897 static void do_cmd_knowledge_skill_exp(void)
5898 {
5899         int i = 0, skill_exp;
5900
5901         FILE *fff;
5902
5903         char file_name[1024];
5904         char skill_name[3][20]={_("マーシャルアーツ", "Martial Arts    "),
5905                                                         _("二刀流          ", "Dual Wielding   "), 
5906                                                         _("乗馬            ", "Riding          ")};
5907
5908         /* Open a new file */
5909         fff = my_fopen_temp(file_name, 1024);
5910         if (!fff) {
5911             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
5912             msg_print(NULL);
5913             return;
5914         }
5915
5916         for (i = 0; i < 3; i++)
5917         {
5918                 skill_exp = p_ptr->skill_exp[i];
5919                 fprintf(fff, "%-20s ", skill_name[i]);
5920                 if (skill_exp >= s_info[p_ptr->pclass].s_max[i]) fprintf(fff, "!");
5921                 else fprintf(fff, " ");
5922                 fprintf(fff, "%s", exp_level_str[(i == GINOU_RIDING) ? riding_exp_level(skill_exp) : weapon_exp_level(skill_exp)]);
5923                 if (cheat_xtra) fprintf(fff, " %d", skill_exp);
5924                 fprintf(fff, "\n");
5925         }
5926
5927         /* Close the file */
5928         my_fclose(fff);
5929
5930         /* Display the file contents */
5931         show_file(TRUE, file_name, _("技能の経験値", "Miscellaneous Proficiency"), 0, 0);
5932
5933         /* Remove the file */
5934         fd_kill(file_name);
5935 }
5936
5937
5938 /*!
5939  * @brief 英単語、句、説を複数形を変換する / Pluralize a monster name
5940  * @param Name 変換したい文字列の参照ポインタ
5941  * @return なし
5942  */
5943 void plural_aux(char *Name)
5944 {
5945         int NameLen = strlen(Name);
5946
5947         if (my_strstr(Name, "Disembodied hand"))
5948         {
5949                 strcpy(Name, "Disembodied hands that strangled people");
5950         }
5951         else if (my_strstr(Name, "Colour out of space"))
5952         {
5953                 strcpy(Name, "Colours out of space");
5954         }
5955         else if (my_strstr(Name, "stairway to hell"))
5956         {
5957                 strcpy(Name, "stairways to hell");
5958         }
5959         else if (my_strstr(Name, "Dweller on the threshold"))
5960         {
5961                 strcpy(Name, "Dwellers on the threshold");
5962         }
5963         else if (my_strstr(Name, " of "))
5964         {
5965                 cptr aider = my_strstr(Name, " of ");
5966                 char dummy[80];
5967                 int i = 0;
5968                 cptr ctr = Name;
5969
5970                 while (ctr < aider)
5971                 {
5972                         dummy[i] = *ctr;
5973                         ctr++; i++;
5974                 }
5975
5976                 if (dummy[i-1] == 's')
5977                 {
5978                         strcpy(&(dummy[i]), "es");
5979                         i++;
5980                 }
5981                 else
5982                 {
5983                         strcpy(&(dummy[i]), "s");
5984                 }
5985
5986                 strcpy(&(dummy[i+1]), aider);
5987                 strcpy(Name, dummy);
5988         }
5989         else if (my_strstr(Name, "coins"))
5990         {
5991                 char dummy[80];
5992                 strcpy(dummy, "piles of ");
5993                 strcat(dummy, Name);
5994                 strcpy(Name, dummy);
5995                 return;
5996         }
5997         else if (my_strstr(Name, "Manes"))
5998         {
5999                 return;
6000         }
6001         else if (streq(&(Name[NameLen - 2]), "ey"))
6002         {
6003                 strcpy(&(Name[NameLen - 2]), "eys");
6004         }
6005         else if (Name[NameLen - 1] == 'y')
6006         {
6007                 strcpy(&(Name[NameLen - 1]), "ies");
6008         }
6009         else if (streq(&(Name[NameLen - 4]), "ouse"))
6010         {
6011                 strcpy(&(Name[NameLen - 4]), "ice");
6012         }
6013         else if (streq(&(Name[NameLen - 2]), "us"))
6014         {
6015                 strcpy(&(Name[NameLen - 2]), "i");
6016         }
6017         else if (streq(&(Name[NameLen - 6]), "kelman"))
6018         {
6019                 strcpy(&(Name[NameLen - 6]), "kelmen");
6020         }
6021         else if (streq(&(Name[NameLen - 8]), "wordsman"))
6022         {
6023                 strcpy(&(Name[NameLen - 8]), "wordsmen");
6024         }
6025         else if (streq(&(Name[NameLen - 7]), "oodsman"))
6026         {
6027                 strcpy(&(Name[NameLen - 7]), "oodsmen");
6028         }
6029         else if (streq(&(Name[NameLen - 7]), "eastman"))
6030         {
6031                 strcpy(&(Name[NameLen - 7]), "eastmen");
6032         }
6033         else if (streq(&(Name[NameLen - 8]), "izardman"))
6034         {
6035                 strcpy(&(Name[NameLen - 8]), "izardmen");
6036         }
6037         else if (streq(&(Name[NameLen - 5]), "geist"))
6038         {
6039                 strcpy(&(Name[NameLen - 5]), "geister");
6040         }
6041         else if (streq(&(Name[NameLen - 2]), "ex"))
6042         {
6043                 strcpy(&(Name[NameLen - 2]), "ices");
6044         }
6045         else if (streq(&(Name[NameLen - 2]), "lf"))
6046         {
6047                 strcpy(&(Name[NameLen - 2]), "lves");
6048         }
6049         else if (suffix(Name, "ch") ||
6050                  suffix(Name, "sh") ||
6051                          suffix(Name, "nx") ||
6052                          suffix(Name, "s") ||
6053                          suffix(Name, "o"))
6054         {
6055                 strcpy(&(Name[NameLen]), "es");
6056         }
6057         else
6058         {
6059                 strcpy(&(Name[NameLen]), "s");
6060         }
6061 }
6062
6063 /*!
6064  * @brief 現在のペットを表示するコマンドのメインルーチン /
6065  * Display current pets
6066  * @return なし
6067  */
6068 static void do_cmd_knowledge_pets(void)
6069 {
6070         int             i;
6071         FILE            *fff;
6072         monster_type    *m_ptr;
6073         char            pet_name[80];
6074         int             t_friends = 0;
6075         int             show_upkeep = 0;
6076         char            file_name[1024];
6077
6078
6079         /* Open a new file */
6080         fff = my_fopen_temp(file_name, 1024);
6081         if (!fff) {
6082             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
6083             msg_print(NULL);
6084             return;
6085         }
6086
6087         /* Process the monsters (backwards) */
6088         for (i = m_max - 1; i >= 1; i--)
6089         {
6090                 /* Access the monster */
6091                 m_ptr = &m_list[i];
6092
6093                 /* Ignore "dead" monsters */
6094                 if (!m_ptr->r_idx) continue;
6095
6096                 /* Calculate "upkeep" for pets */
6097                 if (is_pet(m_ptr))
6098                 {
6099                         t_friends++;
6100                         monster_desc(pet_name, m_ptr, MD_ASSUME_VISIBLE | MD_INDEF_VISIBLE);
6101                         fprintf(fff, "%s (%s)\n", pet_name, look_mon_desc(m_ptr, 0x00));
6102                 }
6103         }
6104
6105         show_upkeep = calculate_upkeep();
6106
6107         fprintf(fff, "----------------------------------------------\n");
6108 #ifdef JP
6109         fprintf(fff, "    合計: %d 体のペット\n", t_friends);
6110         fprintf(fff, " 維持コスト: %d%% MP\n", show_upkeep);
6111 #else
6112         fprintf(fff, "   Total: %d pet%s.\n",
6113                 t_friends, (t_friends == 1 ? "" : "s"));
6114         fprintf(fff, "   Upkeep: %d%% mana.\n", show_upkeep);
6115 #endif
6116
6117
6118
6119         /* Close the file */
6120         my_fclose(fff);
6121
6122         /* Display the file contents */
6123         show_file(TRUE, file_name, _("現在のペット", "Current Pets"), 0, 0);
6124
6125         /* Remove the file */
6126         fd_kill(file_name);
6127 }
6128
6129
6130 /*!
6131  * @brief 現在のペットを表示するコマンドのメインルーチン /
6132  * Total kill count
6133  * @return なし
6134  * @note the player ghosts are ignored.  XXX XXX XXX
6135  */
6136 static void do_cmd_knowledge_kill_count(void)
6137 {
6138         IDX i;
6139         int k, n = 0;
6140         u16b why = 2;
6141         IDX *who;
6142
6143         FILE *fff;
6144
6145         char file_name[1024];
6146
6147         s32b Total = 0;
6148
6149
6150         /* Open a new file */
6151         fff = my_fopen_temp(file_name, 1024);
6152
6153         if (!fff) {
6154             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
6155             msg_print(NULL);
6156             return;
6157         }
6158
6159         /* Allocate the "who" array */
6160         C_MAKE(who, max_r_idx, s16b);
6161
6162         {
6163                 /* Monsters slain */
6164                 int kk;
6165
6166                 for (kk = 1; kk < max_r_idx; kk++)
6167                 {
6168                         monster_race *r_ptr = &r_info[kk];
6169
6170                         if (r_ptr->flags1 & (RF1_UNIQUE))
6171                         {
6172                                 bool dead = (r_ptr->max_num == 0);
6173
6174                                 if (dead)
6175                                 {
6176                                         Total++;
6177                                 }
6178                         }
6179                         else
6180                         {
6181                                 s16b This = r_ptr->r_pkills;
6182
6183                                 if (This > 0)
6184                                 {
6185                                         Total += This;
6186                                 }
6187                         }
6188                 }
6189
6190                 if (Total < 1)
6191                         fprintf(fff,_("あなたはまだ敵を倒していない。\n\n", "You have defeated no enemies yet.\n\n"));
6192                 else
6193 #ifdef JP
6194                         fprintf(fff,"あなたは%ld体の敵を倒している。\n\n", (long int)Total);
6195 #else
6196                         fprintf(fff,"You have defeated %ld %s.\n\n", (long int)Total, (Total == 1) ? "enemy" : "enemies");
6197 #endif
6198         }
6199
6200         Total = 0;
6201
6202         /* Scan the monsters */
6203         for (i = 1; i < max_r_idx; i++)
6204         {
6205                 monster_race *r_ptr = &r_info[i];
6206
6207                 /* Use that monster */
6208                 if (r_ptr->name) who[n++] = i;
6209         }
6210
6211         /* Select the sort method */
6212         ang_sort_comp = ang_sort_comp_hook;
6213         ang_sort_swap = ang_sort_swap_hook;
6214
6215         /* Sort the array by dungeon depth of monsters */
6216         ang_sort(who, &why, n);
6217
6218         /* Scan the monster races */
6219         for (k = 0; k < n; k++)
6220         {
6221                 monster_race *r_ptr = &r_info[who[k]];
6222
6223                 if (r_ptr->flags1 & (RF1_UNIQUE))
6224                 {
6225                         bool dead = (r_ptr->max_num == 0);
6226
6227                         if (dead)
6228                         {
6229                                 /* Print a message */
6230                                 fprintf(fff, "     %s\n",
6231                                     (r_name + r_ptr->name));
6232                                 Total++;
6233                         }
6234                 }
6235                 else
6236                 {
6237                         s16b This = r_ptr->r_pkills;
6238
6239                         if (This > 0)
6240                         {
6241 #ifdef JP
6242                                 /* p,tは人と数える by ita */
6243                                 if (my_strchr("pt", r_ptr->d_char))
6244                                         fprintf(fff, "     %3d 人の %s\n", This, r_name + r_ptr->name);
6245                                 else
6246                                         fprintf(fff, "     %3d 体の %s\n", This, r_name + r_ptr->name);
6247 #else
6248                                 if (This < 2)
6249                                 {
6250                                         if (my_strstr(r_name + r_ptr->name, "coins"))
6251                                         {
6252                                                 fprintf(fff, "     1 pile of %s\n", (r_name + r_ptr->name));
6253                                         }
6254                                         else
6255                                         {
6256                                                 fprintf(fff, "     1 %s\n", (r_name + r_ptr->name));
6257                                         }
6258                                 }
6259                                 else
6260                                 {
6261                                         char ToPlural[80];
6262                                         strcpy(ToPlural, (r_name + r_ptr->name));
6263                                         plural_aux(ToPlural);
6264                                         fprintf(fff, "     %d %s\n", This, ToPlural);
6265                                 }
6266 #endif
6267
6268
6269                                 Total += This;
6270                         }
6271                 }
6272         }
6273
6274         fprintf(fff,"----------------------------------------------\n");
6275 #ifdef JP
6276         fprintf(fff,"    合計: %lu 体を倒した。\n", (unsigned long int)Total);
6277 #else
6278         fprintf(fff,"   Total: %lu creature%s killed.\n",
6279                 (unsigned long int)Total, (Total == 1 ? "" : "s"));
6280 #endif
6281
6282
6283         /* Free the "who" array */
6284         C_KILL(who, max_r_idx, s16b);
6285
6286         /* Close the file */
6287         my_fclose(fff);
6288
6289         /* Display the file contents */
6290         show_file(TRUE, file_name, _("倒した敵の数", "Kill Count"), 0, 0);
6291
6292         /* Remove the file */
6293         fd_kill(file_name);
6294 }
6295
6296
6297 /*!
6298  * @brief モンスター情報リスト中のグループを表示する /
6299  * Display the object groups.
6300  * @param col 開始行
6301  * @param row 開始列
6302  * @param wid 表示文字数幅
6303  * @param per_page リストの表示行
6304  * @param grp_idx グループのID配列
6305  * @param group_text グループ名の文字列配列
6306  * @param grp_cur 現在の選択ID
6307  * @param grp_top 現在の選択リスト最上部ID
6308  * @return なし
6309  */
6310 static void display_group_list(int col, int row, int wid, int per_page,
6311         IDX grp_idx[], cptr group_text[], int grp_cur, int grp_top)
6312 {
6313         int i;
6314
6315         /* Display lines until done */
6316         for (i = 0; i < per_page && (grp_idx[i] >= 0); i++)
6317         {
6318                 /* Get the group index */
6319                 int grp = grp_idx[grp_top + i];
6320
6321                 /* Choose a color */
6322                 byte attr = (grp_top + i == grp_cur) ? TERM_L_BLUE : TERM_WHITE;
6323
6324                 /* Erase the entire line */
6325                 Term_erase(col, row + i, wid);
6326
6327                 /* Display the group label */
6328                 c_put_str(attr, group_text[grp], row + i, col);
6329         }
6330 }
6331
6332
6333 /* 
6334  * Move the cursor in a browser window 
6335  */
6336 static void browser_cursor(char ch, int *column, IDX *grp_cur, int grp_cnt, 
6337                                                    IDX *list_cur, int list_cnt)
6338 {
6339         int d;
6340         int col = *column;
6341         IDX grp = *grp_cur;
6342         IDX list = *list_cur;
6343
6344         /* Extract direction */
6345         if (ch == ' ')
6346         {
6347                 /* Hack -- scroll up full screen */
6348                 d = 3;
6349         }
6350         else if (ch == '-')
6351         {
6352                 /* Hack -- scroll down full screen */
6353                 d = 9;
6354         }
6355         else
6356         {
6357                 d = get_keymap_dir(ch);
6358         }
6359
6360         if (!d) return;
6361
6362         /* Diagonals - hack */
6363         if ((ddx[d] > 0) && ddy[d])
6364         {
6365                 int browser_rows;
6366                 int wid, hgt;
6367
6368                 /* Get size */
6369                 Term_get_size(&wid, &hgt);
6370
6371                 browser_rows = hgt - 8;
6372
6373                 /* Browse group list */
6374                 if (!col)
6375                 {
6376                         int old_grp = grp;
6377
6378                         /* Move up or down */
6379                         grp += ddy[d] * (browser_rows - 1);
6380
6381                         /* Verify */
6382                         if (grp >= grp_cnt)     grp = grp_cnt - 1;
6383                         if (grp < 0) grp = 0;
6384                         if (grp != old_grp)     list = 0;
6385                 }
6386
6387                 /* Browse sub-list list */
6388                 else
6389                 {
6390                         /* Move up or down */
6391                         list += ddy[d] * browser_rows;
6392
6393                         /* Verify */
6394                         if (list >= list_cnt) list = list_cnt - 1;
6395                         if (list < 0) list = 0;
6396                 }
6397
6398                 (*grp_cur) = grp;
6399                 (*list_cur) = list;
6400
6401                 return;
6402         }
6403
6404         if (ddx[d])
6405         {
6406                 col += ddx[d];
6407                 if (col < 0) col = 0;
6408                 if (col > 1) col = 1;
6409
6410                 (*column) = col;
6411
6412                 return;
6413         }
6414
6415         /* Browse group list */
6416         if (!col)
6417         {
6418                 int old_grp = grp;
6419
6420                 /* Move up or down */
6421                 grp += ddy[d];
6422
6423                 /* Verify */
6424                 if (grp >= grp_cnt)     grp = grp_cnt - 1;
6425                 if (grp < 0) grp = 0;
6426                 if (grp != old_grp)     list = 0;
6427         }
6428
6429         /* Browse sub-list list */
6430         else
6431         {
6432                 /* Move up or down */
6433                 list += ddy[d];
6434
6435                 /* Verify */
6436                 if (list >= list_cnt) list = list_cnt - 1;
6437                 if (list < 0) list = 0;
6438         }
6439
6440         (*grp_cur) = grp;
6441         (*list_cur) = list;
6442 }
6443
6444
6445 /*
6446  * Display visuals.
6447  */
6448 static void display_visual_list(int col, int row, int height, int width, byte attr_top, byte char_left)
6449 {
6450         int i, j;
6451
6452         /* Clear the display lines */
6453         for (i = 0; i < height; i++)
6454         {
6455                 Term_erase(col, row + i, width);
6456         }
6457
6458         /* Bigtile mode uses double width */
6459         if (use_bigtile) width /= 2;
6460
6461         /* Display lines until done */
6462         for (i = 0; i < height; i++)
6463         {
6464                 /* Display columns until done */
6465                 for (j = 0; j < width; j++)
6466                 {
6467                         byte a;
6468                         char c;
6469                         int x = col + j;
6470                         int y = row + i;
6471                         int ia, ic;
6472
6473                         /* Bigtile mode uses double width */
6474                         if (use_bigtile) x += j;
6475
6476                         ia = attr_top + i;
6477                         ic = char_left + j;
6478
6479                         /* Ignore illegal characters */
6480                         if (ia > 0x7f || ic > 0xff || ic < ' ' ||
6481                             (!use_graphics && ic > 0x7f))
6482                                 continue;
6483
6484                         a = (byte)ia;
6485                         c = (char)ic;
6486
6487                         /* Force correct code for both ASCII character and tile */
6488                         if (c & 0x80) a |= 0x80;
6489
6490                         /* Display symbol */
6491                         Term_queue_bigchar(x, y, a, c, 0, 0);
6492                 }
6493         }
6494 }
6495
6496
6497 /*
6498  * Place the cursor at the collect position for visual mode
6499  */
6500 static void place_visual_list_cursor(int col, int row, byte a, byte c, byte attr_top, byte char_left)
6501 {
6502         int i = (a & 0x7f) - attr_top;
6503         int j = c - char_left;
6504
6505         int x = col + j;
6506         int y = row + i;
6507
6508         /* Bigtile mode uses double width */
6509         if (use_bigtile) x += j;
6510
6511         /* Place the cursor */
6512         Term_gotoxy(x, y);
6513 }
6514
6515
6516 /*
6517  *  Clipboard variables for copy&paste in visual mode
6518  */
6519 static byte attr_idx = 0;
6520 static byte char_idx = 0;
6521
6522 /* Hack -- for feature lighting */
6523 static byte attr_idx_feat[F_LIT_MAX];
6524 static byte char_idx_feat[F_LIT_MAX];
6525
6526 /*
6527  *  Do visual mode command -- Change symbols
6528  */
6529 static bool visual_mode_command(char ch, bool *visual_list_ptr,
6530                                 int height, int width,
6531                                 byte *attr_top_ptr, byte *char_left_ptr,
6532                                 byte *cur_attr_ptr, byte *cur_char_ptr, bool *need_redraw)
6533 {
6534         static byte attr_old = 0, char_old = 0;
6535
6536         switch (ch)
6537         {
6538         case ESCAPE:
6539                 if (*visual_list_ptr)
6540                 {
6541                         /* Cancel change */
6542                         *cur_attr_ptr = attr_old;
6543                         *cur_char_ptr = char_old;
6544                         *visual_list_ptr = FALSE;
6545
6546                         return TRUE;
6547                 }
6548                 break;
6549
6550         case '\n':
6551         case '\r':
6552                 if (*visual_list_ptr)
6553                 {
6554                         /* Accept change */
6555                         *visual_list_ptr = FALSE;
6556                         *need_redraw = TRUE;
6557
6558                         return TRUE;
6559                 }
6560                 break;
6561
6562         case 'V':
6563         case 'v':
6564                 if (!*visual_list_ptr)
6565                 {
6566                         *visual_list_ptr = TRUE;
6567
6568                         *attr_top_ptr = MAX(0, (*cur_attr_ptr & 0x7f) - 5);
6569                         *char_left_ptr = MAX(0, *cur_char_ptr - 10);
6570
6571                         attr_old = *cur_attr_ptr;
6572                         char_old = *cur_char_ptr;
6573
6574                         return TRUE;
6575                 }
6576                 break;
6577
6578         case 'C':
6579         case 'c':
6580                 {
6581                         int i;
6582
6583                         /* Set the visual */
6584                         attr_idx = *cur_attr_ptr;
6585                         char_idx = *cur_char_ptr;
6586
6587                         /* Hack -- for feature lighting */
6588                         for (i = 0; i < F_LIT_MAX; i++)
6589                         {
6590                                 attr_idx_feat[i] = 0;
6591                                 char_idx_feat[i] = 0;
6592                         }
6593                 }
6594                 return TRUE;
6595
6596         case 'P':
6597         case 'p':
6598                 if (attr_idx || (!(char_idx & 0x80) && char_idx)) /* Allow TERM_DARK text */
6599                 {
6600                         /* Set the char */
6601                         *cur_attr_ptr = attr_idx;
6602                         *attr_top_ptr = MAX(0, (*cur_attr_ptr & 0x7f) - 5);
6603                         if (!*visual_list_ptr) *need_redraw = TRUE;
6604                 }
6605
6606                 if (char_idx)
6607                 {
6608                         /* Set the char */
6609                         *cur_char_ptr = char_idx;
6610                         *char_left_ptr = MAX(0, *cur_char_ptr - 10);
6611                         if (!*visual_list_ptr) *need_redraw = TRUE;
6612                 }
6613
6614                 return TRUE;
6615
6616         default:
6617                 if (*visual_list_ptr)
6618                 {
6619                         int eff_width;
6620                         int d = get_keymap_dir(ch);
6621                         byte a = (*cur_attr_ptr & 0x7f);
6622                         byte c = *cur_char_ptr;
6623
6624                         if (use_bigtile) eff_width = width / 2;
6625                         else eff_width = width;
6626
6627                         /* Restrict direction */
6628                         if ((a == 0) && (ddy[d] < 0)) d = 0;
6629                         if ((c == 0) && (ddx[d] < 0)) d = 0;
6630                         if ((a == 0x7f) && (ddy[d] > 0)) d = 0;
6631                         if ((c == 0xff) && (ddx[d] > 0)) d = 0;
6632
6633                         a += ddy[d];
6634                         c += ddx[d];
6635
6636                         /* Force correct code for both ASCII character and tile */
6637                         if (c & 0x80) a |= 0x80;
6638
6639                         /* Set the visual */
6640                         *cur_attr_ptr = a;
6641                         *cur_char_ptr = c;
6642
6643
6644                         /* Move the frame */
6645                         if ((ddx[d] < 0) && *char_left_ptr > MAX(0, (int)c - 10)) (*char_left_ptr)--;
6646                         if ((ddx[d] > 0) && *char_left_ptr + eff_width < MIN(0xff, (int)c + 10)) (*char_left_ptr)++;
6647                         if ((ddy[d] < 0) && *attr_top_ptr > MAX(0, (int)(a & 0x7f) - 4)) (*attr_top_ptr)--;
6648                         if ((ddy[d] > 0) && *attr_top_ptr + height < MIN(0x7f, (a & 0x7f) + 4)) (*attr_top_ptr)++;
6649                         return TRUE;
6650                 }
6651                 break;
6652         }
6653
6654         /* Visual mode command is not used */
6655         return FALSE;
6656 }
6657
6658
6659 /*
6660  * Display the monsters in a group.
6661  */
6662 static void display_monster_list(int col, int row, int per_page, s16b mon_idx[],
6663         int mon_cur, int mon_top, bool visual_only)
6664 {
6665         int i;
6666
6667         /* Display lines until done */
6668         for (i = 0; i < per_page && (mon_idx[mon_top + i] >= 0); i++)
6669         {
6670                 byte attr;
6671
6672                 /* Get the race index */
6673                 MONRACE_IDX r_idx = mon_idx[mon_top + i] ;
6674
6675                 /* Access the race */
6676                 monster_race *r_ptr = &r_info[r_idx];
6677
6678                 /* Choose a color */
6679                 attr = ((i + mon_top == mon_cur) ? TERM_L_BLUE : TERM_WHITE);
6680
6681                 /* Display the name */
6682                 c_prt(attr, (r_name + r_ptr->name), row + i, col);
6683
6684                 /* Hack -- visual_list mode */
6685                 if (per_page == 1)
6686                 {
6687                         c_prt(attr, format("%02x/%02x", r_ptr->x_attr, r_ptr->x_char), row + i, (p_ptr->wizard || visual_only) ? 56 : 61);
6688                 }
6689                 if (p_ptr->wizard || visual_only)
6690                 {
6691                         c_prt(attr, format("%d", r_idx), row + i, 62);
6692                 }
6693
6694                 /* Erase chars before overwritten by the race letter */
6695                 Term_erase(69, row + i, 255);
6696
6697                 /* Display symbol */
6698                 Term_queue_bigchar(use_bigtile ? 69 : 70, row + i, r_ptr->x_attr, r_ptr->x_char, 0, 0);
6699
6700                 if (!visual_only)
6701                 {
6702                         /* Display kills */
6703                         if (!(r_ptr->flags1 & RF1_UNIQUE)) 
6704                                 put_str(format("%5d", r_ptr->r_pkills), row + i, 73);
6705                         else 
6706                                 c_put_str((r_ptr->max_num == 0 ? TERM_L_DARK : TERM_WHITE), 
6707                                                   (r_ptr->max_num == 0 ? _("死亡", " dead") : _("生存", "alive")), row + i, 74);
6708                 }
6709         }
6710
6711         /* Clear remaining lines */
6712         for (; i < per_page; i++)
6713         {
6714                 Term_erase(col, row + i, 255);
6715         }
6716 }
6717
6718
6719 /*
6720  * Display known monsters.
6721  */
6722 static void do_cmd_knowledge_monsters(bool *need_redraw, bool visual_only, IDX direct_r_idx)
6723 {
6724         IDX i;
6725         int len, max;
6726         IDX grp_cur, grp_top, old_grp_cur;
6727         IDX mon_cur, mon_top;
6728         IDX grp_cnt, grp_idx[100];
6729         IDX mon_cnt;
6730         IDX *mon_idx;
6731
6732         int column = 0;
6733         bool flag;
6734         bool redraw;
6735
6736         bool visual_list = FALSE;
6737         byte attr_top = 0, char_left = 0;
6738
6739         int browser_rows;
6740         TERM_POSITION wid, hgt;
6741
6742         BIT_FLAGS8 mode;
6743
6744         /* Get size */
6745         Term_get_size(&wid, &hgt);
6746
6747         browser_rows = hgt - 8;
6748
6749         /* Allocate the "mon_idx" array */
6750         C_MAKE(mon_idx, max_r_idx, s16b);
6751
6752         max = 0;
6753         grp_cnt = 0;
6754
6755         if (direct_r_idx < 0)
6756         {
6757                 mode = visual_only ? 0x03 : 0x01;
6758
6759                 /* Check every group */
6760                 for (i = 0; monster_group_text[i] != NULL; i++)
6761                 {
6762                         /* Measure the label */
6763                         len = strlen(monster_group_text[i]);
6764
6765                         /* Save the maximum length */
6766                         if (len > max) max = len;
6767
6768                         /* See if any monsters are known */
6769                         if ((monster_group_char[i] == ((char *) -1L)) || collect_monsters(i, mon_idx, mode))
6770                         {
6771                                 /* Build a list of groups with known monsters */
6772                                 grp_idx[grp_cnt++] = i;
6773                         }
6774                 }
6775
6776                 mon_cnt = 0;
6777         }
6778         else
6779         {
6780                 mon_idx[0] = direct_r_idx;
6781                 mon_cnt = 1;
6782
6783                 /* Terminate the list */
6784                 mon_idx[1] = -1;
6785
6786                 (void)visual_mode_command('v', &visual_list, browser_rows - 1, wid - (max + 3),
6787                         &attr_top, &char_left, &r_info[direct_r_idx].x_attr, &r_info[direct_r_idx].x_char, need_redraw);
6788         }
6789
6790         /* Terminate the list */
6791         grp_idx[grp_cnt] = -1;
6792
6793         old_grp_cur = -1;
6794         grp_cur = grp_top = 0;
6795         mon_cur = mon_top = 0;
6796
6797         flag = FALSE;
6798         redraw = TRUE;
6799
6800         mode = visual_only ? 0x02 : 0x00;
6801
6802         while (!flag)
6803         {
6804                 char ch;
6805                 monster_race *r_ptr;
6806
6807                 if (redraw)
6808                 {
6809                         clear_from(0);
6810
6811 #ifdef JP
6812                         prt(format("%s - モンスター", !visual_only ? "知識" : "表示"), 2, 0);
6813                         if (direct_r_idx < 0) prt("グループ", 4, 0);
6814                         prt("名前", 4, max + 3);
6815                         if (p_ptr->wizard || visual_only) prt("Idx", 4, 62);
6816                         prt("文字", 4, 67);
6817                         if (!visual_only) prt("殺害数", 4, 72);
6818 #else
6819                         prt(format("%s - monsters", !visual_only ? "Knowledge" : "Visuals"), 2, 0);
6820                         if (direct_r_idx < 0) prt("Group", 4, 0);
6821                         prt("Name", 4, max + 3);
6822                         if (p_ptr->wizard || visual_only) prt("Idx", 4, 62);
6823                         prt("Sym", 4, 68);
6824                         if (!visual_only) prt("Kills", 4, 73);
6825 #endif
6826
6827                         for (i = 0; i < 78; i++)
6828                         {
6829                                 Term_putch(i, 5, TERM_WHITE, '=');
6830                         }
6831
6832                         if (direct_r_idx < 0)
6833                         {
6834                                 for (i = 0; i < browser_rows; i++)
6835                                 {
6836                                         Term_putch(max + 1, 6 + i, TERM_WHITE, '|');
6837                                 }
6838                         }
6839
6840                         redraw = FALSE;
6841                 }
6842
6843                 if (direct_r_idx < 0)
6844                 {
6845                         /* Scroll group list */
6846                         if (grp_cur < grp_top) grp_top = grp_cur;
6847                         if (grp_cur >= grp_top + browser_rows) grp_top = grp_cur - browser_rows + 1;
6848
6849                         /* Display a list of monster groups */
6850                         display_group_list(0, 6, max, browser_rows, grp_idx, monster_group_text, grp_cur, grp_top);
6851
6852                         if (old_grp_cur != grp_cur)
6853                         {
6854                                 old_grp_cur = grp_cur;
6855
6856                                 /* Get a list of monsters in the current group */
6857                                 mon_cnt = collect_monsters(grp_idx[grp_cur], mon_idx, mode);
6858                         }
6859
6860                         /* Scroll monster list */
6861                         while (mon_cur < mon_top)
6862                                 mon_top = MAX(0, mon_top - browser_rows/2);
6863                         while (mon_cur >= mon_top + browser_rows)
6864                                 mon_top = MIN(mon_cnt - browser_rows, mon_top + browser_rows/2);
6865                 }
6866
6867                 if (!visual_list)
6868                 {
6869                         /* Display a list of monsters in the current group */
6870                         display_monster_list(max + 3, 6, browser_rows, mon_idx, mon_cur, mon_top, visual_only);
6871                 }
6872                 else
6873                 {
6874                         mon_top = mon_cur;
6875
6876                         /* Display a monster name */
6877                         display_monster_list(max + 3, 6, 1, mon_idx, mon_cur, mon_top, visual_only);
6878
6879                         /* Display visual list below first monster */
6880                         display_visual_list(max + 3, 7, browser_rows-1, wid - (max + 3), attr_top, char_left);
6881                 }
6882
6883                 /* Prompt */
6884 #ifdef JP
6885                 prt(format("<方向>%s%s%s, ESC",
6886                         (!visual_list && !visual_only) ? ", 'r'で思い出を見る" : "",
6887                         visual_list ? ", ENTERで決定" : ", 'v'でシンボル変更",
6888                         (attr_idx || char_idx) ? ", 'c', 'p'でペースト" : ", 'c'でコピー"),
6889                         hgt - 1, 0);
6890 #else
6891                 prt(format("<dir>%s%s%s, ESC",
6892                         (!visual_list && !visual_only) ? ", 'r' to recall" : "",
6893                         visual_list ? ", ENTER to accept" : ", 'v' for visuals",
6894                         (attr_idx || char_idx) ? ", 'c', 'p' to paste" : ", 'c' to copy"),
6895                         hgt - 1, 0);
6896 #endif
6897
6898                 /* Get the current monster */
6899                 r_ptr = &r_info[mon_idx[mon_cur]];
6900
6901                 if (!visual_only)
6902                 {
6903                         /* Mega Hack -- track this monster race */
6904                         if (mon_cnt) monster_race_track(mon_idx[mon_cur]);
6905
6906                         /* Hack -- handle stuff */
6907                         handle_stuff();
6908                 }
6909
6910                 if (visual_list)
6911                 {
6912                         place_visual_list_cursor(max + 3, 7, r_ptr->x_attr, r_ptr->x_char, attr_top, char_left);
6913                 }
6914                 else if (!column)
6915                 {
6916                         Term_gotoxy(0, 6 + (grp_cur - grp_top));
6917                 }
6918                 else
6919                 {
6920                         Term_gotoxy(max + 3, 6 + (mon_cur - mon_top));
6921                 }
6922
6923                 ch = inkey();
6924
6925                 /* Do visual mode command if needed */
6926                 if (visual_mode_command(ch, &visual_list, browser_rows-1, wid - (max + 3), &attr_top, &char_left, &r_ptr->x_attr, &r_ptr->x_char, need_redraw))
6927                 {
6928                         if (direct_r_idx >= 0)
6929                         {
6930                                 switch (ch)
6931                                 {
6932                                 case '\n':
6933                                 case '\r':
6934                                 case ESCAPE:
6935                                         flag = TRUE;
6936                                         break;
6937                                 }
6938                         }
6939                         continue;
6940                 }
6941
6942                 switch (ch)
6943                 {
6944                         case ESCAPE:
6945                         {
6946                                 flag = TRUE;
6947                                 break;
6948                         }
6949
6950                         case 'R':
6951                         case 'r':
6952                         {
6953                                 /* Recall on screen */
6954                                 if (!visual_list && !visual_only && (mon_idx[mon_cur] > 0))
6955                                 {
6956                                         screen_roff(mon_idx[mon_cur], 0);
6957
6958                                         (void)inkey();
6959
6960                                         redraw = TRUE;
6961                                 }
6962                                 break;
6963                         }
6964
6965                         default:
6966                         {
6967                                 /* Move the cursor */
6968                                 browser_cursor(ch, &column, &grp_cur, grp_cnt, &mon_cur, mon_cnt);
6969
6970                                 break;
6971                         }
6972                 }
6973         }
6974
6975         /* Free the "mon_idx" array */
6976         C_KILL(mon_idx, max_r_idx, s16b);
6977 }
6978
6979
6980 /*
6981  * Display the objects in a group.
6982  */
6983 static void display_object_list(int col, int row, int per_page, IDX object_idx[],
6984         int object_cur, int object_top, bool visual_only)
6985 {
6986         int i;
6987
6988         /* Display lines until done */
6989         for (i = 0; i < per_page && (object_idx[object_top + i] >= 0); i++)
6990         {
6991                 char o_name[80];
6992                 byte a, c;
6993                 object_kind *flavor_k_ptr;
6994
6995                 /* Get the object index */
6996                 int k_idx = object_idx[object_top + i];
6997
6998                 /* Access the object */
6999                 object_kind *k_ptr = &k_info[k_idx];
7000
7001                 /* Choose a color */
7002                 byte attr = ((k_ptr->aware || visual_only) ? TERM_WHITE : TERM_SLATE);
7003                 byte cursor = ((k_ptr->aware || visual_only) ? TERM_L_BLUE : TERM_BLUE);
7004
7005
7006                 if (!visual_only && k_ptr->flavor)
7007                 {
7008                         /* Appearance of this object is shuffled */
7009                         flavor_k_ptr = &k_info[k_ptr->flavor];
7010                 }
7011                 else
7012                 {
7013                         /* Appearance of this object is very normal */
7014                         flavor_k_ptr = k_ptr;
7015                 }
7016
7017
7018
7019                 attr = ((i + object_top == object_cur) ? cursor : attr);
7020
7021                 if (!k_ptr->flavor || (!visual_only && k_ptr->aware))
7022                 {
7023                         /* Tidy name */
7024                         strip_name(o_name, k_idx);
7025                 }
7026                 else
7027                 {
7028                         /* Flavor name */
7029                         strcpy(o_name, k_name + flavor_k_ptr->flavor_name);
7030                 }
7031
7032                 /* Display the name */
7033                 c_prt(attr, o_name, row + i, col);
7034
7035                 /* Hack -- visual_list mode */
7036                 if (per_page == 1)
7037                 {
7038                         c_prt(attr, format("%02x/%02x", flavor_k_ptr->x_attr, flavor_k_ptr->x_char), row + i, (p_ptr->wizard || visual_only) ? 64 : 68);
7039                 }
7040                 if (p_ptr->wizard || visual_only)
7041                 {
7042                         c_prt(attr, format("%d", k_idx), row + i, 70);
7043                 }
7044
7045                 a = flavor_k_ptr->x_attr;
7046                 c = flavor_k_ptr->x_char;
7047
7048                 /* Display symbol */
7049                 Term_queue_bigchar(use_bigtile ? 76 : 77, row + i, a, c, 0, 0);
7050         }
7051
7052         /* Clear remaining lines */
7053         for (; i < per_page; i++)
7054         {
7055                 Term_erase(col, row + i, 255);
7056         }
7057 }
7058
7059 /*
7060  * Describe fake object
7061  */
7062 static void desc_obj_fake(IDX k_idx)
7063 {
7064         object_type *o_ptr;
7065         object_type object_type_body;
7066
7067         /* Get local object */
7068         o_ptr = &object_type_body;
7069
7070         /* Wipe the object */
7071         object_wipe(o_ptr);
7072
7073         /* Create the artifact */
7074         object_prep(o_ptr, k_idx);
7075
7076         /* It's fully know */
7077         o_ptr->ident |= IDENT_KNOWN;
7078
7079         /* Track the object */
7080         /* object_actual_track(o_ptr); */
7081
7082         /* Hack - mark as fake */
7083         /* term_obj_real = FALSE; */
7084
7085         /* Hack -- Handle stuff */
7086         handle_stuff();
7087
7088         if (!screen_object(o_ptr, SCROBJ_FAKE_OBJECT | SCROBJ_FORCE_DETAIL))
7089         {
7090                 msg_print(_("特に変わったところはないようだ。", "You see nothing special."));
7091                 msg_print(NULL);
7092         }
7093 }
7094
7095
7096
7097 /*
7098  * Display known objects
7099  */
7100 static void do_cmd_knowledge_objects(bool *need_redraw, bool visual_only, IDX direct_k_idx)
7101 {
7102         IDX i;
7103         int len, max;
7104         IDX grp_cur, grp_top, old_grp_cur;
7105         IDX object_old, object_cur, object_top;
7106         int grp_cnt;
7107         IDX grp_idx[100];
7108         int object_cnt;
7109         IDX *object_idx;
7110
7111         int column = 0;
7112         bool flag;
7113         bool redraw;
7114
7115         bool visual_list = FALSE;
7116         byte attr_top = 0, char_left = 0;
7117
7118         int browser_rows;
7119         int wid, hgt;
7120
7121         byte mode;
7122
7123         /* Get size */
7124         Term_get_size(&wid, &hgt);
7125
7126         browser_rows = hgt - 8;
7127
7128         /* Allocate the "object_idx" array */
7129         C_MAKE(object_idx, max_k_idx, IDX);
7130
7131         max = 0;
7132         grp_cnt = 0;
7133
7134         if (direct_k_idx < 0)
7135         {
7136                 mode = visual_only ? 0x03 : 0x01;
7137
7138                 /* Check every group */
7139                 for (i = 0; object_group_text[i] != NULL; i++)
7140                 {
7141                         /* Measure the label */
7142                         len = strlen(object_group_text[i]);
7143
7144                         /* Save the maximum length */
7145                         if (len > max) max = len;
7146
7147                         /* See if any monsters are known */
7148                         if (collect_objects(i, object_idx, mode))
7149                         {
7150                                 /* Build a list of groups with known monsters */
7151                                 grp_idx[grp_cnt++] = i;
7152                         }
7153                 }
7154
7155                 object_old = -1;
7156                 object_cnt = 0;
7157         }
7158         else
7159         {
7160                 object_kind *k_ptr = &k_info[direct_k_idx];
7161                 object_kind *flavor_k_ptr;
7162
7163                 if (!visual_only && k_ptr->flavor)
7164                 {
7165                         /* Appearance of this object is shuffled */
7166                         flavor_k_ptr = &k_info[k_ptr->flavor];
7167                 }
7168                 else
7169                 {
7170                         /* Appearance of this object is very normal */
7171                         flavor_k_ptr = k_ptr;
7172                 }
7173
7174                 object_idx[0] = direct_k_idx;
7175                 object_old = direct_k_idx;
7176                 object_cnt = 1;
7177
7178                 /* Terminate the list */
7179                 object_idx[1] = -1;
7180
7181                 (void)visual_mode_command('v', &visual_list, browser_rows - 1, wid - (max + 3),
7182                         &attr_top, &char_left, &flavor_k_ptr->x_attr, &flavor_k_ptr->x_char, need_redraw);
7183         }
7184
7185         /* Terminate the list */
7186         grp_idx[grp_cnt] = -1;
7187
7188         old_grp_cur = -1;
7189         grp_cur = grp_top = 0;
7190         object_cur = object_top = 0;
7191
7192         flag = FALSE;
7193         redraw = TRUE;
7194
7195         mode = visual_only ? 0x02 : 0x00;
7196
7197         while (!flag)
7198         {
7199                 char ch;
7200                 object_kind *k_ptr, *flavor_k_ptr;
7201
7202                 if (redraw)
7203                 {
7204                         clear_from(0);
7205
7206 #ifdef JP
7207                         prt(format("%s - アイテム", !visual_only ? "知識" : "表示"), 2, 0);
7208                         if (direct_k_idx < 0) prt("グループ", 4, 0);
7209                         prt("名前", 4, max + 3);
7210                         if (p_ptr->wizard || visual_only) prt("Idx", 4, 70);
7211                         prt("文字", 4, 74);
7212 #else
7213                         prt(format("%s - objects", !visual_only ? "Knowledge" : "Visuals"), 2, 0);
7214                         if (direct_k_idx < 0) prt("Group", 4, 0);
7215                         prt("Name", 4, max + 3);
7216                         if (p_ptr->wizard || visual_only) prt("Idx", 4, 70);
7217                         prt("Sym", 4, 75);
7218 #endif
7219
7220                         for (i = 0; i < 78; i++)
7221                         {
7222                                 Term_putch(i, 5, TERM_WHITE, '=');
7223                         }
7224
7225                         if (direct_k_idx < 0)
7226                         {
7227                                 for (i = 0; i < browser_rows; i++)
7228                                 {
7229                                         Term_putch(max + 1, 6 + i, TERM_WHITE, '|');
7230                                 }
7231                         }
7232
7233                         redraw = FALSE;
7234                 }
7235
7236                 if (direct_k_idx < 0)
7237                 {
7238                         /* Scroll group list */
7239                         if (grp_cur < grp_top) grp_top = grp_cur;
7240                         if (grp_cur >= grp_top + browser_rows) grp_top = grp_cur - browser_rows + 1;
7241
7242                         /* Display a list of object groups */
7243                         display_group_list(0, 6, max, browser_rows, grp_idx, object_group_text, grp_cur, grp_top);
7244
7245                         if (old_grp_cur != grp_cur)
7246                         {
7247                                 old_grp_cur = grp_cur;
7248
7249                                 /* Get a list of objects in the current group */
7250                                 object_cnt = collect_objects(grp_idx[grp_cur], object_idx, mode);
7251                         }
7252
7253                         /* Scroll object list */
7254                         while (object_cur < object_top)
7255                                 object_top = MAX(0, object_top - browser_rows/2);
7256                         while (object_cur >= object_top + browser_rows)
7257                                 object_top = MIN(object_cnt - browser_rows, object_top + browser_rows/2);
7258                 }
7259
7260                 if (!visual_list)
7261                 {
7262                         /* Display a list of objects in the current group */
7263                         display_object_list(max + 3, 6, browser_rows, object_idx, object_cur, object_top, visual_only);
7264                 }
7265                 else
7266                 {
7267                         object_top = object_cur;
7268
7269                         /* Display a list of objects in the current group */
7270                         display_object_list(max + 3, 6, 1, object_idx, object_cur, object_top, visual_only);
7271
7272                         /* Display visual list below first object */
7273                         display_visual_list(max + 3, 7, browser_rows-1, wid - (max + 3), attr_top, char_left);
7274                 }
7275
7276                 /* Get the current object */
7277                 k_ptr = &k_info[object_idx[object_cur]];
7278
7279                 if (!visual_only && k_ptr->flavor)
7280                 {
7281                         /* Appearance of this object is shuffled */
7282                         flavor_k_ptr = &k_info[k_ptr->flavor];
7283                 }
7284                 else
7285                 {
7286                         /* Appearance of this object is very normal */
7287                         flavor_k_ptr = k_ptr;
7288                 }
7289
7290                 /* Prompt */
7291 #ifdef JP
7292                 prt(format("<方向>%s%s%s, ESC",
7293                         (!visual_list && !visual_only) ? ", 'r'で詳細を見る" : "",
7294                         visual_list ? ", ENTERで決定" : ", 'v'でシンボル変更",
7295                         (attr_idx || char_idx) ? ", 'c', 'p'でペースト" : ", 'c'でコピー"),
7296                         hgt - 1, 0);
7297 #else
7298                 prt(format("<dir>%s%s%s, ESC",
7299                         (!visual_list && !visual_only) ? ", 'r' to recall" : "",
7300                         visual_list ? ", ENTER to accept" : ", 'v' for visuals",
7301                         (attr_idx || char_idx) ? ", 'c', 'p' to paste" : ", 'c' to copy"),
7302                         hgt - 1, 0);
7303 #endif
7304
7305                 if (!visual_only)
7306                 {
7307                         /* Mega Hack -- track this object */
7308                         if (object_cnt) object_kind_track(object_idx[object_cur]);
7309
7310                         /* The "current" object changed */
7311                         if (object_old != object_idx[object_cur])
7312                         {
7313                                 /* Hack -- handle stuff */
7314                                 handle_stuff();
7315
7316                                 /* Remember the "current" object */
7317                                 object_old = object_idx[object_cur];
7318                         }
7319                 }
7320
7321                 if (visual_list)
7322                 {
7323                         place_visual_list_cursor(max + 3, 7, flavor_k_ptr->x_attr, flavor_k_ptr->x_char, attr_top, char_left);
7324                 }
7325                 else if (!column)
7326                 {
7327                         Term_gotoxy(0, 6 + (grp_cur - grp_top));
7328                 }
7329                 else
7330                 {
7331                         Term_gotoxy(max + 3, 6 + (object_cur - object_top));
7332                 }
7333
7334                 ch = inkey();
7335
7336                 /* Do visual mode command if needed */
7337                 if (visual_mode_command(ch, &visual_list, browser_rows-1, wid - (max + 3), &attr_top, &char_left, &flavor_k_ptr->x_attr, &flavor_k_ptr->x_char, need_redraw))
7338                 {
7339                         if (direct_k_idx >= 0)
7340                         {
7341                                 switch (ch)
7342                                 {
7343                                 case '\n':
7344                                 case '\r':
7345                                 case ESCAPE:
7346                                         flag = TRUE;
7347                                         break;
7348                                 }
7349                         }
7350                         continue;
7351                 }
7352
7353                 switch (ch)
7354                 {
7355                         case ESCAPE:
7356                         {
7357                                 flag = TRUE;
7358                                 break;
7359                         }
7360
7361                         case 'R':
7362                         case 'r':
7363                         {
7364                                 /* Recall on screen */
7365                                 if (!visual_list && !visual_only && (grp_cnt > 0))
7366                                 {
7367                                         desc_obj_fake(object_idx[object_cur]);
7368                                         redraw = TRUE;
7369                                 }
7370                                 break;
7371                         }
7372
7373                         default:
7374                         {
7375                                 /* Move the cursor */
7376                                 browser_cursor(ch, &column, &grp_cur, grp_cnt, &object_cur, object_cnt);
7377                                 break;
7378                         }
7379                 }
7380         }
7381
7382         /* Free the "object_idx" array */
7383         C_KILL(object_idx, max_k_idx, IDX);
7384 }
7385
7386
7387 /*
7388  * Display the features in a group.
7389  */
7390 static void display_feature_list(int col, int row, int per_page, FEAT_IDX *feat_idx,
7391         FEAT_IDX feat_cur, FEAT_IDX feat_top, bool visual_only, int lighting_level)
7392 {
7393         int lit_col[F_LIT_MAX], i, j;
7394         int f_idx_col = use_bigtile ? 62 : 64;
7395
7396         /* Correct columns 1 and 4 */
7397         lit_col[F_LIT_STANDARD] = use_bigtile ? (71 - F_LIT_MAX) : 71;
7398         for (i = F_LIT_NS_BEGIN; i < F_LIT_MAX; i++)
7399                 lit_col[i] = lit_col[F_LIT_STANDARD] + 2 + (i - F_LIT_NS_BEGIN) * 2 + (use_bigtile ? i : 0);
7400
7401         /* Display lines until done */
7402         for (i = 0; i < per_page && (feat_idx[feat_top + i] >= 0); i++)
7403         {
7404                 byte attr;
7405
7406                 /* Get the index */
7407                 FEAT_IDX f_idx = feat_idx[feat_top + i];
7408
7409                 /* Access the index */
7410                 feature_type *f_ptr = &f_info[f_idx];
7411
7412                 int row_i = row + i;
7413
7414                 /* Choose a color */
7415                 attr = ((i + feat_top == feat_cur) ? TERM_L_BLUE : TERM_WHITE);
7416
7417                 /* Display the name */
7418                 c_prt(attr, f_name + f_ptr->name, row_i, col);
7419
7420                 /* Hack -- visual_list mode */
7421                 if (per_page == 1)
7422                 {
7423                         /* Display lighting level */
7424                         c_prt(attr, format("(%s)", lighting_level_str[lighting_level]), row_i, col + 1 + strlen(f_name + f_ptr->name));
7425
7426                         c_prt(attr, format("%02x/%02x", f_ptr->x_attr[lighting_level], f_ptr->x_char[lighting_level]), row_i, f_idx_col - ((p_ptr->wizard || visual_only) ? 6 : 2));
7427                 }
7428                 if (p_ptr->wizard || visual_only)
7429                 {
7430                         c_prt(attr, format("%d", f_idx), row_i, f_idx_col);
7431                 }
7432
7433                 /* Display symbol */
7434                 Term_queue_bigchar(lit_col[F_LIT_STANDARD], row_i, f_ptr->x_attr[F_LIT_STANDARD], f_ptr->x_char[F_LIT_STANDARD], 0, 0);
7435
7436                 Term_putch(lit_col[F_LIT_NS_BEGIN], row_i, TERM_SLATE, '(');
7437                 for (j = F_LIT_NS_BEGIN + 1; j < F_LIT_MAX; j++)
7438                 {
7439                         Term_putch(lit_col[j], row_i, TERM_SLATE, '/');
7440                 }
7441                 Term_putch(lit_col[F_LIT_MAX - 1] + (use_bigtile ? 3 : 2), row_i, TERM_SLATE, ')');
7442
7443                 /* Mega-hack -- Use non-standard colour */
7444                 for (j = F_LIT_NS_BEGIN; j < F_LIT_MAX; j++)
7445                 {
7446                         Term_queue_bigchar(lit_col[j] + 1, row_i, f_ptr->x_attr[j], f_ptr->x_char[j], 0, 0);
7447                 }
7448         }
7449
7450         /* Clear remaining lines */
7451         for (; i < per_page; i++)
7452         {
7453                 Term_erase(col, row + i, 255);
7454         }
7455 }
7456
7457
7458 /*
7459  * Interact with feature visuals.
7460  */
7461 static void do_cmd_knowledge_features(bool *need_redraw, bool visual_only, IDX direct_f_idx, IDX *lighting_level)
7462 {
7463         IDX i;
7464         int len, max;
7465         IDX grp_cur, grp_top, old_grp_cur;
7466         IDX feat_cur, feat_top;
7467         int grp_cnt;
7468         IDX grp_idx[100];
7469         int feat_cnt;
7470         IDX *feat_idx;
7471
7472         int column = 0;
7473         bool flag;
7474         bool redraw;
7475
7476         bool visual_list = FALSE;
7477         byte attr_top = 0, char_left = 0;
7478
7479         int browser_rows;
7480         int wid, hgt;
7481
7482         byte attr_old[F_LIT_MAX];
7483         byte char_old[F_LIT_MAX];
7484         byte *cur_attr_ptr, *cur_char_ptr;
7485
7486         (void)C_WIPE(attr_old, F_LIT_MAX, byte);
7487         (void)C_WIPE(char_old, F_LIT_MAX, byte);
7488
7489         /* Get size */
7490         Term_get_size(&wid, &hgt);
7491
7492         browser_rows = hgt - 8;
7493
7494         /* Allocate the "feat_idx" array */
7495         C_MAKE(feat_idx, max_f_idx, IDX);
7496
7497         max = 0;
7498         grp_cnt = 0;
7499
7500         if (direct_f_idx < 0)
7501         {
7502                 /* Check every group */
7503                 for (i = 0; feature_group_text[i] != NULL; i++)
7504                 {
7505                         /* Measure the label */
7506                         len = strlen(feature_group_text[i]);
7507
7508                         /* Save the maximum length */
7509                         if (len > max) max = len;
7510
7511                         /* See if any features are known */
7512                         if (collect_features(i, feat_idx, 0x01))
7513                         {
7514                                 /* Build a list of groups with known features */
7515                                 grp_idx[grp_cnt++] = i;
7516                         }
7517                 }
7518
7519                 feat_cnt = 0;
7520         }
7521         else
7522         {
7523                 feature_type *f_ptr = &f_info[direct_f_idx];
7524
7525                 feat_idx[0] = direct_f_idx;
7526                 feat_cnt = 1;
7527
7528                 /* Terminate the list */
7529                 feat_idx[1] = -1;
7530
7531                 (void)visual_mode_command('v', &visual_list, browser_rows - 1, wid - (max + 3),
7532                         &attr_top, &char_left, &f_ptr->x_attr[*lighting_level], &f_ptr->x_char[*lighting_level], need_redraw);
7533
7534                 for (i = 0; i < F_LIT_MAX; i++)
7535                 {
7536                         attr_old[i] = f_ptr->x_attr[i];
7537                         char_old[i] = f_ptr->x_char[i];
7538                 }
7539         }
7540
7541         /* Terminate the list */
7542         grp_idx[grp_cnt] = -1;
7543
7544         old_grp_cur = -1;
7545         grp_cur = grp_top = 0;
7546         feat_cur = feat_top = 0;
7547
7548         flag = FALSE;
7549         redraw = TRUE;
7550
7551         while (!flag)
7552         {
7553                 char ch;
7554                 feature_type *f_ptr;
7555
7556                 if (redraw)
7557                 {
7558                         clear_from(0);
7559
7560 #ifdef JP
7561                         prt("表示 - 地形", 2, 0);
7562                         if (direct_f_idx < 0) prt("グループ", 4, 0);
7563                         prt("名前", 4, max + 3);
7564                         if (use_bigtile)
7565                         {
7566                                 if (p_ptr->wizard || visual_only) prt("Idx", 4, 62);
7567                                 prt("文字 ( l/ d)", 4, 66);
7568                         }
7569                         else
7570                         {
7571                                 if (p_ptr->wizard || visual_only) prt("Idx", 4, 64);
7572                                 prt("文字 (l/d)", 4, 68);
7573                         }
7574 #else
7575                         prt("Visuals - features", 2, 0);
7576                         if (direct_f_idx < 0) prt("Group", 4, 0);
7577                         prt("Name", 4, max + 3);
7578                         if (use_bigtile)
7579                         {
7580                                 if (p_ptr->wizard || visual_only) prt("Idx", 4, 62);
7581                                 prt("Sym ( l/ d)", 4, 67);
7582                         }
7583                         else
7584                         {
7585                                 if (p_ptr->wizard || visual_only) prt("Idx", 4, 64);
7586                                 prt("Sym (l/d)", 4, 69);
7587                         }
7588 #endif
7589
7590                         for (i = 0; i < 78; i++)
7591                         {
7592                                 Term_putch(i, 5, TERM_WHITE, '=');
7593                         }
7594
7595                         if (direct_f_idx < 0)
7596                         {
7597                                 for (i = 0; i < browser_rows; i++)
7598                                 {
7599                                         Term_putch(max + 1, 6 + i, TERM_WHITE, '|');
7600                                 }
7601                         }
7602
7603                         redraw = FALSE;
7604                 }
7605
7606                 if (direct_f_idx < 0)
7607                 {
7608                         /* Scroll group list */
7609                         if (grp_cur < grp_top) grp_top = grp_cur;
7610                         if (grp_cur >= grp_top + browser_rows) grp_top = grp_cur - browser_rows + 1;
7611
7612                         /* Display a list of feature groups */
7613                         display_group_list(0, 6, max, browser_rows, grp_idx, feature_group_text, grp_cur, grp_top);
7614
7615                         if (old_grp_cur != grp_cur)
7616                         {
7617                                 old_grp_cur = grp_cur;
7618
7619                                 /* Get a list of features in the current group */
7620                                 feat_cnt = collect_features(grp_idx[grp_cur], feat_idx, 0x00);
7621                         }
7622
7623                         /* Scroll feature list */
7624                         while (feat_cur < feat_top)
7625                                 feat_top = MAX(0, feat_top - browser_rows/2);
7626                         while (feat_cur >= feat_top + browser_rows)
7627                                 feat_top = MIN(feat_cnt - browser_rows, feat_top + browser_rows/2);
7628                 }
7629
7630                 if (!visual_list)
7631                 {
7632                         /* Display a list of features in the current group */
7633                         display_feature_list(max + 3, 6, browser_rows, feat_idx, feat_cur, feat_top, visual_only, F_LIT_STANDARD);
7634                 }
7635                 else
7636                 {
7637                         feat_top = feat_cur;
7638
7639                         /* Display a list of features in the current group */
7640                         display_feature_list(max + 3, 6, 1, feat_idx, feat_cur, feat_top, visual_only, *lighting_level);
7641
7642                         /* Display visual list below first object */
7643                         display_visual_list(max + 3, 7, browser_rows-1, wid - (max + 3), attr_top, char_left);
7644                 }
7645
7646                 /* Prompt */
7647 #ifdef JP
7648                 prt(format("<方向>%s, 'd'で標準光源効果%s, ESC",
7649                         visual_list ? ", ENTERで決定, 'a'で対象明度変更" : ", 'v'でシンボル変更",
7650                         (attr_idx || char_idx) ? ", 'c', 'p'でペースト" : ", 'c'でコピー"),
7651                         hgt - 1, 0);
7652 #else
7653                 prt(format("<dir>%s, 'd' for default lighting%s, ESC",
7654                         visual_list ? ", ENTER to accept, 'a' for lighting level" : ", 'v' for visuals",
7655                         (attr_idx || char_idx) ? ", 'c', 'p' to paste" : ", 'c' to copy"),
7656                         hgt - 1, 0);
7657 #endif
7658
7659                 /* Get the current feature */
7660                 f_ptr = &f_info[feat_idx[feat_cur]];
7661                 cur_attr_ptr = &f_ptr->x_attr[*lighting_level];
7662                 cur_char_ptr = &f_ptr->x_char[*lighting_level];
7663
7664                 if (visual_list)
7665                 {
7666                         place_visual_list_cursor(max + 3, 7, *cur_attr_ptr, *cur_char_ptr, attr_top, char_left);
7667                 }
7668                 else if (!column)
7669                 {
7670                         Term_gotoxy(0, 6 + (grp_cur - grp_top));
7671                 }
7672                 else
7673                 {
7674                         Term_gotoxy(max + 3, 6 + (feat_cur - feat_top));
7675                 }
7676
7677                 ch = inkey();
7678
7679                 if (visual_list && ((ch == 'A') || (ch == 'a')))
7680                 {
7681                         int prev_lighting_level = *lighting_level;
7682
7683                         if (ch == 'A')
7684                         {
7685                                 if (*lighting_level <= 0) *lighting_level = F_LIT_MAX - 1;
7686                                 else (*lighting_level)--;
7687                         }
7688                         else
7689                         {
7690                                 if (*lighting_level >= F_LIT_MAX - 1) *lighting_level = 0;
7691                                 else (*lighting_level)++;
7692                         }
7693
7694                         if (f_ptr->x_attr[prev_lighting_level] != f_ptr->x_attr[*lighting_level])
7695                                 attr_top = MAX(0, (f_ptr->x_attr[*lighting_level] & 0x7f) - 5);
7696
7697                         if (f_ptr->x_char[prev_lighting_level] != f_ptr->x_char[*lighting_level])
7698                                 char_left = MAX(0, f_ptr->x_char[*lighting_level] - 10);
7699
7700                         continue;
7701                 }
7702
7703                 else if ((ch == 'D') || (ch == 'd'))
7704                 {
7705                         byte prev_x_attr = f_ptr->x_attr[*lighting_level];
7706                         byte prev_x_char = f_ptr->x_char[*lighting_level];
7707
7708                         apply_default_feat_lighting(f_ptr->x_attr, f_ptr->x_char);
7709
7710                         if (visual_list)
7711                         {
7712                                 if (prev_x_attr != f_ptr->x_attr[*lighting_level])
7713                                          attr_top = MAX(0, (f_ptr->x_attr[*lighting_level] & 0x7f) - 5);
7714
7715                                 if (prev_x_char != f_ptr->x_char[*lighting_level])
7716                                         char_left = MAX(0, f_ptr->x_char[*lighting_level] - 10);
7717                         }
7718                         else *need_redraw = TRUE;
7719
7720                         continue;
7721                 }
7722
7723                 /* Do visual mode command if needed */
7724                 else if (visual_mode_command(ch, &visual_list, browser_rows-1, wid - (max + 3), &attr_top, &char_left, cur_attr_ptr, cur_char_ptr, need_redraw))
7725                 {
7726                         switch (ch)
7727                         {
7728                         /* Restore previous visual settings */
7729                         case ESCAPE:
7730                                 for (i = 0; i < F_LIT_MAX; i++)
7731                                 {
7732                                         f_ptr->x_attr[i] = attr_old[i];
7733                                         f_ptr->x_char[i] = char_old[i];
7734                                 }
7735
7736                                 /* Fall through */
7737
7738                         case '\n':
7739                         case '\r':
7740                                 if (direct_f_idx >= 0) flag = TRUE;
7741                                 else *lighting_level = F_LIT_STANDARD;
7742                                 break;
7743
7744                         /* Preserve current visual settings */
7745                         case 'V':
7746                         case 'v':
7747                                 for (i = 0; i < F_LIT_MAX; i++)
7748                                 {
7749                                         attr_old[i] = f_ptr->x_attr[i];
7750                                         char_old[i] = f_ptr->x_char[i];
7751                                 }
7752                                 *lighting_level = F_LIT_STANDARD;
7753                                 break;
7754
7755                         case 'C':
7756                         case 'c':
7757                                 if (!visual_list)
7758                                 {
7759                                         for (i = 0; i < F_LIT_MAX; i++)
7760                                         {
7761                                                 attr_idx_feat[i] = f_ptr->x_attr[i];
7762                                                 char_idx_feat[i] = f_ptr->x_char[i];
7763                                         }
7764                                 }
7765                                 break;
7766
7767                         case 'P':
7768                         case 'p':
7769                                 if (!visual_list)
7770                                 {
7771                                         /* Allow TERM_DARK text */
7772                                         for (i = F_LIT_NS_BEGIN; i < F_LIT_MAX; i++)
7773                                         {
7774                                                 if (attr_idx_feat[i] || (!(char_idx_feat[i] & 0x80) && char_idx_feat[i])) f_ptr->x_attr[i] = attr_idx_feat[i];
7775                                                 if (char_idx_feat[i]) f_ptr->x_char[i] = char_idx_feat[i];
7776                                         }
7777                                 }
7778                                 break;
7779                         }
7780                         continue;
7781                 }
7782
7783                 switch (ch)
7784                 {
7785                         case ESCAPE:
7786                         {
7787                                 flag = TRUE;
7788                                 break;
7789                         }
7790
7791                         default:
7792                         {
7793                                 /* Move the cursor */
7794                                 browser_cursor(ch, &column, &grp_cur, grp_cnt, &feat_cur, feat_cnt);
7795                                 break;
7796                         }
7797                 }
7798         }
7799
7800         /* Free the "feat_idx" array */
7801         C_KILL(feat_idx, max_f_idx, IDX);
7802 }
7803
7804
7805 /*
7806  * List wanted monsters
7807  */
7808 static void do_cmd_knowledge_kubi(void)
7809 {
7810         int i;
7811         FILE *fff;
7812         
7813         char file_name[1024];
7814         
7815         
7816         /* Open a new file */
7817         fff = my_fopen_temp(file_name, 1024);
7818         if (!fff) {
7819             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
7820             msg_print(NULL);
7821             return;
7822         }
7823         
7824         if (fff)
7825         {
7826                 bool listed = FALSE;
7827
7828 #ifdef JP
7829                 fprintf(fff, "今日のターゲット : %s\n", (p_ptr->today_mon ? r_name + r_info[p_ptr->today_mon].name : "不明"));
7830                 fprintf(fff, "\n");
7831                 fprintf(fff, "賞金首リスト\n");
7832 #else
7833                 fprintf(fff, "Today target : %s\n", (p_ptr->today_mon ? r_name + r_info[p_ptr->today_mon].name : "unknown"));
7834                 fprintf(fff, "\n");
7835                 fprintf(fff, "List of wanted monsters\n");
7836 #endif
7837                 fprintf(fff, "----------------------------------------------\n");
7838
7839                 for (i = 0; i < MAX_KUBI; i++)
7840                 {
7841                         if (kubi_r_idx[i] <= 10000)
7842                         {
7843                                 fprintf(fff,"%s\n", r_name + r_info[kubi_r_idx[i]].name);
7844
7845                                 listed = TRUE;
7846                         }
7847                 }
7848
7849                 if (!listed)
7850                 {
7851                         fprintf(fff,"\n%s\n", _("賞金首はもう残っていません。", "There is no more wanted monster."));
7852                 }
7853         }
7854         
7855         /* Close the file */
7856         my_fclose(fff);
7857         
7858         /* Display the file contents */
7859         show_file(TRUE, file_name, _("賞金首の一覧", "Wanted monsters"), 0, 0);
7860         
7861         /* Remove the file */
7862         fd_kill(file_name);
7863 }
7864
7865 /*
7866  * List virtues & status
7867  */
7868 static void do_cmd_knowledge_virtues(void)
7869 {
7870         FILE *fff;
7871         
7872         char file_name[1024];
7873         
7874         
7875         /* Open a new file */
7876         fff = my_fopen_temp(file_name, 1024);
7877         if (!fff) {
7878             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
7879             msg_print(NULL);
7880             return;
7881         }
7882         
7883         if (fff)
7884         {
7885                 fprintf(fff, _("現在の属性 : %s\n\n", "Your alighnment : %s\n\n"), your_alignment());
7886                 dump_virtues(fff);
7887         }
7888         
7889         /* Close the file */
7890         my_fclose(fff);
7891         
7892         /* Display the file contents */
7893         show_file(TRUE, file_name, _("八つの徳", "Virtues"), 0, 0);
7894         
7895         /* Remove the file */
7896         fd_kill(file_name);
7897 }
7898
7899 /*
7900 * Dungeon
7901 *
7902 */
7903 static void do_cmd_knowledge_dungeon(void)
7904 {
7905         FILE *fff;
7906         
7907         char file_name[1024];
7908         int i;
7909         
7910         
7911         /* Open a new file */
7912         fff = my_fopen_temp(file_name, 1024);
7913         if (!fff) {
7914             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
7915             msg_print(NULL);
7916             return;
7917         }
7918         
7919         if (fff)
7920         {
7921                 for (i = 1; i < max_d_idx; i++)
7922                 {
7923                         bool seiha = FALSE;
7924
7925                         if (!d_info[i].maxdepth) continue;
7926                         if (!max_dlv[i]) continue;
7927                         if (d_info[i].final_guardian)
7928                         {
7929                                 if (!r_info[d_info[i].final_guardian].max_num) seiha = TRUE;
7930                         }
7931                         else if (max_dlv[i] == d_info[i].maxdepth) seiha = TRUE;
7932                         
7933                         fprintf(fff, _("%c%-12s :  %3d 階\n", "%c%-16s :  level %3d\n"), seiha ? '!' : ' ', d_name + d_info[i].name, (int)max_dlv[i]);
7934                 }
7935         }
7936         
7937         /* Close the file */
7938         my_fclose(fff);
7939         
7940         /* Display the file contents */
7941         show_file(TRUE, file_name, _("今までに入ったダンジョン", "Dungeon"), 0, 0);
7942         
7943         /* Remove the file */
7944         fd_kill(file_name);
7945 }
7946
7947 /*
7948 * List virtues & status
7949 *
7950 */
7951 static void do_cmd_knowledge_stat(void)
7952 {
7953         FILE *fff;
7954         
7955         char file_name[1024];
7956         int percent, v_nr;
7957         
7958         /* Open a new file */
7959         fff = my_fopen_temp(file_name, 1024);
7960         if (!fff) {
7961             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
7962             msg_print(NULL);
7963             return;
7964         }
7965         
7966         if (fff)
7967         {
7968                 percent = (int)(((long)p_ptr->player_hp[PY_MAX_LEVEL - 1] * 200L) /
7969                         (2 * p_ptr->hitdie +
7970                         ((PY_MAX_LEVEL - 1+3) * (p_ptr->hitdie + 1))));
7971
7972 #ifdef JP
7973                 if (p_ptr->knowledge & KNOW_HPRATE) fprintf(fff, "現在の体力ランク : %d/100\n\n", percent);
7974                 else fprintf(fff, "現在の体力ランク : ???\n\n");
7975                 fprintf(fff, "能力の最大値\n\n");
7976 #else
7977                 if (p_ptr->knowledge & KNOW_HPRATE) fprintf(fff, "Your current Life Rating is %d/100.\n\n", percent);
7978                 else fprintf(fff, "Your current Life Rating is ???.\n\n");
7979                 fprintf(fff, "Limits of maximum stats\n\n");
7980 #endif
7981                 for (v_nr = 0; v_nr < 6; v_nr++)
7982                 {
7983                         if ((p_ptr->knowledge & KNOW_STAT) || p_ptr->stat_max[v_nr] == p_ptr->stat_max_max[v_nr]) fprintf(fff, "%s 18/%d\n", stat_names[v_nr], p_ptr->stat_max_max[v_nr]-18);
7984                         else fprintf(fff, "%s ???\n", stat_names[v_nr]);
7985                 }
7986         }
7987
7988         dump_yourself(fff);
7989
7990         /* Close the file */
7991         my_fclose(fff);
7992         
7993         /* Display the file contents */
7994         show_file(TRUE, file_name, _("自分に関する情報", "HP-rate & Max stat"), 0, 0);
7995         
7996         /* Remove the file */
7997         fd_kill(file_name);
7998 }
7999
8000
8001 /*
8002  * Print all active quests
8003  */
8004 static void do_cmd_knowledge_quests_current(FILE *fff)
8005 {
8006         char tmp_str[120];
8007         char rand_tmp_str[120] = "\0";
8008         char name[80];
8009         monster_race *r_ptr;
8010         IDX i;
8011         int rand_level = 100;
8012         int total = 0;
8013
8014         fprintf(fff, _("《遂行中のクエスト》\n", "< Current Quest >\n"));
8015
8016         for (i = 1; i < max_quests; i++)
8017         {
8018                 if ((quest[i].status == QUEST_STATUS_TAKEN) ||
8019                         ((quest[i].status == QUEST_STATUS_STAGE_COMPLETED) && (quest[i].type == QUEST_TYPE_TOWER)) ||
8020                         (quest[i].status == QUEST_STATUS_COMPLETED))
8021                 {
8022                         /* Set the quest number temporary */
8023                         IDX old_quest = p_ptr->inside_quest;
8024                         int j;
8025
8026                         /* Clear the text */
8027                         for (j = 0; j < 10; j++) quest_text[j][0] = '\0';
8028                         quest_text_line = 0;
8029
8030                         p_ptr->inside_quest = i;
8031
8032                         /* Get the quest text */
8033                         init_flags = INIT_SHOW_TEXT;
8034
8035                         process_dungeon_file("q_info.txt", 0, 0, 0, 0);
8036
8037                         /* Reset the old quest number */
8038                         p_ptr->inside_quest = old_quest;
8039
8040                         /* No info from "silent" quests */
8041                         if (quest[i].flags & QUEST_FLAG_SILENT) continue;
8042
8043                         total++;
8044
8045                         if (quest[i].type != QUEST_TYPE_RANDOM)
8046                         {
8047                                 char note[80] = "\0";
8048
8049                                 if (quest[i].status == QUEST_STATUS_TAKEN || quest[i].status == QUEST_STATUS_STAGE_COMPLETED)
8050                                 {
8051                                         switch (quest[i].type)
8052                                         {
8053                                         case QUEST_TYPE_KILL_LEVEL:
8054                                         case QUEST_TYPE_KILL_ANY_LEVEL:
8055                                                 r_ptr = &r_info[quest[i].r_idx];
8056                                                 strcpy(name, r_name + r_ptr->name);
8057                                                 if (quest[i].max_num > 1)
8058                                                 {
8059 #ifdef JP
8060                                                         sprintf(note," - %d 体の%sを倒す。(あと %d 体)",
8061                                                                 quest[i].max_num, name, quest[i].max_num - quest[i].cur_num);
8062 #else
8063                                                         plural_aux(name);
8064                                                         sprintf(note," - kill %d %s, have killed %d.",
8065                                                                 quest[i].max_num, name, quest[i].cur_num);
8066 #endif
8067                                                 }
8068                                                 else
8069                                                         sprintf(note,_(" - %sを倒す。", " - kill %s."),name);
8070                                                 break;
8071
8072                                         case QUEST_TYPE_FIND_ARTIFACT:
8073                                                 if (quest[i].k_idx)
8074                                                 {
8075                                                         artifact_type *a_ptr = &a_info[quest[i].k_idx];
8076                                                         object_type forge;
8077                                                         object_type *q_ptr = &forge;
8078                                                         IDX k_idx = lookup_kind(a_ptr->tval, a_ptr->sval);
8079                                                         object_prep(q_ptr, k_idx);
8080                                                         q_ptr->name1 = quest[i].k_idx;
8081                                                         q_ptr->ident = IDENT_STORE;
8082                                                         object_desc(name, q_ptr, OD_NAME_ONLY);
8083                                                 }
8084                                                 sprintf(note,_("\n   - %sを見つけ出す。", "\n   - Find out %s."), name);
8085                                                 break;
8086                                         case QUEST_TYPE_FIND_EXIT:
8087                                                 sprintf(note,_(" - 出口に到達する。", " - Reach to Exit."));
8088                                                 break;
8089
8090                                         case QUEST_TYPE_KILL_NUMBER:
8091 #ifdef JP
8092                                                 sprintf(note," - %d 体のモンスターを倒す。(あと %d 体)",
8093                                                         quest[i].max_num, quest[i].max_num - quest[i].cur_num);
8094 #else
8095                                                 sprintf(note," - Kill %d monsters, have killed %d.",
8096                                                         quest[i].max_num, quest[i].cur_num);
8097 #endif
8098                                                 break;
8099
8100                                         case QUEST_TYPE_KILL_ALL:
8101                                         case QUEST_TYPE_TOWER:
8102                                                 sprintf(note,_(" - 全てのモンスターを倒す。", " - Kill all monsters."));
8103                                                 break;
8104                                         }
8105                                 }
8106
8107                                 /* Print the quest info */
8108                                 sprintf(tmp_str, _("  %s (危険度:%d階相当)%s\n", "  %s (Danger level: %d)%s\n"),
8109                                         quest[i].name, (int)quest[i].level, note);
8110
8111                                 fputs(tmp_str, fff);
8112
8113                                 if (quest[i].status == QUEST_STATUS_COMPLETED)
8114                                 {
8115                                         sprintf(tmp_str, _("    クエスト達成 - まだ報酬を受けとってない。\n", "    Quest Completed - Unrewarded\n"));
8116                                         fputs(tmp_str, fff);
8117                                 }
8118                                 else
8119                                 {
8120                                         j = 0;
8121
8122                                         while (quest_text[j][0] && j < 10)
8123                                         {
8124                                                 fprintf(fff, "    %s\n", quest_text[j]);
8125                                                 j++;
8126                                         }
8127                                 }
8128                         }
8129                         else if (quest[i].level < rand_level) /* QUEST_TYPE_RANDOM */
8130                         {
8131                                 /* New random */
8132                                 rand_level = quest[i].level;
8133
8134                                 if (max_dlv[DUNGEON_ANGBAND] >= rand_level)
8135                                 {
8136                                         /* Print the quest info */
8137                                         r_ptr = &r_info[quest[i].r_idx];
8138                                         strcpy(name, r_name + r_ptr->name);
8139
8140                                         if (quest[i].max_num > 1)
8141                                         {
8142 #ifdef JP
8143                                                 sprintf(rand_tmp_str,"  %s (%d 階) - %d 体の%sを倒す。(あと %d 体)\n",
8144                                                         quest[i].name, (int)quest[i].level,
8145                                                         quest[i].max_num, name, quest[i].max_num - quest[i].cur_num);
8146 #else
8147                                                 plural_aux(name);
8148
8149                                                 sprintf(rand_tmp_str,"  %s (Dungeon level: %d)\n  Kill %d %s, have killed %d.\n",
8150                                                         quest[i].name, (idx)quest[i].level,
8151                                                         quest[i].max_num, name, quest[i].cur_num);
8152 #endif
8153                                         }
8154                                         else
8155                                         {
8156                                                 sprintf(rand_tmp_str,_("  %s (%d 階) - %sを倒す。\n", "  %s (Dungeon level: %d)\n  Kill %s.\n"),
8157                                                         quest[i].name, (int)quest[i].level, name);
8158                                         }
8159                                 }
8160                         }
8161                 }
8162         }
8163
8164         /* Print the current random quest  */
8165         if (rand_tmp_str[0]) fputs(rand_tmp_str, fff);
8166
8167         if (!total) fprintf(fff, _("  なし\n", "  Nothing.\n"));
8168 }
8169
8170
8171 static bool do_cmd_knowledge_quests_aux(FILE *fff, IDX q_idx)
8172 {
8173         char tmp_str[120];
8174         char playtime_str[16];
8175         quest_type* const q_ptr = &quest[q_idx];
8176
8177         if (is_fixed_quest_idx(q_idx))
8178         {
8179                 /* Set the quest number temporary */
8180                 IDX old_quest = p_ptr->inside_quest;
8181
8182                 p_ptr->inside_quest = q_idx;
8183
8184                 /* Get the quest */
8185                 init_flags = INIT_NAME_ONLY;
8186
8187                 process_dungeon_file("q_info.txt", 0, 0, 0, 0);
8188
8189                 /* Reset the old quest number */
8190                 p_ptr->inside_quest = old_quest;
8191
8192                 /* No info from "silent" quests */
8193                 if (q_ptr->flags & QUEST_FLAG_SILENT) return FALSE;
8194         }
8195
8196         strnfmt(playtime_str, sizeof(playtime_str), "%02d:%02d:%02d",
8197                 q_ptr->comptime/(60*60), (q_ptr->comptime/60)%60, q_ptr->comptime%60);
8198
8199         if (!is_fixed_quest_idx(q_idx) && q_ptr->r_idx)
8200         {
8201                 /* Print the quest info */
8202                 if (q_ptr->complev == 0)
8203                 {
8204                         sprintf(tmp_str,
8205                                 _("  %-35s (%3d階)            -   不戦勝 - %s\n",
8206                                   "  %-35s (Dungeon level: %3d) - Unearned - %s\n") ,
8207                                 r_name+r_info[q_ptr->r_idx].name,
8208                                 (int)q_ptr->level, playtime_str);
8209                 }
8210                 else
8211                 {
8212                         sprintf(tmp_str,
8213                                 _("  %-35s (%3d階)            - レベル%2d - %s\n",
8214                                   "  %-35s (Dungeon level: %3d) - level %2d - %s\n") ,
8215                                 r_name+r_info[q_ptr->r_idx].name,
8216                                 (int)q_ptr->level,
8217                                 q_ptr->complev,
8218                                 playtime_str);
8219                 }
8220         }
8221         else
8222         {
8223                 /* Print the quest info */
8224                 sprintf(tmp_str,
8225                         _("  %-35s (危険度:%3d階相当) - レベル%2d - %s\n",
8226                           "  %-35s (Danger  level: %3d) - level %2d - %s\n") ,
8227                         q_ptr->name, (int)q_ptr->level, q_ptr->complev, playtime_str);
8228         }
8229
8230         fputs(tmp_str, fff);
8231
8232         return TRUE;
8233 }
8234
8235 /*
8236  * Print all finished quests
8237  */
8238 void do_cmd_knowledge_quests_completed(FILE *fff, IDX quest_num[])
8239 {
8240         int i;
8241         int total = 0;
8242
8243         fprintf(fff, _("《達成したクエスト》\n", "< Completed Quest >\n"));
8244         for (i = 1; i < max_quests; i++)
8245         {
8246                 IDX q_idx = quest_num[i];
8247                 quest_type* const q_ptr = &quest[q_idx];
8248
8249                 if (q_ptr->status == QUEST_STATUS_FINISHED &&
8250                     do_cmd_knowledge_quests_aux(fff, q_idx))
8251                 {
8252                         ++ total;
8253                 }
8254         }
8255         if (!total) fprintf(fff, _("  なし\n", "  Nothing.\n"));
8256 }
8257
8258
8259 /*
8260  * Print all failed quests
8261  */
8262 void do_cmd_knowledge_quests_failed(FILE *fff, IDX quest_num[])
8263 {
8264         IDX i;
8265         int total = 0;
8266
8267         fprintf(fff, _("《失敗したクエスト》\n", "< Failed Quest >\n"));
8268         for (i = 1; i < max_quests; i++)
8269         {
8270                 IDX q_idx = quest_num[i];
8271                 quest_type* const q_ptr = &quest[q_idx];
8272
8273                 if (((q_ptr->status == QUEST_STATUS_FAILED_DONE) || (q_ptr->status == QUEST_STATUS_FAILED)) &&
8274                     do_cmd_knowledge_quests_aux(fff, q_idx))
8275                 {
8276                         ++ total;
8277                 }
8278         }
8279         if (!total) fprintf(fff, _("  なし\n", "  Nothing.\n"));
8280 }
8281
8282
8283 /*
8284  * Print all random quests
8285  */
8286 static void do_cmd_knowledge_quests_wiz_random(FILE *fff)
8287 {
8288         char tmp_str[120];
8289         int i;
8290         int total = 0;
8291
8292         fprintf(fff, _("《残りのランダムクエスト》\n", "< Remaining Random Quest >\n"));
8293         for (i = 1; i < max_quests; i++)
8294         {
8295                 /* No info from "silent" quests */
8296                 if (quest[i].flags & QUEST_FLAG_SILENT) continue;
8297
8298                 if ((quest[i].type == QUEST_TYPE_RANDOM) && (quest[i].status == QUEST_STATUS_TAKEN))
8299                 {
8300                         total++;
8301
8302                         /* Print the quest info */
8303                         sprintf(tmp_str, _("  %s (%d階, %s)\n", "  %s (%d, %s)\n"),
8304                                 quest[i].name, (int)quest[i].level, r_name+r_info[quest[i].r_idx].name);
8305                         fputs(tmp_str, fff);
8306                 }
8307         }
8308         if (!total) fprintf(fff, _("  なし\n", "  Nothing.\n"));
8309 }
8310
8311
8312 bool ang_sort_comp_quest_num(vptr u, vptr v, int a, int b)
8313 {
8314         int *q_num = (int *)u;
8315         quest_type *qa = &quest[q_num[a]];
8316         quest_type *qb = &quest[q_num[b]];
8317
8318         /* Unused */
8319         (void)v;
8320
8321         return (qa->comptime <= qb->comptime);
8322 }
8323
8324 void ang_sort_swap_quest_num(vptr u, vptr v, int a, int b)
8325 {
8326         int *q_num = (int *)u;
8327         int tmp;
8328
8329         /* Unused */
8330         (void)v;
8331
8332         tmp = q_num[a];
8333         q_num[a] = q_num[b];
8334         q_num[b] = tmp;
8335 }
8336
8337
8338 /*
8339  * Print quest status of all active quests
8340  */
8341 static void do_cmd_knowledge_quests(void)
8342 {
8343         FILE *fff;
8344         char file_name[1024];
8345         IDX *quest_num;
8346         int dummy;
8347         IDX i;
8348
8349         /* Open a new file */
8350         fff = my_fopen_temp(file_name, 1024);
8351         if (!fff)
8352         {
8353             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
8354             msg_print(NULL);
8355             return;
8356         }
8357
8358         /* Allocate Memory */
8359         C_MAKE(quest_num, max_quests, IDX);
8360
8361         /* Sort by compete level */
8362         for (i = 1; i < max_quests; i++) quest_num[i] = i;
8363         ang_sort_comp = ang_sort_comp_quest_num;
8364         ang_sort_swap = ang_sort_swap_quest_num;
8365         ang_sort(quest_num, &dummy, max_quests);
8366
8367         /* Dump Quest Information */
8368         do_cmd_knowledge_quests_current(fff);
8369         fputc('\n', fff);
8370         do_cmd_knowledge_quests_completed(fff, quest_num);
8371         fputc('\n', fff);
8372         do_cmd_knowledge_quests_failed(fff, quest_num);
8373         if (p_ptr->wizard)
8374         {
8375                 fputc('\n', fff);
8376                 do_cmd_knowledge_quests_wiz_random(fff);
8377         }
8378
8379         /* Close the file */
8380         my_fclose(fff);
8381
8382         /* Display the file contents */
8383         show_file(TRUE, file_name, _("クエスト達成状況", "Quest status"), 0, 0);
8384
8385         /* Remove the file */
8386         fd_kill(file_name);
8387
8388         /* Free Memory */
8389         C_KILL(quest_num, max_quests, IDX);
8390 }
8391
8392
8393 /*
8394  * List my home
8395  */
8396 static void do_cmd_knowledge_home(void)
8397 {
8398         FILE *fff;
8399
8400         int i;
8401         char file_name[1024];
8402         store_type  *st_ptr;
8403         char o_name[MAX_NLEN];
8404         cptr            paren = ")";
8405
8406         process_dungeon_file("w_info.txt", 0, 0, max_wild_y, max_wild_x);
8407
8408         /* Open a new file */
8409         fff = my_fopen_temp(file_name, 1024);
8410         if (!fff) {
8411                 msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
8412                 msg_print(NULL);
8413                 return;
8414         }
8415
8416         if (fff)
8417         {
8418                 /* Print all homes in the different towns */
8419                 st_ptr = &town[1].store[STORE_HOME];
8420
8421                 /* Home -- if anything there */
8422                 if (st_ptr->stock_num)
8423                 {
8424 #ifdef JP
8425                         int x = 1;
8426 #endif
8427                         /* Header with name of the town */
8428                         fprintf(fff, _("  [ 我が家のアイテム ]\n", "  [Home Inventory]\n"));
8429
8430                         /* Dump all available items */
8431                         for (i = 0; i < st_ptr->stock_num; i++)
8432                         {
8433 #ifdef JP
8434                                 if ((i % 12) == 0) fprintf(fff, "\n ( %d ページ )\n", x++);
8435                                 object_desc(o_name, &st_ptr->stock[i], 0);
8436                                 if (strlen(o_name) <= 80-3)
8437                                 {
8438                                         fprintf(fff, "%c%s %s\n", I2A(i%12), paren, o_name);
8439                                 }
8440                                 else
8441                                 {
8442                                         int n;
8443                                         char *t;
8444                                         for (n = 0, t = o_name; n < 80-3; n++, t++)
8445                                                 if(iskanji(*t)) {t++; n++;}
8446                                         if (n == 81-3) n = 79-3; /* 最後が漢字半分 */
8447
8448                                         fprintf(fff, "%c%s %.*s\n", I2A(i%12), paren, n, o_name);
8449                                         fprintf(fff, "   %.77s\n", o_name+n);
8450                                 }
8451 #else
8452                                 object_desc(o_name, &st_ptr->stock[i], 0);
8453                                 fprintf(fff, "%c%s %s\n", I2A(i%12), paren, o_name);
8454 #endif
8455
8456                         }
8457
8458                         /* Add an empty line */
8459                         fprintf(fff, "\n\n");
8460                 }
8461         }
8462
8463         /* Close the file */
8464         my_fclose(fff);
8465
8466         /* Display the file contents */
8467         show_file(TRUE, file_name, _("我が家のアイテム", "Home Inventory"), 0, 0);
8468
8469         /* Remove the file */
8470         fd_kill(file_name);
8471 }
8472
8473
8474 /*
8475  * Check the status of "autopick"
8476  */
8477 static void do_cmd_knowledge_autopick(void)
8478 {
8479         int k;
8480         FILE *fff;
8481         char file_name[1024];
8482
8483         /* Open a new file */
8484         fff = my_fopen_temp(file_name, 1024);
8485
8486         if (!fff)
8487         {
8488             msg_format(_("一時ファイル %s を作成できませんでした。", "Failed to create temporary file %s."), file_name);
8489             msg_print(NULL);
8490             return;
8491         }
8492
8493         if (!max_autopick)
8494         {
8495             fprintf(fff, _("自動破壊/拾いには何も登録されていません。", "No preference for auto picker/destroyer."));
8496         }
8497         else
8498         {
8499                 fprintf(fff, _("   自動拾い/破壊には現在 %d行登録されています。\n\n",
8500                                            "   There are %d registered lines for auto picker/destroyer.\n\n"), max_autopick);
8501         }
8502
8503         for (k = 0; k < max_autopick; k++)
8504         {
8505                 cptr tmp;
8506                 byte act = autopick_list[k].action;
8507                 if (act & DONT_AUTOPICK)
8508                 {
8509                         tmp = _("放置", "Leave");
8510                 }
8511                 else if (act & DO_AUTODESTROY)
8512                 {
8513                         tmp = _("破壊", "Destroy");
8514                 }
8515                 else if (act & DO_AUTOPICK)
8516                 {
8517                         tmp = _("拾う", "Pickup");
8518                 }
8519                 else /* if (act & DO_QUERY_AUTOPICK) */ /* Obvious */
8520                 {
8521                         tmp = _("確認", "Query");
8522                 }
8523
8524                 if (act & DO_DISPLAY)
8525                         fprintf(fff, "%11s", format("[%s]", tmp));
8526                 else
8527                         fprintf(fff, "%11s", format("(%s)", tmp));
8528
8529                 tmp = autopick_line_from_entry(&autopick_list[k]);
8530                 fprintf(fff, " %s", tmp);
8531                 string_free(tmp);
8532                 fprintf(fff, "\n");
8533         }
8534         /* Close the file */
8535         my_fclose(fff);
8536         /* Display the file contents */
8537         show_file(TRUE, file_name, _("自動拾い/破壊 設定リスト", "Auto-picker/Destroyer"), 0, 0);
8538
8539         /* Remove the file */
8540         fd_kill(file_name);
8541 }
8542
8543
8544 /*
8545  * Interact with "knowledge"
8546  */
8547 void do_cmd_knowledge(void)
8548 {
8549         int i, p = 0;
8550         bool need_redraw = FALSE;
8551
8552         /* File type is "TEXT" */
8553         FILE_TYPE(FILE_TYPE_TEXT);
8554
8555         /* Save the screen */
8556         screen_save();
8557
8558         /* Interact until done */
8559         while (1)
8560         {
8561                 /* Clear screen */
8562                 Term_clear();
8563
8564                 /* Ask for a choice */
8565 #ifdef JP
8566                 prt(format("%d/2 ページ", (p+1)), 2, 65);
8567                 prt("現在の知識を確認する", 3, 0);
8568 #else
8569                 prt(format("page %d/2", (p+1)), 2, 65);
8570                 prt("Display current knowledge", 3, 0);
8571 #endif
8572
8573                 /* Give some choices */
8574 #ifdef JP
8575                 if (p == 0)
8576                 {
8577                         prt("(1) 既知の伝説のアイテム                 の一覧", 6, 5);
8578                         prt("(2) 既知のアイテム                       の一覧", 7, 5);
8579                         prt("(3) 既知の生きているユニーク・モンスター の一覧", 8, 5);
8580                         prt("(4) 既知のモンスター                     の一覧", 9, 5);
8581                         prt("(5) 倒した敵の数                         の一覧", 10, 5);
8582                         if (!vanilla_town) prt("(6) 賞金首                               の一覧", 11, 5);
8583                         prt("(7) 現在のペット                         の一覧", 12, 5);
8584                         prt("(8) 我が家のアイテム                     の一覧", 13, 5);
8585                         prt("(9) *鑑定*済み装備の耐性                 の一覧", 14, 5);
8586                         prt("(0) 地形の表示文字/タイル                の一覧", 15, 5);
8587                 }
8588                 else
8589                 {
8590                         prt("(a) 自分に関する情報                     の一覧", 6, 5);
8591                         prt("(b) 突然変異                             の一覧", 7, 5);
8592                         prt("(c) 武器の経験値                         の一覧", 8, 5);
8593                         prt("(d) 魔法の経験値                         の一覧", 9, 5);
8594                         prt("(e) 技能の経験値                         の一覧", 10, 5);
8595                         prt("(f) プレイヤーの徳                       の一覧", 11, 5);
8596                         prt("(g) 入ったダンジョン                     の一覧", 12, 5);
8597                         prt("(h) 実行中のクエスト                     の一覧", 13, 5);
8598                         prt("(i) 現在の自動拾い/破壊設定              の一覧", 14, 5);
8599                 }
8600 #else
8601                 if (p == 0)
8602                 {
8603                         prt("(1) Display known artifacts", 6, 5);
8604                         prt("(2) Display known objects", 7, 5);
8605                         prt("(3) Display remaining uniques", 8, 5);
8606                         prt("(4) Display known monster", 9, 5);
8607                         prt("(5) Display kill count", 10, 5);
8608                         if (!vanilla_town) prt("(6) Display wanted monsters", 11, 5);
8609                         prt("(7) Display current pets", 12, 5);
8610                         prt("(8) Display home inventory", 13, 5);
8611                         prt("(9) Display *identified* equip.", 14, 5);
8612                         prt("(0) Display terrain symbols.", 15, 5);
8613                 }
8614                 else
8615                 {
8616                         prt("(a) Display about yourself", 6, 5);
8617                         prt("(b) Display mutations", 7, 5);
8618                         prt("(c) Display weapon proficiency", 8, 5);
8619                         prt("(d) Display spell proficiency", 9, 5);
8620                         prt("(e) Display misc. proficiency", 10, 5);
8621                         prt("(f) Display virtues", 11, 5);
8622                         prt("(g) Display dungeons", 12, 5);
8623                         prt("(h) Display current quests", 13, 5);
8624                         prt("(i) Display auto pick/destroy", 14, 5);
8625                 }
8626 #endif
8627                 /* Prompt */
8628 #ifdef JP
8629                 prt("-続く-", 17, 8);
8630                 prt("ESC) 抜ける", 21, 1);
8631                 prt("SPACE) 次ページ", 21, 30);
8632                 /*prt("-) 前ページ", 21, 60);*/
8633                 prt("コマンド:", 20, 0);
8634 #else
8635                 prt("-more-", 17, 8);
8636                 prt("ESC) Exit menu", 21, 1);
8637                 prt("SPACE) Next page", 21, 30);
8638                 /*prt("-) Previous page", 21, 60);*/
8639                 prt("Command: ", 20, 0);
8640 #endif
8641
8642                 /* Prompt */
8643                 i = inkey();
8644
8645                 /* Done */
8646                 if (i == ESCAPE) break;
8647                 switch (i)
8648                 {
8649                 case ' ': /* Page change */
8650                 case '-':
8651                         p = 1 - p;
8652                         break;
8653                 case '1': /* Artifacts */
8654                         do_cmd_knowledge_artifacts();
8655                         break;
8656                 case '2': /* Objects */
8657                         do_cmd_knowledge_objects(&need_redraw, FALSE, -1);
8658                         break;
8659                 case '3': /* Uniques */
8660                         do_cmd_knowledge_uniques();
8661                         break;
8662                 case '4': /* Monsters */
8663                         do_cmd_knowledge_monsters(&need_redraw, FALSE, -1);
8664                         break;
8665                 case '5': /* Kill count  */
8666                         do_cmd_knowledge_kill_count();
8667                         break;
8668                 case '6': /* wanted */
8669                         if (!vanilla_town) do_cmd_knowledge_kubi();
8670                         break;
8671                 case '7': /* Pets */
8672                         do_cmd_knowledge_pets();
8673                         break;
8674                 case '8': /* Home */
8675                         do_cmd_knowledge_home();
8676                         break;
8677                 case '9': /* Resist list */
8678                         do_cmd_knowledge_inven();
8679                         break;
8680                 case '0': /* Feature list */
8681                         {
8682                                 IDX lighting_level = F_LIT_STANDARD;
8683                                 do_cmd_knowledge_features(&need_redraw, FALSE, -1, &lighting_level);
8684                         }
8685                         break;
8686                 /* Next page */
8687                 case 'a': /* Max stat */
8688                         do_cmd_knowledge_stat();
8689                         break;
8690                 case 'b': /* Mutations */
8691                         do_cmd_knowledge_mutations();
8692                         break;
8693                 case 'c': /* weapon-exp */
8694                         do_cmd_knowledge_weapon_exp();
8695                         break;
8696                 case 'd': /* spell-exp */
8697                         do_cmd_knowledge_spell_exp();
8698                         break;
8699                 case 'e': /* skill-exp */
8700                         do_cmd_knowledge_skill_exp();
8701                         break;
8702                 case 'f': /* Virtues */
8703                         do_cmd_knowledge_virtues();
8704                         break;
8705                 case 'g': /* Dungeon */
8706                         do_cmd_knowledge_dungeon();
8707                         break;
8708                 case 'h': /* Quests */
8709                         do_cmd_knowledge_quests();
8710                         break;
8711                 case 'i': /* Autopick */
8712                         do_cmd_knowledge_autopick();
8713                         break;
8714                 default: /* Unknown option */
8715                         bell();
8716                 }
8717
8718                 /* Flush messages */
8719                 msg_print(NULL);
8720         }
8721
8722         /* Restore the screen */
8723         screen_load();
8724
8725         if (need_redraw) do_cmd_redraw();
8726 }
8727
8728
8729 /*
8730  * Check on the status of an active quest
8731  */
8732 void do_cmd_checkquest(void)
8733 {
8734         /* File type is "TEXT" */
8735         FILE_TYPE(FILE_TYPE_TEXT);
8736
8737         /* Save the screen */
8738         screen_save();
8739
8740         /* Quest info */
8741         do_cmd_knowledge_quests();
8742
8743         /* Restore the screen */
8744         screen_load();
8745 }
8746
8747
8748 /*
8749  * Display the time and date
8750  */
8751 void do_cmd_time(void)
8752 {
8753         int day, hour, min, full, start, end, num;
8754         char desc[1024];
8755
8756         char buf[1024];
8757         char day_buf[10];
8758
8759         FILE *fff;
8760
8761         extract_day_hour_min(&day, &hour, &min);
8762
8763         full = hour * 100 + min;
8764
8765         start = 9999;
8766         end = -9999;
8767
8768         num = 0;
8769
8770         strcpy(desc, _("変な時刻だ。", "It is a strange time."));
8771
8772         if (day < MAX_DAYS) sprintf(day_buf, "%d", day);
8773         else strcpy(day_buf, "*****");
8774
8775         /* Message */
8776 #ifdef JP
8777         msg_format("%s日目, 時刻は%d:%02d %sです。",
8778                    day_buf, (hour % 12 == 0) ? 12 : (hour % 12),
8779                    min, (hour < 12) ? "AM" : "PM");
8780 #else
8781         msg_format("This is day %s. The time is %d:%02d %s.",
8782                    day_buf, (hour % 12 == 0) ? 12 : (hour % 12),
8783                    min, (hour < 12) ? "AM" : "PM");
8784 #endif
8785
8786
8787         /* Find the path */
8788         if (!randint0(10) || p_ptr->image)
8789         {
8790                 path_build(buf, sizeof(buf), ANGBAND_DIR_FILE, _("timefun_j.txt", "timefun.txt"));
8791         }
8792         else
8793         {
8794                 path_build(buf, sizeof(buf), ANGBAND_DIR_FILE, _("timenorm_j.txt", "timenorm.txt"));
8795         }
8796
8797         /* Open this file */
8798         fff = my_fopen(buf, "rt");
8799
8800         /* Oops */
8801         if (!fff) return;
8802
8803         /* Find this time */
8804         while (!my_fgets(fff, buf, sizeof(buf)))
8805         {
8806                 /* Ignore comments */
8807                 if (!buf[0] || (buf[0] == '#')) continue;
8808
8809                 /* Ignore invalid lines */
8810                 if (buf[1] != ':') continue;
8811
8812                 /* Process 'Start' */
8813                 if (buf[0] == 'S')
8814                 {
8815                         /* Extract the starting time */
8816                         start = atoi(buf + 2);
8817
8818                         /* Assume valid for an hour */
8819                         end = start + 59;
8820
8821                         /* Next... */
8822                         continue;
8823                 }
8824
8825                 /* Process 'End' */
8826                 if (buf[0] == 'E')
8827                 {
8828                         /* Extract the ending time */
8829                         end = atoi(buf + 2);
8830
8831                         /* Next... */
8832                         continue;
8833                 }
8834
8835                 /* Ignore incorrect range */
8836                 if ((start > full) || (full > end)) continue;
8837
8838                 /* Process 'Description' */
8839                 if (buf[0] == 'D')
8840                 {
8841                         num++;
8842
8843                         /* Apply the randomizer */
8844                         if (!randint0(num)) strcpy(desc, buf + 2);
8845
8846                         /* Next... */
8847                         continue;
8848                 }
8849         }
8850
8851         /* Message */
8852         msg_print(desc);
8853
8854         /* Close the file */
8855         my_fclose(fff);
8856 }