Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL Server Efficiently dropping a group of rows with millions and millions of rows

Tags:

sql

sql-server

I recently asked this question: MS SQL share identity seed amongst tables (Many people wondered why)

I have the following layout of a table:

Table: Stars
starId bigint
categoryId bigint
starname varchar(200)

But my problem is that I have millions and millions of rows. So when I want to delete stars from the table Stars it is too intense on SQL Server.

I cannot use built in partitioning for 2005+ because I do not have an enterprise license.

When I do delete though, I always delete a whole category Id at a time.

I thought of doing a design like this:

Table: Star_1
starId bigint
CategoryId bigint constaint rock=1
starname varchar(200)

Table: Star_2
starId bigint
CategoryId bigint constaint rock=2
starname varchar(200)

In this way I can delete a whole category and hence millions of rows in O(1) by doing a simple drop table.

My question is, is it a problem to have hundreds of thousands of tables in your SQL Server? The drop in O(1) is extremely desirable to me. Maybe there's a completely different solution I'm not thinking of?

Edit:

Is a star ever modified once it is inserted? No.

Do you ever have to query across star categories? I never have to query across star categories.

If you are looking for data on a particular star, would you know which table to query? Yes

When entering data, how will the application decide which table to put the data into? The insertion of star data is done all at once at the start when the categoryId is created.

How many categories will there be? You can assume there will be infinite star categories. Let's say up to 100 star categories per day and up to 30 star categories not needed per day.

Truly do you need to delete the whole category or only the star that the data changed for? Yes the whole star category.

Have you tried deleting in batches? Yes we do that today, but it is not good enough. od enough.

Another technique is mark the record for deletion? There is no need to mark a star as deleted because we know the whole star category is eligible to be deleted.

What proportion of them never get used? Typically we keep each star category data for a couple weeks but sometimes need to keep more.

When you decide one is useful is that good for ever or might it still need to be deleted later?

Not forever, but until a manual request to delete the category is issued. If so what % of the time does that happen? Not that often.

What kind of disc arrangement are you using? Single filegroup storage and no partitioning currently.

Can you use sql enterprise ? No. There are many people that run this software and they only have sql standard. It is outside of their budget to get ms sql enterprise.

like image 926
Net Citizen Avatar asked Mar 25 '10 21:03

Net Citizen


2 Answers

My question is, is it a problem to have hundreds of thousands of tables in your SQL Server?

Yes. It is a huge problem to have this many tables in your SQL Server. Every object has to be tracked by SQL Server as metadata, and once you include indexes, referential constraints, primary keys, defaults, and so on, then you are talking about millions of database objects.

While SQL Server may theoretically be able to handle 232 objects, rest assured that it will start buckling under the load much sooner than that.

And if the database doesn't collapse, your developers and IT staff almost certainly will. I get nervous when I see more than a thousand tables or so; show me a database with hundreds of thousands and I will run away screaming.

