To delete data in a SQL database using VBA, you can execute SQL DELETE statements through the ADO (ActiveX Data Objects) library. Here’s an example of VBA code that demonstrates this process:
Sub DeleteDataInSQL() Dim conn As Object ' ADODB.Connection Dim cmd As Object ' ADODB.Command Dim connStr As String Dim strSQL As String ' Connection string for the SQL database connStr = "Provider=SQLOLEDB;Data Source=ServerName;Initial Catalog=DatabaseName;User ID=Username;Password=Password;" ' Specify the data to be deleted Dim deleteValue As String deleteValue = "Data to be deleted" ' Replace with the value you want to delete ' Create a Connection object Set conn = CreateObject("ADODB.Connection") ' Open the Connection to the SQL database conn.Open connStr ' Create a Command object Set cmd = CreateObject("ADODB.Command") cmd.ActiveConnection = conn ' Create the SQL DELETE statement strSQL = "DELETE FROM TableName WHERE FieldName = ?;" ' Replace TableName and FieldName with the actual table and field names ' Set the SQL statement and parameter cmd.CommandText = strSQL cmd.Parameters.Append cmd.CreateParameter("DeleteValue", adVarChar, adParamInput, Len(deleteValue), deleteValue) ' Execute the SQL statement cmd.Execute ' Close the connection conn.Close ' Clean up the objects Set cmd = Nothing Set conn = Nothing End Sub
In this code, you need to modify the connStr
variable to specify the connection string for your SQL database. Replace "ServerName"
with the name or IP address of your SQL server, "DatabaseName"
with the name of your database, "Username"
and "Password"
with your login credentials.
Additionally, replace "TableName"
and "FieldName"
with the actual table and field names where you want to delete the data.
The deleteValue
variable represents the value you want to delete from the specified field.
When you run this code, it establishes a connection to the SQL database using ADO, creates an SQL DELETE statement with a parameter to specify the value to delete, executes the statement to delete the data from the specified table and field, closes the connection, and cleans up the objects.
Note: Ensure that the table and field names are accurate and match your SQL database structure. Also, make sure that you have the necessary permissions to delete records in the specified SQL database.