Proper way to update (update fallback) a list of entities with child entities?What is the proper way to re-throw an exception in C#?How to Stop Auto Generate columns in FlexgridFastest Way of Inserting in Entity FrameworkLINQ to Entity Framework many to many with list of stringsEntity Framework 5 Updating a RecordProper way to initialize a C# dictionary with values?Inner query(sub query) using LINQ to Entities that returns IEnumerable Lists within ListsASP Core MVC Scaffolding SelectList (RC1) not populating dataEntity FrameWork How to update list recordEF issue adding entity with list of child entities

How many people are necessary to maintain modern civilisation?

How does DC work with natural 20?

What is the origin of Scooby-Doo's name?

Boss wants someone else to lead a project based on the idea I presented to him

What happened to Steve's Shield in Iron Man 2?

How do I farm creepers for XP without them exploding?

Android Material and appcompat Manifest merger failed in react-native or ExpoKit

RandomInteger with equal number of 1 and -1

Should an enameled cast iron pan be seasoned?

What is the meaning of "понаехать"?

Can humans ever directly see a few photons at a time? Can a human see a single photon?

How to remove this component from PCB

How to make clear to people I don't want to answer their "Where are you from?" question?

Why does independence imply zero correlation?

Shooting someone's past self using special relativity

Data analysis internship not going well because of lack of programming background

Prime sieve in Python

Why does cooking oatmeal starting with cold milk make it creamy?

How would modern naval warfare have to have developed differently for battleships to still be relevant in the 21st century?

Helping ease my back pain by studying 13 hours everyday , even weekends

What is upper left vol?

Why don't countries like Japan just print more money?

Confusion over 220 and 230 volt outlets

When to remove insignificant variables?



Proper way to update (update fallback) a list of entities with child entities?


What is the proper way to re-throw an exception in C#?How to Stop Auto Generate columns in FlexgridFastest Way of Inserting in Entity FrameworkLINQ to Entity Framework many to many with list of stringsEntity Framework 5 Updating a RecordProper way to initialize a C# dictionary with values?Inner query(sub query) using LINQ to Entities that returns IEnumerable Lists within ListsASP Core MVC Scaffolding SelectList (RC1) not populating dataEntity FrameWork How to update list recordEF issue adding entity with list of child entities






.everyoneloves__top-leaderboard:empty,.everyoneloves__mid-leaderboard:empty,.everyoneloves__bot-mid-leaderboard:empty height:90px;width:728px;box-sizing:border-box;








0















I'm building a .net core 2 api with EF core .
the api gets a list (3K-5K) of entities(DTOs) to sync using a general syncItems function.



assume the following entities :



 public class supplier

[Key]
public string supplierCode get; set;

public string name get; set;


public class item

public const int maxItemName = 256;
public const int maxItemCode = 256;
public const int maxBarcode = 256;
[Required]
[StringLength(maxItemName)]
public string itemName get; set;

[Required]
[StringLength(maxItemCode)]
[Key]
public string sku get; set;

public supplier supplier get; set;


public ICollection<itemWarehouse> whslines = new List<itemWarehouse>();

public item()






my sync does the following :

var itemsInApp=_appDbContext.items.ToList();
// insert or update items.
items.ForEach(erpitem =>

bool newflag = false;
item tempItem = itemsInApp.Where(x => x.sku == erpitem.sku).FirstOrDefault();
if (tempItem==null) // check if item is null

tempItem = new item();
tempItem.sku = erpitem.sku;
newflag = true;

tempItem.itemName = erpitem.itemName;
var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode);
if (sup == null)

sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ;

tempItem.supplier = sup;
if (newflag)
_appDbContext.items.AddAsync(tempItem);
);
if (_appDbContext.ChangeTracker.HasChanges())
await _appDbContext.SaveChangesAsync();


This runs very slow, and sometimes even hangs (?)
(due to the supplier)
I can extract the suppliers from the incoming list and add them before looping over the list of items , hence the supplier code will always exist in the db.
I'm just not sure if thats the proper way to do it (?)
most of the online examples tackle updating/inserting a single item.



