ChatGPT解决这个技术问题 Extra ChatGPT

How do you clear the SQL Server transaction log?

I'm not a SQL expert, and I'm reminded of the fact every time I need to do something beyond the basics. I have a test database that is not large in size, but the transaction log definitely is. How do I clear out the transaction log?

There should be a command in Managment Studio: "Click to Shrink Log" and you're done.

A
Aaron Bertrand

Making a log file smaller should really be reserved for scenarios where it encountered unexpected growth which you do not expect to happen again. If the log file will grow to the same size again, not very much is accomplished by shrinking it temporarily. Now, depending on the recovery goals of your database, these are the actions you should take.

First, take a full backup

Never make any changes to your database without ensuring you can restore it should something go wrong.

If you care about point-in-time recovery

(And by point-in-time recovery, I mean you care about being able to restore to anything other than a full or differential backup.)

Presumably your database is in FULL recovery mode. If not, then make sure it is:

ALTER DATABASE testdb SET RECOVERY FULL;

Even if you are taking regular full backups, the log file will grow and grow until you perform a log backup - this is for your protection, not to needlessly eat away at your disk space. You should be performing these log backups quite frequently, according to your recovery objectives. For example, if you have a business rule that states you can afford to lose no more than 15 minutes of data in the event of a disaster, you should have a job that backs up the log every 15 minutes. Here is a script that will generate timestamped file names based on the current time (but you can also do this with maintenance plans etc., just don't choose any of the shrink options in maintenance plans, they're awful).

DECLARE @path NVARCHAR(255) = N'\\backup_share\log\testdb_' 
  + CONVERT(CHAR(8), GETDATE(), 112) + '_'
  + REPLACE(CONVERT(CHAR(8), GETDATE(), 108),':','')
  + '.trn';

BACKUP LOG foo TO DISK = @path WITH INIT, COMPRESSION;

