INIファイルの読み取り/書き込み


263

標準の.iniファイルを読み書きできる.NETフレームワークのクラスはありますか?

[Section]
<keyname>=<value>
...

DelphiにはTIniFileコンポーネントがあり、C#にも同様のものがあるかどうかを知りたいですか?


RemObjectsには、同様のINIファイルクラスを出荷するShineOnと呼ばれるDelphi Prismライブラリがあります。ただし、コンパイル済みのアセンブリがまだないため、ソースから.NET用にコンパイルするには、Delphi Prismが必要です。code.remobjects.com/p/shineon
Lex Li

1
:同じ問題を持って、iniファイルを解析するために自分のライブラリを作っgithub.com/rickyah/ini-parserそれが役に立てば幸い
リカルドAMORES

5
リッキーと同じように、私はこれを自分で解決することにしました。github.com/MarioZ/MadMilkman.Iniで
Mario Z

回答:


185

.NETフレームワークの作成者は、INIファイルではなくXMLベースの構成ファイルを使用することを求めています。したがって、それらを読み取るための組み込みメカニズムはありません。

ただし、利用可能なサードパーティのソリューションがあります。


24
確かにXML構成ファイルを使用する方法はありますが、これはまだ質問に対する回答ではなく、リンクのみのVLQでもあります。
Danny Beckett、

6
@aloneguid利用可能な機能の大規模なセットが実際に.NET構成ファイルに寄与し、最終的には多くの魔法を持つ奇妙な巨大なものになると主張します。それらは「構成ファイル内のコード」になり、これは多くの複雑さ、奇妙な動作につながり、構成管理をより困難にします。(私はあなた、データベースの「プロバイダー」、および接続文字列を見ています。)したがって、INIファイルは、通常、非手動編集にも適しています。
jpmc26 2017年

1
私は古いメソッド(P / Inovke)が好きで、次のように古いメソッドでユニコードを使用できます。File.WriteAllBytes(path、new byte [] {0xFF、0xFE});
sailfish009

2
良いパッケージですが、もっと良いかもしれません。「=」または「\ n」を含む値を完全に解析できません
Ahmad Behjati

211

序文

まず、INIファイルの制限に関するこのMSDNブログの投稿をご覧ください。それがあなたのニーズに合っているなら、読んでください。

これは、元のWindows P / Invokeを利用して書いた簡潔な実装なので、.NETがインストールされているすべてのバージョンのWindows(つまり、Windows 98-Windows 10)でサポートされています。私はこれをパブリックドメインにリリースします。帰属表示なしで商用利用できます。

小さなクラス

IniFile.csプロジェクトに呼び出される新しいクラスを追加します。

using System.IO;
using System.Reflection;
using System.Runtime.InteropServices;
using System.Text;

// Change this to match your program's normal namespace
namespace MyProg
{
    class IniFile   // revision 11
    {
        string Path;
        string EXE = Assembly.GetExecutingAssembly().GetName().Name;

        [DllImport("kernel32", CharSet = CharSet.Unicode)]
        static extern long WritePrivateProfileString(string Section, string Key, string Value, string FilePath);

        [DllImport("kernel32", CharSet = CharSet.Unicode)]
        static extern int GetPrivateProfileString(string Section, string Key, string Default, StringBuilder RetVal, int Size, string FilePath);

        public IniFile(string IniPath = null)
        {
            Path = new FileInfo(IniPath ?? EXE + ".ini").FullName;
        }

        public string Read(string Key, string Section = null)
        {
            var RetVal = new StringBuilder(255);
            GetPrivateProfileString(Section ?? EXE, Key, "", RetVal, 255, Path);
            return RetVal.ToString();
        }

        public void Write(string Key, string Value, string Section = null)
        {
            WritePrivateProfileString(Section ?? EXE, Key, Value, Path);
        }

        public void DeleteKey(string Key, string Section = null)
        {
            Write(Key, null, Section ?? EXE);
        }