Any insight / help is much appreciated.










share|improve this question






















  • Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

    – Lorenzo Isidori
    Mar 25 at 8:05












  • thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

    – Nadav Caridi
    Mar 25 at 8:58











  • Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

    – Lorenzo Isidori
    Mar 25 at 9:11












  • actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

    – Nadav Caridi
    Mar 25 at 10:00












  • Of course, if you remove many entities he does its work fast

    – Lorenzo Isidori
    Mar 25 at 10:58

















0















I'm building a .net core 2 api with EF core .
the api gets a list (3K-5K) of entities(DTOs) to sync using a general syncItems function.



assume the following entities :



 public class supplier

[Key]
public string supplierCode get; set;

public string name get; set;


public class item

public const int maxItemName = 256;
public const int maxItemCode = 256;
public const int maxBarcode = 256;
[Required]
[StringLength(maxItemName)]
public string itemName get; set;

[Required]
[StringLength(maxItemCode)]
[Key]
public string sku get; set;

public supplier supplier get; set;


public ICollection<itemWarehouse> whslines = new List<itemWarehouse>();

public item()






my sync does the following :

var itemsInApp=_appDbContext.items.ToList();
// insert or update items.
items.ForEach(erpitem =>

bool newflag = false;
item tempItem = itemsInApp.Where(x => x.sku == erpitem.sku).FirstOrDefault();
if (tempItem==null) // check if item is null

tempItem = new item();
tempItem.sku = erpitem.sku;
newflag = true;

tempItem.itemName = erpitem.itemName;
var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode);
if (sup == null)

sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ;

tempItem.supplier = sup;
if (newflag)
_appDbContext.items.AddAsync(tempItem);
);
if (_appDbContext.ChangeTracker.HasChanges())
await _appDbContext.SaveChangesAsync();


This runs very slow, and sometimes even hangs (?)
(due to the supplier)
I can extract the suppliers from the incoming list and add them before looping over the list of items , hence the supplier code will always exist in the db.
I'm just not sure if thats the proper way to do it (?)
most of the online examples tackle updating/inserting a single item.



Any insight / help is much appreciated.










share|improve this question






















  • Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

    – Lorenzo Isidori
    Mar 25 at 8:05












  • thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

    – Nadav Caridi
    Mar 25 at 8:58











  • Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

    – Lorenzo Isidori
    Mar 25 at 9:11












  • actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

    – Nadav Caridi
    Mar 25 at 10:00












  • Of course, if you remove many entities he does its work fast

    – Lorenzo Isidori
    Mar 25 at 10:58













0












0








0








I'm building a .net core 2 api with EF core .
the api gets a list (3K-5K) of entities(DTOs) to sync using a general syncItems function.



assume the following entities :



 public class supplier

[Key]
public string supplierCode get; set;

public string name get; set;


public class item

public const int maxItemName = 256;
public const int maxItemCode = 256;
public const int maxBarcode = 256;
[Required]
[StringLength(maxItemName)]
public string itemName get; set;

[Required]
[StringLength(maxItemCode)]
[Key]
public string sku get; set;

public supplier supplier get; set;


public ICollection<itemWarehouse> whslines = new List<itemWarehouse>();

public item()






my sync does the following :

var itemsInApp=_appDbContext.items.ToList();
// insert or update items.
items.ForEach(erpitem =>

bool newflag = false;
item tempItem = itemsInApp.Where(x => x.sku == erpitem.sku).FirstOrDefault();
if (tempItem==null) // check if item is null

tempItem = new item();
tempItem.sku = erpitem.sku;
newflag = true;

tempItem.itemName = erpitem.itemName;
var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode);
if (sup == null)

sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ;

tempItem.supplier = sup;
if (newflag)
_appDbContext.items.AddAsync(tempItem);
);
if (_appDbContext.ChangeTracker.HasChanges())
await _appDbContext.SaveChangesAsync();


