Da Linq a Sql: come cancellare rapidamente una tabella


88

Per eliminare tutte le righe in una tabella, attualmente sto facendo quanto segue:

context.Entities.DeleteAllOnSubmit(context.Entities);
context.SubmitChanges();

Tuttavia, questo sembra richiedere anni. C'è un modo più veloce?


C'è qualche motivo per cui non stai utilizzando una procedura memorizzata per una cancellazione più rapida e sicura? Puoi mappare il proc su dbml
Perpetualcoder il

1
Allora non dovresti crearne uno per ogni tavolo? O?
Svish

Risposte:


126

È possibile eseguire un normale comando SQL troncare o eliminare, utilizzando il metodo DataContext.ExecuteCommand :

context.ExecuteCommand("DELETE FROM Entity");

O

context.ExecuteCommand("TRUNCATE TABLE Entity");

Il modo in cui stai eliminando sta impiegando molto tempo perché Linq to SQL genera un'istruzione DELETE per ogni entità , ci sono altri approcci indipendenti dai tipi per eseguire eliminazioni / aggiornamenti batch, controlla i seguenti articoli:


assicurati di correggere la parola "CANCELLA"
David

9
Ho fatto +1 su questo elemento. Ecco un riferimento che spiega la differenza tra Truncate (che penso tu voglia fare) e Delete: mssqltips.com/tip.asp?tip=1080
David

1
+1 sul commento di David: troncare potrebbe essere molto più veloce dell'eliminazione
Fredrik Mörk

1
@David: quel problema è specifico per Entity Framework ( Linq-to-Entities ), l'ho usato TRUNCATEprima senza problemi su Linq-to-SQL
Christian C. Salvadó

1
TRUNCATE cancellerà qualsiasi indicizzazione automatica che è stata stabilita (in genere una colonna Id), quindi fai attenzione se non vuoi che venga ripristinata. DELETE FROM non lo farà.
JCisar

20

Sfortunatamente, LINQ-to-SQL non esegue molto bene le query basate su set.

Lo presumeresti

context.Entities.DeleteAllOnSubmit(context.Entities); 
context.SubmitChanges(); 

si tradurrà in qualcosa di simile

DELETE FROM [Entities]

ma sfortunatamente è più simile

DELETE FROM [dbo].[Entities] WHERE ([EntitiesId] = @p0) AND ([Column1] = @p1) ...
DELETE FROM [dbo].[Entities] WHERE ([EntitiesId] = @p0) AND ([Column1] = @p1) ...
DELETE FROM [dbo].[Entities] WHERE ([EntitiesId] = @p0) AND ([Column1] = @p1) ...

Troverai lo stesso quando proverai a eseguire l'aggiornamento in blocco in LINQ-to-SQL. Non più di qualche centinaio di righe alla volta e sarà semplicemente troppo lento.

Se è necessario eseguire operazioni batch e si utilizza LINQ-to-SQL, è necessario scrivere stored procedure.


12

Mi piace usare un metodo di estensione, per quanto segue:

public static class LinqExtension
{
  public static void Truncate<TEntity>(this Table<TEntity> table) where TEntity : class
  {
    var rowType = table.GetType().GetGenericArguments()[0];
    var tableName = table.Context.Mapping.GetTable(rowType).TableName;
    var sqlCommand = String.Format("TRUNCATE TABLE {0}", tableName);
    table.Context.ExecuteCommand(sqlCommand);
  }
}

0

potresti anche usare questo:

Public void BorraFilasTabla()
{
 using(basededatos db = new basededatos())
 {
  var ListaParaBorrar = db.Tabla.Tolist();
  db.Tabla.RemoveRange(ListaParaBorrar); 
 }
}

La domanda è: "C'è un modo più veloce?". Come sarebbe più veloce? Inoltre, questo non è LINQ to SQL.
Gert Arnold,

-1

Il codice c # seguente viene utilizzato per inserire / aggiornare / eliminare / eliminare tutto in una tabella di database utilizzando LINQ to SQL

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;

namespace PracticeApp
{
    class PracticeApp
    {        
        public void InsertRecord(string Name, string Dept) {
            LinqToSQLDataContext LTDT = new LinqToSQLDataContext();
            LINQTOSQL0 L0 = new LINQTOSQL0 { NAME = Name, DEPARTMENT = Dept };
            LTDT.LINQTOSQL0s.InsertOnSubmit(L0);
            LTDT.SubmitChanges();
        }

        public void UpdateRecord(int ID, string Name, string Dept)
        {
            LinqToSQLDataContext LTDT = new LinqToSQLDataContext();
            LINQTOSQL0 L0 = (from item in LTDT.LINQTOSQL0s where item.ID == ID select item).FirstOrDefault();
            L0.NAME = Name;
            L0.DEPARTMENT = Dept;
            LTDT.SubmitChanges();
        }

        public void DeleteRecord(int ID)
        {
            LinqToSQLDataContext LTDT = new LinqToSQLDataContext();
            LINQTOSQL0 L0;
            if (ID != 0)
            {
                L0 = (from item in LTDT.LINQTOSQL0s where item.ID == ID select item).FirstOrDefault();
                LTDT.LINQTOSQL0s.DeleteOnSubmit(L0);
            }
            else
            {
                IEnumerable<LINQTOSQL0> Data = from item in LTDT.LINQTOSQL0s where item.ID !=0 select item;
                LTDT.LINQTOSQL0s.DeleteAllOnSubmit(Data);
            }           
            LTDT.SubmitChanges();
        }

        static void Main(string[] args) {
            Console.Write("* Enter Comma Separated Values to Insert Records\n* To Delete a Record Enter 'Delete' or To Update the Record Enter 'Update' Then Enter the Values\n* Dont Pass ID While Inserting Record.\n* To Delete All Records Pass 0 as Parameter for Delete.\n");
            var message = "Successfully Completed";
            try
            {
                PracticeApp pa = new PracticeApp();
                var enteredValue = Console.ReadLine();                
                if (Regex.Split(enteredValue, ",")[0] == "Delete") 
                {
                    Console.Write("Delete Operation in Progress...\n");
                    pa.DeleteRecord(Int32.Parse(Regex.Split(enteredValue, ",")[1]));
                }
                else if (Regex.Split(enteredValue, ",")[0] == "Update")
                {
                    Console.Write("Update Operation in Progress...\n");
                    pa.UpdateRecord(Int32.Parse(Regex.Split(enteredValue, ",")[1]), Regex.Split(enteredValue, ",")[2], Regex.Split(enteredValue, ",")[3]);
                }
                else
                {
                    Console.Write("Insert Operation in Progress...\n");
                    pa.InsertRecord(Regex.Split(enteredValue, ",")[0], Regex.Split(enteredValue, ",")[1]);
                }                                
            }
            catch (Exception ex)
            {
                message = ex.ToString();
            }
            Console.Write(message);            
            Console.ReadLine();                        
        }
    }
}

1
aggiungi qualche spiegazione
Yahya Hussein
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.