        public void DeleteSection(string Section = null)
        {
            Write(null, null, Section ?? EXE);
        }

        public bool KeyExists(string Key, string Section = null)
        {
            return Read(Key, Section).Length > 0;
        }
    }
}

どうやって使うのですか

次の3つの方法のいずれかでINIファイルを開きます。

// Creates or loads an INI file in the same directory as your executable
// named EXE.ini (where EXE is the name of your executable)
var MyIni = new IniFile();

// Or specify a specific name in the current dir
var MyIni = new IniFile("Settings.ini");

// Or specify a specific name in a specific dir
var MyIni = new IniFile(@"C:\Settings.ini");

次のようにいくつかの値を書き込むことができます。

MyIni.Write("DefaultVolume", "100");
MyIni.Write("HomePage", "http://www.google.com");

このようなファイルを作成するには:

[MyProg]
DefaultVolume=100
HomePage=http://www.google.com

INIファイルから値を読み取るには:

var DefaultVolume = IniFile.Read("DefaultVolume");
var HomePage = IniFile.Read("HomePage");

オプションで、を設定できます[Section]

MyIni.Write("DefaultVolume", "100", "Audio");
MyIni.Write("HomePage", "http://www.google.com", "Web");

このようなファイルを作成するには:

[Audio]
DefaultVolume=100

[Web]
HomePage=http://www.google.com

次のように、キーの存在を確認することもできます。

if(!MyIni.KeyExists("DefaultVolume", "Audio"))
{
    MyIni.Write("DefaultVolume", "100", "Audio");
}

次のようにキーを削除できます:

MyIni.DeleteKey("DefaultVolume", "Audio");

次のように、セクション全体(すべてのキーを含む)を削除することもできます。

MyIni.DeleteSection("Web");

改善点があれば気軽にコメントしてください!


4
少し遅れましたが、GetSections()メソッドがありません。
2016年

2
おそらく、より伝統的なデフォルトは、アプリケーションごと(アセンブリごとではなく)の.iniファイルですPath.GetFullPath(IniPath ?? Path.ChangeExtension(Application.ExecutablePath, ".ini"))
Eugene Ryabtsev

3
本当にすばらしい !それをgithubに置きますか?
Emrys Myrooin 16

2
@danny Beckett、よくできました。これは、過去.Netの.Netで使用したものとほぼ同じです。数年前に古いコードからアップグレードされました。
ダミアン2017年

10
今は古く、私がレイモンドチェンを尊敬しているように、この記事の制限の多くは、Windowsの特定のINIライブラリの制限であり、INIフォーマット自体ではありません。細かいパーミッションのような他のものは、複数のファイルを介して簡単に回避できます。公式、近代INIライブラリは現在でも、最も歓迎されるだろう。
Joel Coehoorn 2017年

68

CodeProjectに関するこの記事「C#を使用したINIファイル処理クラス」が役立つはずです。

著者は、KERNEL32.dllから2つの関数を公開するC#クラス「Ini」を作成しました。これらの機能は、次のとおり WritePrivateProfileStringGetPrivateProfileString。との2つの名前空間が必要にSystem.Runtime.InteropServicesなりSystem.Textます。

Iniクラスを使用する手順

プロジェクトの名前空間定義に追加します

using INI;

このようなINIFileを作成します

INIFile ini = new INIFile("C:\\test.ini");

使用するIniWriteValueセクションまたは使用中の特定のキーに新しい値を書き込むためにIniReadValue、特定のセクションでのキーから値を読み取ること。

注:あなたがゼロから始まっている場合、あなたはこの読むことができるMSDNの記事を方法:C#プロジェクトにアプリケーション構成ファイルを追加します。これは、アプリケーションを構成するためのより良い方法です。


1
完全なINIファイルを読みたい。セクションを読む代わりに同じようにする方法、キー
venkat

これは私にとってはうまくいき、それから別のポイントから働きを止めました。フードの下で何が変わったのかまだわからない
nawfal

