add ability to view products in wishlist

This commit is contained in:
cuqmbr 2023-10-15 13:22:06 +03:00
parent f24365a3eb
commit b9a58a963a
Signed by: cuqmbr
GPG Key ID: 2D72ED98B6CB200F
15 changed files with 321 additions and 7 deletions

View File

@ -22,4 +22,9 @@ public class WishlistsQuery
public Task<PagedList<MessageDto>> GetMessagesPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize, public Task<PagedList<MessageDto>> GetMessagesPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize,
CancellationToken cancellationToken, [Service] IWishlistsService wishlistsService) CancellationToken cancellationToken, [Service] IWishlistsService wishlistsService)
=> wishlistsService.GetMessagesPageFromPersonalWishlistAsync(wishlistId, pageNumber, pageSize, cancellationToken); => wishlistsService.GetMessagesPageFromPersonalWishlistAsync(wishlistId, pageNumber, pageSize, cancellationToken);
[Authorize]
public Task<PagedList<ProductDto>> GetProductsPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize,
CancellationToken cancellationToken, [Service] IWishlistsService wishlistsService)
=> wishlistsService.GetProductsPageFromPersonalWishlistAsync(wishlistId, pageNumber, pageSize, cancellationToken);
} }

View File

@ -0,0 +1,5 @@
using ShoppingAssistantApi.Domain.Entities;
namespace ShoppingAssistantApi.Application.IRepositories;
public interface IProductsRepository : IBaseRepository<Product> { }

View File

@ -16,5 +16,7 @@ public interface IWishlistsService
Task<PagedList<MessageDto>> GetMessagesPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize, CancellationToken cancellationToken); Task<PagedList<MessageDto>> GetMessagesPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize, CancellationToken cancellationToken);
Task<PagedList<ProductDto>> GetProductsPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize, CancellationToken cancellationToken);
Task<WishlistDto> DeletePersonalWishlistAsync(string wishlistId, CancellationToken cancellationToken); Task<WishlistDto> DeletePersonalWishlistAsync(string wishlistId, CancellationToken cancellationToken);
} }

View File

@ -0,0 +1,15 @@
using AutoMapper;
using ShoppingAssistantApi.Application.Models.CreateDtos;
using ShoppingAssistantApi.Application.Models.Dtos;
using ShoppingAssistantApi.Domain.Entities;
namespace ShoppingAssistantApi.Application.MappingProfiles;
public class ProductProfile : Profile
{
public ProductProfile()
{
CreateMap<Product, ProductDto>().ReverseMap();
CreateMap<ProductCreateDto, Product>().ReverseMap();
}
}

View File

@ -0,0 +1,18 @@
namespace ShoppingAssistantApi.Application.Models.CreateDtos;
public class ProductCreateDto
{
public required string Url { get; set; }
public required string Name { get; set; }
public required string Description { get; set; }
public required double Rating { get; set; }
public required string[] ImagesUrls { get; set; }
public required bool WasOpened { get; set; }
public required string WishlistId { get; set; }
}

View File

@ -8,5 +8,5 @@ public class MessageDto
public required string Role { get; set; } public required string Role { get; set; }
public string? CreatedById { get; set; } = null; public required string CreatedById { get; set; }
} }

View File

@ -0,0 +1,20 @@
namespace ShoppingAssistantApi.Application.Models.Dtos;
public class ProductDto
{
public required string Id { get; set; }
public required string Url { get; set; }
public required string Name { get; set; }
public required string Description { get; set; }
public required double Rating { get; set; }
public required string[] ImagesUrls { get; set; }
public required bool WasOpened { get; set; }
public required string WishlistId { get; set; }
}

View File

@ -8,5 +8,5 @@ public class WishlistDto
public required string Type { get; set; } public required string Type { get; set; }
public string CreatedById { get; set; } = null!; public required string CreatedById { get; set; }
} }

View File

