Action mvc | .NET
In ASP.NET MVC, action results are objects returned by controller action methods to represent the result of a request. Action results encapsulate the data to be sent back to the client, including the HTTP status code, content type, and the actual data or view to be rendered. Here are some common types of action results in ASP.NET MVC:
1. ViewResult:
- Represents a view to be rendered and returned as HTML to the client's browser.
- Typically used to render HTML templates (views) that display data to the user.
```csharp
public ActionResult Index()
{
// Logic to retrieve data
return View(); // Returns a ViewResult
}
```
2. PartialViewResult:
- Represents a partial view, which is a reusable portion of a view, to be rendered and returned as HTML.
- Often used to render small UI components that can be inserted into other views.
```csharp
public ActionResult GetPartial()
{
// Logic to retrieve data
return PartialView("_PartialViewName"); // Returns a PartialViewResult
}
```
3. JsonResult:
- Represents data in JSON format to be returned to the client.
- Used for AJAX requests and web APIs.
```csharp
public ActionResult GetData()
{
// Logic to retrieve data
return Json(data, JsonRequestBehavior.AllowGet); // Returns a JsonResult
}
```
4. RedirectResult:
- Represents a redirection to another URL or action method.
- Used for performing client-side redirects.
```csharp
public ActionResult RedirectToAnotherAction()
{
// Logic
return RedirectToAction("OtherAction"); // Returns a RedirectResult
}
```
5. FileResult:
- Represents a file download response.
- Used to return files like images, PDFs, or other binary content.
```csharp
public ActionResult DownloadFile()
{
// Logic to retrieve the file
return File(fileBytes, "application/pdf", "file.pdf"); // Returns a FileResult
}
```
6. ContentResult:
- Represents a custom content response with a specified content type.
- Useful for returning raw text or custom content.
```csharp
public ActionResult GetText()
{
// Logic to generate text content
return Content("Hello, world!", "text/plain"); // Returns a ContentResult
}
```
7. HttpStatusCodeResult:
- Represents an HTTP status code without any content.
- Used for returning specific HTTP status codes.
```csharp
public ActionResult NotFound()
{
return HttpNotFound(); // Returns a HttpStatusCodeResult with status code 404
}
```
These are some of the common types of action results in ASP.NET MVC. Depending on the type of response your controller action needs to generate, you can choose the appropriate action result type to return to the client.
Comments
Post a Comment