1
この非推奨のWin32 API関数の使用に注意してください。さらに詳しい情報:stackoverflow.com/questions/11451641/...
Pedro77

私はしばらくの間このアプローチを使用しましたが、Win7で始まったセキュリティ強化により、私はこれをかなり殺しました。このアプローチは引き続き使用できますが、.iniをProgramDataに保存し、アプリで読み取り/書き込みを行う必要があります。
Jess

アプリケーション構成のiniファイルをProgramDataに保存しないでください。それらはRegistryにもProgramDataにも属していません。構成ファイルは、LocalApplicationDataフォルダーにあることになっています。
2015年

47

私はこの簡単な実装を見つけました:

http://bytes.com/topic/net/insights/797169-reading-parsing-ini-file-c

私が必要とするものにうまく機能します。

使い方は次のとおりです。

public class TestParser
{
    public static void Main()
    {
        IniParser parser = new IniParser(@"C:\test.ini");

        String newMessage;

        newMessage = parser.GetSetting("appsettings", "msgpart1");
        newMessage += parser.GetSetting("appsettings", "msgpart2");
        newMessage += parser.GetSetting("punctuation", "ex");

        //Returns "Hello World!"
        Console.WriteLine(newMessage);
        Console.ReadLine();
    }
}

これがコードです:

using System;
using System.IO;
using System.Collections;

public class IniParser
{
    private Hashtable keyPairs = new Hashtable();
    private String iniFilePath;

    private struct SectionPair
    {
        public String Section;
        public String Key;
    }

    /// <summary>
    /// Opens the INI file at the given path and enumerates the values in the IniParser.
    /// </summary>
    /// <param name="iniPath">Full path to INI file.</param>
    public IniParser(String iniPath)
    {
        TextReader iniFile = null;
        String strLine = null;
        String currentRoot = null;
        String[] keyPair = null;

        iniFilePath = iniPath;

        if (File.Exists(iniPath))
        {
            try
            {
                iniFile = new StreamReader(iniPath);

                strLine = iniFile.ReadLine();

                while (strLine != null)
                {
                    strLine = strLine.Trim().ToUpper();

                    if (strLine != "")
                    {
                        if (strLine.StartsWith("[") && strLine.EndsWith("]"))
                        {
                            currentRoot = strLine.Substring(1, strLine.Length - 2);
                        }
                        else
                        {
                            keyPair = strLine.Split(new char[] { '=' }, 2);

                            SectionPair sectionPair;
                            String value = null;

                            if (currentRoot == null)
                                currentRoot = "ROOT";

                            sectionPair.Section = currentRoot;
                            sectionPair.Key = keyPair[0];

                            if (keyPair.Length > 1)
                                value = keyPair[1];

                            keyPairs.Add(sectionPair, value);
                        }
                    }

                    strLine = iniFile.ReadLine();
                }

            }
            catch (Exception ex)
            {
                throw ex;
            }
            finally
            {
                if (iniFile != null)
                    iniFile.Close();
            }
        }
        else
            throw new FileNotFoundException("Unable to locate " + iniPath);

    }

    /// <summary>
    /// Returns the value for the given section, key pair.
    /// </summary>
    /// <param name="sectionName">Section name.</param>
    /// <param name="settingName">Key name.</param>
    public String GetSetting(String sectionName, String settingName)
    {
        SectionPair sectionPair;
        sectionPair.Section = sectionName.ToUpper();
        sectionPair.Key = settingName.ToUpper();

        return (String)keyPairs[sectionPair];
    }

    /// <summary>
    /// Enumerates all lines for given section.
    /// </summary>
    /// <param name="sectionName">Section to enum.</param>
    public String[] EnumSection(String sectionName)
    {
        ArrayList tmpArray = new ArrayList();

        foreach (SectionPair pair in keyPairs.Keys)
        {
            if (pair.Section == sectionName.ToUpper())
                tmpArray.Add(pair.Key);
        }

        return (String[])tmpArray.ToArray(typeof(String));
    }

