【转】VC实现文件拖拽

原文地址:http://bbs.51cto.com/thread-623957-1.html

VC实现文件拖拽

2009-08-30 21:21
在基于对话框的程序中,默认是没有这个消息的。
      1、按下Ctrl+W,弹出类向导对话框,选择Class Info标签;
      2、在Message fileter下拉列表中选择Window,然后再点击Message Maps标签;
      3、这时就出现WM_DROPFILES消息了,添加该消息的响应函数。
view plaincopy to clipboardprint?
void CDragDlg::OnDropFiles(HDROP hDropInfo)    
{   
    // TODO: Add your message handler code here and/or call default   
       
    CDialog::OnDropFiles(hDropInfo);   


     4、另外,要让对话框能够接受文件拖拽,还需要设置对话框属性。
           在对话框上点击右键,选择Properties->Extended Styles,点选Accept files选项即可。
      5、要获得当前拖拽的文件的完整文件名(含路径),只需要一个函数:
view plaincopy to clipboardprint?
UINT DragQueryFile(          HDROP hDrop,   
    UINT iFile,   
    LPTSTR lpszFile,   
    UINT cch   
); 

      6、参数解释:
    hDrop: HDROP标识符,即响应函数中的hDropInfo参数
    iFile: 待查询的文件索引号,从0开始。可以同时拖拽多个文件,因此就需要一个索引号来进行区分。如果该参数为0xFFFFFFFF,则该函数返回拖拽的文件的个数
    lpszFile: 用于存放文件名的缓冲区首地址
    cch: 缓冲区长度
    返回值:文件名长度
      7、查询完成后需要释放系统分配内存,使用下面这个函数:
view plaincopy to clipboardprint?
VOID DragFinish(          HDROP hDrop   
); 

      8、下面是一个完整的代码示例,将文件拖拽到对话框上后会弹出消息框显示完整文件名:
view plaincopy to clipboardprint?
void CDragDlg::OnDropFiles(HDROP hDropInfo)    
{   
    // TODO: Add your message handler code here and/or call default   
    UINT count;             
    char filePath[200];               
    count = DragQueryFile(hDropInfo, 0xFFFFFFFF, NULL, 0);             
    if(count)              
    {   
        for(UINT i=0; i<count; i++)                       
        {   
            int pathLen = DragQueryFile(hDropInfo, i, filePath, sizeof(filePath));                                
            AfxMessageBox(filePath);    
        }   
    }   
    DragFinish(hDropInfo);    
    CDialog::OnDropFiles(hDropInfo);   

DragFinish(hDropInfo); 
CDialog::OnDropFiles(hDropInfo);
}

      9、同理,如果只有把文件拖拽到特定的控件中时才有响应,只需要把该控件的Accept files样式勾选上即可。

你可能感兴趣的:(【转】VC实现文件拖拽)