How To Join Two Recordset Created From Two Different Data Source In Excel Vba
Solution 1:
Consider the below example using ADO. The code allows to get data from several data sources within single SQL query (Jet SQL), particularly make unions from .xlsx
files, and put result recordset to the worksheet. Unfortunately I have no available Oracle data source to test, though you can connect directly to Oracle also with ADO (like any other database) via Oracle ODBC driver.
The code is placed in Query.xlsm
:
OptionExplicitSub SqlUnionTest()
Dim strConnection AsStringDim strQuery AsStringDim objConnection AsObjectDim objRecordSet AsObject
strConnection = _
"Provider=Microsoft.ACE.OLEDB.12.0;" & _
"User ID=Admin;" & _
"Data Source='" & ThisWorkbook.FullName & "';" & _
"Mode=Read;" & _
"Extended Properties=""Excel 12.0 Macro;"";"
strQuery = _
"SELECT * FROM [Sheet1$] " & _
"IN '" & ThisWorkbook.Path & "\Source1.xlsx' " & _
"[Excel 12.0;Provider=Microsoft.ACE.OLEDB.12.0;Mode=Read;Extended Properties='HDR=YES;'] " & _
"UNION " & _
"SELECT * FROM [Sheet1$] " & _
"IN '" & ThisWorkbook.Path & "\Source2.xlsx' " & _
"[Excel 12.0;Provider=Microsoft.ACE.OLEDB.12.0;Mode=Read;Extended Properties='HDR=YES;'] " & _
"UNION " & _
"SELECT * FROM [Sheet1$] " & _
"IN '" & ThisWorkbook.Path & "\Source3.xlsx' " & _
"[Excel 12.0;Provider=Microsoft.ACE.OLEDB.12.0;Mode=Read;Extended Properties='HDR=YES;'] " & _
"ORDER BY ContactName;"Set objConnection = CreateObject("ADODB.Connection")
objConnection.Open strConnection
Set objRecordSet = objConnection.Execute(strQuery)
RecordSetToWorksheet Sheets(1), objRecordSet
objConnection.Close
EndSubSub RecordSetToWorksheet(objSheet As Worksheet, objRecordSet AsObject)
Dim i AsLongWith objSheet
.Cells.Delete
For i = 1To objRecordSet.Fields.Count
.Cells(1, i).Value = objRecordSet.Fields(i - 1).Name
Next
.Cells(2, 1).CopyFromRecordset objRecordSet
.Cells.Columns.AutoFit
EndWithEndSub
Note, ThisWorkbook.Path
should not contain '
within path. Otherwise you have to escape them by replacing '
with ''
.
Also there are three data source files in the same folder as Query.xlsm
.
Source1.xlsx
:
Source2.xlsx
:
Source3.xlsx
:
The resulting worksheet is as follows:
It works on 64-bit version Excel 2013 for me. To make it compatible with .xls
and Excel 2003 (where the provider ACE.OLEDB.12.0
isn't installed) you have to replace Provider=Microsoft.ACE.OLEDB.12.0;
with Provider=Microsoft.Jet.OLEDB.4.0;
, and also in extended properties Excel 12.0 Macro;
/ Excel 12.0;
with Excel 8.0;
. You can easily add WHERE
clause and other SQL stuff to the query. Actually data source for connection object isn't limited the only Query.xlsm
file, which the code placed in. It could be another data source, compatible with one of the available providers, either file-based or server-based. Find more connection strings for your data source on http://www.connectionstrings.com/
Post a Comment for "How To Join Two Recordset Created From Two Different Data Source In Excel Vba"