ASP.NET WEB API Flashcards

1
Q

What happens if you remove [ApiController]?

A

Model validation errors won’t trigger 400 Bad Request automatically.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

How do you return a custom HTTP response in an API controller?

A

return StatusCode(201, new { message = “Created” });

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

API Controller

A

An API Controller in ASP.NET Core is a specialized controller that handles HTTP requests and is optimized for RESTful API development. It derives from ControllerBase and typically uses the [ApiController] attribute for automatic request validation and behavior enhancements.

Marked with [ApiController] for automatic model validation, routing, and binding improvements.

API Controllers process HTTP requests and return structured data (usually JSON).

[ApiController] enforces attribute routing, which means that conventional routing is disabled.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

How are API Controllers and MVC Controllers different

A

Unlike MVC controllers, they do not return HTML views.

Use Case
RESTful API (JSON, XML) vs Web apps (HTML, Razor Views)

Inheritance
ControllerBase vs Controller

Return Type
IActionResult, JSON vs ViewResult, PartialView

Behavior
Lightweight, optimized for APIs vs Heavy, supports views

Model Validation
Automatic via [ApiController] vs Manual validation required

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

How do you handle versioning in an API controller?

A

Use [ApiVersion] and configure API versioning in Program.cs.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

Why use API Controllers

Why use API Controllers instead of MVC Controllers for APIs?

A

Lightweight: No view rendering overhead.
Built-in Model Validation: Reduces manual validation logic.
Automatic HTTP Response Handling: Converts exceptions to proper status codes.
Better API Design: Encourages proper RESTful practices.

Optimized for stateless RESTful APIs.
No unnecessary MVC overhead (views, ViewData, ViewBag, etc.).
Automatic model validation and serialization.
Explicit HTTP method mapping ([HttpGet], [HttpPost], etc.).
Better API response handling (returns JSON/XML by default).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

How does [Route] help in API controllers?

A

Defines a route template for a controller or action, guiding request matching.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

What is [NonAction] used for?

A

Prevents a public method from being treated as an API action.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

What does [AllowAnonymous] do?

A

Allows unauthenticated users to access an action.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

What happens if you apply [HttpGet] and [HttpPost] to the same action and send a DELETE request?

A

The request will return a 405 Method Not Allowed error because the action does not handle DELETE.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

What is the default binding source for primitive types in controller action parameters?

A

Query string ([FromQuery]), unless overridden.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

Can an action have multiple HTTP method attributes, like [HttpGet] and [HttpPost]?

What happens if [HttpGet] and [HttpPost] are applied on the same method with different parameters?

A

Yes, an action can support multiple HTTP methods by applying multiple attributes, e.g., [HttpGet, HttpPost]. However, it may cause ambiguity in some cases.

Model binding may fail, or 400 Bad Request may occur.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

What is the default binding source for primitive types, complex types, method without http verb attribute?

A

Primitive : FromQuery
Complex :Request body ([FromBody]),
HTTP Verb : POSY

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

What happens if an API controller has [Route(“api/[controller]”)] and an action has [Route(“get-data”)]?

A

The final route will be api/{controller}/get-data, replacing [controller] with the actual controller name.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

What happens if you apply [Route(“{id}”)] to a POST method?

A

The route may not work correctly because POST typically expects data in the body, not in the route.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

What happens if you use [Route] on an action but not on the controller?

A

The action’s route is treated as an absolute route, not inheriting any prefix.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

What happens if you apply [NonAction] to a private method inside an API controller?

A

Nothing changes because private methods are not treated as actions by default.

The method is ignored by routing.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

Can [FromBody] be used with multiple parameters in a single action method?

Can you apply [FromBody] and [FromForm] on the same parameter?

A

No, only one parameter per action can be bound from the body. ASP.NET Core does not allow multiple [FromBody] parameters.

No, a parameter can be bound from only one source.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
17
Q

What happens if an API controller has both [Authorize] and an action has [AllowAnonymous]?

A

The action will be publicly accessible despite the [Authorize] on the controller.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
18
Q

Can Any Attribute Be Used for Performance?

A

Directly? No. Attributes in ASP.NET Core are metadata—they do not directly improve performance. However, some attributes indirectly impact performance by controlling request processing.

Attributes That Indirectly Affect Performance:
[Produces] & [Consumes] → Reduces unnecessary content negotiation.
[ApiController] → Auto model validation prevents extra logic execution.
[ResponseCache] → Enables response caching, reducing load.
[ProducesResponseType] → Helps with API documentation but does not improve performance.
[Authorize] & [AllowAnonymous] → Controls authentication overhead.
[NonAction] → Ensures non-API methods are not mistakenly invoked.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
19
Q

How Is Attribute Precedence Determined?

