Logicwurks Home Page

Links To Excel Code Examples

Tracing VBA Statements
Range/Wkb/Wks Variables
Add Grand Totals Using Ranges
Using Range Offset Property
Using Range Find Method
ConvertCellAddressToRange
Set Conditional Formatting
Union Of Ranges
Parse Range Strings
Delete Duplicate Rows
Delete Rows And Columns
Worksheet Variables
TypeName And TypeOf
Loop Through Worksheets
Loop Through Open Workbooks
Form Button Magic
Command Button Magic
Add Worksheets Dynamically
ImportExternalWorksheets
Find Last Row Or Column
Copy And Paste Special
Copy To Specific Cell Types
Range Copy With Filter
ExcelFileOpenSaveClose
ExcelFileOpenSaveCSV
Open An Excel File
Open An Excel File w/Params
Open An Excel File On Web
Save A Workbook
Save A Workbook Using mso
Clone A Workbook
Test If WEB URL Exists
Parse Using Split Command
Using Classes in Excel
TypeStatementStructures
Color Management
Convert Cell Color To RGB
Sort Methods 2003 - 2010
Sort Alpha/Numeric In ASCII
Search Using Match Function
Search Using Vlookup Function
Search Using Xlookup Function
Using Find Instead of Vlookup
Remove String Non-Printables
Auto_Open And Auto_Close
Initialize Form At Open
Edit Numerics In UserForm
Load Combo And List Boxes
Floating Sheet Combo Boxes
Advanced User Form Coding
Excel Events
Worksheet Change Events
Binary Search Of Array
Typecast Constants
Excel Error Handling
Handling Optional Parameters
Data Validation Drop Downs
Insert Data Validation Sub
Read A Text File w/Handle
Write A Text File w/Handle
Read a Binary File w/Handle
Update a Binary File w/Handle
Binary File Copy and Update
Read A Text Fiile w/Script
Text File Processing Examples
Test For Exists Or Open
Splash Screen
Dynamically Load Formulas
PaymentStreamsByDate
Date Examples
Date Find Same Days
Convert Month To Number
Initialize Arrays
Load Arrays Using Evaluate
ChartsAndGraphsVBA
Redim An Array
Reassign Button Action
Timer Functions
Legacy Calendar Control
Excel 2010 Date Picker
Date Picker Alternative
Generate Multiple Worksheets
Read Access Data Into Excel
Send Outlook Email w/Attach
Copy AutoFilters To Sheets
Export A Text File
Get Windows User Name
VBA Format Statement
Manipulate Files via VBA
Dynamically Load Images
Loop Through Worksheet Objects
Loop Through Form Objects
Loop Through Files with DIR
Active-X Checkboxes
Add Forms Checkboxes Dynam
Paste Pictures Into Excel
Copy Pictures Sheet To Sheet
Copy Pictures Sheet To Sheet
Create Forms Buttons With VBA
Extract Filename From Path
Convert R1C1 Format to A1
Special Cells Property
Insert Cell Comments

Links To Access Code Examples

DAO Versus ADODB
SearchVBACodeStrings
Interface Excel With Access
Create Form Manually
Create Recordset With AddNew
Multi-Select List Boxes
Update Field(s) In A Recordset
Update Excel Pivot From Access
Import A Tab Delimited File
Export Excel FileDialog
Create Excel Within Access
Open Excel Within Access
Open Excel OBJ From Access
Format Excel From Access
Control Excel via Access VBA
On Error Best Practices
Import Tab Delim w/WinAPI
Initialize Global Variables
Using TempVars For Globals
Access Error Handling
Loop Through Form Controls
Insert A Calendar Control
Create A Filtered Recordset
Populate Combo Boxes
Bookmarks And Forms
Combo Box Multiple Sources
Passing Form Objects
Create VBA SQL Statements
Create Dynamic Queries
Display File Images On A Form
Manipulate Files via VBA
Manipulate Files via Scripting
Number Subform Records
Reference Subform Objects
Parse Delimited Fields
Parameterized Queries (VBA)
Manipulating QueryDefs In VBA
FindFirst On Combined Keys
Dlookup Command
Dlookup In Form Datasheet
Execute SQL Delete Records
Commit Form To Table
Report With No Data
Reference Form Objects
DSNLess Connections To MySQL
Print Active Form Record
Count Records in Linked Tables
Delete Empty Tables
Open Linked SQL Tables

 

