Wednesday, 26 May 2021

Upload object to s3 using aws api gateway service proxy / API Gateway Proxy for S3 with subdirectories

 

This is guideline how to create the AWS API Gateway

Assumption: S3 bucket name: "us-east-1-dev" and folders: --> light/ --> test_1/ --> pdfs/


Create the REST API

  1. Created a resource proxy
  2. select service proxy 
Resource Name*: proxy
Resource Path*: {proxy+}
Click Create API
select the option: HTTP proxy
Endpoint URL: (key anything) e.g: https://testing.com/{proxy}
click Save

Next, choose "Integration Request" 
  1. Integration type: AWS service
  2. select the desired region
  3. select the desired aws service(s3 in my case)
  4. In subdomain give bucket name (e.g: xxxx-us-east-1-dev)
  5. HTTP method: select "PUT" if you want to upload a object. "GET" if you want to get the object. Here is "PUT"
  6. In path override give Path override: {proxy} (because to pass the bucketname dynamically)
  7. finally for api gateway service proxy we need to add the arn for detail explanation on creation of arn follow the document http://docs.aws.amazon.com/apigateway/latest/developerguide/getting-started-aws-proxy.html

Next, in the "Method Response"
HTTP Status --> fill "200"

Next, in the "Integration Response"

fill "integration.response.header.Content-Type" for "Mapping value"

--> Save.

Go to Testing:

Select the option "Method" as we selected above.
the PATH, key in the file which you want to get
E.g: light/test_2/pdfs/dummy.txt



Tuesday, 25 May 2021

AWS API gateway, S3

 

Tutorial: Create a REST API as an Amazon S3 proxy in API Gateway - Amazon API Gateway

Using REST API to upload files to the S3 bucket - BlueGrid : BlueGrid


AIM role



Edit Trust Relationship

{

  "Version": "2012-10-17",

  "Statement": [

    {

      "Effect": "Allow",

      "Principal": {

        "Service": "s3.amazonaws.com"

      },

      "Action": "sts:AssumeRole"

    },

    {

      "Effect": "Allow",

      "Principal": {

        "Service": "apigateway.amazonaws.com"

      },

      "Action": "sts:AssumeRole"

    }

  ]

}


Next, go to API Gateway --> create a REST API.


Create the folder & item resource

create GET --> 



with "tanldttestingapigateway" is a S3 bucket name.
/{folder}/{item} - GET - Method Execution --> to add URL path parameters
Create the folder "Test1" & upload one text file for testing purpose.




Sunday, 23 May 2021

Object Oriented review - Abstract, inherent, Virtual

 


Abstract class:

using System;

namespace App

{

    public abstract class Saleman

    {

        private string _firstname;

        private string _lastname;


        public string Fullname { get {

                return string.Format("{0} {1}", this._firstname, this._lastname);

            } }

        public Saleman(string firstname, string lastname)

        {

            this._firstname = firstname;

            this._lastname = lastname;

        }


        public abstract void Sell();

    }

}

----------------------------------

using System;

namespace App

{

    public class CarSalePerson : Saleman

    {

        public CarSalePerson(string firstname, string lastname) : base(firstname, lastname)

        {

        }

        public override void Sell()

        {

            Console.WriteLine("This is {0}. I live in Canada", this.Fullname);

        }

    }

}

------------------------------

using System;

namespace App

{

    public class RetailSalePerson : Saleman

    {

        public RetailSalePerson(string firstname, string lastname) : base(firstname, lastname)

        {

        }

        public override void Sell()

        {

            Console.WriteLine("This is {0}. I live in VN", this.Fullname);

        }

    }

}


Main class:

static void Main(string[] args)
        {

            CarSalePerson TanLESaleMan = new CarSalePerson("Tan", "LE");
            Console.WriteLine(TanLESaleMan.Fullname);
            TanLESaleMan.Sell();

            RetailSalePerson TestLEESaleMan = new RetailSalePerson("Test", "LEE");
            Console.WriteLine(TestLEESaleMan.Fullname);
            TestLEESaleMan.Sell();
        }

OUTPUT:
Tan LE
This is Tan LE. I live in Canada
Test LEE
This is Test LEE. I live in VN



-----------------------------

 

Abstract class + Virtual

using System;

namespace App

{

    public abstract class Saleman

    {

        private string _firstname;

        private string _lastname;


        public string Fullname { get {

                return string.Format("{0} {1}", this._firstname, this._lastname);

            } }

        public Saleman(string firstname, string lastname)

        {

            this._firstname = firstname;

            this._lastname = lastname;

        }


       public virtual void Sell()

        {

            Console.WriteLine("This is {0}. I live in VN. MASTER", this.Fullname);

        }

    }

}

----------------------------------

using System;

namespace App

{

    public class CarSalePerson : Saleman

    {

        public CarSalePerson(string firstname, string lastname) : base(firstname, lastname)