Note that \\backup_share\ should be on a different machine that represents a different underlying storage device. Backing these up to the same machine (or to a different machine that uses the same underlying disks, or a different VM that's on the same physical host) does not really help you, since if the machine blows up, you've lost your database and its backups. Depending on your network infrastructure it may make more sense to backup locally and then transfer them to a different location behind the scenes; in either case, you want to get them off the primary database machine as quickly as possible.

Now, once you have regular log backups running, it should be reasonable to shrink the log file to something more reasonable than whatever it's blown up to now. This does not mean running SHRINKFILE over and over again until the log file is 1 MB - even if you are backing up the log frequently, it still needs to accommodate the sum of any concurrent transactions that can occur. Log file autogrow events are expensive, since SQL Server has to zero out the files (unlike data files when instant file initialization is enabled), and user transactions have to wait while this happens. You want to do this grow-shrink-grow-shrink routine as little as possible, and you certainly don't want to make your users pay for it.

Note that you may need to back up the log twice before a shrink is possible (thanks Robert).

So, you need to come up with a practical size for your log file. Nobody here can tell you what that is without knowing a lot more about your system, but if you've been frequently shrinking the log file and it has been growing again, a good watermark is probably 10-50% higher than the largest it's been. Let's say that comes to 200 MB, and you want any subsequent autogrowth events to be 50 MB, then you can adjust the log file size this way:

USE [master];
GO
ALTER DATABASE Test1 
  MODIFY FILE
  (NAME = yourdb_log, SIZE = 200MB, FILEGROWTH = 50MB);
GO

Note that if the log file is currently > 200 MB, you may need to run this first:

USE yourdb;
GO
DBCC SHRINKFILE(yourdb_log, 200);
GO

If you don't care about point-in-time recovery

If this is a test database, and you don't care about point-in-time recovery, then you should make sure that your database is in SIMPLE recovery mode.

ALTER DATABASE testdb SET RECOVERY SIMPLE;

Putting the database in SIMPLE recovery mode will make sure that SQL Server re-uses portions of the log file (essentially phasing out inactive transactions) instead of growing to keep a record of all transactions (like FULL recovery does until you back up the log). CHECKPOINT events will help control the log and make sure that it doesn't need to grow unless you generate a lot of t-log activity between CHECKPOINTs.

Next, you should make absolute sure that this log growth was truly due to an abnormal event (say, an annual spring cleaning or rebuilding your biggest indexes), and not due to normal, everyday usage. If you shrink the log file to a ridiculously small size, and SQL Server just has to grow it again to accommodate your normal activity, what did you gain? Were you able to make use of that disk space you freed up only temporarily? If you need an immediate fix, then you can run the following:

USE yourdb;
GO
CHECKPOINT;
GO
CHECKPOINT; -- run twice to ensure file wrap-around
GO
DBCC SHRINKFILE(yourdb_log, 200); -- unit is set in MBs
GO

Otherwise, set an appropriate size and growth rate. As per the example in the point-in-time recovery case, you can use the same code and logic to determine what file size is appropriate and set reasonable autogrowth parameters.

Some things you don't want to do

Back up the log with TRUNCATE_ONLY option and then SHRINKFILE. For one, this TRUNCATE_ONLY option has been deprecated and is no longer available in current versions of SQL Server. Second, if you are in FULL recovery model, this will destroy your log chain and require a new, full backup.

Detach the database, delete the log file, and re-attach. I can't emphasize how dangerous this can be. Your database may not come back up, it may come up as suspect, you may have to revert to a backup (if you have one), etc. etc.

Use the "shrink database" option. DBCC SHRINKDATABASE and the maintenance plan option to do the same are bad ideas, especially if you really only need to resolve a log problem issue. Target the file you want to adjust and adjust it independently, using DBCC SHRINKFILE or ALTER DATABASE ... MODIFY FILE (examples above).

Shrink the log file to 1 MB. This looks tempting because, hey, SQL Server will let me do it in certain scenarios, and look at all the space it frees! Unless your database is read only (and it is, you should mark it as such using ALTER DATABASE), this will absolutely just lead to many unnecessary growth events, as the log has to accommodate current transactions regardless of the recovery model. What is the point of freeing up that space temporarily, just so SQL Server can take it back slowly and painfully?

Create a second log file. This will provide temporarily relief for the drive that has filled your disk, but this is like trying to fix a punctured lung with a band-aid. You should deal with the problematic log file directly instead of just adding another potential problem. Other than redirecting some transaction log activity to a different drive, a second log file really does nothing for you (unlike a second data file), since only one of the files can ever be used at a time. Paul Randal also explains why multiple log files can bite you later.

Be proactive

Instead of shrinking your log file to some small amount and letting it constantly autogrow at a small rate on its own, set it to some reasonably large size (one that will accommodate the sum of your largest set of concurrent transactions) and set a reasonable autogrow setting as a fallback, so that it doesn't have to grow multiple times to satisfy single transactions and so that it will be relatively rare for it to ever have to grow during normal business operations.

The worst possible settings here are 1 MB growth or 10% growth. Funny enough, these are the defaults for SQL Server (which I've complained about and asked for changes to no avail) - 1 MB for data files, and 10% for log files. The former is much too small in this day and age, and the latter leads to longer and longer events every time (say, your log file is 500 MB, first growth is 50 MB, next growth is 55 MB, next growth is 60.5 MB, etc. etc. - and on slow I/O, believe me, you will really notice this curve).

Further reading

Please don't stop here; while much of the advice you see out there about shrinking log files is inherently bad and even potentially disastrous, there are some people who care more about data integrity than freeing up disk space.

A blog post I wrote in 2009, when I saw a few "here's how to shrink the log file" posts spring up.

A blog post Brent Ozar wrote four years ago, pointing to multiple resources, in response to a SQL Server Magazine article that should not have been published.

A blog post by Paul Randal explaining why t-log maintenance is important and why you shouldn't shrink your data files, either.

Mike Walsh has a great answer covering some of these aspects too, including reasons why you might not be able to shrink your log file immediately.


Point-in-time recovery isn't the only reason to use full recovery model. The main reason is to prevent data loss. Your potential for data loss is the length between backups. If you're only doing a daily backup, your potential for data loss is 24 hours. If you then add log backups every half hour, your potential for data loss becomes 30 minutes. Additionally, log backups are required to perform any sort of piecemeal restore (like to recover from corruption).
That aside, this is the most complete and correct answer given on this page.
I would also want to add that clearing the log is done by backing up the log (in full or bulk-logged recovery) or a checkpoint (in simple recovery). However, if you are in a situation where you must shrink the log file, that's not enough. You need to cause the currently active VLF to cycle back to the start of the log file. You can force this in SQL 2008 and newer by issuing two log backups or checkpoints back-to-back. The first one clears it and the second one cycles it back to the start of the file.
@Doug_Ivison because at any point, log records could be purged. What would be the point of allowing you to backup a log which is incomplete? In simple recovery, the log is only really used to allow for rollbacks of transactions. Once a transaction has been committed or rolled back, the next second it could be gone from the log.
@zinczinc Ok, thank you for your feedback. The problem I see with putting the answer first and the explanation later is that they will never read the important parts. The lecture I drown the reader with is actually far more important than the answer at the end, and IMHO the background I provide is pretty important to making those choices. But hey, if you want to submit a one-line answer because you think that is better for the OP, please feel free to use that portion of my answer to make a better one we can all learn from.
R
Rui Lima
-- DON'T FORGET TO BACKUP THE DB :D (Check [here][1]) 


USE AdventureWorks2008R2;
GO
-- Truncate the log by changing the database recovery model to SIMPLE.
ALTER DATABASE AdventureWorks2008R2
SET RECOVERY SIMPLE;
GO
-- Shrink the truncated log file to 1 MB.
DBCC SHRINKFILE (AdventureWorks2008R2_Log, 1);
GO
-- Reset the database recovery model.
ALTER DATABASE AdventureWorks2008R2
SET RECOVERY FULL;
GO

From: DBCC SHRINKFILE (Transact-SQL)

You may want to backup first.


thanks, I did not suppose to lose much time for it and your answer was my best :)
This approach sets recover type to "FULL", even if recovery type was something else before
Worked like magic! Note that the name of the log file is actually its logical name (which can be found in db->properties->files)
I'd include a BACKUP DATABASE clause in this script, so nobody forgets this part. I say this, because some years ago I shrunk a database in a disk where it has too few free space. In the shrink process, the files were getting bigger, and an Out of Space error was thrown. Result: I lost the database. Luckly was a log database which had lose tolerance.
Didn't work at first until I realized that in SQL-Server 2016 the log file is actually lower-case "_log". The 3rd command is case-sensitive. Once I changed it to match exactly my database's log name, this worked!!
P
Peter Mortensen

DISCLAIMER: Please read comments below carefully, and I assume you've already read the accepted answer. As I said nearly 5 years ago:

if anyone has any comments to add for situations when this is NOT an adequate or optimal solution then please comment below

Right click on the database name.

Select Tasks → Shrink → Database

Then click OK!

I usually open the Windows Explorer directory containing the database files, so I can immediately see the effect.

I was actually quite surprised this worked! Normally I've used DBCC before, but I just tried that and it didn't shrink anything, so I tried the GUI (2005) and it worked great - freeing up 17 GB in 10 seconds

In Full recovery mode this might not work, so you have to either back up the log first, or change to Simple recovery, then shrink the file. [thanks @onupdatecascade for this]

--

PS: I appreciate what some have commented regarding the dangers of this, but in my environment I didn't have any issues doing this myself especially since I always do a full backup first. So please take into consideration what your environment is, and how this affects your backup strategy and job security before continuing. All I was doing was pointing people to a feature provided by Microsoft!


In Full recovery mode this might not work, so you have to either back up the log first, or change to Simple recovery, then shrink the file.
@onupdatecascade - good call on full recovery trick. had another database with a huge log : switched to simple, then shrink database and switched back to full. log file down to 500kb!
Sorry. But this answer simply could NOT be MORE wrong. By shrinking the database you WILL grow the transaction log file. ANY time you move data around in a SQL Server database, you'll require logging - bloating the log file. To decrease log size, either set the DB to Simple Recovery OR (if you care/need logged data - and you almost always do in production) backup the log. More Details in these simple, free, videos: sqlservervideos.com/video/logging-essentials sqlservervideos.com/video/sql2528-log-files
Wow, kudos for getting 1300+ rep for this answer, but it really is terrible advice.
Here is an exaggeration to demonstrate what is happening and why shrinking is absolutely critical on a periodic basis: Record A is changed 1 million times before a backup is done. What is in the log? 999,999 pieces of data that are irrelevant. If the logs are never shrunk you will never know what the true operating expense of the database is. Also, you are hogging valuable resources on a SAN, most likely. Shrinking is good maintenance and keeps you in touch with your environment. Show me someone who thinks you should never shrink and I'll show you someone ignoring their environment.
P
Peter Mortensen

Below is a script to shrink the transaction log, but I’d definitely recommend backing up the transaction log before shrinking it.

If you just shrink the file you are going to lose a ton of data that may come as a life saver in case of disaster. The transaction log contains a lot of useful data that can be read using a third-party transaction log reader (it can be read manually but with extreme effort though).

The transaction log is also a must when it comes to point in time recovery, so don’t just throw it away, but make sure you back it up beforehand.

Here are several posts where people used data stored in the transaction log to accomplish recovery:

How to view transaction logs in SQL Server 2008

Read the log file (*.LDF) in SQL Server 2008

USE DATABASE_NAME;
GO

ALTER DATABASE DATABASE_NAME
SET RECOVERY SIMPLE;
GO
--First parameter is log file name and second is size in MB
DBCC SHRINKFILE (DATABASE_NAME_Log, 1);

ALTER DATABASE DATABASE_NAME
SET RECOVERY FULL;
GO

You may get an error that looks like this when the executing commands above

“Cannot shrink log file (log file name) because the logical log file located at the end of the file is in use“

This means that TLOG is in use. In this case try executing this several times in a row or find a way to reduce database activities.


J
Johnno Nolan

Here is a simple and very inelegant & potentially dangerous way.

Backup DB Detach DB Rename Log file Attach DB New log file will be recreated Delete Renamed Log file.

I'm guessing that you are not doing log backups. (Which truncate the log). My advice is to change recovery model from full to simple. This will prevent log bloat.


Respectfully, deleting/ renaming/ recreating/ replacing the log is a very bad idea. Shrink is must less risky, plus it's pretty simple to do.
+1 - Inelegant or not, this method has got me out of hot water a couple of times with database logs that have filled the entire disk, such that even a shrink command can't run.
Is there not a risk of uncheckpointed transactions existing in the log?
This might also be fine for smaller DB's, but if your have a 3 or 4 TB DB, it might not be the best solution.
This seems ok if you have been developing a system for a long time and loading/delete thousands of records during the dev period. Then when you want to use this database to deploy to live, the testing/development data that has been logged is redundant and therefore doesn't matter if its lost, no?
J
Jonathan

If you do not use the transaction logs for restores (i.e. You only ever do full backups), you can set Recovery Mode to "Simple", and the transaction log will very shortly shrink and never fill up again.

If you are using SQL 7 or 2000, you can enable "truncate log on checkpoint" in the database options tab. This has the same effect.

This is not recomended in production environments obviously, since you will not be able to restore to a point in time.


Setting the recovery mode to simple will not, on its own, magically shrink the transaction log.
@Aaron Not on it's own, no. I assumed that the OP would be using their test database, and therefore "the transaction log will very shortly shrink", but you are correct in that it's more of a side effect: Recovery mode of simple will probably make you end up with a shrunken transaction log soon
"Simple...and never fill up again" -- not true. I've seen it happen (in the past 48 hours) on a database where the Recovery Model was set to "SIMPLE". The logfile's filegrowth was set to "restricted", and we'd been doing some immense activity on it... I understand that it was an unusual situation. (In our situation, where we had plenty of disc space, we increased the logfile size, and set logfile filegrowth to "unrestricted"... which by the way --interface bug-- shows up, after the change, as "restricted" with a maxsize of 2,097,152 MB.)
@Doug_Ivison Yes, the transaction log will have open transactions in it, but they will be removed in simple mode once a checkpoint has taken place. This answer is only intended as a quick "my development/test box has a big transaction log, and I want it to go away so I don't need to worry about it too often", rather than ever intended to go into a production environment. To re-iterate: Do not do this in production.
That's all true, and I get that it was a development-only quick approach. Why I commented: until it happened to me, I actually thought the simple recovery model could NEVER fill up... and I think it took me longer to figure out / resolve, while I came to understand that unusually large transactions can do that.
m
mrdenny

This technique that John recommends is not recommended as there is no guarantee that the database will attach without the log file. Change the database from full to simple, force a checkpoint and wait a few minutes. The SQL Server will clear the log, which you can then shrink using DBCC SHRINKFILE.


...but I have done it dozens of times without issue. perhaps you could explain why the db may not re-attach.
I have on occasion (not very often) seen the SQL Server not be able to attach the database back to the database when the log file has been deleted. This leaves you with a useless MDF file. There are several possibilities that can cause the problem. Transactions pending rollback come to mind.
I agree with this tactic, but it should be reserved for cases where the log has blown up due to some unforeseen and/or extraordinary event. If you set up a job to do this every week, you're doing it very, very wrong.
Yes, this just happened to us. We wanted to ditch 20G of log file as we'd just backed up the data before moving the database. No way would MSSQL allow us to re-attach the new database without the humongous log file.
R
Rachel

Most answers here so far are assuming you do not actually need the Transaction Log file, however if your database is using the FULL recovery model, and you want to keep your backups in case you need to restore the database, then do not truncate or delete the log file the way many of these answers suggest.

Eliminating the log file (through truncating it, discarding it, erasing it, etc) will break your backup chain, and will prevent you from restoring to any point in time since your last full, differential, or transaction log backup, until the next full or differential backup is made.

From the Microsoft article onBACKUP

We recommend that you never use NO_LOG or TRUNCATE_ONLY to manually truncate the transaction log, because this breaks the log chain. Until the next full or differential database backup, the database is not protected from media failure. Use manual log truncation in only very special circumstances, and create backups of the data immediately.

To avoid that, backup your log file to disk before shrinking it. The syntax would look something like this:

BACKUP LOG MyDatabaseName 
TO DISK='C:\DatabaseBackups\MyDatabaseName_backup_2013_01_31_095212_8797154.trn'

DBCC SHRINKFILE (N'MyDatabaseName_Log', 200)

I agree with your answer, except for the , 1) part. The problem is that if you shrink it to 1 MB, the growth events leading to a normal log size will be quite costly, and there will be many of them if the growth rate is left to the default of 10%.
C
Community

