Reputation: 25122
I want to keep a table as history and replace it with an empty one. How can I do this through Management Studio?
Upvotes: 35
Views: 148097
Reputation: 82993
Duplicate your table into a table to be archived:
SELECT * INTO ArchiveTable FROM MyTable
Delete all entries in your table:
DELETE * FROM MyTable
Upvotes: 53
Reputation: 11
This will work:
select * into DestinationDatabase.dbo.[TableName1] from (
Select * from sourceDatabase.dbo.[TableName1])Temp
Upvotes: -1
Reputation: 103579
try this single command to both delete and insert the data:
DELETE MyTable
OUTPUT DELETED.Col1, DELETED.COl2,...
INTO MyBackupTable
working sample:
--set up the tables
DECLARE @MyTable table (col1 int, col2 varchar(5))
DECLARE @MyBackupTable table (col1 int, col2 varchar(5))
INSERT INTO @MyTable VALUES (1,'A')
INSERT INTO @MyTable VALUES (2,'B')
INSERT INTO @MyTable VALUES (3,'C')
INSERT INTO @MyTable VALUES (4,'D')
--single command that does the delete and inserts
DELETE @MyTable
OUTPUT DELETED.Col1, DELETED.COl2
INTO @MyBackupTable
--show both tables final values
select * from @MyTable
select * from @MyBackupTable
OUTPUT:
(1 row(s) affected)
(1 row(s) affected)
(1 row(s) affected)
(1 row(s) affected)
(4 row(s) affected)
col1 col2
----------- -----
(0 row(s) affected)
col1 col2
----------- -----
1 A
2 B
3 C
4 D
(4 row(s) affected)
Upvotes: 4
Reputation: 10221
Either you can use RAW SQL:
INSERT INTO DEST_TABLE (Field1, Field2)
SELECT Source_Field1, Source_Field2
FROM SOURCE_TABLE
Or use the wizard:
Then execute:
TRUNCATE TABLE SOURCE_TABLE
Upvotes: 16
Reputation: 39393
select * into x_history from your_table_here;
truncate table your_table_here;
Upvotes: 21
Reputation: 54999
Don't have sql server around to test but I think it's just:
insert into newtable select * from oldtable;
Upvotes: 31