读取/写入INI文件


263

.NET框架中是否有可以读取/写入标准.ini文件的类:

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

Delphi具有TIniFile组件,我想知道C#是否有类似的东西?


RemObjects具有一个名为ShineOn的Delphi Prism库,该库附带了一个类似的INI文件类。但是,由于尚无可用的汇编程序集,因此您需要让Delphi Prism从源代码为.NET进行编译。code.remobjects.com/p/shineon
Lex Li

1
遇到了同样的问题,并创建了自己的库来解析ini文件:github.com/rickyah/ini-parser希望对您有所帮助
Ricardo Amores

5
就像Ricky一样,我决定为此制定自己的解决方案。它可在以下网址
Mario Z

Answers:


185

.NET框架的创建者希望您使用基于XML的配置文件,而不是INI文件。因此,没有内置的机制可以读取它们。

但是,有第三方解决方案可用。


24
尽管确实可以使用XML配置文件,但这仍然不能解决问题,或者VLQ仅用于链接。
丹尼·贝克特

6
@aloneguid我认为,大量可用功能实际上促成了.NET配置文件,最终成为奇怪的庞然大物,其中蕴藏着许多魔力。它们已成为“配置文件中的代码”,这导致很多复杂性,奇怪的行为,并使配置管理更加困难。(我正在查看您的数据库“提供者”和连接字符串。)因此,INI文件通常也更适合非手动编辑。
jpmc26

1
我喜欢旧方法(P / Inovke),并且可以将unicode与这样的旧方法一起使用: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;
        }
    }
}

如何使用它

通过以下三种方式之一打开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()方法。
stil 2016年

2
也许更传统的默认设置是按应用程序(而不是按程序集)的.ini文件,例如Path.GetFullPath(IniPath ?? Path.ChangeExtension(Application.ExecutablePath, ".ini"))
Eugene Ryabtsev '16

3
非常好 !把它放在github上?
Emrys Myrooin '16

2
@丹尼·贝克特(Danny Beckett),做得很好。这几乎与我过去.NET几年中使用的相同。从几年前的旧代码升级。
Damian

10
现在已经很老了,就我所知Raymond Chen而言,该文章中的许多限制是Windows中特定INI库的限制,而不是INI格式本身。其他权限,例如细化权限,可以通过多个文件轻松回避。一个官方的,现代化的INI库将最欢迎,即使到了今天。
Joel Coehoorn

68

有关CodeProject的本文“ 使用C#的INI文件处理类 ”应该会有所帮助。

作者创建了一个C#类“ Ini”,该类公开了KERNEL32.dll中的两个函数。这些函数是: WritePrivateProfileStringGetPrivateProfileString。您将需要两个名称空间:System.Runtime.InteropServicesSystem.Text

使用Ini类的步骤

在您的项目名称空间定义中添加

using INI;

像这样创建一个INIFile

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

用于IniWriteValue将新值写入节中的特定键,或用于IniReadValue从特定节中的键读取值。

注意:如果您是从头开始,则可以阅读此MSDN文章如何:将应用程序配置文件添加到C#项目。这是配置应用程序的更好方法。


1
我想阅读完整的INI文件。如何执行相同的操作而不是阅读部分,关键
Venkat 2010年

这对我有用,然后从另一点停止工作。仍然不知道引擎盖下发生了什么变化
nawfal 2012年

1
当心使用不推荐使用的Win32 API函数。更多信息:stackoverflow.com/questions/11451641/...
Pedro77

我使用这种方法已经有一段时间了,但是从Win7开始的安全性增强功能对我来说几乎是消灭了。您仍然可以使用这种方法,但是您将.ini存储在ProgramData中,并使您的应用程序在那里读写。
2014年

不要将应用程序配置ini文件保存在ProgramData中。它们不属于注册表或ProgramData。配置文件应该位于LocalApplicationData文件夹中。
迪吉

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以抵消向下投票。你到底在抱怨什么?他说找到了。您对他没有找到具有通用访问器和stringbuilder用法的人感到不满吗?
Tormod

1
@Tormod:希望我可以拒绝评论。当我们对解决方案进行投票时,这是一个技术论坛,而不是(显然是积极的)意图。如果Knuth自己发布的解决方案存在缺陷,则将-应该指出。解决方案是发帖人找到还是写的都没关系。
2014年

7
我认为您可以扩展“缺陷”的定义。如果解决方案没有强调您的敏感性,那就不要投票。我只留下了一条纸条,说我已经否定了他的反对意见,因此其他赞成我评论的7个人不会自己这样做。
Tormod 2014年

21

笑话答案中的代码鼓舞人心。

不幸的是,它更改了键的字符大小写并且不处理注释。因此,我写了一些东西,应该足够健壮,以(仅)读取非常脏的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; }在那里
马克Schultheiss

1
好!至少需要进行一些更改才能更好地工作。第16行:ini [“”] = currentSection; 要:// // ini [“”] = currentSection; 由于每次初始化,第一个元素[0]都会是一个空段,因此必须将其删除。第36行:currentSection [line.Substring(0,idx)] = line.Substring(idx + 1); 到:currentSection [line.Substring(0,idx).Trim()] = line.Substring(idx + 1).Trim(); 键和值应单独修剪,不仅在Trim行上。在类似INI的配置文件中,通常添加K-> V对的文件倾向于使这些等号在部分内对齐。谢谢!
LXSoft

我们已经很久了。非常感谢您的建议。它们都有道理,值得重新编写此代码。
拉里(Larry


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 App日志显示“找不到配置文件,它不是可选的”。
one.beat.consumer

3

通常,当您使用C#和.NET框架创建应用程序时,将不会使用INI文件。通常将设置存储在基于XML的配置文件或注册表中。但是,如果您的软件与旧版应用程序共享设置,则使用它的配置文件可能比在其他位置复制信息更容易。

.NET框架不直接支持INI文件的使用。但是,您可以将Windows API函数与Platform Invocation Services(P / Invoke)结合使用来写入和读取文件。在此链接中,我们创建一个表示INI文件的类,并使用Windows API函数对其进行操作。请通过以下链接。

读取和写入INI文件


4
远离注册表!应用程序配置数据不应保存在注册表中。
2015年

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

我来晚了,但是今天我遇到了同样的问题,并且编写了以下实现:

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 2010年

2
对于任何使用此方法的人,CommonLibrary.NET似乎都不遵循.INI约定。它使用冒号“:”作为分隔符而不是等号,并且不处理注释(以分号或井号开头的行将导致解析失败)。
jmmr

2

这是我自己的版本,使用正则表达式。该代码假定每个部分的名称都是唯一的-如果不是,则用List替换Dictionary是有意义的。此功能支持以';'开头的.ini文件注释。字符。Section通常以[section]开始,并且键值对也通常为“ key = value”。与部分相同的假设-键名是唯一的。

/// <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;
}

对于我来说,该功能不起作用:它会一分为二。我在[Section]之前尝试了有无空行。
iksess

您可以复制不起作用的.ini示例吗?
TarmoPikaro '16

-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

请注意,只有将.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 / zh-CN / library / ms172872.aspx


1
鼓励链接到外部资源,但是请在链接周围添加上下文,以便您的其他用户会知道它是什么以及为什么在那里。如果目标站点无法访问或永久离线,请始终引用重要链接中最相关的部分。
davejal

我认为链接标题对其引用/上下文非常清楚。如果您认为这还不够,请随时对其进行编辑。
丹尼尔(Daniel)

1
不解决实际问题。
埃里克·诺尔斯
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.