Manipulate Files Via VBA Commands Without Windows Scripting Host

This code was provided courtesy of Douglas J. Steele, Microsoft Access MVP. (Douglas J Steele)

There are quite a number of applications that need to use, copy, delete, rename or test for existence of regular files, such as text file, images, and so forth. Using VBA commands directly instead of Windows Scripting Host will increase the speed of the action.

The code examples below can be inserted into your project. Each of these functions returns a true or false to indicate if the operation was successful.

A sample of calling these routines would be as follows:

If Not CopyFile("C:\TestDirectory\MyFile1.jpg", "C:\NewTestDirectory\MyNewName.jpg") Then
      Msgbox("File Copy Did Not Succeed")
End If

Here are examples of several routines that allow file manipulation:

Program Code

Option Compare Database
Option Explicit

Public Function CopyFile(SourceFile As String, _
        TargetFile As String) As Boolean
' *********************************************************************************************
' * COPY A SOURCE FILE TO A TARGET FILE (OVERLAY TARGET IF PRESENT)                           *
' *********************************************************************************************

' *****************************************************************
' * (1) This function will copy a file from the SourceFile        *
' *     to the TargetFile - It will delete the TargetFile         *
' *                         if it already exists                  *
' * (2) You can rename the file as you copy it                    *
' * (3) A full path to both source and target is recommended      *
' * (4) If you omit the target path, the SourceFile is copied     *
' *     to The CurDir (Access Current Directory)                  *
' * (5) If you omit the source path, Access looks in the CurDir   *
' *     for the SourceFile                                        *
' *****************************************************************
On Error GoTo err_In_Copy
    
  FileCopy SourceFile, TargetFile
  CopyFile = True
  
mod_ExitFunction:
  Exit Function
  
' ***************************************************
' * Error Correction Routines                       *
' ***************************************************
err_In_Copy:
  CopyFile = False
  Resume mod_ExitFunction
  
End Function

Public Sub DeleteAFile()
' *******************************************************************************************
' * Call A Function To Delete A File                                                 *
' *******************************************************************************************
If DeleteFile("O:\DatabaseExports\TestDelete.txt") Then
    MsgBox ("File Was Deleted")
Else
    MsgBox ("No File To Delete")
End If
End Sub

Public Function DeleteFile(SourceFile As String) As Boolean
' *******************************************************************************************
' * DELETE A FILE                                                                           *
' *******************************************************************************************

' *******************************************************************
' * (1) This function will delete a file                            *
' * (2) A full path to the file being deleted is recommended        *
' * (3) If you omit the path, Access looks in the CurDir for the    *
' *     file to be deleted                                          *
' *******************************************************************
  
On Error GoTo err_In_Delete
  
  Kill SourceFile
  DeleteFile = True
  
mod_ExitFunction:
  Exit Function
  
' ***************************************************
' * File To Be Deleted Does Not Exist               *
' ***************************************************
err_In_Delete:
  DeleteFile = False
  Resume mod_ExitFunction
    
End Function
   
Public Function RenameFile(SourceFile As String, NewName As String) As Boolean
' *******************************************************************************************
' RENAME A FILE                                                                             *
' *******************************************************************************************

' *****************************************************************
' * (1) This function will rename a file from the SourceFile Name *
' *     to the NewName if the NewName Doesn't Already Exist in    *
' *     the Target Path (the path associated with the NewName)    *
' * (2) A full path to both source and target is recommended to   *
' *     avoid unexpected results                                  *
' * (3) If you rename a file to a different path Access copies    *
' *     the file to the new path with whatever name you give it   *
' *     and then deletes the source file from the original path   *
' * (4) If you omit the target path, the SourceFile is copied     *
' *     to The CurDir (Access Current Directory) with the NewName *
' *     as long as the NewName doesn't exist in the CurDir
' * (5) If you omit the source path, Access looks in the CurDir   *
' *     for the SourceFile                                        *
' *****************************************************************