A

🔹 1. Controller-Level Attributes override global settings but are overridden by method-level attributes.
🔹 2. Method-Level Attributes have the highest precedence and take priority over controller-level attributes.
🔹 3. Global Filters (via AddControllers in Startup.cs) apply to all controllers unless overridden.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

What happens if [ResponseCache(Duration = 60)] is used with [HttpPost]?

A

No effect, because POST responses are usually not cached.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

Attribute Precedence Within the Same Method

A

Action Filter Attributes ([Authorize], [ValidateAntiForgeryToken], etc.)
Executed before the action method runs.
Applied in the order from class-level to method-level (method-level can override).

Model Binding & Validation ([FromBody], [FromQuery], [ApiController])
Happens before filters.
[ApiController] auto-validates models before the action executes.

Routing & HTTP Verbs ([HttpGet], [Route], etc.)
Defines how the request is matched before execution starts.
[Route] on a method overrides controller-level [Route].

Response Modifiers ([Produces], [ResponseCache], [ProducesResponseType])
Applied after the action executes, affecting the response.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

What happens if [Produces(“application/json”)] and [Produces(“text/plain”)] are both applied?

A

The API only supports the last-specified content type.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
21
Q

What happens if [ValidateAntiForgeryToken] is applied to an API controller?

A

Fails for API calls, since CSRF tokens are meant for browser-based requests.

No compile-time error, but it breaks API calls at runtime.

❌ Why?
[ValidateAntiForgeryToken] requires an anti-CSRF token in the request.
CSRF tokens only work with browser-based form submissions, not API calls.
APIs do not send or validate CSRF tokens by default, so applying it to an API controller causes all POST requests to fail with 400 Bad Request – “The required anti-forgery cookie is not present”.
✅ How to Fix?
For APIs: Don’t use [ValidateAntiForgeryToken]. Instead, use proper JWT, OAuth, or API Key authentication.
For MVC Forms: [ValidateAntiForgeryToken] is useful for preventing CSRF attacks

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
22
Q

What happens if [ProducesResponseType(200)] is applied, but the method throws an exception?

A

The API may return 500, despite [ProducesResponseType(200)].

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
23
Q

What happens if [Authorize] is applied but authentication is not configured in middleware?

A

All requests will return 401 Unauthorized.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
24
Q

Method has only [FromBody] Model model but route contains {id}

A

Fails! ASP.NET tries to bind id from the body (which doesn’t exist), leading to 400 Bad Request.

If a method has only [FromBody] Model model and no [FromRoute] int id, ASP.NET may fail to bind the route parameter into the model, causing 400 Bad Request.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

If [Produces(“application/json”)] is applied but the method returns a string, what happens?

A

⚠️ Content-Type still remains application/json, but response is a plain string.

The string won’t be automatically serialized into a JSON object.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

What happens if [ProducesResponseType] does not match the actual response type?

A

No compile-time error, but misleading API documentation.

The method might return an unexpected type, confusing consumers.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

What if [Produces(“application/xml”)] is applied but XML formatters are not enabled?

A

The API ignores it and returns JSON.

Fix: Enable XML formatters in Startup.cs.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

If [Route(“api/[controller]”)] is applied at the controller level, what does [HttpGet(“action”)] do?

A

Creates a route like /api/MyController/action.

The method name does not need to match the action name.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

What happens if [HttpDelete] is applied but the request contains a body?

A

Body is ignored!

DELETE requests should not have a body, and ASP.NET does not parse it.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

Types of Routing in ASP.NET Core Web API

A

Convention-based Routing (used in MVC)
Attribute-based Routing (most common in APIs)
Custom Routing using Middleware
Endpoint Routing
Route Constraints, Tokens, and Defaults
Versioning-based Routing
Dynamic Routing (Custom route providers)

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
26
Q

Why is conventional routing NOT ideal for APIs?

A

APIs need explicit routing for clarity (not assuming default {controller}/{action} structure).
Less control over HTTP verbs (GET, POST, etc.).

Use Attribute-based Routing instead.
Explicit and readable ✅
No unnecessary route assumptions ✅
Better control over HTTP methods ✅

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
27
Q

Why use Middleware Routing?

A

Intercept requests before hitting controllers
Useful for logging, authentication, or feature toggles

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
28
Q

Code for custom routing

A
app.Use(async (context, next) =>
{
    if (context.Request.Path == "/custom-route")
    {
        await context.Response.WriteAsync("Handled by custom middleware!");
        return;
    }
    await next();
});
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
29
Q

Endpoint Routing

A

This decouples route matching from request processing, making it more efficient.

app.UseRouting();

app.UseEndpoints(endpoints =>
{
    endpoints.MapControllers();
    endpoints.MapGet("/status", async context => 
    {
        await context.Response.WriteAsync("API is running!");
    });
});