The SQL Server transaction log needs to be properly maintained in order to prevent its unwanted growth. This means running transaction log backups often enough. By not doing that, you risk the transaction log to become full and start to grow.

Besides the answers for this question I recommend reading and understanding the transaction log common myths. These readings may help understanding the transaction log and deciding what techniques to use to "clear" it:

From 10 most important SQL Server transaction log myths:

Myth: My SQL Server is too busy. I don’t want to make SQL Server transaction log backups One of the biggest performance intensive operations in SQL Server is an auto-grow event of the online transaction log file. By not making transaction log backups often enough, the online transaction log will become full and will have to grow. The default growth size is 10%. The busier the database is, the quicker the online transaction log will grow if transaction log backups are not created Creating a SQL Server transaction log backup doesn’t block the online transaction log, but an auto-growth event does. It can block all activity in the online transaction log

From Transaction log myths:

Myth: Regular log shrinking is a good maintenance practice FALSE. Log growth is very expensive because the new chunk must be zeroed-out. All write activity stops on that database until zeroing is finished, and if your disk write is slow or autogrowth size is big, that pause can be huge and users will notice. That’s one reason why you want to avoid growth. If you shrink the log, it will grow again and you are just wasting disk operation on needless shrink-and-grow-again game


P
Peter Mortensen

