VBA DoCmd.TransferText - 使用用户定义的文件路径将查询导出到.csv

时间:2013-02-05 04:23:40

标签: vba

目前我的代码是:

Dim testSQL As String
Dim qd As DAO.QueryDef

testSQL = "SELECT * FROM qryExample WHERE exampleID IN (" & strExampleIDList & ")"
Set qd = db.CreateQueryDef("tmpExport", testSQL)
DoCmd.TransferText acExportDelim, , "tmpExport", "C:\export.csv"
db.QueryDefs.Delete "tmpExport"

如何更改“C:\ export.csv”部分,以便用户能够定义文件路径和文件名?

感谢。

2 个答案:

答案 0 :(得分:13)

假设您希望提示用户输入,然后在TransferText调用中使用该输入,请尝试以下操作:

Dim UserInput As String
UserInput  = InputBox("Please enter the file path.", "I WANT A VALUE!") 
DoCmd.TransferText acExportDelim, , "tmpExport", UserInput  

还有其他方法,但这可能是最容易实现的方法。

祝你好运。

答案 1 :(得分:6)

此示例允许您使用filedialog另存为对象:

要使用此功能,必须添加对“Microsoft Office XX.0对象库”的引用。添加新模块并粘贴以下功能:

    Public Sub exportQuery(exportSQL As String)
    Dim db As DAO.Database, qd As DAO.QueryDef
    Dim fd As FileDialog
    Set fd = Application.FileDialog(msoFileDialogSaveAs)

    Set db = CurrentDb

    'Check to see if querydef exists
    For i = 0 To (db.QueryDefs.Count - 1)
        If db.QueryDefs(i).Name = "tmpExport" Then
            db.QueryDefs.Delete ("tmpExport")
            Exit For
    End If
    Next i

    Set qd = db.CreateQueryDef("tmpExport", exportSQL)

    'Set intial filename
    fd.InitialFileName = "export_" & Format(Date, "mmddyyy") & ".csv"

    If fd.show = True Then
        If Format(fd.SelectedItems(1)) <> vbNullString Then
            DoCmd.TransferText acExportDelim, , "tmpExport", fd.SelectedItems(1), False
        End If
    End If

    'Cleanup
    db.QueryDefs.Delete "tmpExport"
    db.Close
    Set db = Nothing
    Set qd = Nothing
    Set fd = Nothing

    End Sub

现在,在要开始导出的代码中,使用:         调用exportQuery(“SELECT * FROM ...”)

我建议为SQL查询定义一个字符串变量。

    Public Sub someButton_Click()
    Dim queryStr as String
    'Store Query Here:
    queryStr = "SELECT * FROM..."

    Call exportQuery(queryStr)

    End Sub