Better performance (compared to previous routing systems).
More flexible (integrates easily with middleware, filters).
Allows mixing Web API and custom routes.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
30
Q

API Versioning-based Routing

A

API versioning helps maintain backward compatibility.

[ApiVersion("1.0")]
[Route("api/v{version:apiVersion}/users")]
public class UsersControllerV1 : ControllerBase
{
    [HttpGet] // Matches GET /api/v1/users
    public IActionResult GetUsers() => Ok("Users V1");
}

Supports multiple API versions without breaking changes.
Keeps the API maintainable for long-term support.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
31
Q

Dynamic Routing (Custom Route Providers)

A

You can dynamically generate routes using custom route providers.

[Route("api/[controller]")]
public class DynamicRoutingController : ControllerBase
{
    [HttpGet("data-{year:int:min(2000)}")]
    public IActionResult GetData(int year) => Ok($"Data for year {year}");
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
32
Q

Can a route have optional parameters?

A
[HttpGet("products/{id:int?}")]  // `id` is optional
public IActionResult GetProduct(int? id) => Ok(id ?? "All Products");
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
33
Q

What is the difference between [Route] and [HttpGet]?

What if a route has both [Route] and [HttpGet]?

A

[Route] [HttpGet]
Defines a URL template Binds only to HTTP GET requests
Can be used at class level vs Must be used at method level

[HttpGet] overrides [Route]’s HTTP method behavior.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
34
Q

What happens after UseRouting() in the middleware pipeline?

A

It matches the request URL to an endpoint and attaches route values to HttpContext.
🔹 But no action executes yet—that happens after UseEndpoints().

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
35
Q

How does ASP.NET Core determine which controller to invoke?

A

The request URL is matched against route templates defined in [Route] and [Http*] attributes.
🔹 If no match is found, the default convention-based routing is used ({controller}/{action}/{id?}).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
36
Q

What is the difference between convention-based and attribute routing?

A

Convention-based routing (set in MapControllerRoute) applies globally.
🔹 Attribute routing ([Route], [HttpGet], etc.) is applied at the controller or action level.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
37
Q

What is MapControllers()?

A

app.MapControllers(); enables attribute routing only for controllers marked with [ApiController].

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
38
Q

What is MapDefaultControllerRoute()?

A

It sets up default MVC routing → {controller=Home}/{action=Index}/{id?}.
🔹 Only works with controllers using ControllerBase or Controller.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
39
Q

How does ASP.NET Core resolve [Route] on a controller vs. an action?

What happens if [Route] is applied at both controller and action level?

A

Controller-level [Route] acts as a base path for all actions inside it.
🔹 Action-level [Route] appends to the controller route to form the full path.

The controller [Route] acts as a prefix, and the action [Route] appends to it.

[Route("api/products")]
public class ProductsController : ControllerBase  
{  
    [HttpGet("all")] // Final route: api/products/all  
    public IActionResult GetAll() { }  
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
40
Q

What happens if [HttpGet] is applied without [Route]?

A

The method inherits the controller’s route, appending the method name as the action.

[Route("api/orders")]
public class OrdersController : ControllerBase  
{  
    [HttpGet]  
    public IActionResult GetOrders() // Matches GET /api/orders/GetOrders  
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
41
Q

How does route precedence work?

[HttpGet(“products/{id}”)] // Specific
[HttpGet(“products/all”)] // More generic

A

More specific routes take priority over generic ones.
GET /products/10 → Matches {id} route.
GET /products/all → Matches /all explicitly.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
42
Q

What happens if two controller actions have the same route template in ASP.NET Core?

A

The application will throw an InvalidOperationException at startup because ASP.NET Core cannot register duplicate route templates.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
43
Q

[HttpGet(“{id}”)] public IActionResult GetById(int id) {} [HttpGet(“latest”)] public IActionResult GetLatest() {}

A

GET /latest gets matched to {id}, treating “latest”as an integer.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
43
Q

How does ASP.NET Core resolve route conflicts when multiple routes match a request?

A

ASP.NET Core uses the most specific route to resolve conflicts. If routes are equally specific, it throws an AmbiguousMatchException.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
44
Q

How can you resolve a route conflict between two actions with the same HTTP method and route template?

A

Use route constraints (e.g., {id:int}) or custom route templates to differentiate the routes.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
45
Q

What happens if you define a route template like [HttpGet(“{id}”)] and [HttpGet(“{name}”)] in the same controller?

A

This will cause a route conflict because both routes have the same structure. ASP.NET Core cannot distinguish between id and name in the URL.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

How to avoid route conflicts?

A

Use route prefixes

Use the [Route] attribute at the controller level to define a prefix, e.g., [Route(“api/[controller]”)], and then use relative paths in action methods.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

What is the default route template in ASP.NET Core Web API?

A

The default route template is “api/[controller]/[action]/{id?}”, where [controller] and [action] are placeholders for the controller and action names.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

How can you use custom route constraints to resolve route conflicts?

A

Implement the IRouteConstraint interface to create custom constraints and apply them to route templates, e.g., [HttpGet(“{id:customConstraint}”)].

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

How can you debug route conflicts in ASP.NET Core?

A

Use the MapControllers method in Program.cs or Startup.cs to log route registrations, or enable detailed error messages to identify conflicting routes.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
47
Q

[HttpGet(“search/{*query}”)]

A

defines a catch-all parameter, meaning it will capture everything after /search/ into the query parameter.

Exact matches first (search/help).
Parameterized routes second (search/{query}).
Wildcard routes last (search/{*query}).

Define specific routes before catch-all routes:

[HttpGet("search/help")]
public IActionResult Help() { return Ok("Search Help Page"); }

[HttpGet("search/{*query}")]
public IActionResult Search(string query) { return Ok($"Searching for: {query}"); }
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
48
Q

How does a wildcard parameter {*query} differ from {query}?

A

{query} only matches one segment (/search/term → query=”term”).
{*query} matches everything after (/search/csharp/aspnet → query=”csharp/aspnet”).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
49
Q

Accept All Methods

A
[AcceptVerbs("GET", "POST", "PUT", "DELETE")]  // ✅ Allows all these methods
    [Route("{id}")]
    public IActionResult GetProduct(int id)
    {
        return Ok($"Product {id}");
    }
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
50
Q

How do you register a custom route constraint?

A

By adding it to the RouteOptions.ConstraintMap in Program.cs.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
51
Q

What happens if a URL matches multiple routes with different constraints?

A

The route with the most specific matching constraints is chosen

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
52
Q

How do you apply a range constraint?

A

[Route(“{value:range(1, 100)}”)]

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
53
Q

If two routes match a URL, but one has a constraint and the other does not, which route is chosen?

A

The route with the constraint is chosen, provided the constraint passes.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
54
Q

How do you access the route parameter values inside of a custom IRouteConstraint?

A

By accessing the values parameter of the Match method.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
55
Q

What is a route constraint in ASP.NET Web API?

A

A route constraint restricts how route parameters are matched, ensuring that only specific values (e.g., integers, strings, or custom patterns) are accepted.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
55
Q

[Route(“api/[controller]”)]

A

It leverages token replacement to automatically generate routes based on the controller’s name

The [controller] token is a placeholder that gets replaced with the name of the controller (without the “Controller” suffix).

Dynamic Routing:
This approach creates a consistent and predictable routing scheme, reducing the need to manually define routes for each controller.

Convention-Based Routing: Promotes a consistent and predictable routing scheme.
Reduced Boilerplate Code: Eliminates the need to manually define base routes for each controller.
Maintainability: Makes it easier to manage and update routes as your API evolves.
Readability: Improves the readability of your code by clearly defining route templates.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
55
Q

What is routing

A

Routing helps us define URLs for API endpoints. Routing determines how incoming HTTP requests map to controller action methods

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
56
Q

What happens if a query string parameter has an invalid type (e.g., ?page=abc when expecting int)?

A

ASP.NET Core returns a 400 Bad Request error unless the parameter is nullable or has a default value.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
57
Q

How can you bind multiple values for the same query string key (e.g., ?ids=1&ids=2&ids=3)?

A

Use an array or IEnumerable<T> in the controller method: public IActionResult GetItems(int[] ids).</T>

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
58
Q

How does ASP.NET Core differentiate between query strings and route parameters when both have the same name?

A

Route parameters take precedence over query strings unless explicitly specified using [FromQuery].

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
59
Q

What is a potential performance issue when using too many query string parameters?

A

Large URLs can exceed browser/server limits (~2KB-8KB), impact caching, and degrade performance due to inefficient query parsing.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
60
Q

What is endpoint routing in ASP.NET Core?

A

Endpoint routing maps incoming HTTP requests to specific route handlers using middleware instead of MVC route tables.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
61
Q
  1. How does endpoint routing differ from traditional routing?
A

Traditional Routing: Defined in UseMvc().
Endpoint Routing: Uses UseRouting() and UseEndpoints(), separating routing from MVC.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
62
Q
  1. Difference between UseRouting() and UseEndpoints()?
A

UseRouting(): Matches requests to endpoints.
UseEndpoints(): Executes the matched endpoint.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
63
Q
  1. What happens if UseRouting() is missing?
A

Requests won’t be routed, leading to a 404 Not Found.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
64
Q
  1. How does endpoint routing improve performance?
A

It reduces routing overhead by using a centralized routing table and caching route matches.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
65
Q

Use case of endpoint routing in minimal APIs?

A

In minimal APIs, endpoint routing allows defining routes inline using MapGet(), MapPost(), etc.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
66
Q

What if UseEndpoints() is not added?

A

Routes will be matched but not executed, causing middleware execution issues.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
67
Q

Why is endpoint routing preferred over conventional routing?

A

It allows route-based middleware execution, improving flexibility and performance.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
68
Q

Best practices for endpoint routing?

A
  • Use attribute routing for APIs.
  • Keep routes minimal and descriptive.
  • Use MapGroup() for grouping endpoints in minimal APIs.
69
Q

How to restrict routes using RequireAuthorization() in endpoint routing?

A

app.UseEndpoints(endpoints => { endpoints.MapControllers().RequireAuthorization(); });

70
Q

Common pitfalls in endpoint routing?

A
  • Forgetting to call UseRouting() before UseEndpoints().
  • Using UseMvc() instead of UseRouting().
71
Q

Edge case: What if two endpoints match the same request?

A

The first matching endpoint is executed, unless explicit ordering is defined.

72
Q

How does endpoint routing affect middleware execution?

A

Middleware before UseRouting() runs for all requests, while middleware inside UseEndpoints() executes only for matched routes.

73
Q

Does endpoint routing consume additional memory?

A

Minimal impact, but large route tables can increase memory usage due to caching.

74
Q

Security risks in endpoint routing?

A
  • Exposing unintended API routes.
  • Open redirects via route parameters.
  • Middleware order affecting security layers.
75
Q

How to define endpoint routing in ASP.NET Core?

A
app.UseRouting();
app.UseEndpoints(endpoints => { endpoints.MapControllers(); });
76
Q

How to create a minimal API using endpoint routing?

A

app.MapGet("/hello", () => "Hello, World!");

77
Q

How does MapControllers() work in endpoint routing?

A

It enables attribute routing for controllers in Web APIs.

78
Q

What is MapFallback() in endpoint routing?

A

It catches unmatched requests, useful for serving SPAs (e.g., React, Angular).

79
Q

How to define a route with constraints in endpoint routing?

A

app.MapGet("/user/{id:int}", (int id) => $"User ID: {id}");

80
Q

How to secure API endpoints using endpoint routing?

A
app.UseAuthorization();
app.UseEndpoints(endpoints => { endpoints.MapControllers().RequireAuthorization(); });
81
Q
  1. Two routes: api/{id:int} and api/{name}. Input: api/123. Which route matches?
A

api/{id:int}. Constraints take precedence over general parameters.

82
Q
  1. Two routes: api/users/all and api/users/{id?}. Input: api/users/all. Which route matches?
A

api/users/all. Literal matches are more specific than optional parameters.

83
Q
  1. Two routes: api/items/{category}/{id} and api/items/{id}/{category}. Input: api/items/1/2. Which route matches?
A

Ambiguous match exception. Order does not resolve this.

84
Q
  1. Two routes: api/reports/{date?} and api/reports/today. Input: api/reports/today. Which route matches?
A

api/reports/today. Literal matches are more specific than optional parameters.

85
Q
  1. Two routes: api/files/{filename}.txt and api/files/{filename}. Input: api/files/data.txt. Which route matches?
A

api/files/{filename}.txt. More specific literal match.

86
Q
  1. Two routes: api/data/{value:regex(^[0-9]+$)} and api/data/{value}. Input: api/data/abc. Which route matches?
A

api/data/{value}. Regex constraint fails, so the general route matches.

87
Q
  1. Two routes: api/settings/{format=json} and api/settings/xml. Input: api/settings/xml. Which route matches?
A

api/settings/xml. Literal matches are more specific than default parameter values.

88
Q
  1. Catch-all route api/{*path} and route api/specific. Input: api/specific. Which route matches?
A

api/specific. Specific routes should be defined before catch-all routes.

89
Q
  1. Two routes in different areas: [Area(“Admin”)] api/users and [Area(“Public”)] api/users. Input: api/users (no area specified). Which route matches?
A

No match. The routing system requires an area to be specified for area-specific routes.

90
Q
  1. Two routes: api/items/{id:int:min(10)} and api/items/{id:int}. Input: api/items/5. Which route matches?
A

api/items/{id:int}. The min(10) constraint fails, so the second route is selected.

91
Q
  1. Two routes: api/users/{id:guid} and api/users/{name}. Input: api/users/invalid-guid. Which route matches?
A

api/users/{name}. The guid constraint fails, so the second route is selected.

92
Q
  1. Two routes: api/files/{filename:length(5)} and api/files/{filename}. Input: api/files/datafile. Which route matches?
A

api/files/{filename}. The length constraint fails, so the second route is selected.

93
Q
  1. Two routes: api/orders/{id:int?} and api/orders/new. Input: api/orders/. Which route matches?
A

api/orders/{id:int?}. Optional parameter matches when nothing is provided.

94
Q
  1. Two routes: api/products/{category:alpha} and api/products/{id:int}. Input: api/products/123. Which route matches?
A

api/products/{id:int}. The integer route constraint is met.

95
Q
  1. Two routes: api/items/{value:bool} and api/items/{value}. Input: api/items/true. Which route matches?
A

api/items/{value:bool}. Boolean constraint is met.

96
Q
  1. Two routes: api/data/{value:range(1, 10)} and api/data/{value}. Input: api/data/15. Which route matches?
A

api/data/{value}. Range constraint fails, so the second route is selected.

97
Q
  1. Two routes: api/info/{date:datetime} and api/info/{text}. Input: api/info/not-a-date. Which route matches?
A

api/info/{text}. Datetime constraint fails, so the second route is selected.

98
Q
  1. Two routes: api/items/{value:minlength(5)} and api/items/{value}. Input: api/items/abc. Which route matches?
A

api/items/{value}. Minlength constraint fails, so the second route is selected.

99
Q
  1. Two routes: api/data/{value:maxlength(5)} and api/data/{value}. Input: api/data/123456. Which route matches?
A

api/data/{value}. Maxlength constraint fails, so the second route is selected.

100
Q
  1. Identical routes with different action names on the same controller. Input: any matching request.
A

Ambiguous match exception. Action name does not differentiate identical routes.

101
Q

What is a middleware in ASP.NET Core?

A

A component that processes requests and responses in a pipeline.

102
Q

How does middleware form a pipeline?

A

Each middleware component either passes the request to the next component or terminates the pipeline.

103
Q

What is the Use() method used for in middleware?

A

It adds a middleware component to the request pipeline.

104
Q

What is the Run() method used for in middleware?

A

It adds a terminal middleware that ends the pipeline.

105
Q

What is the Map() method used for in middleware?

A

It branches the pipeline based on request paths.

106
Q

What is the purpose of the next delegate in middleware?

A

It invokes the next middleware in the pipeline.

107
Q

How do you short-circuit the middleware pipeline?

A

By not calling the next delegate.

108
Q

What is the difference between Use() and Run()?

A

Use() allows passing to the next middleware, Run() terminates the pipeline.

109
Q

What is the order of middleware execution?

A

The order they are added to the pipeline in Program.cs.

110
Q

What is the role of the app.UseAuthentication() middleware?

A

Authenticates the user based on provided credentials.

111
Q

What is the role of the app.UseAuthorization() middleware?

A

Authorizes the user based on roles and claims.

112
Q

What is the role of the app.UseStaticFiles() middleware?

A

Serves static files like HTML, CSS, and JavaScript.

113
Q

What is the role of the app.UseRouting() middleware?

A

Matches incoming requests to endpoints.

114
Q

What is the role of the app.UseEndpoints() middleware?

A

Executes the matched endpoint.

115
Q

What is the purpose of exception handling middleware?

A

To catch and handle exceptions in the request pipeline.

116
Q

How do you create a custom middleware?

A

By implementing the IMiddleware interface or creating a class with an InvokeAsync method.

117
Q

What is the difference between request and response middleware?

A

Request middleware modifies the request, response middleware modifies the response.

118
Q

How can middleware modify HTTP headers?

A

By accessing and modifying the HttpContext.Request.Headers or HttpContext.Response.Headers collections.

119
Q

What is the impact of middleware on performance?

A

Middleware can add overhead, so optimize for performance.

120
Q

How do you configure middleware for specific environments?

A

Using app.Environment.IsDevelopment() or similar checks in Program.cs.

121
Q

What is the purpose of the app.UseHttpsRedirection() middleware?

A

Redirects HTTP requests to HTTPS.

122
Q

What is the purpose of the app.UseCors() middleware?

A

Enables Cross-Origin Resource Sharing.

123
Q

How does middleware handle dependency injection?

A

Middleware can receive dependencies through constructor injection.

124
Q

What is the difference between global and scoped middleware?

A

Global middleware processes all requests, scoped middleware applies to specific paths or endpoints.

125
Q

How can middleware log request and response information?

A

By accessing HttpContext properties and using logging providers.

126
Q

What is the purpose of the app.UseDeveloperExceptionPage() middleware?

A

Provides detailed error information in development environments.

127
Q

How do you add middleware conditionally?

A

Using if statements or extension methods that check conditions.

128
Q

What is the purpose of app.UseMiddleware<T>()?</T>

A

Registers a custom middleware of type T.

129
Q

How do you handle authentication in a custom middleware?

A

By accessing the HttpContext.User property and performing authentication logic.

130
Q

What is the difference between middleware and filters?

A

Middleware operates on the request/response pipeline, filters operate within the MVC pipeline.

131
Q

What happens if app.UseAuthentication() is placed after app.UseAuthorization()?

A

Authentication won’t effectively restrict access; authorization will happen before user context is established.

132
Q

What if you call next() twice in a middleware?

A

The subsequent middleware and the remaining pipeline will be executed twice, potentially causing unexpected side effects.

133
Q

Why not use Run() for all middleware components?

A

Run() terminates the pipeline, preventing subsequent middleware from executing, which is generally not desired.

134
Q

What if a middleware modifies the HttpContext.Request.Body and next() is called?

A

Subsequent middleware will receive the modified request body, potentially breaking assumptions or causing errors.

135
Q

What happens if an exception is thrown inside a Run() middleware?

A

The exception will propagate up the call stack, bypassing any exception handling middleware placed before it.

136
Q

What if a middleware modifies HttpContext.Response.Body after next() has been called?

A

It can cause issues with buffering and content length, potentially corrupting the response.

137
Q

What if app.UseStaticFiles() is placed after app.UseRouting() and app.UseEndpoints()?

A

Static files won’t be served if a matching endpoint is found first, as routing takes precedence.

138
Q

Why not perform heavy I/O operations directly in middleware?

A

It can block the thread pool, causing performance issues. Offload I/O to background tasks or use async operations.

139
Q

What if a middleware modifies the HttpContext.User after app.UseAuthentication()?

A

It can lead to inconsistent authorization behavior, as authorization is based on the initial user context.

140
Q

What happens if a middleware modifies HttpContext.Request.Path?

A

It can change the endpoint that is matched, potentially leading to unexpected routing.

141
Q

What if you use app.Use() without any other middleware?

A

It effectively creates a no-op middleware that does nothing but pass the request to the next (non-existent) middleware or terminates.

142
Q

Why not use global exception handling middleware for all errors?

A

It can mask specific errors that require different handling, and it can make debugging difficult.

143
Q

What happens if a middleware sets a response header after the response has started?

A

It will throw an InvalidOperationException because headers cannot be modified after the response starts.

144
Q

What if a middleware modifies HttpContext.Items collection?

A

Changes will be visible to subsequent middleware, but it can create implicit dependencies and make code harder to reason about.

145
Q

Why not use middleware for complex business logic?

A

Middleware is best for cross-cutting concerns; complex logic should be in services or controllers for better separation of concerns.

146
Q

What happens if app.UseCors() is placed after app.UseAuthentication()?

A

CORS headers won’t be applied to requests that require authentication, potentially causing issues with cross-origin requests.

147
Q

What if a middleware sets a cookie without the HttpOnly flag?

A

It exposes the cookie to client-side scripts, increasing the risk of XSS attacks.

148
Q

Why not use middleware for data validation?

A

Data validation is typically handled by model binding and validation filters in the MVC pipeline.

149
Q

What happens if a middleware modifies HttpContext.Connection.RemoteIpAddress?

A

It can break IP-based security checks and logging.

150
Q

What if a middleware sets a Content-Length header that doesn’t match the actual response body length?

A

Clients may receive truncated or corrupted responses.

151
Q

Why not use middleware to log every single request and response?

A

It can generate a large amount of log data, impacting performance and storage. Use selective logging.

152
Q

What happens if a middleware modifies HttpContext.Request.Protocol?

A

It can break protocol-specific logic and cause unexpected behavior.

153
Q

What if a middleware sets a Cache-Control header that conflicts with other caching mechanisms?

A

It can lead to inconsistent caching behavior and potential security issues.

154
Q

Why not use middleware to enforce rate limiting?

A

Rate limiting is often handled by dedicated rate-limiting middleware or API gateways for better performance and scalability.

155
Q

What happens if a middleware modifies HttpContext.Request.ContentType?

A

It can break content negotiation and lead to incorrect content processing.

156
Q

What if a middleware modifies HttpContext.Response.StatusCode after the response has started?

A

It will throw an InvalidOperationException.

157
Q

Why not use middleware for authorization logic that depends on external services?

A

It can introduce dependencies and make testing difficult. Use authorization handlers or policies.

158
Q

What happens if a middleware modifies HttpContext.Request.QueryString?

A

It can break query string parsing and lead to unexpected behavior in subsequent middleware or endpoints.

159
Q

What if a middleware sets a Location header for a relative URL?

A

It can lead to unexpected redirects if the client’s base URL is different.

160
Q

Why not use middleware for complex data transformations?

A

Data transformations are typically handled by services or mappers for better maintainability and testability.

161
Q

What happens if a middleware performs synchronous I/O operations?

A

It blocks the thread, causing thread pool starvation and poor performance. Use asynchronous operations.

162
Q

Why is it important to minimize middleware execution time?

A

Long execution times increase response latency and reduce throughput.

163
Q

What happens if a middleware performs excessive string concatenations?

A

It leads to memory allocation overhead and garbage collection pressure. Use StringBuilder.

164
Q

What if a middleware allocates large objects on the Large Object Heap (LOH)?

A

LOH collections are expensive, causing performance degradation. Minimize large object allocations.

165
Q

Why should middleware avoid blocking calls to external services?

A

Blocking calls increase latency and reduce responsiveness. Use asynchronous calls with timeouts.

166
Q

What happens if a middleware uses a large number of regular expressions?

A

Regex matching can be CPU-intensive. Compile regexes or use specialized string matching.

167
Q

Why is it important to cache frequently accessed data in middleware?

A

Caching reduces database or external service load, improving performance.

168
Q

What happens if a middleware uses reflection excessively?

A

Reflection is slow and can impact performance. Use compiled expressions or code generation.

169
Q

Why should middleware avoid unnecessary boxing and unboxing?

A

Boxing and unboxing operations introduce overhead. Use generic types or avoid value type conversions.

170
Q

What happens if a middleware performs excessive logging operations?

A

Logging can be I/O-bound and CPU-intensive. Use asynchronous logging and selective logging levels.

171
Q

Why is it important to minimize the number of middleware components?

A

Each middleware adds overhead. Use middleware only when necessary.

172
Q

What happens if a middleware uses thread-local storage (TLS) excessively?

A

TLS incurs overhead for each thread, impacting performance under high concurrency.

173
Q

Why should middleware avoid unnecessary context switching?

A

Context switching is expensive. Minimize asynchronous operations that don’t yield significant benefits.

174
Q

What happens if a middleware performs complex calculations on each request?

A

It increases CPU usage and latency. Offload calculations to background tasks or use caching.

175
Q

Why is it important to optimize middleware for memory allocation?

A

Excessive memory allocations lead to garbage collection pressure and performance degradation.

176
Q

What happens if a middleware performs excessive string parsing?

A

String parsing can be CPU-intensive. Use efficient parsing techniques or avoid unnecessary parsing.

177
Q

Why should middleware avoid unnecessary exception handling?

A

Exception handling is expensive. Handle exceptions only when necessary.

178
Q

What happens if a middleware uses a large number of locks?

A

Lock contention can cause thread blocking and performance degradation. Minimize lock usage.

179
Q

Why is it important to profile middleware performance?

A

Profiling helps identify performance bottlenecks and optimize code.

180
Q

What happens if a middleware performs excessive network operations?

A

Network operations are slow and can increase latency. Use asynchronous calls with timeouts.

181
Q

Why should middleware avoid unnecessary serialization and deserialization?

A

Serialization and deserialization are CPU-intensive. Use efficient data formats and minimize data transfer.

182
Q

What happens if a middleware uses a large number of timers?

A

Timers can introduce overhead and impact performance. Use efficient timer implementations.

183
Q

Why is it important to minimize the size of the HTTP response body?

A

Smaller response bodies reduce network bandwidth usage and improve performance.

184
Q

What happens if a middleware performs unnecessary file I/O operations?

A

File I/O is slow and can impact performance. Cache file content or use asynchronous operations.

185
Q

Why should middleware avoid unnecessary database queries?

A

Database queries are slow and can impact performance. Cache query results or use efficient query patterns.

186
Q

What happens if a middleware uses a large number of delegates?

A

Delegate invocation introduces overhead. Use efficient delegate implementations.

187
Q

Why is it important to optimize middleware for CPU cache locality?

A

CPU cache misses are expensive. Organize data and code to improve cache locality.

188
Q

What happens if a middleware performs unnecessary object creations?

A

Object creation introduces overhead. Use object pooling or minimize object allocations.

189
Q

Why is it important to minimize the number of context switches between threads?

A

Context switches are expensive. Avoid unnecessary thread creation.

190
Q

What happens if a middleware does not properly dispose of disposable objects?

A

It leads to memory leaks and performance degradation. Use using statements or dispose patterns.

191
Q

why use route constraints

A

Performance Stops invalid requests early, avoiding unnecessary processing.
Security Prevents invalid or malicious data from reaching the controller.
Clarity Ensures routes have predictable and meaningful parameter values.
Better API Design Forces clients to follow expected input formats.
Unnecessary boilerplate code otherwise to check each parameter