EF coreTracking与非跟踪查询

时间:2019-02-27 06:25:33

标签: entity-framework ef-core-2.0

我是EF核心6的新手,我遇到了跟​​踪与非跟踪查询。我不知道在哪里使用它。我的目标是编写一个具有ef核心的webapi,我认为不需要跟踪查询。能否请一个人澄清两者之间的区别。对于webapi,有必要跟踪查询。请帮助我。

1 个答案:

答案 0 :(得分:0)

如果要更新实体,请使用跟踪查询,以便在DbContext上调用SaveChanges时保留更改。如果该操作是只读操作(即HTTP GET),则使用非跟踪查询。

例如对于WebApi控制器:

[Route("api/[controller]")]
[ApiController]
public class ValuesController : ControllerBase
{
    // GET api/values
    [HttpGet]
    public ActionResult<IEnumerable<string>> Get()
    {
        // non-tracking
        return new string[] { "value1", "value2" };
    }

    // GET api/values/5
    [HttpGet("{id}")]
    public ActionResult<string> Get(int id)
    {
        // non-tracking
        return "value";
    }

    // POST api/values
    [HttpPost]
    public void Post([FromBody] string value)
    {
        // tracking
    }

    // PUT api/values/5
    [HttpPut("{id}")]
    public void Put(int id, [FromBody] string value)
    {
        // tracking
    }

    // DELETE api/values/5
    [HttpDelete("{id}")]
    public void Delete(int id)
    {
        // tracking
    }
}