On Error GoTo err_In_Rename
  
    Name SourceFile As NewName
    RenameFile = True
  
mod_ExitFunction:
  Exit Function
  
' ***************************************************
' * File To Be Renamed Doesn't Exist                *
' ***************************************************
err_In_Rename:
    RenameFile = False
    Resume mod_ExitFunction
  
End Function
  
Public Function FolderExists(FolderPath As String) As Boolean
' *******************************************************************************************
' * THIS FUNCTION WILL TEST IF A FOLDER EXISTS
' * There are a few Caveats On This Function:
' * The folder "C:\" Will Test True
' * The folder "C:" Will Test False
' * Any other folder path must NOT end in a Backslash or it will test False
' *    "C:\Temporary" will test True
' *    "C:\Temporary\" will test False
' * A "Null" Folder Will Test False, but the Length Will Be One... Not Zero
' *******************************************************************************************
On Error GoTo err_In_Locate

' ***********************************************************
' * See If A Folder Exists                                  *
' ***********************************************************
  FolderExists = (Len(Dir(FolderPath, vbDirectory)) > 1)
    
mod_ExitFunction:
  Exit Function
  
' ***************************************************
' * Error Correction Routines                       *
' ***************************************************
err_In_Locate:
  FolderExists = False
  Resume mod_ExitFunction
  
End Function

Public Sub TestFileExists()
' *******************************************************************************************
' * Call A Function To Test If A File Exists - See Example Below
' *******************************************************************************************
If FileExists("O:\DatabaseExports\TestDelete.txt") Then
    MsgBox ("File Found")
Else
    MsgBox ("File Not Found")
End If

End Sub

Public Function FileExists(FilePath As String) As Boolean
' *******************************************************************************************
' * THIS FUNCTION WILL TEST IF A FILE EXISTS AND RETURN TRUE OR FALSE                       *
' * Caution:  The file extension MUST be present                                            *
' *******************************************************************************************
If Len(Dir(FilePath)) > 0 Then
    FileExists = True
Else
    FileExists = False
End If

End Function

' *********************************************************************************************
' * Use The Line Input Command To Read Text File                                              *
' *********************************************************************************************

Public Function ReadATextFileToEOF()
' ***************************************************
' * Open a Text File And Loop Through It            *
' ***************************************************
Dim intFile As Integer
Dim strFile As String
Dim strIn As String
Dim strOut As String
Dim booFound As Boolean

booFound = False
strOut = vbNullString
intFile = FreeFile()
strFile = "C:\Folder\MyData.txt"
Open strFile For Input As #intFile

Do While Not EOF(intFile)
    Line Input #intFile, strIn
    If Left(strIn, 7) = "KeyWord" Then
        strOut = Mid(strIn, 8)
        booFound = True
        Exit Do
    End If
Loop

Close #intFile

If booFound Then
    MsgBox "Your Data is " & strOut
Else
    MsgBox "Keyword Not Found"
End If
End Function

' *********************************************************************************************
' * Use The DIR Command To Loop Through Files In A Directory and Read and Write Data          *
' *********************************************************************************************
Private Function AddHeaderToPickAndRoute(InputFile As String, OutputFile As String, DataHeader As String)
' ***************************************************
' This Function Reads a Sequential File and
' Copies it to an Output file after adding
' a header line at the top of the file.
' When finished, it deletes the input file.
' ***************************************************

' ***************************************************
' Input and Output File Handles
' ***************************************************
Dim intFileInput As Integer
Dim intFileOutput As Integer

' ***************************************************
' Input and Output Buffers
' ***************************************************
Dim strIn As String
Dim strOut As String

' ***************************************************
' Open Input File
' ***************************************************
intFileInput = FreeFile()
Open InputFile For Input As #intFileInput

' ***************************************************
' Open Output File
' ***************************************************
intFileOutput = FreeFile()
Open OutputFile For Output As #intFileOutput

Print #intFileOutput, DataHeader
Do While Not EOF(intFileInput)
    Line Input #intFileInput, strIn
    Print #intFileOutput, strIn
Loop

Close #intFileInput
Close #intFileOutput

Kill (InputFile)
End Function