        {

        }

        public override void Sell()

        {

            Console.WriteLine("This is {0}. I live in Canada", this.Fullname);

        }

    }

}

------------------------------

using System;

namespace App

{

    public class RetailSalePerson : Saleman

    {

        public RetailSalePerson(string firstname, string lastname) : base(firstname, lastname)

        {

        }

      

    }

}


Main class:

static void Main(string[] args)
        {

            CarSalePerson TanLESaleMan = new CarSalePerson("Tan", "LE");
            Console.WriteLine(TanLESaleMan.Fullname);
            TanLESaleMan.Sell();

            RetailSalePerson TestLEESaleMan = new RetailSalePerson("Test", "LEE");
            Console.WriteLine(TestLEESaleMan.Fullname);
            TestLEESaleMan.Sell();
        }

OUTPUT:
Tan LE
This is Tan LE. I live in Canada
Test LEE
This is Test LEE. I live in VN. MASTER

Tuesday, 18 May 2021

Sample steps to create the API with Angular page


Code first DB: 

dotnet tool install --global dotnet-ef

dotnet ef migrations add "Initial" -o "Data/Migrations"

dotnet ef database update


ng g c employee --module app --skipTests=true

External libraries:          

@angular/material (Angular npm package)      

Doing this will trigger the Angular Material command-line setup wizard, which will install the following npm packages: --> npm install xxxxx

  • @angular/material
  • @angular/cdk (prerequisite)

System.Linq.Dynamic.Core (.NET Core NuGet package)

Microsoft.EntityFrameworkCore NuGet package      Microsoft.EntityFrameworkCore.Tools NuGet package      Microsoft.EntityFrameworkCore.SqlServer NuGet package

If we prefer to do this using the NuGet package manager command line, we can input the following:    PM> Install-Package Microsoft.EntityFrameworkCore -Version 5.0.0

PM> Install-Package Microsoft.EntityFrameworkCore.Tools -Version 5.0.0

PM> Install-Package Microsoft.EntityFrameworkCore.SqlServer -Version 5.0.0


1) Create the Entity class

    public class Employee

    {

        public Employee()

        {

        }

        public int Id { get; set; }

        public string Name { get; set; }

        public string Address { get; set; }

    }

2) Create the ApplicationDBContext

public class ApplicationDBContext : DbContext

    {

        public ApplicationDBContext(): base()

        {

        }

        public ApplicationDBContext(DbContextOptions options) : base(options)

        { 

        }

        public DbSet<Employee> Employees { get; set; }

    }

3) Add config DB in Memory

public void ConfigureServices(IServiceCollection services)

        {

            services.AddDbContext<ApplicationDBContext>(opt => opt.UseInMemoryDatabase("HREmp"));

        }

4) Create Controller & Seed data for sample with DB in Memory


[Route("api/[controller]")]

    [ApiController]

    public class EmployeesController : ControllerBase

    { 

private readonly ApplicationDBContext _context;

        public EmployeesController(ApplicationDBContext context)

        {

            _context = context;

            SeedData();

        }

        private void SeedData()

        {

            if (!_context.Employees.Any())

            {

                _context.Employees.Add(new Employee() { Id = 1, Name = "Jessica Smith", Address = "20 Elm St." });

                _context.Employees.Add(new Employee() { Id = 2, Name = "John Smith", Address = "30 Main St." });

                _context.Employees.Add(new Employee() { Id = 3, Name = "William Johnson", Address = "100 10th St." });

                _context.SaveChanges();

            }

        }

        // GET: api/<ValuesController>

        [HttpGet]

        public async Task<ActionResult<IEnumerable<Employee>>> GetEmployees() { return await _context.Employees.ToListAsync(); }

}



test API --> localhost .../api/employees


Add format JSON:

Open the Startup.cs file, locate the ConfigureServices method, and add the following code

