web-dev-qa-db-ja.com

c#.netでコンソールフォントサイズを取得/設定することは可能ですか?

コンソールのTrueTypeフォント、コンソールの色(rgb)の変更に関する投稿を見たことがありますが、コンソールのフォントサイズの設定や取得については何もありません。編集:reason = gridはコンソールに出力され、gridには多くの列があり、小さいフォントによく適合します。デフォルトまたは構成済みのフォントに優先順位を付けたり、継承をオーバーライドしたりするのではなく、実行時に変更できるかどうか疑問に思います。

13
Chris

多分 this 記事はあなたを助けることができます

ConsoleHelper.cs

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Runtime.InteropServices;
using System.Drawing;

namespace ConsoleExtender {
    [StructLayout(LayoutKind.Sequential, Pack = 1)]
    public struct ConsoleFont {
        public uint Index;
        public short SizeX, SizeY;
    }

    public static class ConsoleHelper {
        [DllImport("kernel32")]
        public static extern bool SetConsoleIcon(IntPtr hIcon);

        public static bool SetConsoleIcon(Icon icon) {
            return SetConsoleIcon(icon.Handle);
        }

        [DllImport("kernel32")]
        private extern static bool SetConsoleFont(IntPtr hOutput, uint index);

        private enum StdHandle {
            OutputHandle = -11
        }

        [DllImport("kernel32")]
        private static extern IntPtr GetStdHandle(StdHandle index);

        public static bool SetConsoleFont(uint index) {
            return SetConsoleFont(GetStdHandle(StdHandle.OutputHandle), index);
        }

        [DllImport("kernel32")]
        private static extern bool GetConsoleFontInfo(IntPtr hOutput, [MarshalAs(UnmanagedType.Bool)]bool bMaximize, 
            uint count, [MarshalAs(UnmanagedType.LPArray), Out] ConsoleFont[] fonts);

        [DllImport("kernel32")]
        private static extern uint GetNumberOfConsoleFonts();

        public static uint ConsoleFontsCount {
            get {
                return GetNumberOfConsoleFonts();
            }
        }

        public static ConsoleFont[] ConsoleFonts {
            get {
                ConsoleFont[] fonts = new ConsoleFont[GetNumberOfConsoleFonts()];
                if(fonts.Length > 0)
                    GetConsoleFontInfo(GetStdHandle(StdHandle.OutputHandle), false, (uint)fonts.Length, fonts);
                return fonts;
            }
        }

    }
}

これを使用して、コンソールのTrueTypeフォントを一覧表示する方法は次のとおりです。

static void Main(string[] args) {
   var fonts = ConsoleHelper.ConsoleFonts;
   for(int f = 0; f < fonts.Length; f++)
      Console.WriteLine("{0}: X={1}, Y={2}",
         fonts[f].Index, fonts[f].SizeX, fonts[f].SizeY);

   ConsoleHelper.SetConsoleFont(5);
   ConsoleHelper.SetConsoleIcon(SystemIcons.Information);
}

重要な機能:SetConsoleFontGetConsoleFontInfo、およびGetNumberOfConsoleFonts。それらは文書化されていないので、自己責任で使用してください。

8
james_bond

コンソールは、実行時のフォントサイズの変更をサポートしていません。現在のコンソールウィンドウの設定を変更するために使用できる方法のリストは、 MSDN上 にあります。私の理解では、これは次の理由によるものです。

  1. コンソールはリッチテキストインターフェイスではありません。つまり、複数のフォントやフォントサイズを表示することはできません。
  2. noldorinが述べているように、これはユーザー次第である必要があります。たとえば、視力に問題のある人は大きなフォントサイズを選択する可能性があります。
0
Paul Wheeler