Title: Tidy up your Temporary Files
Question: Dont you just hate it when programs leave temporary files all over the place and dont clean up after themselves? Heres a class that will create unique temporary files in your temporary directory and clean up after itself
Answer:
Introduction
============
Every so often there is a requirement to store information in temporary files either because there is an automatic backup feature in your program or because of some processing on the file. In virtually all cases you want your program to delete the temporary file when it closes and/or offer the user the chance to save their work. If some other program crashes the computer, you also need to be able to offer the user a chance to recover their work. With all this in mind I wrote a small class to look after my temporary files.
The class needed to do the following:
Find the users temporary directory
Create a unique temporary file
Store the name of the temporary file in case of a system crash
Delete the temporary file either when the program had finished with it or when the program terminated
A Little History
================
From the early days of DOS, environment variables have been available and one of the most common ones was the TMP, or TEMP, environment variable. Until Windows 95 came along, this variable had to be set in DOS usually in the AUTOEXEC.BAT file but it could also be changed on the command line using the SET command (SET TEMP=C:\TEMP). If the TEMP variable was not set then it usually defaulted to C:\. With the advent of Windows 98, Microsoft changed the default value of the TEMP and TMP environment variable to C:\WINDOWS\TEMP, but you are still able to alter the location of the TEMP directory. If you are using profiles, then the location of the TEMP directory could be in your profile directory or, on rare occasions, on a network drive.
Thankfully, when Microsoft produced Windows 3.x, they also included an API call to create unique temporary files, but it wasnt until Windows 95 came along that Microsoft included an API call to easily locate the users TEMP directory.
Class Structure
===============
You need two private string variables, FTempDir and FTempFileName, to hold the Temporary directory path and the Temporary File Name respectively. The full class declaration is as follows:
type
TTempFile = class
private
FTempDir: String;
FTempFileName: String;
procedure SetTempDir;
procedure SetTempFileName;
procedure SetINI(const INIValue: string);
public
constructor Create;
destructor Destroy; override;
function TempFileName: string;
function TempDir: string;
procedure DelTempFile;
end;
SetTempDir and SetTempFileName call the Windows API functions GetTempPath and GetTempFileName. These two functions do most of the work. Ill deal with these two functions one at a time.
The Two Windows API functions
=============================
GetTempDir - The full Windows API declaration for this function is:
DWORD GetTempPath(
DWORD nBufferLength,
LPTSTR lpBuffer);
nBufferLength specifies the size, in characters, of the string buffer identified by lpBuffer. You set lpBuffer to MAX_PATH in length and nBufferLength to MAX_PATH. lpBuffer points to a string buffer that receives the null-terminated string specifying the temporary file path - in our case the private string variable FTempDir.
Because GetTempPath returns the length (excluding the null-terminator) of the string copied to FTempDir it can be used to size itself. This makes the SetTempDir procedure, to all intents and purposes, just two lines of code (note the typecasting of FTempDir as a PChar).
procedure TTempFile.SetTempDir;
begin
{ Set the length of FTempDir to the maximum Path length }
SetLength(FTempDir, MAX_PATH);
{ Get the TEMP directory and resize FTempDir
to the length of the path returned}
SetLength(FTempDir, GetTempPath(MAX_PATH, PChar(FTempDir)));
end;
Now that you have the location of the TEMP directory you can create a unique Temporary File in it. This is done with GetTempFileName, which is declared in the Windows API as follows:
UINT GetTempFileName(
LPCTSTR lpPathName,
LPCTSTR lpPrefixString,
UINT uUnique,
LPTSTR lpTempFileName);
As you can see this function is a little more complex, so Ill run through each of the parameters:
lpPathName points to a null-terminated string that specifies the directory path for the filename. Use the result of the GetTempPath function for this parameter. If this parameter is NULL, the function fails.
lpPrefixString points to a null-terminated prefix string. The function uses the first three characters of this string as the prefix of the filename. I used to use my initials JQL but users could identify the file as coming from my programs and were opening them, or deleting them while they were still in use causing one or two unforeseen problems. Therefore, I now use TMP as the prefix and the users tend to leave the files alone. Note the file extension is always .TMP.
uUnique specifies an unsigned integer that the function converts to a hexadecimal string for use in creating the temporary filename. If uUnique is zero, which in our case it is, the function uses a hexadecimal string derived from the current system time. The function uses different values until it finds a unique filename, and then it creates the file in the lpPathName directory. If uUnique is not zero, the function adds the hexadecimal string to lpPrefixString to form the temporary filename. In this case, the function does not create the specified file, and does not test whether the filename is unique.
lpTempFileName points to the buffer that receives the temporary filename. This buffer should be at least the length, in bytes, specified by MAX_PATH to accommodate the path.
GetTempFileName returns the unique numeric value used in the temporary filename, or zero if it fails, therefore we need to manually trim FTempFileName to the correct length, which we do by searching for the null-terminator (#0). The full SetTempFileName procedure is as follows:
procedure TTempFile.SetTempFileName;
begin
{ Set the length of FTempFileName to the maximum Path length }
SetLength(FTempFileName, MAX_PATH);
if GetTempFileName(PChar(TempDir), PChar('TMP'),
0, PChar(FTempFileName)) 0 then
SetLength(FTempFileName, Pos(#0, FTempFileName)-1)
else
FTempFileName := '';
SetINI(FTempFileName);
end;
Notice that you passed the function TempDir as the directory path. Also note that if the GetTempFileName function fails FTempFileName contains a zero length string, which, if necessary, you can test for in your code.
Public Functions
================
Now that you have the TEMP directory path and a unique TempFileName you need to make them available to the rest of your program, which you do by using the two public functions TempDir and TempFileName.
Because it is vaguely possible the user could change the TEMP directory on the fly its a good idea to check that it hasnt been altered. The TempDir function is shown below:
function TTempFile.TempDir: string;
begin
// The value of TEMP could change so check it
SetTempDir;
Result := FTempDir;
end;
The TempFileName function checks to see if a TempFileName has been created. If it has, it returns the filename. If it hasnt, it creates one then returns it:
function TTempFile.TempFileName: string;
begin
// If it doesn't exist - create it
if FTempFileName = '' then
SetTempFileName;
Result := FTempFileName;
end;
Having created a TempFileName you also need to delete it when necessary. That is accomplished in the aptly named DelTempFile procedure. This public procedure checks to see if there is a Temporary File before trying to delete it.
procedure TTempFile.DelTempFile;
begin
{ Do we have a temporary file? }
if Length(FTempFileName) 0 then
If FileExists(FTempFileName) then
DeleteFile(FTempFileName);
FTempFileName := '';
SetINI(FTempFileName);
end;
Bear in mind that when the class is Freed, it calls DelTempFile to tidy up after itself. Therefore you must only free the class when you no longer need the Temporary file.
destructor TTempFile.Destroy;
begin
// Delete the Temporary file if it still exists
DelTempFile;
inherited Destroy;
end;
Persistence
===========
It wont have escaped your notice that SetTempFileName and DelTempFile both call the private procedure SetINI. SetINI is used in case of a catastrophic system crash to hold the TempFileName, if there is one. Your program can, on start up, test to see if a TempFileName entry exists in the INI file and, if it does, offer to recover the information. I use an INI file rather than the Registry because my Registry has reached gargantuan proportions and it is easier for the user to manually delete an INI file if necessary.
The SetINI procedure creates an INI file in the application directory, with the same name as your application but with the extension .INI. SetINI then checks the value passed to it. If the value is an empty string it deletes the TempFileName key from the INI file otherwise it writes the TempFileName to the TempFileName key as shown below.
procedure TTempFile.SetINI(const INIValue: string);
var
TheINIFile: TINIFile;
begin
TheINIFile := TINIFile.Create(ChangeFileExt(Application.ExeName, '.INI'));
try
with TheINIFile do
begin
if INIValue = '' then
DeleteKey('TempFiles', 'TempFileName')
else
WriteString('TempFiles', 'TempFileName',
INIValue);
end;
finally
TheINIFile.Free;
end;
end;
Remember to add INIFiles to the uses clause in interface not in implementation.
In Action
=========
To show the use of the TTempFile class I have incorporated it into Borlands RichEdit Demo (without the internationalisation) to add rudimentary Auto Backup facilities to the program.
In the edit menu add an item named 'miAutoBackup'. Set its caption to '&Auto Backup' and its checked property to 'True'. Add a Timer to the form and change its name from 'Timer1' to 'Timer' and set its enabled property to 'True'. Listing 1 shows the code for the miAutoBackup OnClick event, the Timers OnTimer event and the TMainForm.FormDestroy event.
In the TMainForm.OnCreate event add the following two lines:
TempFile := TTempFile.Create;
Timer.Interval := 300000; // 5 minutes
Change the TMainForm.FileSave procedure to include a test to see if we are backing up or saving as follows:
procedure TMainForm.FileSave(Sender: TObject);
begin
if FFileName = sUntitled then
FileSaveAs(Sender)
else
begin
Editor.Lines.SaveToFile(FFileName);
// if not backing up change the modified settings
if FFileName TempFile.TempFileName then
begin
Editor.Modified := False;
SetModified(False);
end;
end;
end;
Add TempFilesUnit to the uses clause in interface and TempFile: TTempFile; to the var clause. There you have it. A simple word processor with Auto Backup facilities.
You can download the accompanying demo application and the source code for the TTempFile class my Web Site.
Conclusion
==========
Delphi makes it easy to use the Windows API by the easy typecasting of strings to PChars and, although Borland have translated a great deal of the Windows API functions for use in Delphi, there are still some left that are useful. The WIN32SDK.HLP file which is in the ..\PROGRAM FILES\COMMON FILES\BORLAND SHARED\MSHELP directory (or click the Windows SDK menu item) has more information on the Windows API functions.
The TTempFile class, when first conceived, did not need to know how to read and write to the temporary file or how to recover data after a system crash, and I will leave it to you to decide whether you want extend the class with that functionality.
Listing 1.
==========
The three procedures to add to the RichEdit demo:
procedure TMainForm.miAutoBackupClick(Sender: TObject);
begin
miAutoBackup.Checked := not miAutoBackup.Checked;
Timer.Enabled := miAutoBackup.Checked;
if Timer.Enabled = False then
TempFile.DelTempFile;
end;
procedure TMainForm.FormDestroy(Sender: TObject);
begin
TempFile.Free;
end;
procedure TMainForm.TimerTimer(Sender: TObject);
var
sFileName: string;
begin
sFileName := FFileName;
FFileName := TempFile.TempFileName;
FileSave(Sender);
FFileName := sFileName;
end;
Listing 2.
==========
The complete Temporary File code
(******************************************************************************
**
** Unit : TempFiles Unit
**
** Purpose : Contains the TTempFiles class.
**
** Author : John Q. Lavelle
**
** Company Name : JQL
**
** Web : www.jql.co.uk
**
** Copyright : 2001 JQL
**
** Date : 25th April 1997.
**
** Licence : You use this code entirely and totally at your own risk.
** JQL does not warrant that the functions contained in the
** Software will meet your requirements or that the operation
** of the Software will be uninterrupted or error-free.
**
** If used in commercial software please include the following
** reference in the documentation:
** "Includes TTempFile Class 1998-2001 JQL - www.jql.co.uk"
**
** Updated :
**
** Notes : Released into the public domain 18th April 2001
**
******************************************************************************)
unit TempFilesUnit;
interface
uses
Windows, SysUtils, INIFiles, Forms;
type
TTempFile = class
private
FTempDir: String; { Holds the path to the user's TEMP directory }
FTempFileName: String; { Fully Qualified Path *and* Temp File Name }
procedure SetTempDir;
procedure SetTempFileName;
procedure SetINI(const INIValue: string);
public
constructor Create;
destructor Destroy; override;
function TempFileName: string;
function TempDir: string;
procedure DelTempFile;
end;
implementation
{ TTempFile }
constructor TTempFile.Create;
begin
inherited Create;
end;
destructor TTempFile.Destroy;
begin
DelTempFile; // Delete the Temporary file if it still exists
inherited Destroy;
end;
procedure TTempFile.DelTempFile;
begin
if Length(FTempFileName) 0 then // Is FTempFileName set?
If FileExists(FTempFileName) then // Does the File actually exist?
DeleteFile(FTempFileName); // If it does, delete it.
FTempFileName := '';
SetINI(FTempFileName); // Delete the INI File Key
end;
function TTempFile.TempDir: string;
begin
SetTempDir; // The value of TEMP can change so check it
Result := FTempDir;
end;
procedure TTempFile.SetTempDir;
begin
// Set the length of FTempDir to the maximum Path length
SetLength(FTempDir, MAX_PATH);
{ Get the TEMP directory and resize FTempDir to the length of the path returned }
SetLength(FTempDir, GetTempPath(MAX_PATH, PChar(FTempDir)));
end;
function TTempFile.TempFileName: string;
begin
if FTempFileName = '' then
SetTempFileName; // If it doesn't exist - create it
Result := FTempFileName;
end;
procedure TTempFile.SetTempFileName;
begin
// Set the length of FTempFileName to the maximum length of a Path
SetLength(FTempFileName, MAX_PATH);
{ Get a unique Temporary file name AND create it - see WIN32SDK.HLP for usage }
if GetTempFileName(PChar(TempDir), PChar('TMP'),
0, PChar(FTempFileName)) 0 then
SetLength(FTempFileName, Pos(#0, FTempFileName)-1) { Resize FTempFileName }
else
FTempFileName := ''; // The function failed so return an empty string.
{ Save the TempFileName to an INI file or delete it if the function failed }
SetINI(FTempFileName);
end;
procedure TTempFile.SetINI(const INIValue: string);
var
TheINIFile: TINIFile;
begin
TheINIFile := TINIFile.Create(ChangeFileExt(Application.ExeName, '.INI'));
try
with TheINIFile do
begin
if INIValue = '' then
DeleteKey('TempFiles', 'TempFileName')
else
WriteString('TempFiles', 'TempFileName', INIValue);
end;
finally
TheINIFile.Free;
end;
end;
end.
Author Bio
==========
John Lavelle lives on the edge of the beautiful English Lake District. John has been programming since 1981 and has been using Delphi since version 1. When he isnt programming, he is a consultant to some of the local companies, builds computers, installs networks, teaches computer skills and makes the tea ;-)