@ -9,5 +9,5 @@ public class Message : EntityBase
public required string Role { get; set; } public required string Role { get; set; }
public ObjectId WishlistId { get; set; } public required ObjectId WishlistId { get; set; }
} }

View File

@ -0,0 +1,21 @@
using MongoDB.Bson;
using ShoppingAssistantApi.Domain.Common;
namespace ShoppingAssistantApi.Domain.Entities;
public class Product : EntityBase
{
public required string Url { get; set; }
public required string Name { get; set; }
public required string Description { get; set; }
public required double Rating { get; set; }
public required string[] ImagesUrls { get; set; }
public required bool WasOpened { get; set; }
public required ObjectId WishlistId { get; set; }
}

View File

@ -18,12 +18,15 @@ public class WishlistsService : IWishlistsService
private readonly IMessagesRepository _messagesRepository; private readonly IMessagesRepository _messagesRepository;
private readonly IProductsRepository _productRepository;
private readonly IMapper _mapper; private readonly IMapper _mapper;
public WishlistsService(IWishlistsRepository wishlistRepository, IMessagesRepository messageRepository, IMapper mapper) public WishlistsService(IWishlistsRepository wishlistRepository, IMessagesRepository messageRepository, IProductsRepository productRepository, IMapper mapper)
{ {
_wishlistsRepository = wishlistRepository; _wishlistsRepository = wishlistRepository;
_messagesRepository = messageRepository; _messagesRepository = messageRepository;
_productRepository = productRepository;
_mapper = mapper; _mapper = mapper;
} }
@ -113,6 +116,27 @@ public class WishlistsService : IWishlistsService
return new PagedList<MessageDto>(dtos, pageNumber, pageSize, count); return new PagedList<MessageDto>(dtos, pageNumber, pageSize, count);
} }
public async Task<PagedList<ProductDto>> GetProductsPageFromPersonalWishlistAsync(string wishlistId, int pageNumber, int pageSize, CancellationToken cancellationToken)
{
if (!ObjectId.TryParse(wishlistId, out var wishlistObjectId))
{
throw new InvalidDataException("Provided id is invalid.");
}
await TryGetPersonalWishlist(wishlistObjectId, cancellationToken);
var entities = await _productRepository.GetPageAsync(pageNumber, pageSize, x => x.WishlistId == wishlistObjectId, cancellationToken);
foreach (var e in entities)
{
Console.WriteLine(e.Name);
}
var dtos = _mapper.Map<List<ProductDto>>(entities);
var count = await _productRepository.GetCountAsync(x => x.WishlistId == wishlistObjectId, cancellationToken);
return new PagedList<ProductDto>(dtos, pageNumber, pageSize, count);
}
public async Task<WishlistDto> DeletePersonalWishlistAsync(string wishlistId, CancellationToken cancellationToken) public async Task<WishlistDto> DeletePersonalWishlistAsync(string wishlistId, CancellationToken cancellationToken)
{ {
if (!ObjectId.TryParse(wishlistId, out var wishlistObjectId)) if (!ObjectId.TryParse(wishlistId, out var wishlistObjectId))

View File

@ -29,6 +29,8 @@ public class DbInitialaizer
private readonly IMongoCollection<Message> _messageCollection; private readonly IMongoCollection<Message> _messageCollection;
private readonly IMongoCollection<Product> _productCollection;
public IEnumerable<RoleDto> Roles { get; set; } public IEnumerable<RoleDto> Roles { get; set; }
public DbInitialaizer(IServiceProvider serviceProvider) public DbInitialaizer(IServiceProvider serviceProvider)
@ -40,13 +42,14 @@ public class DbInitialaizer
_userCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<User>("Users"); _userCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<User>("Users");
_wishlistCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<Wishlist>("Wishlists"); _wishlistCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<Wishlist>("Wishlists");
_messageCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<Message>("Messages"); _messageCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<Message>("Messages");
_productCollection = serviceProvider.GetService<MongoDbContext>().Db.GetCollection<Product>("Products");
} }
public async Task InitialaizeDb(CancellationToken cancellationToken) public async Task InitialaizeDb(CancellationToken cancellationToken)
{ {
await AddRoles(cancellationToken); await AddRoles(cancellationToken);
await AddUsers(cancellationToken); await AddUsers(cancellationToken);
await AddWishlistsWithMessages(cancellationToken); await AddWishlistsWithMessagesAndProducts(cancellationToken);
} }
public async Task AddUsers(CancellationToken cancellationToken) public async Task AddUsers(CancellationToken cancellationToken)
@ -170,7 +173,7 @@ public class DbInitialaizer
var dto3 = await _rolesService.AddRoleAsync(role3, cancellationToken); var dto3 = await _rolesService.AddRoleAsync(role3, cancellationToken);
} }
public async Task AddWishlistsWithMessages(CancellationToken cancellationToken) public async Task AddWishlistsWithMessagesAndProducts(CancellationToken cancellationToken)
{ {
var user1 = await (await _userCollection.FindAsync(x => x.Email.Equals("shopping.assistant.team@gmail.com"))).FirstAsync(); var user1 = await (await _userCollection.FindAsync(x => x.Email.Equals("shopping.assistant.team@gmail.com"))).FirstAsync();
var user2 = await (await _userCollection.FindAsync(x => x.Email.Equals("mykhailo.bilodid@nure.ua"))).FirstAsync(); var user2 = await (await _userCollection.FindAsync(x => x.Email.Equals("mykhailo.bilodid@nure.ua"))).FirstAsync();
@ -186,6 +189,7 @@ public class DbInitialaizer
Name = "Gaming PC", Name = "Gaming PC",
Type = WishlistTypes.Product.ToString(), Type = WishlistTypes.Product.ToString(),
CreatedById = user1.Id, CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
}, },
new Wishlist new Wishlist
{ {
@ -193,6 +197,7 @@ public class DbInitialaizer
Name = "Generic Wishlist Name", Name = "Generic Wishlist Name",
Type = WishlistTypes.Product.ToString(), Type = WishlistTypes.Product.ToString(),
CreatedById = user2.Id, CreatedById = user2.Id,
CreatedDateUtc = DateTime.UtcNow
} }
}; };
@ -206,12 +211,14 @@ public class DbInitialaizer
Role = MessageRoles.User.ToString(), Role = MessageRoles.User.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedById = user1.Id, CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
Text = "Message 2", Text = "Message 2",
Role = MessageRoles.Application.ToString(), Role = MessageRoles.Application.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
@ -219,12 +226,14 @@ public class DbInitialaizer
Role = MessageRoles.User.ToString(), Role = MessageRoles.User.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedById = user1.Id, CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
Text = "Message 4", Text = "Message 4",
Role = MessageRoles.Application.ToString(), Role = MessageRoles.Application.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
@ -232,12 +241,14 @@ public class DbInitialaizer
Role = MessageRoles.User.ToString(), Role = MessageRoles.User.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedById = user1.Id, CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
Text = "Message 6", Text = "Message 6",
Role = MessageRoles.Application.ToString(), Role = MessageRoles.Application.ToString(),
WishlistId = wishlistId1, WishlistId = wishlistId1,
CreatedDateUtc = DateTime.UtcNow
}, },
new Message new Message
{ {
@ -245,9 +256,48 @@ public class DbInitialaizer
Role = MessageRoles.User.ToString(), Role = MessageRoles.User.ToString(),
WishlistId = wishlistId2, WishlistId = wishlistId2,
CreatedById = user2.Id, CreatedById = user2.Id,
CreatedDateUtc = DateTime.UtcNow
} }
}; };
await _messageCollection.InsertManyAsync(messages); await _messageCollection.InsertManyAsync(messages);
var products = new Product[]
{
new Product
{
Name = "AMD Ryzen 5 5600G 6-Core 12-Thread Unlocked Desktop Processor with Radeon Graphics",
Description = "Features best-in-class graphics performance in a desktop processor for smooth 1080p gaming, no graphics card required",
Rating = 4.8,
Url = "https://a.co/d/5ceuIrq",
ImagesUrls = new string[]
{
"https://m.media-amazon.com/images/I/51f2hkWjTlL._AC_SL1200_.jpg",
"https://m.media-amazon.com/images/I/51iji7Gel-L._AC_SL1200_.jpg"
},
WasOpened = false,
WishlistId = wishlistId1,
CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
},
new Product
{
Name = "Samsung 970 EVO Plus SSD 2TB NVMe M.2 Internal Solid State Hard Drive, V-NAND Technology, Storage and Memory Expansion for Gaming, Graphics w/ Heat Control, Max Speed, MZ-V7S2T0B/AM ",
Description = "7 Year Limited Warranty: The 970 EVO Plus provides up to 1200 TBW (Terabytes Written) with 5-years of protection for exceptional endurance powered by the latest V-NAND technology and Samsung's reputation for quality ",
Rating = 4.8,
Url = "https://a.co/d/gxnuqs1",
ImagesUrls = new string[]
{
"https://m.media-amazon.com/images/I/51Brl+iYtvL._AC_SL1001_.jpg",
"https://m.media-amazon.com/images/I/51GOfLlVwoL._AC_SL1001_.jpg"
},
WasOpened = false,
WishlistId = wishlistId1,
CreatedById = user1.Id,
CreatedDateUtc = DateTime.UtcNow
},
};
await _productCollection.InsertManyAsync(products);
} }
} }

