1 void CWinApp::OnFileOpen()
2 {
3 ENSURE(m_pDocManager != NULL);
4 m_pDocManager->
OnFileOpen
(); //CDocManager m_pDocManager;
5 }
CDocManager::OnFileOpen的主要作用是弹出文件选择对话框,它的源码如下:
1 void CDocManager::OnFileOpen()
2 {
3 // prompt the user (with all document templates)
4 CString newName;
5 if (!
DoPromptFileName
(newName, AFX_IDS_OPENFILE,
6 OFN_HIDEREADONLY | OFN_FILEMUSTEXIST, TRUE, NULL))
7 return; // open cancelled
8
9 AfxGetApp()->
OpenDocumentFile
(newName);
10 // if returns NULL, the user has already been alerted
11 }
CDocManager::DoPromptFileName的作用就是弹出文件选择对话框。
写到这里我们已经可以解决第一个问题了---定制文件打开对话框
。我们可以选择两种方式:
第一种
:重写CWinApp::OnFileOpen
示例如下:
1 CYourApp::OnFileOpen()
2 {
3 CString newName;
4 // 1. 在这里弹出自己的打开文件对话框
5 // 2. 直接调用OpenDocumentFile(newName)
6 OpenDocumentFile(newName);
7 }
这种方式的缺点是,如果要定制保存文件对话框,还得重写其他的某个函数,如CDocument::DoSave。
第二种
: 重写CDocManager::DoPromptFileName
这种方式会同时改变打开文件对话框和保存文件对话框,因为打开和保存时的对话框都是通过此函数弹出的。
这种方式需要两步:
1. 自定义一个CDocManager的子类,例如,CYourDocManager,在其中重写DoPromptFileName方法
2. 在CYourApp::InitInstance函数中找到AddDocTemplate,并在它的前面加上这样一行:m_pDocManager = new CYourDocManager;
因为在AddDocTemplate中先判断m_pDocManager是否为Null,若为Null则创建一个。我们在它前边将m_pDocManager实例化,
这样之后就会调用我们定制的DoPromptFileName函数了。
在获取要打开文件的路径后框架调用了这个函数,并在这个函数中完成了读取文件数据并显示的操作。
通过跟踪MFC的源码,我们会发现真正打开文件是在
CDocument::OnOpenDocument
中进行的,
CDocument::OnOpenDocument的默认行为是先调用
DeleteContents
成员函数来确保文档空白,然后调用
Serialize
函数读取文件数据。
因此如果你的程序有打开文件的需求,则必须在你的文档类中重写Serialize函数
。
上文中,我们已经解决了前两个定制的需求,现在来解决第三个,如果我们在打开文档后需要进行某些操作,如初始化, 我们可以对三个函数进行重写:
1. CDocument::OnOpenDocument
在Document中我们可以获取它关联的View,如果打开文档后需要对View进行某些初始化或者其他的一些初始化,则可以重写这个函数,示例如下:
1 BOOL CMyDoc::OnOpenDocument(LPCTSTR lpszPathName)
2 {
3 if (!CDocument::OnOpenDocument(lpszPathName))
4 return FALSE;
5 // 进行初始化
6 return TRUE;
7 }