Use the DBCC ShrinkFile ({logicalLogName}, TRUNCATEONLY) command. If this is a test database and you are trying to save/reclaim space, this will help.

Remember though that TX logs do have a sort of minimum/steady state size that they will grow up to. Depending upon your recovery model you may not be able to shrink the log - if in FULL and you aren't issuing TX log backups the log can't be shrunk - it will grow forever. If you don't need TX log backups, switch your recovery model to Simple.

And remember, never ever under any circumstances delete the log (LDF) file! You will pretty much have instant database corruption. Cooked! Done! Lost data! If left "unrepaired" the main MDF file could become corrupt permanently.

Never ever delete the transaction log - you will lose data! Part of your data is in the TX Log (regardless of recovery model)... if you detach and "rename" the TX log file that effectively deletes part of your database.

For those that have deleted the TX Log you may want to run a few checkdb commands and fix the corruption before you lose more data.

Check out Paul Randal's blog posts on this very topic, bad advice.

Also in general do not use shrinkfile on the MDF files as it can severely fragment your data. Check out his Bad Advice section for more info ("Why you should not shrink your data files")

Check out Paul's website - he covers these very questions. Last month he walked through many of these issues in his Myth A Day series.


+1 For being the first answer to mention that this may not be a good idea! The OP specifies a test database but it is a point well worth making for the more general case.
I should have added - If you delete the TX log - Update Resume!
L
Leo Moore