    /// <summary>
    /// Adds or replaces a setting to the table to be saved.
    /// </summary>
    /// <param name="sectionName">Section to add under.</param>
    /// <param name="settingName">Key name to add.</param>
    /// <param name="settingValue">Value of key.</param>
    public void AddSetting(String sectionName, String settingName, String settingValue)
    {
        SectionPair sectionPair;
        sectionPair.Section = sectionName.ToUpper();
        sectionPair.Key = settingName.ToUpper();

        if (keyPairs.ContainsKey(sectionPair))
            keyPairs.Remove(sectionPair);

        keyPairs.Add(sectionPair, settingValue);
    }

    /// <summary>
    /// Adds or replaces a setting to the table to be saved with a null value.
    /// </summary>
    /// <param name="sectionName">Section to add under.</param>
    /// <param name="settingName">Key name to add.</param>
    public void AddSetting(String sectionName, String settingName)
    {
        AddSetting(sectionName, settingName, null);
    }

    /// <summary>
    /// Remove a setting.
    /// </summary>
    /// <param name="sectionName">Section to add under.</param>
    /// <param name="settingName">Key name to add.</param>
    public void DeleteSetting(String sectionName, String settingName)
    {
        SectionPair sectionPair;
        sectionPair.Section = sectionName.ToUpper();
        sectionPair.Key = settingName.ToUpper();

        if (keyPairs.ContainsKey(sectionPair))
            keyPairs.Remove(sectionPair);
    }

    /// <summary>
    /// Save settings to new file.
    /// </summary>
    /// <param name="newFilePath">New file path.</param>
    public void SaveSettings(String newFilePath)
    {
        ArrayList sections = new ArrayList();
        String tmpValue = "";
        String strToSave = "";

        foreach (SectionPair sectionPair in keyPairs.Keys)
        {
            if (!sections.Contains(sectionPair.Section))
                sections.Add(sectionPair.Section);
        }

        foreach (String section in sections)
        {
            strToSave += ("[" + section + "]\r\n");

            foreach (SectionPair sectionPair in keyPairs.Keys)
            {
                if (sectionPair.Section == section)
                {
                    tmpValue = (String)keyPairs[sectionPair];

                    if (tmpValue != null)
                        tmpValue = "=" + tmpValue;

                    strToSave += (sectionPair.Key + tmpValue + "\r\n");
                }
            }

            strToSave += "\r\n";
        }

        try
        {
            TextWriter tw = new StreamWriter(newFilePath);
            tw.Write(strToSave);
            tw.Close();
        }
        catch (Exception ex)
        {
            throw ex;
        }
    }

    /// <summary>
    /// Save settings back to ini file.
    /// </summary>
    public void SaveSettings()
    {
        SaveSettings(iniFilePath);
    }
}

38
+1は反対投票の上にオフセットします。あなたは本当に何に不満を感じますか?彼はそれを見つけたと言った。ジェネリックアクセサーと文字列ビルダーの使用法を持つものを見つけられなかったとして、彼に反対票を投じますか?
Tormod

1
@Tormod:コメントに反対投票できることを望みます。ソリューションに投票するときの技術フォーラムであり、(明らかに肯定的な)意図ではありません。クヌース自身が投稿したソリューションに欠陥があった場合、指摘されるべきであり、指摘されるべきです。解決策がポスターによって発見されたか、投稿者によって書かれたかは問題ではありません。
ya23

7
「欠陥」の定義を広げると思います。ソリューションがあなたの感性を強調しない場合は、賛成しないでください。私のコメントに賛成した他の7人の人がこれを自分で行わないようにするために、私はすでに彼の反対票を無効にしたというメモを残しました。
Tormod 2014

21

joerageの答えのコードは刺激的です。

残念ながら、これはキーの大文字と小文字を変更し、コメントを処理しません。そのため、非常にダーティなINIファイル(のみ)を読み取ることができ、キーをそのまま取得できるほど堅牢なものを書きました。