This runs very slow, and sometimes even hangs (?)
(due to the supplier)
I can extract the suppliers from the incoming list and add them before looping over the list of items , hence the supplier code will always exist in the db.
I'm just not sure if thats the proper way to do it (?)
most of the online examples tackle updating/inserting a single item.



Any insight / help is much appreciated.










share|improve this question














I'm building a .net core 2 api with EF core .
the api gets a list (3K-5K) of entities(DTOs) to sync using a general syncItems function.



assume the following entities :



 public class supplier

[Key]
public string supplierCode get; set;

public string name get; set;


public class item

public const int maxItemName = 256;
public const int maxItemCode = 256;
public const int maxBarcode = 256;
[Required]
[StringLength(maxItemName)]
public string itemName get; set;

[Required]
[StringLength(maxItemCode)]
[Key]
public string sku get; set;

public supplier supplier get; set;


public ICollection<itemWarehouse> whslines = new List<itemWarehouse>();

public item()






my sync does the following :

var itemsInApp=_appDbContext.items.ToList();
// insert or update items.
items.ForEach(erpitem =>

bool newflag = false;
item tempItem = itemsInApp.Where(x => x.sku == erpitem.sku).FirstOrDefault();
if (tempItem==null) // check if item is null

tempItem = new item();
tempItem.sku = erpitem.sku;
newflag = true;

tempItem.itemName = erpitem.itemName;
var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode);
if (sup == null)

sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ;

tempItem.supplier = sup;
if (newflag)
_appDbContext.items.AddAsync(tempItem);
);
if (_appDbContext.ChangeTracker.HasChanges())
await _appDbContext.SaveChangesAsync();


This runs very slow, and sometimes even hangs (?)
(due to the supplier)
I can extract the suppliers from the incoming list and add them before looping over the list of items , hence the supplier code will always exist in the db.
I'm just not sure if thats the proper way to do it (?)
most of the online examples tackle updating/inserting a single item.



Any insight / help is much appreciated.







c# ef-core-2.2






share|improve this question













share|improve this question











share|improve this question




share|improve this question










asked Mar 25 at 7:52









Nadav CaridiNadav Caridi

814




814












  • Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

    – Lorenzo Isidori
    Mar 25 at 8:05












  • thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

    – Nadav Caridi
    Mar 25 at 8:58











  • Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

    – Lorenzo Isidori
    Mar 25 at 9:11












  • actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

    – Nadav Caridi
    Mar 25 at 10:00












  • Of course, if you remove many entities he does its work fast

    – Lorenzo Isidori
    Mar 25 at 10:58

















  • Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

    – Lorenzo Isidori
    Mar 25 at 8:05












  • thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

    – Nadav Caridi
    Mar 25 at 8:58











  • Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

    – Lorenzo Isidori
    Mar 25 at 9:11












  • actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

    – Nadav Caridi
    Mar 25 at 10:00












  • Of course, if you remove many entities he does its work fast

    – Lorenzo Isidori
    Mar 25 at 10:58
















Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

– Lorenzo Isidori
Mar 25 at 8:05






Why it hangs requires more investigations...but for the slowly there is no silver bullet. All ORMs are powerfull in many scenario, but not in "bulk" operation: if you have to insert/update a group of hundreds entities, you have two way to do this. The first is what you did, and you have to wait. The second is "don't use orm". Write your business operation method with a sql statement with high performance to be fast.

– Lorenzo Isidori
Mar 25 at 8:05














thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

– Nadav Caridi
Mar 25 at 8:58





thanks for the comment , I'm rather new to EF and I was under the impression that I'm doing something wrong if it takes such a long time.

– Nadav Caridi
Mar 25 at 8:58













Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

– Lorenzo Isidori
Mar 25 at 9:11






Check which lines of codes require more exeucution time...I bet is the _appDbContext.SaveChangesAsync(); who takes all the time

– Lorenzo Isidori
Mar 25 at 9:11














actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

– Nadav Caridi
Mar 25 at 10:00






actually like I wrote if I comment these lines var sup = _appDbContext.suppliers.SingleOrDefault(su=>su.supplierCode==erpitem.supplierCode); if (sup == null) sup = new supplier supplierCode = erpitem.supplierCode, name = erpitem.supplierName ; tempItem.supplier = sup; it works really fast. it's due to the child entitty

– Nadav Caridi
Mar 25 at 10:00














Of course, if you remove many entities he does its work fast

– Lorenzo Isidori
Mar 25 at 10:58





Of course, if you remove many entities he does its work fast

– Lorenzo Isidori
Mar 25 at 10:58












0






active

oldest

votes












Your Answer






StackExchange.ifUsing("editor", function ()
StackExchange.using("externalEditor", function ()
StackExchange.using("snippets", function ()
StackExchange.snippets.init();
);
);
, "code-snippets");

StackExchange.ready(function()
var channelOptions =
tags: "".split(" "),
id: "1"
;
initTagRenderer("".split(" "), "".split(" "), channelOptions);

StackExchange.using("externalEditor", function()
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled)
StackExchange.using("snippets", function()
createEditor();
);

else
createEditor();

);

function createEditor()
StackExchange.prepareEditor(
heartbeatType: 'answer',
autoActivateHeartbeat: false,
convertImagesToLinks: true,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: 10,
bindNavPrevention: true,
postfix: "",
imageUploader:
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
,
onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
);



);













draft saved

draft discarded


















StackExchange.ready(
function ()
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f55333306%2fproper-way-to-update-update-fallback-a-list-of-entities-with-child-entities%23new-answer', 'question_page');

);

Post as a guest















Required, but never shown

























0






active

oldest

votes








0






active

oldest

votes









active

oldest

votes






active

oldest

votes















draft saved

draft discarded
















































Thanks for contributing an answer to Stack Overflow!


  • Please be sure to answer the question. Provide details and share your research!

But avoid


  • Asking for help, clarification, or responding to other answers.

  • Making statements based on opinion; back them up with references or personal experience.

To learn more, see our tips on writing great answers.




draft saved


draft discarded














StackExchange.ready(
function ()
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f55333306%2fproper-way-to-update-update-fallback-a-list-of-entities-with-child-entities%23new-answer', 'question_page');

);

Post as a guest















Required, but never shown





















































Required, but never shown














Required, but never shown












Required, but never shown







Required, but never shown

































Required, but never shown














Required, but never shown












Required, but never shown







Required, but never shown







Popular posts from this blog

Kamusi Yaliyomo Aina za kamusi | Muundo wa kamusi | Faida za kamusi | Dhima ya picha katika kamusi | Marejeo | Tazama pia | Viungo vya nje | UrambazajiKuhusu kamusiGo-SwahiliWiki-KamusiKamusi ya Kiswahili na Kiingerezakuihariri na kuongeza habari

Swift 4 - func physicsWorld not invoked on collision? The Next CEO of Stack OverflowHow to call Objective-C code from Swift#ifdef replacement in the Swift language@selector() in Swift?#pragma mark in Swift?Swift for loop: for index, element in array?dispatch_after - GCD in Swift?Swift Beta performance: sorting arraysSplit a String into an array in Swift?The use of Swift 3 @objc inference in Swift 4 mode is deprecated?How to optimize UITableViewCell, because my UITableView lags

Access current req object everywhere in Node.js ExpressWhy are global variables considered bad practice? (node.js)Using req & res across functionsHow do I get the path to the current script with Node.js?What is Node.js' Connect, Express and “middleware”?Node.js w/ express error handling in callbackHow to access the GET parameters after “?” in Express?Modify Node.js req object parametersAccess “app” variable inside of ExpressJS/ConnectJS middleware?Node.js Express app - request objectAngular Http Module considered middleware?Session variables in ExpressJSAdd properties to the req object in expressjs with Typescript