GithubHelp home page GithubHelp logo

oguzhankomcu / science_news.blog_project Goto Github PK

View Code? Open in Web Editor NEW
3.0 1.0 0.0 1.8 MB

I made a Blog site project with Asp.NET CORE. I used asynchronous programming and various libraries in this project.

C# 46.61% HTML 41.97% CSS 0.51% JavaScript 10.91%
asp-net-core asp-net-mvc asynchronous-programming autofac autofac-container blog ddd ddd-architecture ddd-patterns ddd-sample

science_news.blog_project's Introduction

ASP.NET CORE BLOG PROJECT

I made the UI part of my blog project using Asp.Net Core MVC design pattern. I created the design of my project with Domain Driven Design. I used Autofac to implement IOC in this project. I made the methods and functions I used in my project by applying the asynchronous programming technique.

DOMAIN DRIVEN DESIGN (DDD)

DDD is not an advanced technology or specific method. Domain Driven Design advocates a philosophy of how software should be modeled to adapt it to the digital world by creating real-world business models with a common language (Ubiquitous Language) that everyone can understand.

According to DDD, one of the biggest problems in software projects is communication problem. The fact that the business unit and the technical team speak a different language creates long-term problems in determining the needs, developing and expanding the scope, and the main goal, the business problem that needs to be implemented with code, turns into a technology problem in an instant. DDD, on the other hand, promises to maximize the communication efficiency between the business unit and the technical team by following its principles and to model this process very well in terms of architecture.

DDD is created with 4-tier architecture.

Domain Layer

This is where the concepts of the business domain are. This layer has all the information about the business case and the business rules. Here’s where the entities are. As we mentioned earlier, entities are a combination of data and behavior, like a user or a product. You can have a look at how I use it in my project.GitHub Pages

Application Layer

This layer doesn’t contain business logic. It’s the part that leads the user from one to another UI screen. It also interacts with application layers of other systems. It can perform simple validation but it contains no domain-related logic or data access. Its purpose is to organize and delegate domain objects to do their job. Moreover, it’s the only layer accessible to other bounded contexts. You can have a look at how I use it in my project.GitHub Pages

Presentation Layer

This layer is the part where interaction with external systems happens. This layer is the gateway to the effects that a human, an application or a message will have on the domain. Requests will be accepted from this layer and the response will be shaped in this layer and displayed to the user. You can have a look at how I use it in my project.GitHub Pages

Infrastructure Layer

This layer will be the layer that accesses external services such as database, messaging systems and email services. It supports communication between other layers and may contain supporting libraries for the UI layer.You can have a look at how I use it in my project.GitHub Pages

ASYNCHRONOUS PROGRAMMING

Asynchronous programming allows work to be split into parts and all processes to be continued at the same time. With Asynchronous Programming, while a code we wrote in our program is being run, other codes can be run within the same program. In this way, while the user is using a part of our program, he can also operate with another part.

Asynchronous programming should not be confused with multi-threading. The codes that we will write asynchronously can also work on a single thread. The feature of asynchronous programming is not to run in different threads, but to ensure that more than one job is executed on our program at the same time by dividing the work we give into parts.Asynchronous is about tasks. If the process executed by a thread requires waiting, instead of keeping the processor power idle, it switches to other jobs, does the work to be done in between, and continues the process that requires waiting from where it left off.

If we want to use asynchronous programming, we should use the "async" , "await" , "Task","Task" keywords that come with C# 5.0.

The async keyword is used to activate the “await” keyword inside the function. Await provides a non-blocking feature that allows other processes to continue asynchronously while waiting for the task to be executed. await can only be used in cases where Task returns, C# compiler It will give an error when using await for methods that do not return Task. Our method, DownloadAndProcessFile, in which we use the await operator, started with async. The await operator is used in async otherwise it will throw a compilation error.

We will have methods that return a Task or Task object. Defining these methods as asynchronous operations allows us to wait for them and continue to use the same execution sequence to run other operations that are unrelated to the expected task. We use the keywords "async" and "await" to process objects more easily. Examples ;