View File

@ -15,6 +15,7 @@ public static class RepositoriesExtention
services.AddScoped<IUsersRepository, UsersRepository>(); services.AddScoped<IUsersRepository, UsersRepository>();
services.AddScoped<IWishlistsRepository, WishlistsRepository>(); services.AddScoped<IWishlistsRepository, WishlistsRepository>();
services.AddScoped<IMessagesRepository, MessagesRepository>(); services.AddScoped<IMessagesRepository, MessagesRepository>();
services.AddScoped<IProductsRepository, ProductsRepository>();
return services; return services;
} }

View File

@ -0,0 +1,10 @@
using ShoppingAssistantApi.Application.IRepositories;
using ShoppingAssistantApi.Domain.Entities;
using ShoppingAssistantApi.Persistance.Database;
namespace ShoppingAssistantApi.Persistance.Repositories;
public class ProductsRepository : BaseRepository<Product>, IProductsRepository
{
public ProductsRepository(MongoDbContext db) : base(db, "Products") { }
}

View File

@ -186,7 +186,7 @@ public class WishlistsTests : IClassFixture<TestingFactory<Program>>
} }
[Fact] [Fact]
public async Task GetMessagesPageFromPersonalWishlist_ValidPageNumberAndSizeValidWishlistIdOrAuthorizedAccess_ReturnsWishlistModel() public async Task GetMessagesPageFromPersonalWishlist_ValidPageNumberAndSizeValidWishlistIdOrAuthorizedAccess_ReturnsPage()
{ {
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient); var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken); _httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
@ -221,6 +221,40 @@ public class WishlistsTests : IClassFixture<TestingFactory<Program>>
Assert.Equal(user.Id, (string) firstMessageInPage.createdById); Assert.Equal(user.Id, (string) firstMessageInPage.createdById);
} }
[Fact]
public async Task GetProductsPageFromPersonalWishlist_ValidPageNumberAndSizeValidWishlistIdOrAuthorizedAccess_ReturnsPage()
{
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
var user = await UserExtention.GetCurrentUser(_httpClient);
var mutation = new
{
query = "query productsPageFromPersonalWishlist($wishlistId: String!, $pageNumber: Int!, $pageSize: Int!) { productsPageFromPersonalWishlist (wishlistId: $wishlistId, pageNumber: $pageNumber, pageSize: $pageSize) { hasNextPage, hasPreviousPage, items { id, url, name, description, rating, imagesUrls, wasOpened, wishlistId }, pageNumber, pageSize, totalItems, totalPages } }",
variables = new
{
wishlistId = WISHLIST_TESTING_VALID_WISHLIST_ID,
pageNumber = 1,
pageSize = 2
}
};
var jsonPayload = JsonConvert.SerializeObject(mutation);
var content = new StringContent(jsonPayload, Encoding.UTF8, "application/json");
using var response = await _httpClient.PostAsync("graphql", content);
Assert.Equal(HttpStatusCode.OK, response.StatusCode);
var responseString = await response.Content.ReadAsStringAsync();
var document = JsonConvert.DeserializeObject<dynamic>(responseString);
var productsPageFromPersonalWishlist = Enumerable.ToList(document.data.productsPageFromPersonalWishlist.items);
var secondProductInPage = productsPageFromPersonalWishlist[1];
Assert.Equal("Samsung 970 EVO Plus SSD 2TB NVMe M.2 Internal Solid State Hard Drive, V-NAND Technology, Storage and Memory Expansion for Gaming, Graphics w/ Heat Control, Max Speed, MZ-V7S2T0B/AM ", (string) secondProductInPage.name);
Assert.Equal(WISHLIST_TESTING_VALID_WISHLIST_ID, (string) secondProductInPage.wishlistId);
}
[Fact] [Fact]
public async Task DeletePersonalWishlist_ValidWishlistIdOrAuthorizedAccess_ReturnsWishlistModel() public async Task DeletePersonalWishlist_ValidWishlistIdOrAuthorizedAccess_ReturnsWishlistModel()
{ {
@ -553,6 +587,115 @@ public class WishlistsTests : IClassFixture<TestingFactory<Program>>
Assert.Equal(HttpStatusCode.InternalServerError, response.StatusCode); Assert.Equal(HttpStatusCode.InternalServerError, response.StatusCode);
} }
[Fact]
public async Task GetProductsPageFromPersonalWishlist_InValidPageNumber_ReturnsInternalServerError()
{
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
var user = await UserExtention.GetCurrentUser(_httpClient);
var mutation = new
{
query = "query productsPageFromPersonalWishlist($wishlistId: String!, $pageNumber: Int!, $pageSize: Int!) { productsPageFromPersonalWishlist (wishlistId: $wishlistId, pageNumber: $pageNumber, pageSize: $pageSize) { hasNextPage, hasPreviousPage, items { id, url, name, description, rating, imagesUrls, wasOpened, wishlistId }, pageNumber, pageSize, totalItems, totalPages } }",
variables = new
{
wishlistId = WISHLIST_TESTING_VALID_WISHLIST_ID,
pageNumber = 0,
pageSize = 2
}
};
var jsonPayload = JsonConvert.SerializeObject(mutation);
var content = new StringContent(jsonPayload, Encoding.UTF8, "application/json");
using var response = await _httpClient.PostAsync("graphql", content);
Assert.Equal(HttpStatusCode.InternalServerError, response.StatusCode);
}
[Fact]
public async Task GetProductsPageFromPersonalWishlist_InValidPageSize_ReturnsPage()
{
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
var user = await UserExtention.GetCurrentUser(_httpClient);
var mutation = new
{
query = "query productsPageFromPersonalWishlist($wishlistId: String!, $pageNumber: Int!, $pageSize: Int!) { productsPageFromPersonalWishlist (wishlistId: $wishlistId, pageNumber: $pageNumber, pageSize: $pageSize) { hasNextPage, hasPreviousPage, items { id, url, name, description, rating, imagesUrls, wasOpened, wishlistId }, pageNumber, pageSize, totalItems, totalPages } }",
variables = new
{
wishlistId = WISHLIST_TESTING_VALID_WISHLIST_ID,
pageNumber = 1,
pageSize = 100
}
};
var jsonPayload = JsonConvert.SerializeObject(mutation);
var content = new StringContent(jsonPayload, Encoding.UTF8, "application/json");
using var response = await _httpClient.PostAsync("graphql", content);
Assert.Equal(HttpStatusCode.OK, response.StatusCode);
var responseString = await response.Content.ReadAsStringAsync();
var document = JsonConvert.DeserializeObject<dynamic>(responseString);
var productsPageFromPersonalWishlist = Enumerable.ToList(document.data.productsPageFromPersonalWishlist.items);
var secondProductInPage = productsPageFromPersonalWishlist[1];
Assert.Equal("Samsung 970 EVO Plus SSD 2TB NVMe M.2 Internal Solid State Hard Drive, V-NAND Technology, Storage and Memory Expansion for Gaming, Graphics w/ Heat Control, Max Speed, MZ-V7S2T0B/AM ", (string) secondProductInPage.name);
Assert.Equal(WISHLIST_TESTING_VALID_WISHLIST_ID, (string) secondProductInPage.wishlistId);
}
[Fact]
public async Task GetProductsPageFromPersonalWishlist_InValidWishlistId_ReturnsInternalServerError()
{
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
var user = await UserExtention.GetCurrentUser(_httpClient);
var mutation = new
{
query = "query productsPageFromPersonalWishlist($wishlistId: String!, $pageNumber: Int!, $pageSize: Int!) { productsPageFromPersonalWishlist (wishlistId: $wishlistId, pageNumber: $pageNumber, pageSize: $pageSize) { hasNextPage, hasPreviousPage, items { id, url, name, description, rating, imagesUrls, wasOpened, wishlistId }, pageNumber, pageSize, totalItems, totalPages } }",
variables = new
{
wishlistId = WISHLIST_TESTING_INVALID_WISHLIST_ID,
pageNumber = 0,
pageSize = 2
}
};
var jsonPayload = JsonConvert.SerializeObject(mutation);
var content = new StringContent(jsonPayload, Encoding.UTF8, "application/json");
using var response = await _httpClient.PostAsync("graphql", content);
Assert.Equal(HttpStatusCode.InternalServerError, response.StatusCode);
}
[Fact]
public async Task GetProductsPageFromPersonalWishlist_UnAuthorizedAccess_ReturnsInternalServerError()
{
var tokensModel = await AccessExtention.Login(WISHLIST_TESTING_USER_EMAIL, WISHLIST_TESTING_USER_PASSWORD, _httpClient);
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", tokensModel.AccessToken);
var user = await UserExtention.GetCurrentUser(_httpClient);
var mutation = new
{
query = "query productsPageFromPersonalWishlist($wishlistId: String!, $pageNumber: Int!, $pageSize: Int!) { productsPageFromPersonalWishlist (wishlistId: $wishlistId, pageNumber: $pageNumber, pageSize: $pageSize) { hasNextPage, hasPreviousPage, items { id, url, name, description, rating, imagesUrls, wasOpened, wishlistId }, pageNumber, pageSize, totalItems, totalPages } }",
variables = new
{
wishlistId = WISHLIST_TESTING_OTHER_USER_WISHLIST_ID,
pageNumber = 0,
pageSize = 2
}
};
var jsonPayload = JsonConvert.SerializeObject(mutation);
var content = new StringContent(jsonPayload, Encoding.UTF8, "application/json");
using var response = await _httpClient.PostAsync("graphql", content);
Assert.Equal(HttpStatusCode.InternalServerError, response.StatusCode);
}
[Fact] [Fact]
public async Task DeletePersonalWishlist_InValidWishlistId_ReturnsInternalServerError() public async Task DeletePersonalWishlist_InValidWishlistId_ReturnsInternalServerError()
{ {