Skip to main content

Session: Updating Entities

Update an entity by retrieving it, editing its properties, and applying your changes using SaveChanges().

Update

  • Retrieve the entity you wish to update, using a load method or a query.
  • Edit the properties you wish to change.
  • Call SaveChanges() to apply the update.

Example I

In this example we load a company profile and change its type property to private.

using (var session = store.OpenSession())
{
// Load a document
Company company = session.Load<Company>("companies/KitchenAppliances");

// Update the company's type
company.Type = Company.CompanyType.Private;

// Apply changes
session.SaveChanges();
}

Example II

Here we run a query to find companies whose type is public, and change the type of matching companies to private.

using (var session = store.OpenSession())
{
// Query: find public companies
IRavenQueryable<Company> query = session.Query<Company>()
.Where(c => c.Type == Company.CompanyType.Public);

var result = query.ToList();

// Change company type from public to private
for (var l = 0; l < result.Count; l++)
{
result[l].Type = Company.CompanyType.Private;
}

// Apply changes
session.SaveChanges();
}