-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathBannerService.cs
115 lines (97 loc) · 2.96 KB
/
BannerService.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
using BannerFlow.DataTransferObjects;
using BannerFlow.Models;
using BannerFlow.Repositories;
using BannerFlow.Validators;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
namespace BannerFlow.Services
{
public class BannerService : IBannerService
{
private static IBannerRepository repository;
private static int key;
// CTOR
public BannerService()
{
repository = new BannerRepository();
key = repository.GetLastKey();
key++;
}
// Add an entry logic
public Banner Add(BannerDTO data)
{
if (!HtmlValidator.Validate(data.Html))
{
throw new Exception("HTML markup is not valid.");
}
Banner input = new Banner();
input.Created = DateTime.Now;
input.Modified = DateTime.Now;
input.Id = key++;
input.Html = HttpUtility.HtmlDecode(data.Html);
repository.Add(input);
return input;
}
// Return all entries logic
public IEnumerable<BannerDTO> GetAll()
{
List<BannerDTO> value = new List<BannerDTO>();
IEnumerable<Banner> banners = repository.GetAll();
foreach(Banner x in banners)
{
value.Add(new BannerDTO(x));
}
return value;
}
// Return requested entry logic
public BannerDTO Get(int id)
{
BannerDTO value = new BannerDTO(repository.Get(id));
return value;
}
// Edit an entry logic
public Banner Update(int id, BannerDTO data)
{
if (!HtmlValidator.Validate(data.Html))
{
throw new Exception("HTML markup is not valid.");
}
Banner update = repository.Get(id);
if (update == null)
{
throw new Exception("Banner with the provided ID does not exist.");
}
update.Html = HttpUtility.HtmlDecode(data.Html);
update.Modified = DateTime.Now;
repository.Update(id, update);
return update;
}
// Delete an entry logic
public void Delete(int id)
{
try
{
Banner find = repository.Get(id);
if(find == null)
{
throw new Exception("Banner with the provided ID does not exist.");
}
repository.Delete(id);
}
catch(Exception ex)
{
throw ex;
}
}
// Returns an HTML of a specified banner
public BannerDTO GetHtml(int id)
{
Banner banner = repository.Get(id);
BannerDTO value = new BannerDTO();
value.Html = HttpUtility.HtmlDecode(banner.Html);
return value;
}
}
}