To Truncate the log file:

Backup the database

Detach the database, either by using Enterprise Manager or by executing : Sp_DetachDB [DBName]

Delete the transaction log file. (or rename the file, just in case)

Re-attach the database again using: Sp_AttachDB [DBName]

When the database is attached, a new transaction log file is created.

To Shrink the log file:

Backup log [DBName] with No_Log

Shrink the database by either: Using Enterprise manager :- Right click on the database, All tasks, Shrink database, Files, Select log file, OK. Using T-SQL :- Dbcc Shrinkfile ([Log_Logical_Name])

You can find the logical name of the log file by running sp_helpdb or by looking in the properties of the database in Enterprise Manager.


Never ever delete the transaction log. Part of your data is in the Log. Delete it and database will become corrupt. I don't have rep to down vote.
For me DBCC SHRINKFILE not reduce log file ldf (Recovery is SIMPLE). For me log_reuse_wait_desc not returns any data. DBCC SQLPerf(logspace) return 99,99% Log Space Used DBCC LOGINFO returns 11059 rows, all Status = 2.
P
Peter Mortensen

First check the database recovery model. By default, SQL Server Express Edition creates a database for the simple recovery model (if I am not mistaken).

Backup log DatabaseName With Truncate_Only:

DBCC ShrinkFile(yourLogical_LogFileName, 50)

