Get content of Document and save
우리가 사용할 수 있는 Document라는 개체는 명확하게 문서를 의미하는 개체는 아니라서 실제 문서 개체를 얻기 위해서는 Object 메서드를 통해서 얻어야 한다. 이를 통해서 “TextDocument” 개체를 얻을 수 있는데, 이 개체는 편집 위치들을 가지고 있기 때문에 처리할 영역에 대한 시작과 끝 위치를 지정해 주어야 한다. 현재 예제에서는 전체 영역을 다 사용하는 것으로 한다. 그리고 내용을 변경한 다음에 변경된 내용을 저장한다.
아래의 코드는 이런 작업을 수행하는 것이다.
1: private static string getDocumentText(Document document) {
2: TextDocument textDocument = (TextDocument)document.Object("TextDocument");
3: EditPoint editPoint = textDocument.StartPoint.CreateEditPoint();
4: string content = editPoint.GetText(textDocument.EndPoint);
5: return content;
6: }
7:
8: private static void saveDocumentText(Document document, string content) {
9: TextDocument textDocument = (TextDocument)document.Object("TextDocument");
10: EditPoint startPoint = textDocument.StartPoint.CreateEditPoint();
11: EditPoint endPoint = textDocument.EndPoint.CreateEditPoint();
12: startPoint.ReplaceText(endPoint, content, 0);
13: document.Save();
14: }
INI file parser
처음 예제에 템플릿을 추가할 때는 *.tini 파일의 자식으로 INI 파일 운영을 위한 클래스를 같이 생성했었다. 그러나 이제는 INI 파일이 변경된 경우에도 처리할 수 있도록 클래스를 재 생성해 주어야 하는 상황이 발생했으므로 이를 처리하기 위해서는 우선 INI 파일의 정보를 읽어 들이는 Parser 가 필요하다. 이름은 “INIParser.cs” 로 하고 FDTWorksTool.Library 프로젝트에 “Parsers” 폴더를 추가한 후에 클래스를 추가하고 아래의 코드와 같이 구성하도록 한다.
1: using System;
2: using System.Collections.Generic;
3: using System.Globalization;
4: using System.Linq;
5: using System.Text;
6: using System.Threading.Tasks;
7:
8: namespace FDTWorksTool.Library.Parsers {
9: public class INIParser {
10: #region Fields
11:
12: private readonly string iniContent;
13: private readonly Dictionary<string, Dictionary<string, string>> content;
14:
15: #endregion
16:
17: #region Constructors
18:
19: public INIParser(string content) {
20: this.iniContent = content;
21: this.content = new Dictionary<string, Dictionary<string, string>>(StringComparer.OrdinalIgnoreCase);
22: this.Load();
23: }
24:
25: #endregion
26:
27: #region Properties
28:
29: public string IniPath { get; private set; }
30: public CultureInfo Culture { get; private set; }
31: public IEnumerable<string> Categories {
32: get {
33: foreach (var item in this.content)
34: yield return item.Key;
35: }
36: }
37:
38: #endregion
39:
40: #region Methdos
41:
42: public void Load() {
43: string section = null;
44: this.content.Clear();
45: foreach (string line in this.iniContent.Split(new[] { '\r', '\f', '\n' })) {
46: string prepared = line.Trim();
47: if (string.IsNullOrWhiteSpace(prepared)) continue;
48: if (line.StartsWith("[") || line.EndsWith("]")) {
49: section = prepared.Substring(1, prepared.Length - 2);
50: this.content.Add(section, new Dictionary<string, string>(StringComparer.InvariantCultureIgnoreCase));
51: } else if (!line.StartsWith("#") && !string.IsNullOrWhiteSpace(line) && section != null) {
52: int expl = line.IndexOf('=');
53: if (expl > 0)
54: this.content[section][line.Substring(0, expl)] = line.Substring(expl + 1);
55: else
56: this.content[section][line] = "";
57: }
58: }
59: }
60:
61: public IEnumerable<string> GetCategoryItems(string section) {
62: if (!this.content.ContainsKey(section)) yield break;
63: foreach (var kvp in this.content[section])
64: yield return kvp.Key;
65: }
66:
67: public string GetValue(string id, string section) {
68: if (!this.content.ContainsKey(section)) return null;
69: if (!this.content[section].ContainsKey(id)) return null;
70: return this.content[section][id];
71: }
72:
73: #endregion
74: }
75: }
위의 코드는 INI 파일을 읽어서 구성된 데이터를 Dictionary<string, Dictionary<string, string>> 포맷으로 관리하기 위한 것이다. 즉, 섹션 별로 키/값 들을 관리하는 것이다.
이제 *.tini 파일에 연계되어 있는 *.cs 파일을 읽어서 INI 파일의 내용에 따라서 아래와 같은 구성이 될 수 있도록 Parser를 구성하여야 한다.
- 섹션과 연계되는 클래스들 선언 – “/*classes{{*/” ~ /*}}*/ 내부 내용 치환
- 섹션 내의 값과 연동되는 변수들 선언 – “/*variables{{*/” ~ /*}}*/ 내부 내용 치환
- 섹션 정보 초기화 – “/*initialize{{*/” ~ /*}}*/ 내부 내용 치환
- 섹션 값 로드 – “/*load{{*/” ~ /*}}*/ 내부 내용 치환
- 섹션 값 저장 – “/*save{{*/” ~ /*}}*/ 내부 내용 치환
물론 기존에 추가했었던 INIParserTemplate에 있는 iniTemplate.cs 파일도 아래의 코드와 같이 치환 영역을 미리 설정해 두어야 한다.
1: using System;
2: using System.Collections.Generic;
3: using System.Globalization;
4: using System.IO;
5:
6: $if$ ($targetframeworkversion$ >= 3.5)using System.Linq;
7: $endif$
8:
9: namespace $rootnamespace$
10: {
11: public class $safeitemrootname$
12: {
13: #region Internal Classes
14:
15: /*classes{{*/
16: /*}}*/
17:
18: #endregion
19:
20: #region Internal Variabels
21:
22: /*variables{{*/
23: /*}}*/
24:
25: #endregion
26:
27: #region Fields
28:
29: private readonly Dictionary<string, Dictionary<string, string>> content;
30:
31: #endregion
32:
33: #region Constructors
34:
35: public $safeitemrootname$(string path, CultureInfo culture) {
36: // Initialize the internal data structures
37: /*initialize{{*/
38: /*}}*/
39: this.IniPath = path;
40: this.Culture = culture;
41: this.content = new Dictionary<string, Dictionary<string, string>>(StringComparer.OrdinalIgnoreCase);
42: if (!File.Exists(path)) {
43: this.Save();
44: }
45: this.Load();
46: }
47:
48: #endregion
49:
50: #region Properties
51:
52: public string IniPath { get; private set; }
53: public CultureInfo Culture { get; private set; }
54:
55: #endregion
56:
57: #region Methods
58:
59: public void Load() {
60: string section = null;
61: this.content.Clear();
62: foreach(var line in File.ReadAllLines(this.IniPath)) {
63: var prepared = line.Trim();
64: if (line.StartsWith("[") && line.EndsWith("]")) {
65: section = prepared.Substring(1, prepared.Length - 2);
66: this.content.Add(section, new Dictionary<string, string>(StringComparer.InvariantCultureIgnoreCase));
67: } else if (!line.StartsWith("#") && !string.IsNullOrWhiteSpace(line) && section != null) {
68: var expl = line.IndexOf('=');
69: if (expl > 0)
70: this.content[section][line.Substring(0, expl)] = line.Substring(expl + 1);
71: }
72: }
73:
74: // After this the categoris classes will be loaded
75: /*load{{*/
76: /*}}*/
77: }
78:
79: public void Save() {
80: // After this the categories classes will be saved
81: /*save{{*/
82: /*}}*/
83: var text = string.Empty;
84: text += this.WriteLine("[INISetup]");
85: text += this.WriteLine("Culture=" + this.Culture.Name);
86:
87: foreach(var category in this.content) {
88: var cat = category;
89: if (cat.Key != "INISetup") {
90: text += this.WriteLine("[" + cat.Key + "]");
91: foreach(var val in cat.Value) {
92: text += this.WriteLine(val.Key + "=" + val.Value);
93: }
94: }
95: }
96: File.WriteAllText(this.IniPath, text);
97: }
98:
99: public string GetValue(string id, string section) {
100: if (!this.content.ContainsKey(section)) return null;
101: if (!this.content[section].ContainsKey(id)) return null;
102: return this.content[section][id];
103: }
104:
105: public void SetValue(string id, string section, string value) {
106: if (!this.content.ContainsKey(section)) return null;
107: if (!this.content[section].ContainsKey(id)) return null;
108: this.content[section][id] = value;
109: }
110:
111: public string WriteLine(string line) {
112: return line + "\r\n";
113: }
114:
115: #endregion
116: }
117: }
이런 처리를 수행하기 위해서 “INIClassParser.cs” 라는 이름으로 클래스를 추가하고 아래의 코드로 설정해야 한다. 현재는 정식으로 처리하는 것이 아니고 문장열로 클래스를 구성하는 방식을 사용하고 있기 때문에 약간의 변수 치환 방식을 사용하여 코드를 구성하도록 한다. 아래의 코드는 처리를 수행하도록구성된 클래스다.
1: using System;
2: using System.Collections.Generic;
3: using System.Linq;
4: using System.Text;
5: using System.Threading.Tasks;
6:
7: namespace FDTWorksTool.Library.Parsers {
8: public class INIClassParser {
9: #region Fields
10:
11: private string iniClassContent;
12: private readonly INIParser parser;
13:
14: #endregion
15:
16: #region Constructors
17:
18: public INIClassParser(string iniClassContent, INIParser parser) {
19: this.iniClassContent = iniClassContent;
20: this.parser = parser;
21: }
22:
23: #endregion
24:
25: #region Methods
26:
27: public string Parse() {
28: string iniClasses = string.Empty;
29: string iniVariables = string.Empty;
30: string iniInitialize = string.Empty;
31: string iniLoad = string.Empty;
32: string iniSave = string.Empty;
33:
34: write("/*classes{{*/", ref iniClasses);
35: write("/*variables{{*/", ref iniVariables);
36: write("/*initialize{{*/", ref iniInitialize);
37: write("/*load{{*/", ref iniLoad);
38: write("/*save{{*/", ref iniSave);
39:
40: foreach (string section in this.parser.Categories) {
41: if (section == "INISetup") continue;
42: var varName = firstUppercase(section);
43: var className = varName + "Class";
44:
45: write(string.Format("\t\t{1} = new {0}();", className, varName), ref iniInitialize);
46: write(string.Format("\tpublic {0} {1} {{ get; private set; }}", className, varName), ref iniVariables);
47: write("", ref iniClasses);
48: write(string.Format("\tpublic class {0} {{", className), ref iniClasses);
49:
50: foreach (string single in this.parser.GetCategoryItems(section)) {
51: string singleName = firstUppercase(single);
52: string singleValue = this.parser.GetValue(singleName, section);
53: if (null == singleValue) singleValue = string.Empty;
54: string singleValueCleaned = singleValue.Replace("\"", "\\\"");
55:
56: write(string.Format("\t\t{0}.{1}=\"{2}\";", varName, singleName, singleValueCleaned), ref iniInitialize);
57: write(string.Format("\t\t{0}.{1} = this.GetValue(\"{1}\", \"{0}\");", varName, singleName), ref iniLoad);
58: write(string.Format("\t\tthis.SetValue(\"{1}\", \"{0}\", {0}, {1});", varName, singleName), ref iniSave);
59: write(string.Format("\t\tpublic string {0} {{ get; set; }}", singleName), ref iniClasses);
60: }
61:
62: write("\t}", ref iniClasses);
63: }
64:
65: write("\t/*}}*/", ref iniClasses);
66: write("\t/*}}*/", ref iniVariables);
67: write("\t\t/*}}*/", ref iniLoad);
68: write("\t\t/*}}*/", ref iniSave);
69:
70: this.replaceBlock("/*classes{{*/", "/*}}*/", iniClasses);
71: this.replaceBlock("/*variables{{*/", "/*}}*/", iniVariables);
72: this.replaceBlock("/*intialize{{*/", "/*}}*/", iniInitialize);
73: this.replaceBlock("/*load{{*/", "/*}}*/", iniLoad);
74: this.replaceBlock("/*save{{*/", "/*}}*/", iniSave);
75:
76: return this.iniClassContent.Replace("\r\n\r\n", "\r\n");
77: }
78:
79: private void replaceBlock(string from, string to, string with) {
80: int start = this.iniClassContent.IndexOf(from, StringComparison.InvariantCultureIgnoreCase);
81: if (start < 0) throw new ArgumentException("Missing start tag " + from, "from");
82: int end = this.iniClassContent.IndexOf(to, StringComparison.InvariantCultureIgnoreCase);
83: if (end < 0) throw new ArgumentException("Missing end tag " + to, "to");
84:
85: string newContent = this.iniClassContent.Substring(0, start);
86: newContent += with;
87: newContent += this.iniClassContent.Substring(end);
88: this.iniClassContent = newContent;
89: }
90:
91: #endregion
92:
93: #region Static Methods
94:
95: private static void write(string write, ref string content, bool crLf = true) {
96: content += write;
97: if (crLf) content += "\r\n";
98: }
99:
100: private static string firstUppercase(string target) {
101: return target.Substring(0, 1).ToUpper() + target.Substring(1);
102: }
103:
104: #endregion
105: }
106: }
파서 구성이 되었으므로 위에서 잠시 언급했던 INI 파일이 저장되는 시점의 이벤트에서 INI 파일의 내용을 읽어서 연계된 *.cs 파일의 내용을 Parser 를 통해서 재 구성하는 부분을 아래의 그림과 같이 추가해 주어야 한다.
Connect to Command
이제 내부적으로 INI 파일이 저장되는 시점에 처리는 완성이 되었으므로 저장 시점이 아니라도 클래스를 재 생성할 수 있도록 Visual Studio 에서 메뉴를 사용해서 처리가 될 수 있도록 Command 와 연결할 필요가 있다. 이전 게시글에서 항목의 Context Menu 에 FDTWorks > Generate Ini 메뉴를 추가했던 것을 기억할 수 있을 것이다. 이번에는 그 메뉴의 Command 에 클래스 재 생성을 연결하는 코드를 아래와 같이 작성하면 된다.
Command Visibility
추가적으로 특정한 파일을 선택한 경우만 Menu 가 보이도록 하면 더 좋은 사용자 편의가 제공되는 것이기 때문에 다음과 같이 Menu 처리를 변경하도록 한다. 기존 패키지 클래스의 initialize 부분에서 구성했던 MenuCommand 에 “Before Query State” 이벤트를 추가로 연결하여 선택된 파일이 뭔지에 따라서 해당 메뉴의 Visibility를 변경하도록 아래와 같이 구성한다.
메뉴를 동적으로 보여질 수 있도록 처리를 했으므로 이제는 Visual Studio 가 동적으로 Menu 에 사용하는 Button을 동적으로 보여줄 수 있도록 Command 들을 정의했던 *.vsct 파일에도 설정을 해 주어야 한다.
이제 모든 작업이 완성되었다. 실행을 해서 INI 파일을 변경하고 저장을 하는 경우와 INI 파일을 선택하고 메뉴를 사용해서 해당 클래스가 제대로 생성이 되는지를 확인해 보면 된다.
아마 제대로 수행되는 것처럼 보이겠지만, 몇 가지 오류 상황들이 숨어있을 수 있기 때문에 지금까지 작업한 것을 이해하고, 관련된 흐름이 어떻게 운영되지는지를 이해할 겸해서 오류를 잡아서 완전하게 수행되는 버전을 완성시키는 것도 큰 도움이 될 것이다.
^^
댓글
댓글 쓰기