1655347140
REST API es una interfaz de programación de aplicaciones que pueden utilizar varios clientes (o APLICACIONES) para comunicarse con un servidor.
Rest API es un tipo de servicio web que almacena y recupera los datos necesarios para su aplicación en un formato conveniente (por ejemplo, JSON o XML).
Proporciona una gran flexibilidad a los desarrolladores, ya que no necesita ninguna biblioteca de código dependiente para acceder a los servicios web, ya que no tiene estado.
Entre los muchos protocolos admitidos por REST, el más común es HTTP .
Cuando se envía una solicitud desde el cliente mediante HTTPRequest , se envía una respuesta correspondiente desde el servidor mediante HTTPResponse . Los formatos legibles por máquina más utilizados y admitidos para solicitudes y respuestas son JSON (Notificación de objetos Javascript) y XML (Lenguaje de marcado extensible).
REST fue creado por el informático ROY FIELDING .
Las API REST se pueden usar para realizar diferentes acciones. En función de las acciones, se debe utilizar el método pertinente. Los siguientes son los 5 métodos compatibles con REST.
Veamos esto con un ejemplo. Sabemos que las madres nunca descansan lo suficiente. Pero tomemos estas mamás sin descanso como ejemplo y veamos cómo usan Rest API. :)
Entre las demandas excesivas de un bebé recién nacido, el cambio de pañales ocupa el primer lugar en la tabla de clasificación.
Una madre quiere todo lo mejor para el bebé. Entonces, es obvio que la madre querría elegir el mejor pañal para su bebé. Entonces, ella va a un sitio web de compras (supongamos: flipkart) y busca pañales. Esto enviará una solicitud HTTP al servidor de flipkart para OBTENER la lista de todos los pañales. El servidor de Flipkart responde con una respuesta HTTP que será un objeto JSON (supongamos) que contiene una lista de pañales con algunos detalles básicos. El sitio web de Flipkart lee esta Respuesta, la convierte a un formato legible por humanos y la muestra en la página web para que la madre la vea.
Después, elige un pañal en particular para su bebé recién nacido y lo agrega a su lista. Esto crea una solicitud POST donde se crea un nuevo registro en la base de datos de flipkart que contiene la marca, el tamaño, la cantidad, el precio, etc. del pañal.
Su bebé sigue creciendo y pronto supera el tamaño del recién nacido. Supongamos que a la madre todavía le gusta la marca de pañales y solo quiere aumentar su tamaño, todo lo que tiene que hacer es elegir el nuevo tamaño de pañal. Cuando actualiza el tamaño del pañal del tamaño recién nacido al tamaño 1, se activa un método PATCH donde todo lo demás permanece igual y solo se cambia el tamaño del pañal.
Es muy común que la madre cambie la marca actual y decida cambiar a una alternativa. Aquí, la madre iniciará una solicitud PUT donde todos los datos que contienen la marca elegida previamente se modifican y reemplazan con los datos correspondientes a la marca recién elegida.
Finalmente, después de una serie de experimentos que involucran varios GET, POST, PUT y PATCH, es hora de que la madre enseñe al niño a ir al baño. Si logra entrenar al niño, ya no necesitará los pañales. Esto activa una solicitud DELETE .
PRERREQUISITOS
Paso 1
Abra Visual Studio 2022 y cree el proyecto asp.net core webapi.
Paso 2
Instale Npgsql.EntityFrameworkCore.PostgreSQL y Microsoft.EntityFrameworkCore.Tools desde Nuget
Paso 3
Crear Product.cs y Order.cs
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
[Table("product")]
public class Product {
[Key, Required]
public int id {
get;
set;
}
[Required]
public string ? name {
get;
set;
}
public string ? brand {
get;
set;
}
public string ? size {
get;
set;
}
public decimal price {
get;
set;
}
public virtual ICollection < Order > orders {
get;
set;
}
}
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
[Table("order")]
public class Order {
[Key, Required]
public int id {
get;
set;
}
public int product_id {
get;
set;
}
[Required]
public string ? name {
get;
set;
}
public string ? address {
get;
set;
}
public string ? phone {
get;
set;
}
public DateTime createdon {
get;
set;
}
public virtual Product product {
get;
set;
}
}
Paso 4
Crear EF_DataContext heredado de la clase DbContext
using Microsoft.EntityFrameworkCore;
public class EF_DataContext: DbContext {
public EF_DataContext(DbContextOptions < EF_DataContext > options): base(options) {}
protected override void OnModelCreating(ModelBuilder modelBuilder) {
modelBuilder.UseSerialColumns();
}
public DbSet <Product> Products {
get;
set;
}
public DbSet <Order> Orders {
get;
set;
}
}
Paso 5
Abrir appsetting.json
"ConnectionStrings": {
"Ef_Postgres_Db": "Server=localhost;Database=shopingpostgres;Port=5432;User Id=postgres;Password=qwerty1234;"
}
Paso 6
Abrir programa.cs
builder.Services.AddDbContext < EF_DataContext > (o => o.UseNpgsql(builder.Configuration.GetConnectionString("Ef_Postgres_Db")));
Paso 7
Ejecuta los 2 comandos
Add-Migration InitialDatabase
Update-Database
Paso 8
Cree los modelos de pedido y producto API que se utilizarán para la comunicación API
public class Product {
public int id {
get;
set;
}
public string ? name {
get;
set;
}
public string ? brand {
get;
set;
}
public string ? size {
get;
set;
}
public decimal price {
get;
set;
}
}
public class Order {
public int id {
get;
set;
}
public int product_id {
get;
set;
}
public string ? name {
get;
set;
}
public string ? address {
get;
set;
}
public string ? phone {
get;
set;
}
public DateTime createdon {
get;
set;
}
public virtual Product product {
get;
set;
}
}
Paso 9
Agregue la clase DBhelper que hablará con su base de datos
using ShoppingWebApi.EfCore;
namespace ShoppingWebApi.Model {
public class DbHelper {
private EF_DataContext _context;
public DbHelper(EF_DataContext context) {
_context = context;
}
/// <summary>
/// GET
/// </summary>
/// <returns></returns>
public List < ProductModel > GetProducts() {
List < ProductModel > response = new List < ProductModel > ();
var dataList = _context.Products.ToList();
dataList.ForEach(row => response.Add(new ProductModel() {
brand = row.brand,
id = row.id,
name = row.name,
price = row.price,
size = row.size
}));
return response;
}
public ProductModel GetProductById(int id) {
ProductModel response = new ProductModel();
var row = _context.Products.Where(d => d.id.Equals(id)).FirstOrDefault();
return new ProductModel() {
brand = row.brand,
id = row.id,
name = row.name,
price = row.price,
size = row.size
};
}
/// <summary>
/// It serves the POST/PUT/PATCH
/// </summary>
public void SaveOrder(OrderModel orderModel) {
Order dbTable = new Order();
if (orderModel.id > 0) {
//PUT
dbTable = _context.Orders.Where(d => d.id.Equals(orderModel.id)).FirstOrDefault();
if (dbTable != null) {
dbTable.phone = orderModel.phone;
dbTable.address = orderModel.address;
}
} else {
//POST
dbTable.phone = orderModel.phone;
dbTable.address = orderModel.address;
dbTable.name = orderModel.name;
dbTable.Product = _context.Products.Where(f => f.id.Equals(orderModel.product_id)).FirstOrDefault();
_context.Orders.Add(dbTable);
}
_context.SaveChanges();
}
/// <summary>
/// DELETE
/// </summary>
/// <param name="id"></param>
public void DeleteOrder(int id) {
var order = _context.Orders.Where(d => d.id.Equals(id)).FirstOrDefault();
if (order != null) {
_context.Orders.Remove(order);
_context.SaveChanges();
}
}
}
}
Paso 10
Cree su controlador Api, asígnele el nombre ShoppingRestApi
using Microsoft.AspNetCore.Mvc;
using ShoppingWebApi.EfCore;
using ShoppingWebApi.Model;
// For more information on enabling Web API for empty projects, visit https://go.microsoft.com/fwlink/?LinkID=397860
namespace ShoppingWebApi.Controllers {
[ApiController]
public class ShoppingApiController: ControllerBase {
private readonly DbHelper _db;
public ShoppingApiController(EF_DataContext eF_DataContext) {
_db = new DbHelper(eF_DataContext);
}
// GET: api/<ShoppingApiController>
[HttpGet]
[Route("api/[controller]/GetProducts")]
public IActionResult Get() {
ResponseType type = ResponseType.Success;
try {
IEnumerable < ProductModel > data = _db.GetProducts();
if (!data.Any()) {
type = ResponseType.NotFound;
}
return Ok(ResponseHandler.GetAppResponse(type, data));
} catch (Exception ex) {
return BadRequest(ResponseHandler.GetExceptionResponse(ex));
}
}
// GET api/<ShoppingApiController>/5
[HttpGet]
[Route("api/[controller]/GetProductById/{id}")]
public IActionResult Get(int id) {
ResponseType type = ResponseType.Success;
try {
ProductModel data = _db.GetProductById(id);
if (data == null) {
type = ResponseType.NotFound;
}
return Ok(ResponseHandler.GetAppResponse(type, data));
} catch (Exception ex) {
return BadRequest(ResponseHandler.GetExceptionResponse(ex));
}
}
// POST api/<ShoppingApiController>
[HttpPost]
[Route("api/[controller]/SaveOrder")]
public IActionResult Post([FromBody] OrderModel model) {
try {
ResponseType type = ResponseType.Success;
_db.SaveOrder(model);
return Ok(ResponseHandler.GetAppResponse(type, model));
} catch (Exception ex) {
return BadRequest(ResponseHandler.GetExceptionResponse(ex));
}
}
// PUT api/<ShoppingApiController>/5
[HttpPut]
[Route("api/[controller]/UpdateOrder")]
public IActionResult Put([FromBody] OrderModel model) {
try {
ResponseType type = ResponseType.Success;
_db.SaveOrder(model);
return Ok(ResponseHandler.GetAppResponse(type, model));
} catch (Exception ex) {
return BadRequest(ResponseHandler.GetExceptionResponse(ex));
}
}
// DELETE api/<ShoppingApiController>/5
[HttpDelete]
[Route("api/[controller]/DeleteOrder/{id}")]
public IActionResult Delete(int id) {
try {
ResponseType type = ResponseType.Success;
_db.DeleteOrder(id);
return Ok(ResponseHandler.GetAppResponse(type, "Delete Successfully"));
} catch (Exception ex) {
return BadRequest(ResponseHandler.GetExceptionResponse(ex));
}
}
}
}
Paso 11
Agregue el modelo de respuesta y el controlador de respuesta que manejará sus respuestas API
namespace ShoppingWebApi.Model {
public class ApiResponse {
public string Code {
get;
set;
}
public string Message {
get;
set;
}
public object ? ResponseData {
get;
set;
}
}
public enum ResponseType {
Success,
NotFound,
Failure
}
}
Ahora pruebe las API usando POSTMAN como se muestra en el video.
Esta historia se publicó originalmente en https://www.c-sharpcorner.com/article/restful-api-in-net-core-using-ef-core-and-postgres/
#restful #api #aspdotnet #postgre #efcore
1602560783
In this article, we’ll discuss how to use jQuery Ajax for ASP.NET Core MVC CRUD Operations using Bootstrap Modal. With jQuery Ajax, we can make HTTP request to controller action methods without reloading the entire page, like a single page application.
To demonstrate CRUD operations – insert, update, delete and retrieve, the project will be dealing with details of a normal bank transaction. GitHub repository for this demo project : https://bit.ly/33KTJAu.
Sub-topics discussed :
In Visual Studio 2019, Go to File > New > Project (Ctrl + Shift + N).
From new project window, Select Asp.Net Core Web Application_._
Once you provide the project name and location. Select Web Application(Model-View-Controller) and uncheck HTTPS Configuration. Above steps will create a brand new ASP.NET Core MVC project.
Let’s create a database for this application using Entity Framework Core. For that we’ve to install corresponding NuGet Packages. Right click on project from solution explorer, select Manage NuGet Packages_,_ From browse tab, install following 3 packages.
Now let’s define DB model class file – /Models/TransactionModel.cs.
public class TransactionModel
{
[Key]
public int TransactionId { get; set; }
[Column(TypeName ="nvarchar(12)")]
[DisplayName("Account Number")]
[Required(ErrorMessage ="This Field is required.")]
[MaxLength(12,ErrorMessage ="Maximum 12 characters only")]
public string AccountNumber { get; set; }
[Column(TypeName ="nvarchar(100)")]
[DisplayName("Beneficiary Name")]
[Required(ErrorMessage = "This Field is required.")]
public string BeneficiaryName { get; set; }
[Column(TypeName ="nvarchar(100)")]
[DisplayName("Bank Name")]
[Required(ErrorMessage = "This Field is required.")]
public string BankName { get; set; }
[Column(TypeName ="nvarchar(11)")]
[DisplayName("SWIFT Code")]
[Required(ErrorMessage = "This Field is required.")]
[MaxLength(11)]
public string SWIFTCode { get; set; }
[DisplayName("Amount")]
[Required(ErrorMessage = "This Field is required.")]
public int Amount { get; set; }
[DisplayFormat(DataFormatString = "{0:MM/dd/yyyy}")]
public DateTime Date { get; set; }
}
C#Copy
Here we’ve defined model properties for the transaction with proper validation. Now let’s define DbContextclass for EF Core.
#asp.net core article #asp.net core #add loading spinner in asp.net core #asp.net core crud without reloading #asp.net core jquery ajax form #asp.net core modal dialog #asp.net core mvc crud using jquery ajax #asp.net core mvc with jquery and ajax #asp.net core popup window #bootstrap modal popup in asp.net core mvc. bootstrap modal popup in asp.net core #delete and viewall in asp.net core #jquery ajax - insert #jquery ajax form post #modal popup dialog in asp.net core #no direct access action method #update #validation in modal popup
1594289280
The REST acronym is defined as a “REpresentational State Transfer” and is designed to take advantage of existing HTTP protocols when used for Web APIs. It is very flexible in that it is not tied to resources or methods and has the ability to handle different calls and data formats. Because REST API is not constrained to an XML format like SOAP, it can return multiple other formats depending on what is needed. If a service adheres to this style, it is considered a “RESTful” application. REST allows components to access and manage functions within another application.
REST was initially defined in a dissertation by Roy Fielding’s twenty years ago. He proposed these standards as an alternative to SOAP (The Simple Object Access Protocol is a simple standard for accessing objects and exchanging structured messages within a distributed computing environment). REST (or RESTful) defines the general rules used to regulate the interactions between web apps utilizing the HTTP protocol for CRUD (create, retrieve, update, delete) operations.
An API (or Application Programming Interface) provides a method of interaction between two systems.
A RESTful API (or application program interface) uses HTTP requests to GET, PUT, POST, and DELETE data following the REST standards. This allows two pieces of software to communicate with each other. In essence, REST API is a set of remote calls using standard methods to return data in a specific format.
The systems that interact in this manner can be very different. Each app may use a unique programming language, operating system, database, etc. So, how do we create a system that can easily communicate and understand other apps?? This is where the Rest API is used as an interaction system.
When using a RESTful API, we should determine in advance what resources we want to expose to the outside world. Typically, the RESTful API service is implemented, keeping the following ideas in mind:
The features of the REST API design style state:
For REST to fit this model, we must adhere to the following rules:
#tutorials #api #application #application programming interface #crud #http #json #programming #protocols #representational state transfer #rest #rest api #rest api graphql #rest api json #rest api xml #restful #soap #xml #yaml
1604399880
I’ve been working with Restful APIs for some time now and one thing that I love to do is to talk about APIs.
So, today I will show you how to build an API using the API-First approach and Design First with OpenAPI Specification.
First thing first, if you don’t know what’s an API-First approach means, it would be nice you stop reading this and check the blog post that I wrote to the Farfetchs blog where I explain everything that you need to know to start an API using API-First.
Before you get your hands dirty, let’s prepare the ground and understand the use case that will be developed.
If you desire to reproduce the examples that will be shown here, you will need some of those items below.
To keep easy to understand, let’s use the Todo List App, it is a very common concept beyond the software development community.
#api #rest-api #openai #api-first-development #api-design #apis #restful-apis #restful-api
1652251528
Opencart REST API extensions - V3.x | Rest API Integration : OpenCart APIs is fully integrated with the OpenCart REST API. This is interact with your OpenCart site by sending and receiving data as JSON (JavaScript Object Notation) objects. Using the OpenCart REST API you can register the customers and purchasing the products and it provides data access to the content of OpenCart users like which is publicly accessible via the REST API. This APIs also provide the E-commerce Mobile Apps.
Opencart REST API
OCRESTAPI Module allows the customer purchasing product from the website it just like E-commerce APIs its also available mobile version APIs.
Opencart Rest APIs List
Customer Registration GET APIs.
Customer Registration POST APIs.
Customer Login GET APIs.
Customer Login POST APIs.
Checkout Confirm GET APIs.
Checkout Confirm POST APIs.
If you want to know Opencart REST API Any information, you can contact us at -
Skype: jks0586,
Email: letscmsdev@gmail.com,
Website: www.letscms.com, www.mlmtrees.com
Call/WhatsApp/WeChat: +91–9717478599.
Download : https://www.opencart.com/index.php?route=marketplace/extension/info&extension_id=43174&filter_search=ocrest%20api
View Documentation : https://www.letscms.com/documents/api/opencart-rest-api.html
More Information : https://www.letscms.com/blog/Rest-API-Opencart
VEDIO : https://vimeo.com/682154292
#opencart_api_for_android #Opencart_rest_admin_api #opencart_rest_api #Rest_API_Integration #oc_rest_api #rest_api_ecommerce #rest_api_mobile #rest_api_opencart #rest_api_github #rest_api_documentation #opencart_rest_admin_api #rest_api_for_opencart_mobile_app #opencart_shopping_cart_rest_api #opencart_json_api
1652251629
Unilevel MLM Wordpress Rest API FrontEnd | UMW Rest API Woocommerce Price USA, Philippines : Our API’s handle the Unilevel MLM woo-commerce end user all functionalities like customer login/register. You can request any type of information which is listed below, our API will provide you managed results for your all frontend needs, which will be useful for your applications like Mobile App etc.
Business to Customer REST API for Unilevel MLM Woo-Commerce will empower your Woo-commerce site with the most powerful Unilevel MLM Woo-Commerce REST API, you will be able to get and send data to your marketplace from other mobile apps or websites using HTTP Rest API request.
Our plugin is used JWT authentication for the authorization process.
REST API Unilevel MLM Woo-commerce plugin contains following APIs.
User Login Rest API
User Register Rest API
User Join Rest API
Get User info Rest API
Get Affiliate URL Rest API
Get Downlines list Rest API
Get Bank Details Rest API
Save Bank Details Rest API
Get Genealogy JSON Rest API
Get Total Earning Rest API
Get Current Balance Rest API
Get Payout Details Rest API
Get Payout List Rest API
Get Commissions List Rest API
Withdrawal Request Rest API
Get Withdrawal List Rest API
If you want to know more information and any queries regarding Unilevel MLM Rest API Woocommerce WordPress Plugin, you can contact our experts through
Skype: jks0586,
Mail: letscmsdev@gmail.com,
Website: www.letscms.com, www.mlmtrees.com,
Call/WhatsApp/WeChat: +91-9717478599.
more information : https://www.mlmtrees.com/product/unilevel-mlm-woocommerce-rest-api-addon
Visit Documentation : https://letscms.com/documents/umw_apis/umw-apis-addon-documentation.html
#Unilevel_MLM_WooCommerce_Rest_API's_Addon #umw_mlm_rest_api #rest_api_woocommerce_unilevel #rest_api_in_woocommerce #rest_api_woocommerce #rest_api_woocommerce_documentation #rest_api_woocommerce_php #api_rest_de_woocommerce #woocommerce_rest_api_in_android #woocommerce_rest_api_in_wordpress #Rest_API_Woocommerce_unilevel_mlm #wp_rest_api_woocommerce