SP_helpfile will give you the logical log file name.

Refer to:

Recover from a full transaction log in a SQL Server database

If your database is in Full Recovery Model and if you are not taking TL backup, then change it to SIMPLE.


This is the way that I clear log files on my dev boxes. Prod environments with all of the associated backup strategies etc I leave to the DBA's :-)
TRUNCATE_ONLY is no longer an option in current versions of SQL Server, and it's not recommended on versions that do support it (see Rachel's answer).
M
Mahendra

It happened with me where the database log file was of 28 GBs.

What can you do to reduce this? Actually, log files are those file data which the SQL server keeps when an transaction has taken place. For a transaction to process SQL server allocates pages for the same. But after the completion of the transaction, these are not released suddenly hoping that there may be a transaction coming like the same one. This holds up the space.

Step 1: First Run this command in the database query explored checkpoint

Step 2: Right click on the database Task> Back up Select back up type as Transaction Log Add a destination address and file name to keep the backup data (.bak)

Repeat this step again and at this time give another file name

https://i.stack.imgur.com/ELNLW.png

Step 3: Now go to the database Right-click on the database

Tasks> Shrinks> Files Choose File type as Log Shrink action as release unused space

https://i.stack.imgur.com/qwPKt.png

Step 4:

Check your log file normally in SQL 2014 this can be found at