ネストされた大文字と小文字を区別しない文字列辞書であるLINQを使用して、セクション、キー、値を格納し、ファイルを一度に読み取ります。

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;

class IniReader
{
    Dictionary<string, Dictionary<string, string>> ini = new Dictionary<string, Dictionary<string, string>>(StringComparer.InvariantCultureIgnoreCase);

    public IniReader(string file)
    {
        var txt = File.ReadAllText(file);

        Dictionary<string, string> currentSection = new Dictionary<string, string>(StringComparer.InvariantCultureIgnoreCase);

        ini[""] = currentSection;

        foreach(var line in txt.Split(new[]{"\n"}, StringSplitOptions.RemoveEmptyEntries)
                               .Where(t => !string.IsNullOrWhiteSpace(t))
                               .Select(t => t.Trim()))
        {
            if (line.StartsWith(";"))
                continue;

            if (line.StartsWith("[") && line.EndsWith("]"))
            {
                currentSection = new Dictionary<string, string>(StringComparer.InvariantCultureIgnoreCase);
                ini[line.Substring(1, line.LastIndexOf("]") - 1)] = currentSection;
                continue;
            }

            var idx = line.IndexOf("=");
            if (idx == -1)
                currentSection[line] = "";
            else
                currentSection[line.Substring(0, idx)] = line.Substring(idx + 1);
        }
    }

    public string GetValue(string key)
    {
        return GetValue(key, "", "");
    }

    public string GetValue(string key, string section)
    {
        return GetValue(key, section, "");
    }

    public string GetValue(string key, string section, string @default)
    {
        if (!ini.ContainsKey(section))
            return @default;

        if (!ini[section].ContainsKey(key))
            return @default;

        return ini[section][key];
    }

    public string[] GetKeys(string section)
    {
        if (!ini.ContainsKey(section))
            return new string[0];

        return ini[section].Keys.ToArray();
    }

    public string[] GetSections()
    {
        return ini.Keys.Where(t => t != "").ToArray();
    }
}

4
それcatch (Exception ex) { throw ex; }をそこに入れないでくれてありがとう
マークシュルタイス

1
良い!正しく機能させるには、少なくともいくつかの変更が必要です。16行目:ini [""] = currentSection; To:// ini [""] = currentSection; この初期化により、最初の要素[0]が空のセグメントになるたびに、これを削除する必要があります。36行目:currentSection [line.Substring(0、idx)] = line.Substring(idx + 1); To:currentSection [line.Substring(0、idx).Trim()] = line.Substring(idx + 1).Trim(); キーと値は、Trim行だけでなく、個別にトリミングする必要があります。INIのように、通常K-> Vペアを追加する構成ファイルは、これらの等しい値をセクション内で揃える傾向があります。ありがとうございました!
LXSoft

お久しぶりです。あなたの提案をたくさんありがとう。それらはすべて意味があり、適切に更新するためにこのコードに値します。
Larry

13

完全にc#で作成したIniParserライブラリを紹介したいので、どのOSにも依存関係がなく、Mono互換です。MITライセンスのオープンソース-どのコードでも使用できます。

GitHubソースチェックアウトできます。でき、NuGetパッケージとしても入手できます。

それは非常に構成可能であり、本当に使いやすいです

恥知らずなプラグインで申し訳ありませんが、この答えを再検討する人の助けになることを願っています。


4

読み取りアクセスのみが必要で書き込みアクセスは必要なく、Microsoft.Extensions.Confiuration(ASP.NET Coreにデフォルトでバンドルされているが、通常のプログラムでも動作する)を使用している場合は、NuGetパッケージMicrosoft.Extensions.Configuration.Iniを使用して構成設定にiniファイルをインポートできます。

public Startup(IHostingEnvironment env)
{
    var builder = new ConfigurationBuilder()
        .SetBasePath(env.ContentRootPath)
        .AddIniFile("SomeConfig.ini", optional: false);
    Configuration = builder.Build();
}

