在C# WinForm应用程序中,INI文件常被用作简单的配置文件,用于存储应用程序的设置和参数。INI文件是一种文本文件,其结构通常包括节(Sections)和键值对(Key-Value Pairs)。每个节都包含一个或多个键值对,用于存储相关的配置信息。
本文将介绍如何在C# WinForm程序中读取和写入INI配置文件,包括创建INI文件、读取INI文件中的数据以及向INI文件中写入数据。
一、INI文件的基本结构
INI文件的基本结构非常简单,由节(Sections)和键值对(Key-Value Pairs)组成。每个节由方括号包围,例如[SectionName]
,而键值对则是以等号=
分隔的字符串,例如Key=Value
。下面是一个简单的INI文件示例:
[AppSettings]
Setting1=Value1
Setting2=Value2
[Database]
Server=localhost
Port=3306
在这个示例中,有两个节:AppSettings
和Database
。每个节下都有一些键值对,用于存储配置信息。
二、读取INI文件中的数据
在C#中,可以使用System.Configuration
命名空间下的IniFile
类或者System.IO
命名空间下的文件操作方法来读取INI文件中的数据。这里我们使用System.IO
的方法来实现。
using System;
using System.IO;
using System.Text;
using System.Collections.Generic;
public class IniFileReader
{
private string filePath;
public IniFileReader(string filePath)
{
this.filePath = filePath;
}
public string ReadValue(string section, string key)
{
string value = string.Empty;
if (File.Exists(filePath))
{
var lines = File.ReadAllLines(filePath, Encoding.Default);
foreach (var line in lines)
{
var trimmedLine = line.Trim();
if (trimmedLine.StartsWith("[") && trimmedLine.EndsWith("]"))
{
var currentSection = trimmedLine.Substring(1, trimmedLine.Length - 2);
if (currentSection == section)
{
var keyValue = line.Split('=');
if (keyValue.Length == 2 && keyValue[0].Trim() == key)
{
value = keyValue[1].Trim();
break;
}
}
}
}
}
return value;
}
}
使用上述IniFileReader
类,你可以像下面这样读取INI文件中的数据:
var reader = new IniFileReader("path_to_your_file.ini");
string setting1Value = reader.ReadValue("AppSettings", "Setting1");
Console.WriteLine(setting1Value); // 输出: Value1
三、向INI文件中写入数据
向INI文件中写入数据同样可以使用System.IO
命名空间下的文件操作方法来实现。下面是一个简单的示例:
using System;
using System.IO;
using System.Text;
public class IniFileWriter
{
private string filePath;
public IniFileWriter(string filePath)
{
this.filePath = filePath;
}
public void WriteValue(string section, string key, string value)
{
var lines = new List<string>();
bool isSectionFound = false;
if (File.Exists(filePath))
{
lines = File.ReadAllLines(filePath, Encoding.Default).ToList();
}
foreach (var line in lines)
{
var trimmedLine = line.Trim();
if (trimmedLine.StartsWith("[") && trimmedLine.EndsWith("]"))
{
var currentSection = trimmedLine.Substring(1, trimmedLine.Length - 2);
if (currentSection == section)
{
isSectionFound = true;
var keyValueLine = $"{key}={value}";
int index = lines.IndexOf(line);
lines.Insert(index + 1, keyValueLine);
break;
}
}
}
if (!isSectionFound)
{
lines.Add($"[{section}]");
lines.Add($"{key}={value}");
}
File.WriteAllLines(filePath, lines, Encoding.Default
该文章在 2024/3/26 18:36:05 编辑过