public async Task Delete(int id)
      {
          var post = await _postRepo.GetDefault(x => x.Id == id);
          post.DeleteDate = DateTime.Now;
          post.Status = Status.Passive;
          await _postRepo.Delete(post);
      }
public async Task<List<GetPostsVM>> GetPosts()
     {
         var posts = await _postRepo.GetFilteredList(
             select: x => new GetPostsVM
             {
                 CategoryName = x.Category.Name,
                 AuthorFirstName = x.Author.FirstName,
                 AuthorLastName = x.Author.LastName,
                 CreateDate = x.CreateDate,
                 UserImagePath = x.Author.ImagePath,

             },
             where: x => x.Status != Status.Passive);

         return posts;
     }

Expression in LINQ

alt text

LINQ introduced the new type called Expression that represents strongly typed lambda expression. It means lambda expression can also be assigned to Expression type. The .NET compiler converts the lambda expression which is assigned to Expression into an Expression tree instead of executable code. This expression tree is used by remote LINQ query providers as a data structure to build a runtime query out of it .

This is how I created the method in the "BaseRepo" in the "Science_News.Infrastructure" layer. You can see more here.GitHub Pages

  public async Task<List<TResult>> GetFilteredList<TResult>(Expression<Func<T, TResult>> select,
                                                                  Expression<Func<T, bool>> where,
                                                                  Func<IQueryable<T>, IOrderedQueryable<T>> orderBy = null,
                                                                  Func<IQueryable<T>, IIncludableQueryable<T, object>> include = null)
        {
            IQueryable<T> query = table;

            if (where != null)
            {
                query = query.Where(where);
            }

            if (include != null)
            {
                query = include(query);
            }

            if (orderBy != null)
            {
                return  await orderBy(query).Select(select).ToListAsync();
            }
            else
            {
                return await query.Select(select).ToListAsync();
            }
        }

This is how I created the body of the method in the "PostServices.cs" class in the "PostService" in the "Services" folder in the "Science_News.Application" layer. You can see more here.GitHub Pages

     public Task<List<PostVM>> GetPosts()
     {
         var posts = _postRepo.GetFilteredList(
             select: x => new PostVM
             {
                 Id = x.Id,
                 Title = x.Title,
                 CategoryName = x.Category.Name,
                 AuthorFirstName = x.Author.FirstName,
                 AuthorLastName = x.Author.LastName,
             },
             where: x => x.Status != Status.Passive,
             orderBy: x => x.OrderBy(x => x.Title),
             include: x => x.Include(x => x.Category).Include(x => x.Author));

         return posts;

     }

AUTOFAC

Autofac is a .Net based IoC container. As classes interact with each other, it manages the dependencies between them that keep applications flexible as they grow in size and complexity. Autofac is the most widely used DI/IoC container for ASP.NET and was also fully compatible with .NET Core.

As you know, there is an embedded IOC container in Asp.Net Core. However, as the classes are nested, the container becomes inseparable from each other and in this case we use more functional functions of Autofac.

When working on large-scale projects, having the extensive capability of Autofac can be quite useful and even indispensable.

HOW IS IT APPLIED?

I created my container in "DependencyResolver" class inside "IoC" folder in "Science_News.Application" layer. You can see more here.GitHub Pages

I showed an example here.

    protected override void Load(ContainerBuilder builder)
     {

         builder.RegisterType<CategoryRepo>().As<ICategoryRepo>().InstancePerLifetimeScope();
     }

I implemented this method to enable the Autofac DI container in my "Program.cs" class in the Presentation layer.

   
builder.Host.UseServiceProviderFactory(new AutofacServiceProviderFactory());

builder.Host.ConfigureContainer<ContainerBuilder>(builder =>
{
 builder.RegisterModule(new DependencyResolver());
});
var app = builder.Build();

science_news.blog_project's People

Contributors

oguzhankomcu avatar

Stargazers

 avatar  avatar  avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.