Creating hundreds of thousands of tables as a poor-man's partitioning strategy will eliminate your ability to do any of the following:

  • Write efficient queries (how do you SELECT multiple categories?)
  • Maintain unique identities (as you've already discovered)
  • Maintain referential integrity (unless you like managing 300,000 foreign keys)
  • Perform ranged updates
  • Write clean application code
  • Maintain any sort of history
  • Enforce proper security (it seems evident that users would have to be able to initiate these create/drops - very dangerous)
  • Cache properly - 100,000 tables means 100,000 different execution plans all competing for the same memory, which you likely don't have enough of;
  • Hire a DBA (because rest assured, they will quit as soon as they see your database).

On the other hand, it's not a problem at all to have hundreds of thousands of rows, or even millions of rows, in a single table - that's the way SQL Server and other SQL RDBMSes were designed to be used and they are very well-optimized for this case.

The drop in O(1) is extremely desirable to me. Maybe there's a completely different solution I'm not thinking of?

The typical solution to performance problems in databases is, in order of preference:

  • Run a profiler to determine what the slowest parts of the query are;
  • Improve the query, if possible (i.e. by eliminating non-sargable predicates);
  • Normalize or add indexes to eliminate those bottlenecks;
  • Denormalize when necessary (not generally applicable to deletes);
  • If cascade constraints or triggers are involved, disable those for the duration of the transaction and blow out the cascades manually.

But the reality here is that you don't need a "solution."

"Millions and millions of rows" is not a lot in a SQL Server database. It is very quick to delete a few thousand rows from a table of millions by simply indexing on the column you wish to delete from - in this case CategoryID. SQL Server can do this without breaking a sweat.

In fact, deletions normally have an O(M log N) complexity (N = number of rows, M = number of rows to delete). In order to achieve an O(1) deletion time, you'd be sacrificing almost every benefit that SQL Server provides in the first place.

O(M log N) may not be as fast as O(1), but the kind of slowdowns you're talking about (several minutes to delete) must have a secondary cause. The numbers do not add up, and to demonstrate this, I've gone ahead and produced a benchmark:


Table Schema:

CREATE TABLE Stars
(
    StarID int NOT NULL IDENTITY(1, 1)
        CONSTRAINT PK_Stars PRIMARY KEY CLUSTERED,
    CategoryID smallint NOT NULL,
    StarName varchar(200)
)

CREATE INDEX IX_Stars_Category
ON Stars (CategoryID)

Note that this schema is not even really optimized for DELETE operations, it's a fairly run-of-the-mill table schema you might see in SQL server. If this table has no relationships, then we don't need the surrogate key or clustered index (or we could put the clustered index on the category). I'll come back to that later.

Sample Data:

This will populate the table with 10 million rows, using 500 categories (i.e. a cardinality of 1:20,000 per category). You can tweak the parameters to change the amount of data and/or cardinality.

SET NOCOUNT ON

DECLARE
    @BatchSize int,
    @BatchNum int,
    @BatchCount int,
    @StatusMsg nvarchar(100)

SET @BatchSize = 1000
SET @BatchCount = 10000
SET @BatchNum = 1

WHILE (@BatchNum <= @BatchCount)
BEGIN
    SET @StatusMsg =
        N'Inserting rows - batch #' + CAST(@BatchNum AS nvarchar(5))
    RAISERROR(@StatusMsg, 0, 1) WITH NOWAIT

    INSERT Stars2 (CategoryID, StarName)
        SELECT
            v.number % 500,
            CAST(RAND() * v.number AS varchar(200))
        FROM master.dbo.spt_values v
        WHERE v.type = 'P'
        AND v.number >= 1
        AND v.number <= @BatchSize

    SET @BatchNum = @BatchNum + 1
END

Profile Script

The simplest of them all...

DELETE FROM Stars
WHERE CategoryID = 50

Results:

This was tested on an 5-year old workstation machine running, IIRC, a 32-bit dual-core AMD Athlon and a cheap 7200 RPM SATA drive.

I ran the test 10 times using different CategoryIDs. The slowest time (cold cache) was about 5 seconds. The fastest time was 1 second.

Perhaps not as fast as simply dropping the table, but nowhere near the multi-minute deletion times you mentioned. And remember, this isn't even on a decent machine!

But we can do better...

Everything about your question implies that this data isn't related. If you don't have relations, you don't need the surrogate key, and can get rid of one of the indexes, moving the clustered index to the CategoryID column.

Now, as a rule, clustered indexes on non-unique/non-sequential columns are not a good practice. But we're just benchmarking here, so we'll do it anyway:

CREATE TABLE Stars
(
    CategoryID smallint NOT NULL,
    StarName varchar(200)
)

CREATE CLUSTERED INDEX IX_Stars_Category
ON Stars (CategoryID)

Run the same test data generator on this (incurring a mind-boggling number of page splits) and the same deletion took an average of just 62 milliseconds, and 190 from a cold cache (outlier). And for reference, if the index is made nonclustered (no clustered index at all) then the delete time only goes up to an average of 606 ms.

Conclusion:

If you're seeing delete times of several minutes - or even several seconds then something is very, very wrong.

Possible factors are:

  • Statistics aren't up to date (shouldn't be an issue here, but if it is, just run sp_updatestats);

  • Lack of indexing (although, curiously, removing the IX_Stars_Category index in the first example actually leads to a faster overall delete, because the clustered index scan is faster than the nonclustered index delete);

  • Improperly-chosen data types. If you only have millions of rows, as opposed to billions, then you do not need a bigint on the StarID. You definitely don't need it on the CategoryID - if you have fewer than 32,768 categories then you can even do with a smallint. Every byte of unnecessary data in each row adds an I/O cost.

  • Lock contention. Maybe the problem isn't actually delete speed at all; maybe some other script or process is holding locks on Star rows and the DELETE just sits around waiting for them to let go.

  • Extremely poor hardware. I was able to run this without any problems on a pretty lousy machine, but if you're running this database on a '90s-era Presario or some similar machine that's preposterously unsuitable for hosting an instance of SQL Server, and it's heavily-loaded, then you're obviously going to run into problems.

  • Very expensive foreign keys, triggers, constraints, or other database objects which you haven't included in your example, which might be adding a high cost. Your execution plan should clearly show this (in the optimized example above, it's just a single Clustered Index Delete).

I honestly cannot think of any other possibilities. Deletes in SQL Server just aren't that slow.


If you're able to run these benchmarks and see roughly the same performance I saw (or better), then it means the problem is with your database design and optimization strategy, not with SQL Server or the asymptotic complexity of deletions. I would suggest, as a starting point, to read a little about optimization:

  • SQL Server Optimization Tips (Database Journal)
  • SQL Server Optimization (MSDN)
  • Improving SQL Server Performance (MSDN)
  • SQL Server Query Processing Team Blog
  • SQL Server Performance (particularly their tips on indexes)

If this still doesn't help you, then I can offer the following additional suggestions:

  • Upgrade to SQL Server 2008, which gives you a myriad of compression options that can vastly improve I/O performance;

  • Consider pre-compressing the per-category Star data into a compact serialized list (using the BinaryWriter class in .NET), and store it in a varbinary column. This way you can have one row per category. This violates 1NF rules, but since you don't seem to be doing anything with individual Star data from within the database anyway anyway, I doubt you'd be losing much.

  • Consider using a non-relational database or storage format, such as db4o or Cassandra. Instead of implementing a known database anti-pattern (the infamous "data dump"), use a tool that is actually designed for that kind of storage and access pattern.

like image 72
Aaronaught Avatar answered Oct 13 '22 14:10

Aaronaught


Must you delete them? Often it is better to just set an IsDeleted bit column to 1, and then do the actual deletion asynchronously during off hours.

Edit:

This is a shot in the dark, but adding a clustered index on CategoryId may speed up deletes. It may also impact other queries adversely. Is this something you can test?

like image 28
D'Arcy Rittich Avatar answered Oct 13 '22 14:10

D'Arcy Rittich