services.AddControllersWithViews() .AddJsonOptions(options => { // set this option to TRUE to indent the JSON output options.JsonSerializerOptions.WriteIndented = true; // set this option to NULL to use PascalCase instead of // camelCase (default) // options.JsonSerializerOptions.PropertyNamingPolicy = // null; });

5) Fetching and Displaying Data

Create Angular page

ng g c employee --module app --skipTests=true

CREATE src/app/employee/employee.component.html (23 bytes)

CREATE src/app/employee/employee.component.ts (277 bytes)

CREATE src/app/employee/employee.component.css (0 bytes)

UPDATE src/app/app.module.ts (1412 bytes)

EMPLOYEE.TS

Open the /ClientApp/src/app/employees/employee.ts file and add the following:

export interface Employee {
    id: number;
    name: string;
    address: string;

}

employee.component.ts

import { Component, Inject, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Employee } from './employee';


@Component({

  selector: 'app-employees',

  templateUrl: './employees.component.html',

  styleUrls: ['./employees.component.css']

})

export class EmployeesComponent implements OnInit {


  public employees: Employee[];//

  constructor(

    private http: HttpClient, @Inject('BASE_URL') private baseUrl: string //

  ) { }


  ngOnInit() {

    this.http.get<Employee[]>(this.baseUrl + 'api/Employees')

      .subscribe(result => {

        this.employees = result;

      }, error => console.error(error));

  }


}

employee.component.html

<h1>employees works!</h1>

<p>Here's a list of employees: feel free to play with it.</p>
<p *ngIf="!employees"><em>Loading...</em></p>
<table class='table table-striped' aria-labelledby="tableLabel" [hidden]="!employees">
  <thead>
    <tr>
      <th>ID</th>
      <th>Name</th>
      <th>Address</th>
    </tr>
  </thead>
  <tbody>
    <tr *ngFor="let employee of employees">
      <td>{{ employee.id }}</td>
      <td>{{ employee.name }}</td>
      <td>{{ employee.address }}</td>
    </tr>
  </tbody>
</table>

employees.component.css
table {
  width: 100%;
}

APP.MODULE.TS

Now that we've created the component, we need to add it to the app.module.ts file (new lines are highlighted):

import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
import { FormsModule } from '@angular/forms';
import { HttpClientModule } from '@angular/common/http';
import { RouterModule } from '@angular/router';

import { AppComponent } from './app.component';
import { NavMenuComponent } from './nav-menu/nav-menu.component';
import { HomeComponent } from './home/home.component';

import { UploadComponent } from './upload/upload.component';
import { UploadsComponent } from './uploads/uploads.component';
import { EmployeesComponent } from './employees/employees.component';

@NgModule({
  declarations: [
    AppComponent,
    NavMenuComponent,
    HomeComponent,
    UploadComponent,
    UploadsComponent,
    EmployeesComponent
  ],
  imports: [
    BrowserModule.withServerTransition({ appId: 'ng-cli-universal' }),
    HttpClientModule,
    FormsModule,
    RouterModule.forRoot([
      { path: '', component: HomeComponent, pathMatch: 'full' },
      { path: 'employees', component: EmployeesComponent },
      
    ])
  ],
  providers: [],
  bootstrap: [AppComponent]
})
export class AppModule { }

Menu add:
<li class="nav-item" [routerLinkActive]="['link-active']"> <a class="nav-link text-dark" [routerLink]="['/cities']" >Cities</a > </li>


Serving data with Angular Material

For additional information about Angular Material, check out the following URLs: https://material.angular.io/          
https://github.com/angular/components

To install Angular Material, do the following:

  1. Open Command Prompt.
  2. Navigate to our project's /ClientApp/ folder.
  3. Type the following command:
    > ng add @angular/material

ReactiveFormsModule

From Solution Explorer, open the /ClientApp/src/app/app.module.ts file and add the following code (the updated source code is highlighted):

.......
import { ReactiveFormsModule } from '@angular/forms';
@NgModule({
  declarations: [
...
  ],
  imports: [
  ......
    ReactiveFormsModule
  ],
  providers: [],
  bootstrap: [AppComponent]
})
export class AppModule { }

Now that we've added a reference to the ReactiveFormsModule in our app's AppModule file, we can implement the Angular component that will host the actual form.

Thursday, 13 May 2021

ASP.NET Core 5 and Angular

 


Installing the Angular CLI

npm install -g @angular/cli@11.0.1

 or the latest.

npm install -g @angular/cli@latest

Creating a new Angular app

ng new ClientHREmp

Wait for the tool to complete the task, and then do the following:

  • Type cd ClientHREmp to enter the newly created folder
  • Execute the npm install and npm update commands to update the npm packages

Switch client app by updating the Startup.cs file

configuration.RootPath = "ClientApp/dist";
--> configuration.RootPath = "ClientHREmp/dist";
spa.Options.SourcePath = "ClientApp"; --> spa.Options.SourcePath = "ClientHREmp";

----------------------------------------------------
dotnet new angular -o HREmp

CREATING COMPONENTS USING THE ANGULAR CLI

ng generate component health-check --skipTests=true

OR ng g c employee --module app --skipTests=true

--------------------------------------
Create the sample API to return a "Hello world" by get route 

    [Route("api/[controller]")]
    [ApiController]
    public class ApiController : ControllerBase
    {
        [HttpGet]
        public IActionResult SayHello(string name)
        {
            return this.Ok(string.Format("hello, {0}!",name));
        }
    }

Saturday, 8 May 2021

Selenium - selenium-python-automation

 


https://learning.oreilly.com/videos/selenium-python-automation/9781800567733


Implemented a Service to receive real time message from an API Webhook

 What is the webhook?  Ask Google :) 😅  This is my experience to build a Azure Function HTTP trigger to receive an event from SkyBox API W...