追加するだけで、キーを取得できますConfiguration["keyname"]
kofifus

@scott私が抱えている問題は、何らかの理由でアプリの実行中にIISがそれを認識しないことです。デプロイされていますが、消費されていません。HTTP 500.30が返され、IISアプリログに「構成ファイルが見つからなかったため、オプションではありません」と表示されます。
one.beat.consumer

3

通常、C#と.NETフレームワークを使用してアプリケーションを作成する場合、INIファイルは使用しません。XMLベースの構成ファイルまたはレジストリに設定を保存する方が一般的です。ただし、ソフトウェアがレガシーアプリケーションと設定を共有している場合は、他の場所に情報を複製するよりも、構成ファイルを使用する方が簡単な場合があります。

.NETフレームワークは、INIファイルの直接使用をサポートしていません。ただし、Windows API関数をプラットフォーム呼び出しサービス(P / Invoke)で使用して、ファイルの書き込みと読み取りを行うことができます。このリンクでは、INIファイルを表すクラスを作成し、Windows API関数を使用してそれらを操作します。次のリンクにアクセスしてください。

INIファイルの読み取りと書き込み


4
レジストリに近づかないでください!アプリケーション構成データをレジストリに保存しないでください。
15年

3

セクションと他のDLLのない単純なリーダーが必要な場合は、ここで簡単な解決策を示します。

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text;
using System.Threading.Tasks;

namespace Tool
{
    public class Config
    {
        Dictionary <string, string> values;
        public Config (string path)
        {
            values = File.ReadLines(path)
            .Where(line => (!String.IsNullOrWhiteSpace(line) && !line.StartsWith("#")))
            .Select(line => line.Split(new char[] { '=' }, 2, 0))
            .ToDictionary(parts => parts[0].Trim(), parts => parts.Length>1?parts[1].Trim():null);
        }
        public string Value (string name, string value=null)
        {
            if (values!=null && values.ContainsKey(name))
            {
                return values[name];
            }
            return value;
        }
    }
}

使用例:

    file = new Tool.Config (Path.GetDirectoryName(System.Reflection.Assembly.GetExecutingAssembly().Location) + "\\config.ini");
    command = file.Value ("command");
    action = file.Value ("action");
    string value;
    //second parameter is default value if no key found with this name
    value = file.Value("debug","true");
    this.debug = (value.ToLower()=="true" || value== "1");
    value = file.Value("plain", "false");
    this.plain = (value.ToLower() == "true" || value == "1");

