ASP .NET Core 2 API路由到GET方法,然后在第一次请求时路由POST方法

问题描述 投票:0回答:1

我注意到在我重新启动ASP .NET API并发送POST请求后,API路由到GET请求方法,然后是我的POST请求方法。这只发生在重新启动API后的第一个POST请求中。在此之后的每个POST请求直接路由到我的POST方法而不处理GET请求方法。以下是我的API中的类方法。

[Route("api/[controller]")]
[ApiController]
public class ValuesController : ControllerBase
{

    //public class variable 
    private readonly fujimiContext _context;
    //constructor for ValuesController class
    public ValuesController(fujimiContext context)
    {
        _context = context;

    }
    // GET api/values
    // [Authorize(Policy = "RequireReadRole")]
    [HttpGet("bins")]
    public async Task<IActionResult> GetValues()
    {
       var values = await _context.FcbinCnfg.ToListAsync();

        return Ok(values);
    }

    // POST api/values
   // [Authorize(Policy = "RequireEditRole")]
    [HttpPost("sitepost")]
    public async Task<IActionResult> Post([FromBody] FcbinCnfg [] fcbincnfg)
    {
        if (fcbincnfg == null)
        {
            throw new ArgumentNullException(nameof(fcbincnfg));
        }

        string WindUser = System.Security.Principal.WindowsIdentity.GetCurrent().Name;
        string AppName = System.AppDomain.CurrentDomain.FriendlyName;


        if (ModelState.IsValid)
        {
            int i = 0;
            foreach (var obj in fcbincnfg){

                _context.Update(fcbincnfg[i]);
                i++;
            }
            await _context.SaveChangesAsync();
            return StatusCode(201);
        }

        return BadRequest("this does not work");
    }

Startup.cs文件

namespace FcBin.API
 {
 public class Startup
  {
 public Startup(IConfiguration configuration)
    {
        Configuration = configuration;
    }

    public IConfiguration Configuration { get; }

    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
        services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_1);
        var connection = @"Server=XXXXX\XXXX;Database=XXXXX;Trusted_Connection=True;";
        services.AddDbContext<fujimiContext>(options => options.UseSqlServer(connection));
        services.AddCors();

        services.AddAuthentication(IISDefaults.AuthenticationScheme);

        services.Configure<IISOptions>(options =>
       {
           options.AutomaticAuthentication = true;       
       });

    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env)
    {
        if (env.IsDevelopment())
        {
            app.UseDeveloperExceptionPage();
        }
        else
        {
            // app.UseHsts();
        }

        app.UseCors(x => x.AllowAnyOrigin().AllowAnyHeader().AllowAnyMethod().AllowCredentials());
        app.UseMvc();
    }
}
}

角度路线

import { Routes} from '@angular/router';
import { BinConfigComponent } from './BinConfig/BinConfig.component';
import { BinResolver } from './_resolver/bin.resolver';


export const appRoutes: Routes = [
  {path: 'binconfig'
  , component: BinConfigComponent
  , resolve: {binconfig: BinResolver}, runGuardsAndResolvers: 'always'},
  {path: '', redirectTo: 'binconfig', pathMatch: 'full',   runGuardsAndResolvers: 'always'}
];
c# asp.net-mvc httprequest
1个回答
0
投票

所以问题与我的路线或API无关。问题出在我的Angular前端我的save()功能。当实际上浏览器/客户端接近我的功能和效率时,我将该功能视为一个连续问题。以下是浏览器尝试优化的内容

save() {
if (this.dirtyFlag) {
this.dbService.dbsave(this.binconfig).subscribe( () => {
}, error => {
  console.log(error);
});
}
if (this.isFoo && this.valid) {
  this.dbService.dbsavebin(this.newbin).subscribe( error => {
    console.log(error);
   });
} else if (!this.valid && this.isFoo) {
  this.toastr.warning('Enter a Bin Id');
}
 this.router.navigate(['/binconfig']);
}

在这里,我有一个路由解析器重新加载我保存后触发的页面。在此保存结束时处理路由将导致浏览器尝试优化save()函数和路由解析器中的POST / GET方法。我通过使用箭头功能在成功保存后执行路由器导航来解决了这个问题。

save() {
if (this.dirtyFlag) {
this.dbService.dbsave(this.binconfig).subscribe( () => {
}, error => {
  console.log(error);
}, () => {
  this.router.navigate(['/binconfig']);
  this.toastr.success('Changes Saved');
  this.dirtyFlag = false;
});
}
if (this.isFoo && this.valid) {
  this.dbService.dbsavebin(this.newbin).subscribe( () => {
    this.router.navigate(['/binconfig']);
    this.toastr.success('New Bin Added');
    this.isFoo = false;
  }, error => {
    console.log(error);
  });
} else if (!this.valid && this.isFoo) {
  this.toastr.warning('Enter a Bin Id');
}

}
© www.soinside.com 2019 - 2024. All rights reserved.