C:\Program Files\Microsoft SQL Server\MSSQL12.MSSQL2014EXPRESS\MSSQL\DATA

In my case, its reduced from 28 GB to 1 MB


s
shmia

To my experience on most SQL Servers there is no backup of the transaction log. Full backups or differential backups are common practice, but transaction log backups are really seldom. So the transaction log file grows forever (until the disk is full). In this case the recovery model should be set to "simple". Don't forget to modify the system databases "model" and "tempdb", too.

A backup of the database "tempdb" makes no sense, so the recovery model of this db should always be "simple".


Just setting the database to simple won't shrink the log file, in whatever state it's currently in. It just may help prevent it from growing further (but it still could).
P
Peter Mortensen

Take a backup of the MDB file. Stop SQL services Rename the log file Start the service

(The system will create a new log file.)

Delete or move the renamed log file.


P
Peter Mortensen

Database → right click Properties → file → add another log file with a different name and set the path the same as the old log file with a different file name.

The database automatically picks up the newly created log file.


Z
Zanon

Try this:

USE DatabaseName

GO

DBCC SHRINKFILE( TransactionLogName, 1)

BACKUP LOG DatabaseName WITH TRUNCATE_ONLY

DBCC SHRINKFILE( TransactionLogName, 1)

GO 

TRUNCATE_ONLY is no longer an option in current versions of SQL Server, and it's not recommended on versions that do support it (see Rachel's answer).
It works for me using MSSQL Server 2005 Standard edition
G
George M Reinstate Monica

Slightly updated answer, for MSSQL 2017, and using the SQL server management studio. I went mostly from these instructions https://www.sqlshack.com/sql-server-transaction-log-backup-truncate-and-shrink-operations/

I had a recent db backup, so I backed up the transaction log. Then I backed it up again for good measure. Finally I shrank the log file, and went from 20G to 7MB, much more in line with the size of my data. I don't think the transaction logs had ever been backed up since this was installed 2 years ago.. so putting that task on the housekeeping calendar.


K
Konrad Viltersten

Backup DB Detach DB Rename Log file Attach DB (while attaching remove renamed .ldf (log file).Select it and remove by pressing Remove button) New log file will be recreated Delete Renamed Log file.

This will work but it is suggested to take backup of your database first.


h
hey

Some of the other answers did not work for me: It was not possible to create the checkpoint while the db was online, because the transaction log was full (how ironic). However, after setting the database to emergency mode, I was able to shrink the log file:

alter database <database_name> set emergency;
use <database_name>;
checkpoint;
checkpoint;
alter database <database_name> set online;
dbcc shrinkfile(<database_name>_log, 200);

P
Peter Nazarov

DB Transaction Log Shrink to min size:

Backup: Transaction log Shrink files: Transaction log Backup: Transaction log Shrink files: Transaction log

I made tests on several number of DBs: this sequence works.

It usually shrinks to 2MB.

OR by a script:

DECLARE @DB_Name nvarchar(255);
DECLARE @DB_LogFileName nvarchar(255);
SET @DB_Name = '<Database Name>';               --Input Variable
SET @DB_LogFileName = '<LogFileEntryName>';         --Input Variable
EXEC 
(
'USE ['+@DB_Name+']; '+
'BACKUP LOG ['+@DB_Name+'] WITH TRUNCATE_ONLY ' +
'DBCC SHRINKFILE( '''+@DB_LogFileName+''', 2) ' +
'BACKUP LOG ['+@DB_Name+'] WITH TRUNCATE_ONLY ' +
'DBCC SHRINKFILE( '''+@DB_LogFileName+''', 2)'
)
GO

TRUNCATE_ONLY is no longer an option in current versions of SQL Server, and it's not recommended on versions that do support it (see Rachel's answer).