その間、構成ファイルの内容(ご覧のとおり、行コメントの#記号をサポートしています):

#command to run
command = php

#default script
action = index.php

#debug mode
#debug = true

#plain text mode
#plain = false

#icon = favico.ico

3

この方法を試してください:

public static Dictionary<string, string> ParseIniDataWithSections(string[] iniData)
{
    var dict = new Dictionary<string, string>();
    var rows = iniData.Where(t => 
        !String.IsNullOrEmpty(t.Trim()) && !t.StartsWith(";") && (t.Contains('[') || t.Contains('=')));
    if (rows == null || rows.Count() == 0) return dict;
    string section = "";
    foreach (string row in rows)
    {
        string rw = row.TrimStart();
        if (rw.StartsWith("["))
            section = rw.TrimStart('[').TrimEnd(']');
        else
        {
            int index = rw.IndexOf('=');
            dict[section + "-" + rw.Substring(0, index).Trim()] = rw.Substring(index+1).Trim().Trim('"');
        }
    }
    return dict;
}

キーが「-」の辞書を作成します。次のようにロードできます。

var dict = ParseIniDataWithSections(File.ReadAllLines(fileName));

3

PeanutButter.INIは、INIファイルを操作するためのNugetパッケージのクラスです。コメントを含む読み取り/書き込みをサポートします–コメントは書き込み時に保持されます。かなり人気があり、テストされており、使いやすいようです。また、完全に無料でオープンソースです。

免責事項:私はPeanutButter.INIの作成者です。


PeanutButter.INIドキュメントへのリンクを提供していただけませんか?
Shroombaker


3

私はパーティーに参加するのが遅いですが、今日同じ問題があり、次の実装を作成しました:

using System.Text.RegularExpressions;

static bool match(this string str, string pat, out Match m) =>
    (m = Regex.Match(str, pat, RegexOptions.IgnoreCase)).Success;

static void Main()
{
    Dictionary<string, Dictionary<string, string>> ini = new Dictionary<string, Dictionary<string, string>>();
    string section = "";

    foreach (string line in File.ReadAllLines(.........)) // read from file
    {
        string ln = (line.Contains('#') ? line.Remove(line.IndexOf('#')) : line).Trim();

        if (ln.match(@"^[ \t]*\[(?<sec>[\w\-]+)\]", out Match m))
            section = m.Groups["sec"].ToString();
        else if (ln.match(@"^[ \t]*(?<prop>[\w\-]+)\=(?<val>.*)", out m))
        {
            if (!ini.ContainsKey(section))
                ini[section] = new Dictionary<string, string>();

            ini[section][m.Groups["prop"].ToString()] = m.Groups["val"].ToString();
        }
    }


    // access the ini file as follows:
    string content = ini["section"]["property"];
}

この実装は、見つからないセクションまたはプロパティを処理しないことに注意してください。これを実現するには、Dictionary<,>-classを拡張して、見つからないキーを処理する必要があります。


インスタンスをシリアル化するためDictionary<string, Dictionary<string, string>>.ini-file、私は次のコードを使用します。

string targetpath = .........;
Dictionary<string, Dictionary<string, string>> ini = ........;
StringBuilder sb = new StringBuilder();

foreach (string section in ini.Keys)
{
    sb.AppendLine($"[{section}]");

    foreach (string property in ini[section].Keys)
        sb.AppendLine($"{property}={ini[section][property]");
}

File.WriteAllText(targetpath, sb.ToString());

2

CommonLibrary.NETで利用可能なIni Parserがあります。

これには、セクション/値を取得するためのさまざまな非常に便利なオーバーロードがあり、非常に軽量です。


1
ライブラリのトップレベルを見ても明らかではない場合(私には明らかではありませんでした)、IniDcoumentクラスなどはComLib.IOにあります。
Tim Keating

2
この経路を見る人にとって、CommonLibrary.NETは.INI規則に従っていないようです。等号の代わりにコロン「:」を区切り文字として使用し、コメントを処理しません(セミコロンまたはポンド記号で行を開始すると、解析が失敗します)。
jmmr 2013

2

これが正規表現を使用した自分のバージョンです。このコードは、各セクション名が一意であることを前提としています。ただし、そうでない場合は、DictionaryをListに置き換えるのが理にかなっています。この関数は、 ';'で始まる.iniファイルのコメントをサポートします。キャラクター。セクションは通常どおり[セクション]で始まり、キーと値のペアも通常は「キー=値」になります。セクションと同じ仮定-キー名は一意です。

/// <summary>
/// Loads .ini file into dictionary.
/// </summary>
public static Dictionary<String, Dictionary<String, String>> loadIni(String file)
{
    Dictionary<String, Dictionary<String, String>> d = new Dictionary<string, Dictionary<string, string>>();

    String ini = File.ReadAllText(file);

    // Remove comments, preserve linefeeds, if end-user needs to count line number.
    ini = Regex.Replace(ini, @"^\s*;.*$", "", RegexOptions.Multiline);

    // Pick up all lines from first section to another section
    foreach (Match m in Regex.Matches(ini, "(^|[\r\n])\\[([^\r\n]*)\\][\r\n]+(.*?)(\\[([^\r\n]*)\\][\r\n]+|$)", RegexOptions.Singleline))
    {
        String sectionName = m.Groups[2].Value;
        Dictionary<String, String> lines = new Dictionary<String, String>();

        // Pick up "key = value" kind of syntax.
        foreach (Match l in Regex.Matches(ini, @"^\s*(.*?)\s*=\s*(.*?)\s*$", RegexOptions.Multiline))
        {
            String key = l.Groups[1].Value;
            String value = l.Groups[2].Value;

            // Open up quotation if any.
            value = Regex.Replace(value, "^\"(.*)\"$", "$1");

            if (!lines.ContainsKey(key))
                lines[key] = value;
        }

        if (!d.ContainsKey(sectionName))
            d[sectionName] = lines;
    }

    return d;
}

その機能は私には機能しません。2つのセクションの1つを忘れてしまいます。[セクション]の前に、空の行を付けて、または付けずに試しました。
iksess

機能しない.iniの例をコピーできますか?
TarmoPikaro 2016年

-3

これが私のクラスです、魅力のように動作します:

public static class IniFileManager
{


    [DllImport("kernel32")]
    private static extern long WritePrivateProfileString(string section,
        string key, string val, string filePath);
    [DllImport("kernel32")]
    private static extern int GetPrivateProfileString(string section,
             string key, string def, StringBuilder retVal,
        int size, string filePath);
    [DllImport("kernel32.dll")]
    private static extern int GetPrivateProfileSection(string lpAppName,
             byte[] lpszReturnBuffer, int nSize, string lpFileName);


    /// <summary>
    /// Write Data to the INI File
    /// </summary>
    /// <PARAM name="Section"></PARAM>
    /// Section name
    /// <PARAM name="Key"></PARAM>
    /// Key Name
    /// <PARAM name="Value"></PARAM>
    /// Value Name
    public static void IniWriteValue(string sPath,string Section, string Key, string Value)
    {
        WritePrivateProfileString(Section, Key, Value, sPath);
    }

    /// <summary>
    /// Read Data Value From the Ini File
    /// </summary>
    /// <PARAM name="Section"></PARAM>
    /// <PARAM name="Key"></PARAM>
    /// <PARAM name="Path"></PARAM>
    /// <returns></returns>
    public static string IniReadValue(string sPath,string Section, string Key)
    {
        StringBuilder temp = new StringBuilder(255);
        int i = GetPrivateProfileString(Section, Key, "", temp,
                                        255, sPath);
        return temp.ToString();

    }

}

静的クラスなので、使い方は明らかです。セクションを読み取るにはIniFileManager.IniWriteValueを、セクションを読み取るにはIniFileManager.IniReadValueを呼び出します。


このアプローチはすでに示され、別の回答で説明されています。あなたの答えはそれでカバーされていないことを何を追加しますか?
Palec、2018年

.iniファイルがUNICODE(16ビットLE)で保存されている場合にのみ機能することに注意してください。Notepad ++を使用してテキストをUnicodeに変換します。UTF-8で保存すると機能しません。また、ANSIも使用できますが、アクセント付きの文字は読み込めません
user2991288

-6

オブジェクト全体をxmlに保存したり、保存されたxmlからオブジェクトを生成したりできるため、xmlファイルからデータを読み書きする必要があります。オブジェクトを操作する方が簡単です。

書き込み対象のデータをXMLファイルに:ここでそれを行う方法であるhttps://msdn.microsoft.com/en-us/library/ms172873.aspx 読み出し対象データXMLファイルから:https://msdn.microsoft。 com / en-us / library / ms172872.aspx


1
外部リソースへのリンクを推奨しますが、リンクの前後にコンテキストを追加して、他のユーザーがそれが何であるか、なぜそこにあるのかを理解できるようにしてください。ターゲットサイトにアクセスできない場合や、完全にオフラインになる場合に備えて、重要なリンクの最も関連性の高い部分を常に引用してください。
davejal

リンクのタイトルは、その参照/コンテキストについて非常に明確であると思います。それでは不十分だと思われる場合は、自由に編集してください。
ダニエル

1
実際の質問には対応していません。
Erik Knowles
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.