C언어에서는 프로그래머가 출력하는 것을 간단하게 지원해주는 장치가 있다.

 그걸 사용하기 위해서 지원해주는 라이브러리로 'stdio.h'[Standard I/O]이다.

 

 stdio.h을 사용한 간단한 예제 코드를 작성해보자.

1
2
3
4
5
6
7
8
9
#include <stdio.h>
 
int main(int argc, char** argv)
{
    printf("Hello, World!\n");
 
    return 0;
}
 
cs

 

이것은 printf라는 함수를 이용해서 간단한 문장을 작성한 것이며, \n은 '개행 문자'라고하여, 다음 줄로 넘어간 후 콘솔의 첫번째 위치로 이동하는 걸 뜻한다.

 특수 문자 및 특수 기능을 하는 것은 '\'을 붙여서 작성한다.

 

 예을 들어서 Hello, World!을 쌍따옴표(")에 둘려 싸게 하고 싶다면,

1
2
3
4
5
6
7
8
9
#include <stdio.h>
 
int main(int argc, char** argv)
{
    printf("\"Hello, World!\"\n");
 
    return 0;
}
 
cs

 

printf말고 다양한 출력 기능이 있는데.

puts(put string)과, putchar(put character)가 있다.

puts는 문자열을 출력한 후 끝에 "\n"을 붙여주고,

putchar는 한 글자씩 출력한다.

 

puts의 예제

1
2
3
4
5
6
7
#include <stdio.h> 
 
int main() {
    puts("Hello, World!");
    return 0;
}
 
cs

 

 

putchar의 예제

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
#include <stdio.h>
 
int main() {
    putchar('H');
    putchar('e');
    putchar('l');
    putchar('l');
    putchar('o');
    putchar(',');
    putchar(' ');
    putchar('W');
    putchar('o');
    putchar('r');
    putchar('l');
    putchar('d');
    putchar('!');
    putchar('\n');
 
    return 0;
}
 
cs

 

 

이렇게 된다.

이런 함수들은 컴퓨터에는 문제가 되지 않지만, 그 외 기기들에게는 구현되지 않는 경우가 있다.

출력하기 위한 방식은 특정 메모리, 혹은 파일에 저장시킨 후 그 정보를 해당 기기에 전송하는 방식이다.

 

통신을 통한다. 라는 것인데.

컴퓨터의 C언어에서 유사한걸 코드를 작성할 수 있다.

 

파일 방식으로 화면에 출력하는 방법.

1
2
3
4
5
6
7
8
9
#include <stdio.h>
 
int main() {
    const char msg[] = "Hello, World!\n";
    fwrite(msg, sizeof(char), sizeof(msg) - 1, stdout);
 
    return 0;
}
 
cs

 

stdout은 stdio.h에서 지원해주는 출력용 파일이고, stdout은 모니터 및 OS에서 인식하는 출력 장치에 해당 데이터를 출력하도록 만든다. 그래서 printf나 puts와 동일하게 콘솔에 해당 문자열이 출력하게 된다.

 

 

'프로그래밍 > C 언어' 카테고리의 다른 글

[C] 제어(1) - 조건문 -  (0) 2024.02.17
[C] 연산자  (0) 2024.02.16
[C] 상수와 변수  (0) 2024.02.15
[C] 기본 구조  (1) 2024.02.13
Posted by JunkMam
,

 wxMain.h

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
#pragma once
#include "wx/wx.h"
#include <wx/filedlg.h>
#include <wx/textctrl.h>
#include <wx/splitter.h>
 
// Font Dialog
#include <wx/fontdlg.h>
 
// 파일을 읽어 들이기 위한 용도.
#include <fstream>
#include <sstream>
 
#include "wxOptionsDialog.h"
 
enum
{
    ID_QUIT,
    ID_SAVE_AS,
    ID_SELECT_ALL,
    ID_DATETIME,
    ID_WordWarp,
    ID_FontSetting,
    ID_StatusBar,
};
 
enum {
    MY_EVENT_ID = 10001,
};
 
// 메뉴 항목 ID 정의
enum
{
    ID_NEW_WINDOW = wxID_HIGHEST + 1 // 새 창을 위한 고유 ID
};
 
class MyApp : public wxApp
{
public:
    virtual bool OnInit();
};
 
class MyFrame : public wxFrame
{
public:
    MyFrame(const wxString& title);
 
    void OnQuit(wxCommandEvent& event);
 
private:
    wxTextCtrl* m_textControl;
 
    // 현재 파일의 경로를 저장하는 변수
    wxString m_currentFileName;
    wxString m_currentFilePath;
 
 
    //wxOptionDialog* m_dialog;
    wxFont* m_font;
 
    wxStatusBar* m_statusBar;
 
    // 메뉴바 및 메뉴 변수.
    wxMenuBar* m_menuBar;
    wxMenu* m_menuFile;
    wxMenu* m_menuEdit;
    wxMenu* m_menuFormat;
    wxMenu* m_menuView;
 
    // File 메뉴에 적용할 이벤트 핸들러
    void OnNew(wxCommandEvent& event);
    void OnNewWindow(wxCommandEvent& event);
    void OnOpen(wxCommandEvent& event);
    void OnSave(wxCommandEvent& event);
    void OnSaveAs(wxCommandEvent& event);
    void OnButtonClick(wxCommandEvent& event);
 
    // Edit 메뉴에 적용할 이벤트 핸들러
    void OnSelectAll(wxCommandEvent& event);
    void OnInsertDateTime(wxCommandEvent& event);
 
    // Format 메뉴에 적용할 이벤트 핸들러
    void OnToggleWordWrap(wxCommandEvent& event);
    void OnFontSetting(wxCommandEvent& event);
 
    // View 메뉴에 적용할 이벤트 핸들러
    void OnToggleStatusBar(wxCommandEvent& event);
 
    // 이벤트를 받기 위한 메소드
    void OnMyCustomEvent(MyCustomEvent& event);
};
 
cs

 

 wxMain.cpp

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
#include "wxMain.h"
 
wxIMPLEMENT_APP(MyApp);
 
bool MyApp::OnInit()
{
    MyFrame* frame = new MyFrame("No Title - Notepad");
    frame->Show(true);
    return true;
}
 
MyFrame::MyFrame(const wxString& title)
    : wxFrame(NULL, wxID_ANY, title)
{
    m_menuFile = new wxMenu;
    m_menuFile->Append(wxID_NEW, "&New\tCtrl-N""New a Notepad");
    m_menuFile->Append(ID_NEW_WINDOW, "&New Windows\tCtrl+Shift+N""Open a new window.");
    m_menuFile->Append(wxID_OPEN, "&Open\tCtrl-O""Open a file");
    m_menuFile->Append(wxID_SAVE, "&Save\tCtrl-S""Save the file");
    m_menuFile->Append(ID_SAVE_AS, "&Save As\tCtrl+Shift-S""Save the file");
    m_menuFile->AppendSeparator();
    m_menuFile->Append(ID_QUIT, "E&xit\tAlt-X""Exit Program");
 
    m_menuEdit = new wxMenu;
    m_menuEdit->Append(ID_SELECT_ALL, _("&Select All\tCtrl+A"), _("Select all text"));
    m_menuFile->AppendSeparator();
    m_menuEdit->AppendCheckItem(ID_DATETIME, "&DateTime\tF5""DateTime");
 
    m_menuFormat = new wxMenu;
    m_menuFormat->AppendCheckItem(ID_WordWarp, "Word &Wrap\tCtrl+W""Toggle word wrapping.");
    m_menuFormat->Append(ID_FontSetting, "&Font""Font Set Menu");
 
    m_menuView = new wxMenu;
    m_menuView->AppendCheckItem(ID_StatusBar, "Show &StatusBar""Toggle Status Bar.");
    
    m_menuBar = new wxMenuBar;
    m_menuBar->Append(m_menuFile, "&File");
    m_menuBar->Append(m_menuEdit, "&Edit");
    m_menuBar->Append(m_menuFormat, "F&omat");
    m_menuBar->Append(m_menuView, "&View");
 
    SetMenuBar(m_menuBar);
 
    m_textControl = new wxTextCtrl(this, wxID_ANY, "", wxDefaultPosition, wxDefaultSize, wxTE_MULTILINE);
 
    // sizer를 생성하여 텍스트 컨트롤의 크기를 조정합니다.
    wxBoxSizer* sizer = new wxBoxSizer(wxVERTICAL);
    sizer->Add(m_textControl, 1, wxEXPAND | wxALL, 0); // wxEXPAND는 컨트롤이 sizer의 가능한 모든 공간을 차지하도록 합니다. 1은 비율을 의미하며, 이 경우 다른 컨트롤이 없으므로 전체 크기를 차지합니다.
 
    // 프레임에 sizer를 설정합니다.
    this->SetSizer(sizer);
    this->Layout(); // sizer를 강제로 다시 계산하여 적용합니다.
 
    // 폰트 설정
    wxFont font(16, wxFONTFAMILY_TELETYPE, wxFONTSTYLE_NORMAL, wxFONTWEIGHT_BOLD);
    m_textControl->SetFont(font);
 
    //m_statusBar = new wxStatusBar(this);
    m_statusBar = CreateStatusBar();
    SetStatusText("Ready");
    // ID_StatusBar 메뉴 항목을 자동으로 체크되어 있도록 설정
    m_menuView->Check(ID_StatusBar, true);
 
    // 이벤트 핸들러 연결
    Bind(wxEVT_MENU, &MyFrame::OnNew, this, wxID_NEW);
 
    // MyFrame 생성자 또는 초기화 함수 내
    Bind(wxEVT_MENU, &MyFrame::OnNewWindow, this, ID_NEW_WINDOW);
 
    Bind(wxEVT_MENU, &MyFrame::OnOpen, this, wxID_OPEN);
    Bind(wxEVT_MENU, &MyFrame::OnSave, this, wxID_SAVE);
    Bind(wxEVT_MENU, &MyFrame::OnSaveAs, this, ID_SAVE_AS);
 
    Bind(wxEVT_MENU, &MyFrame::OnQuit, this, ID_QUIT);
 
    // 메뉴 Edit에 관련된 이벤트 핸들러
    Bind(wxEVT_MENU, &MyFrame::OnInsertDateTime, this, ID_DATETIME);
    Bind(wxEVT_MENU, &MyFrame::OnSelectAll, this, ID_DATETIME);
 
    // 메뉴 Format에 관련된 이벤트 핸들러
    Bind(wxEVT_MENU, &MyFrame::OnToggleWordWrap, this, ID_WordWarp);
    Bind(wxEVT_MENU, &MyFrame::OnFontSetting, this, ID_FontSetting);
 
    // 메뉴 View에 관련된 이벤트 핸들러
    Bind(wxEVT_MENU, &MyFrame::OnToggleStatusBar, this, ID_StatusBar);
 
    // 이벤트 처리기 등록
    Bind(MY_CUSTOM_EVENT, &MyFrame::OnMyCustomEvent, this);
}
 
void MyFrame::OnQuit(wxCommandEvent& event)
{
    Close(true);
}
 
void MyFrame::OnNew(wxCommandEvent& event) {
    // 텍스트 컨트롤의 내용을 비웁니다.
    m_textControl->Clear();
 
    // 타이틀에 메시지를 새로 작성합니다.
    wxString titleNames = "No Title";
    titleNames += " - Notepad";
    SetTitle(titleNames);
 
    // 상태 표시줄에 메시지를 표시합니다.
    SetStatusText("New document created.");
}
 
// MyFrame 클래스 내
void MyFrame::OnNewWindow(wxCommandEvent& event)
{
    // 새로운 창을 생성하고 표시
    MyFrame* newFrame = new MyFrame("No Title - Notepad");
    newFrame->Show(true);
}
 
void MyFrame::OnOpen(wxCommandEvent& event)
{
    wxFileDialog openFileDialog(this, _("Open TXT file"), """",
        "TXT files (*.txt)|*.txt", wxFD_OPEN | wxFD_FILE_MUST_EXIST);
 
    wxString openFileName = m_currentFileName;
    wxString openFilePath = m_currentFilePath;
 
    switch (openFileDialog.ShowModal()) {
    case wxID_OK: {
        openFileName = openFileDialog.GetFilename();
        // 세이브 및 적용이 완료했을 경우.
        openFilePath = openFileDialog.GetPath();
        break;
    }
    case wxID_CANCEL: {
        return// 사용자가 취소했을 때
    }
    }
 
    std::ifstream file(openFilePath.ToStdString());
    // 파일을 열고 텍스트 컨트롤에 내용을 로드합니다.
    if (m_textControl->LoadFile(openFilePath)) {
        std::stringstream buffer;
        buffer << file.rdbuf(); // 파일의 내용을 buffer에 읽어 들입니다.
        file.close(); // 파일을 닫습니다.
 
        // textControl의 내용을 갱신합니다.
        m_textControl->SetValue(buffer.str());
        //textControl->SetLabelText(buffer.str());
        m_currentFileName = openFileName;
        m_currentFilePath = openFilePath;
        
        wxString titleNames = m_currentFileName;
        titleNames += " - Notepad";
        // 타이틀을 열린 파일의 이름으로 설정합니다.
        SetTitle(titleNames);
 
    }
    else {
        wxMessageBox("Cannot open File!""Error", wxOK | wxICON_ERROR);
    }
}
 
void MyFrame::OnSaveAs(wxCommandEvent& event)
{
    wxFileDialog saveFileDialog(this, _("Save TXT file"), """",
        "TXT files (*.txt)|*.txt", wxFD_SAVE | wxFD_OVERWRITE_PROMPT);
 
    wxString saveAsFileName;
    wxString saveAsFilePath;
 
    switch (saveFileDialog.ShowModal()) {
    case wxID_OK: {
        saveAsFileName = saveFileDialog.GetFilename();
        saveAsFilePath = saveFileDialog.GetPath();
        break;
    }
    case wxID_CANCEL: {
        return;
    }
    }
 
    // 사용자가 선택한 파일 경로를 저장합니다.
    if (!m_textControl->SaveFile(saveAsFilePath))
    {
        wxMessageBox("Could not save the file!""Error", wxOK | wxICON_ERROR);
        return;
    }
 
    // 파일이 성공적으로 저장되었다면, 현재 파일 경로를 업데이트하고 타이틀을 설정합니다.
    m_currentFileName = saveAsFileName;
    m_currentFilePath = saveAsFilePath;
    wxString titleNames = m_currentFileName;
    SetTitle(titleNames + " - Notepad"); // 타이틀 업데이트
 
    // 상태 표시줄에 메시지를 표시합니다.
    SetStatusText("File saved successfully.");
}
 
void MyFrame::OnSave(wxCommandEvent& event)
{
    wxFileDialog saveFileDialog(this, _("Save TXT file"), """",
        "TXT files (*.txt)|*.txt", wxFD_SAVE | wxFD_OVERWRITE_PROMPT);
 
    wxString saveFileName = m_currentFileName;
    wxString saveFilePath = m_currentFilePath;
 
    // 경로가 비어있는 경우엔.
    if (m_currentFilePath.IsEmpty()) {
        switch (saveFileDialog.ShowModal()) {
        case wxID_CANCEL: {
            return;
        }
 
        case wxID_OK: {
            saveFileName = saveFileDialog.GetFilename();
            // 세이브 및 적용이 완료했을 경우.
            saveFilePath = saveFileDialog.GetPath();
            break;
        }
        }
    }
 
    // 현재 텍스트 컨트롤의 내용을 파일에 저장합니다.
    if (!m_textControl->SaveFile(saveFilePath)) {
        // 현재 텍스트의 내용을 파일에 저장하지 못한다면.
        wxMessageBox("Could Not save the File!""Error", wxOK);
        return;
    }
 
    m_currentFileName = saveFileName;
    m_currentFilePath = saveFilePath;
 
    wxString titleNames = m_currentFileName;
    titleNames += " - Notepad";
    // 타이틀을 열린 파일의 이름으로 설정합니다.
    SetTitle(titleNames);
}
 
void MyFrame::OnSelectAll(wxCommandEvent& event) {
    m_textControl->SelectAll();
}
 
void MyFrame::OnInsertDateTime(wxCommandEvent& event) {
    // 현재 날짜와 시간을 가져옴.
    wxDateTime now = wxDateTime::Now();
    // 현재 날짜와 시간을 기본 형식으로 문자열로 변환.
    wxString dateTimeStr = now.Format();
 
    m_textControl->WriteText(dateTimeStr);
}
 
void MyFrame::OnToggleWordWrap(wxCommandEvent& event)
{
    bool isChecked = m_menuFormat->IsChecked(ID_WordWarp);
    m_textControl->SetWindowStyleFlag(isChecked ? (m_textControl->GetWindowStyleFlag() | wxTE_WORDWRAP) : (m_textControl->GetWindowStyleFlag() & ~wxTE_WORDWRAP));
    m_textControl->Refresh(); // 화면 갱신
}
 
void MyFrame::OnFontSetting(wxCommandEvent& event)
{
    /*dialog = new wxOptionDialog(this, wxID_ANY, "Settings");
    dialog->ShowModal();*/
 
    wxFontData fontData;
    fontData.SetInitialFont(m_textControl->GetFont());
    fontData.SetColour(m_textControl->GetForegroundColour());
 
    wxFontDialog fontDialog(this, fontData);
    if (fontDialog.ShowModal() == wxID_OK)
    {
        wxFontData retData = fontDialog.GetFontData();
        wxFont font = retData.GetChosenFont();
        wxColour colour = retData.GetColour();
 
        m_textControl->SetFont(font);
        m_textControl->SetForegroundColour(colour);
    }
}
 
void MyFrame::OnToggleStatusBar(wxCommandEvent& event)
{
    bool isChecked = m_menuView->IsChecked(ID_StatusBar);
 
    // StatusBar의 보임/숨김 상태를 설정합니다.
    if (m_statusBar) { // m_statusBar가 유효한지 확인합니다.
        m_statusBar->Show(isChecked);
    }
 
    // 프레임의 레이아웃을 갱신하여 m_textControl이 남은 공간을 가득 채우도록 합니다.
    this->Layout();
 
    // 프레임의 크기를 조정하여 내부 컨트롤들이 적절하게 배치되도록 합니다.
    // 이 부분은 필요에 따라 추가하거나 생략할 수 있습니다.
    this->SendSizeEvent();
}
 
// 이벤트 처리 함수 구현
void MyFrame::OnMyCustomEvent(MyCustomEvent& event)
{
    const wxFont info = event.GetwxFont();
 
    int fontSize = info.GetPointSize();
    // 이벤트와 함께 전달된 정보 처리
    m_textControl->SetFont(info);
 
    //textControl->SetFont(font);
    //m_dialog->Destroy(); // dialog를 안전하게 삭제
    //delete m_dialog;
}
cs

 

Posted by JunkMam
,

 NotePad에서 [편집] > [시간/날짜]를 누르면, 메모장에서 시간과 날짜가 추가되는 기능이 있는데.

 그것을 wxWidgets에서 구현하고자한다.

 

 [Edit] > [DateTime] 이런식의 메뉴를 추가하기 위해서 메뉴 정보를 열거형으로 선언한다.

 

 wxMain.h에는 다음과 같이 수정해준다.

1
2
3
4
5
6
7
8
9
10
enum
{
    ID_QUIT,
    ID_SAVE_AS,
    ID_DATETIME,
    ID_WordWarp,
    ID_FontSetting,
    ID_StatusBar,
};
 
cs

 

메뉴바에서 메뉴를 추가하기 위해서 wxMenu 변수를 추가한다.

wxMenu에서 wxMenu* m_menuEdit을 추가한다.

1
2
3
4
5
6
    // 메뉴바 및 메뉴 변수.
    wxMenuBar* m_menuBar;
    wxMenu* m_menuFile;
    wxMenu* m_menuEdit;
    wxMenu* m_menuFormat;
    wxMenu* m_menuView;
cs

 

메뉴가 추가되었으니.

메뉴를 클릭했을때, 동작시키는 이벤트 핸들러를 추가해준다.

OnInsertDateTime(wxCommandEvent& event)을 추가해준다.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
    // File 메뉴에 적용할 이벤트 핸들러
    void OnNew(wxCommandEvent& event);
    void OnNewWindow(wxCommandEvent& event);
    void OnOpen(wxCommandEvent& event);
    void OnSave(wxCommandEvent& event);
    void OnSaveAs(wxCommandEvent& event);
    void OnButtonClick(wxCommandEvent& event);
 
    // Edit 메뉴에 적용할 이벤트 핸들러
    void OnInsertDateTime(wxCommandEvent& event);
 
    // Format 메뉴에 적용할 이벤트 핸들러
    void OnToggleWordWrap(wxCommandEvent& event);
    void OnFontSetting(wxCommandEvent& event);
 
    // View 메뉴에 적용할 이벤트 핸들러
    void OnToggleStatusBar(wxCommandEvent& event);
 
    // 이벤트를 받기 위한 메소드
    void OnMyCustomEvent(MyCustomEvent& event);
cs

 

이렇게 wxMain.h로 선언을 제대로 완료했으면, wxMain.cpp에서 선언으로 추가한 코드들을 구현해주자.

 

 wxMain.cpp 에서 Bind로 메뉴에 이벤트 핸들러랑 연결하도록 한다.

1
2
    // 메뉴 Edit에 관련된 이벤트 핸들러
    Bind(wxEVT_MENU, &MyFrame::OnInsertDateTime, this, ID_DATETIME);
cs

 

 이렇게 한 후에 OnInsertDateTime을 구현한다.

1
2
3
4
5
6
7
8
9
void MyFrame::OnInsertDateTime(wxCommandEvent& event) {
    // 현재 날짜와 시간을 가져옴.
    wxDateTime now = wxDateTime::Now();
    // 현재 날짜와 시간을 기본 형식으로 문자열로 변환.
    wxString dateTimeStr = now.Format();
 
    // 현재 텍스트 컨트롤에 날짜와 시간의 문자열을 삽입함.
    m_textControl->AppendText(dateTimeStr);
}
cs

 

 

textControl에서 AppendText을 이용하면, 마지막에 현재 날짜와 시간의 문자열로 삽입하게 된다.

 

현재 위치의 커서에서 출력하도록 할려면, 다음과 같이 수정해야된다.

1
2
3
4
5
6
7
8
9
 
void MyFrame::OnInsertDateTime(wxCommandEvent& event) {
    // 현재 날짜와 시간을 가져옴.
    wxDateTime now = wxDateTime::Now();
    // 현재 날짜와 시간을 기본 형식으로 문자열로 변환.
    wxString dateTimeStr = now.Format();
 
    m_textControl->WriteText(dateTimeStr);
}
cs

 

이렇게 하면, 끝이 아니라 현재 커서에서 해당 문자열이 추가되는걸 확인이 가능하다.

 

 

 

 

 

 

 

 

Posted by JunkMam
,