- What is difference between let and var while declaring variable?
var is Function Scoped and let is block scoped
Using varvar foo = 123; if (true) { var foo = 456; } console.log(foo); // 456
Using let
let foo = 123; if (true) { let foo = 456; } console.log(foo); // 123
- What would be the value of the below variables?
//Value is Undefined var foo:string; //You can explicitly define value as undefined var age = undefined; //any is a valid value which is default type until the variable assumes some data type by type inference var location:any; //undefined and null could be assigned to any of the datatype var pincode:any=undefined; var state:any=null;
- Why the below is not possible in interface?
I am having a interface and class like one below which results in compile time exceptioninterface test1 { } class test2 implements test1 { public foo; } let test: test1 = new test2(); test.foo = 'test';
The reason for the compilation error is when you reference a variable with specific interface in TypeScript, you can only use the properties and methods declared in the interface of the variable
You are assigning test1 as a type of test variable, test1 interface doesn’t have foo property in it. so that’s why you are getting this error. If you change the type to let test: test2: new test2();. it won’t throw any error like one belowlet test: test2 = new test2(); test.foo = 'test';
There are two workaround for this. One is not to define the type while initializing variable like one below
interface test1 { } class test2 implements test1{ public foo; } let test = new test2(); test.foo = 'test';
Other is to use any while initializing variable
interface test1 { } class test2 implements test1{ public foo; } let test: test1 | any = new test2(); test.foo = 'test';
Author Archives: admin
Services Basics
- Services are mostly used in displaying datas from APIs
- To generate a new service use ng generate service Services/SERVICE_NAME
- services are injectable because they would be mostly called by other components
- Injection of services can happen at three level
- AppModule – Same Instance of Service Injected would be available across application
- AppComponent – Same Instance of Service Injected at this level would be available in this component and all child component
- Any Other Component – Same Instance of Service Injected would be available to this component and child component(not to parent component)
- @Injectable is not needed if the Service is added in app.modules.ts
aboutus.component.ts
. . constructor(private objApi:ApiService) { this.objApi.getDataFromRest(); } . .
api.service.ts
import { Injectable } from '@angular/core'; @Injectable({ providedIn: 'root' }) export class ApiService { constructor() { } getDataFromRest() { return console.log("Data from Rest Method"); } }
Directives Basics
If Else
aboutus.component.ts
export class AboutusComponent implements OnInit { showMsg: boolean = true; . . . }
aboutus.component.html
<p *ngIf='showMsg; else elseBlock'>aboutus works from If block!</p> <ng-template #elseBlock> <p>aboutus works from else block!</p> </ng-template>
Output
aboutus works from If block!
Switch Case
aboutus.component.ts
export class AboutusComponent implements OnInit { . . color : string = 'pink'; . . }
aboutus.component.html
<div [ngSwitch] = 'color'> <p *ngSwitchCase="'blue'">Its Blue Color</p> <p *ngSwitchCase="'red'">Its Red Color</p> <p *ngSwitchCase="'green'">Its Green Color</p> <p *ngSwitchDefault>Its Default Color</p> </div>
Output
Its Default Color
Routing Basics
For Angular routing the routing option should have been enabled while starting new project.
- To define a link you need to use routerLink instead of href followed by route in other side of equals like one in app.component.html
<ul> <li><a routerLink="/">Home</a></li> <li><a routerLink="/aboutus">About Us</a></li> <li><a routerLink="/services">Services</a></li> <li><a routerLink="/contactus">Contact Us</a></li> </ul>
- The list of routes needs to be defined in app-routing.module.ts. It is defined inside routes array list with path and component as key value pair like one below app-routing.module.ts
const routes: Routes = [ {path:'aboutus', component: AboutusComponent}, {path:'services', component: ServicesComponent}, {path:'contactus', component:ContactComponent} ];
- The path and one defined assigned to routerLink in html should be same. The component is the name of the component class which represent individual page of application
- If you are using absolute path then it would be /PATH which takes reference of component to be loaded form root url. If you are using relative path the it would be PATH (or) ../PATH (or) ../../PATH. Incase you are using relative path clicking the link of the same page from the page you are in should throw an error(Could not be verified)
- Navigating to link could be acheived by two ways
- Using RouterLink in a tags
- Using router navigate method in ts code
- routerLink always knows which route is currently loaded.router navigate method does not which route is presently loaded. So we always use activateRoute and pass relativeTo as parameter and pass relative URL as parameter
app-routing.module.ts
import { NgModule, Component } from '@angular/core'; import { Routes, RouterModule } from '@angular/router'; import {AboutusComponent} from './aboutus/aboutus.component'; import {ServicesComponent} from './services/services.component'; import {ContactComponent} from './contact/contact.component'; const routes: Routes = [ {path:'aboutus', component: AboutusComponent}, {path:'services', component: ServicesComponent}, {path:'contactus', component:ContactComponent} ]; @NgModule({ imports: [RouterModule.forRoot(routes)], exports: [RouterModule] }) export class AppRoutingModule { }
app.component.html
<style> ul { list-style-type: none; margin: 0; padding: 0; overflow: hidden; background-color: #333; } li { float: left; } li a { display: block; color: white; text-align: center; padding: 14px 16px; text-decoration: none; } /* Change the link color to #111 (black) on hover */ li a:hover { background-color: #111; } .active { background-color: #4CAF50; } li { border-right: 1px solid #bbb; } li:last-child { border-right: none; } </style> <div class="content" role="main"> <ul> <li><a routerLink="/">Home</a></li> <li><a routerLink="/aboutus">About Us</a></li> <li><a routerLink="/services">Services</a></li> <li><a routerLink="/contactus">Contact Us</a></li> </ul> </div> <router-outlet></router-outlet>
Intellij Hacks and Workarounds
sun security validator exception pkix path building failed
When it Happens
While doing maven build in intellij using maven tool bar. Not the build from intellij terminal which again calls command prompt
Why it Happens
Intellij has its own security store and java internally. So while doing build in case the security certificates are missing in inbuilt security keystore would result in the above error. Intellij java certificates are found in below location.Proxy certificates are not added to intellij keystore.
Fix
- The below should be done by running command prompt as administrator.
- Locate your network’s certificate: In a browser, navigate to “URL OF REPO” and then hit F12, go to certificates/security and get the top most certificate… Export it to MyCertificate.cer (base64 encoded)
- Navigate to security folder in intellij
C:\Program Files\IntelliJ IDEA Community Edition 2019.3.4\jbr\lib\security
- Copy over MyCertificate.cer into the security folder
- Type “keytool -keystore cacerts -importcert -alias MyCertificate -file MyCertificate.cer” without quotes.
- Use the default password of “changeit”
- When prompted to trust the certificate type “yes”.Restart Intellij and try to run maven install again from maven to make sure the jars are imported
More Notes in above
We experienced this issue when a server changed their HTTPS SSL certificate, and our older version of Java did not recognize the root certificate authority (CA).
If you can access the HTTPS URL in your browser then it is possible to update Java to recognize the root CA.
In your browser, go to the HTTPS URL that Java could not access. Click on the HTTPS certificate chain (there is lock icon in the Internet Explorer, or the domain name left of the URL in firefox) and navigate the certificate hierarchy. At the top there should be a Primary Root CA. This could be missing from your java cacerts file. Note down the Issuer and Serial Number.
Type Script Basics
Type Script Command Line
//Install Typescript >>npm install -g typescript //Check version of Type Script >>tsc -v //Compile Typescript Code //this would generate javascript file test.js >>tsc test.ts //Running js file >>node test.js
Data Types in Typescript
Typescript allows to declare variable static(optional).If you use static typing then IDE will allow for type safety at compile time.
//Declaring String let Name: String = "Mugil"; //Declaring Number let Age: number = 25; //Declaring Boolean let Gender: boolean = true; //Declaring Any datatype let Street: any = 1 (or) "First" (or) true;
var is Function Scoped and let is block scoped
Using var
var foo = 123; if (true) { var foo = 456; } console.log(foo); // 456
Using let
let foo = 123; if (true) { let foo = 456; } console.log(foo); // 123
//Determined by Type Inference var firstName = 'Mugil'; var age = 33; //Determined by Annotation var LastName: string = 'vannan'; //Not yet Determined var Location; //Not yet Determined var Location; var previousExp = 6 ; //If you add a number and string it would be string irrespective of order var totalExp = previousExp + "five"; //result in error var Exp: number = previousExp + "five"; console.log("Total Exp - " + totalExp)
Interface
interface Person{ name: String, age: number, pincode: any } var objPerson:Person = {name: "Mugil", age:33, pincode:600018} console.log(objPerson.pincode);
Class
class Person{ private name: string; constructor(pname: string){ this.name=pname; } displayPerson(): void{ console.log(this.name); } } var objPerson = new Person('Piggy'); objPerson.displayPerson();
Importing Namespaces and Modules
- Namespace are not widely used for development rather they are used internally. Modules are widely used for development
- In namespace you want to use would be imported using reference tag as in ArithmeticTester.ts, the one below. (Output is throwing error)
- When using modules the function would be directly added in module ts file as in Arithmetic.ts and referred using import in ArithmeticTester.ts
- Modules would be frequently used, the format would be import {FUNCTION_NAME} from ‘MODULENAME’
Namespace Example
Arithmetic.ts
namespace Arithmetic{ export function Add(pNum1: number, pNum2: number){ return pNum1+pNum2; } }
ArithmeticTester.ts
/// <reference path="./Arithmetic.ts" /> let Sum = Arithmetic.Add(5,6); console.log(Sum);
Modules Example
Arithmetic.ts
export function Add(pNum1: number, pNum2: number){ return pNum1+pNum2; }
ArithmeticTester.ts
import {Add} from './Arithmetic' let Sum = Add(5,6); console.log(Sum);
Output
11
Functions Example
- Arguments to function is optional. You can either set default value incase you are not sure about argument passed like in Add function
- You are still allowed to not pass any argument using ? in such case you would end up with different out put at runtime. NAN incase of number or undefined incase of string
- return type of function is not mandatory and its optional as in displayName function
Arithmetic.ts
//pNum2 would be considered as 0 incase only one argument is passed function Add(pNum1: number, pNum2: number=0){ return pNum1+pNum2; } function displayName(firstName: string, lastName? : string) : void{ console.log("Her name is " + firstName + " "+ lastName); } console.log(Add(5, 8)); console.log(Add(5)); displayName("Piggy");
Output
13 5 Her name is Piggy undefined
How to ensure type safety of arguments while using function
While defining function you may want to ensure the argument type passed.In such case you should declare the argument type the function accepts as one below.
In the below code you could see display name with two parameters(firstName and lastName). TypeSafety of second parameter is ensured by making it as string whereas first one could
be of anytype. If you try to pass something other than string as argument to second parameter then compiler would complain for error.
class SampleScript { displayName: (firstName, lastName: string) => void = function(firstName, lastName) { console.log("My Name is " + firstName + ' ' + lastName); } } window.onload = function () { var objSampleScript = new SampleScript(); objSampleScript.displayName(101,'Vannan'); }
Output
My Name is 101 Vannan
Object Types
Object types could be function, module, class, interface and literal literals
Object Literals
var square={h:10, width:10} var rectangle:Object ={h:10, width:20} //delcaring triangle as object literal var triangle:{}; triangle={side1:10, side2:10, side3:10};
Functions as Object
var multiply = function (num: number) { return num * num; }; //declaration of divide function object var divide: Function; divide = function (num1: number, num2: number) { return num1 / num2; };
Object with variable and function
var rectangle = { height:10, width:20, calculateArea: function() { return this.height* this.width; } }; console.log(rectangle.calculateArea());
var experience = { sendExp: function (exp?: number) { if (exp < 3) return 'Beginner'; else if (exp > 3 && exp < 6) return 'Intermediate'; else return 'Fresher'; } }; console.log(experience.sendExp(5)); console.log(experience.sendExp());
Output
Intermediate Fresher
Function taking Object as parameter
var experience = { sendExp: function (job: { skill: String, exp?: number}) { if (job.exp < 3) return 'Beginner in ' + job.skill; else if (job.exp > 3 && job.exp < 6) return 'Intermediate in ' + job.skill; else return 'Fresher'; } }; console.log(experience.sendExp({ skill: 'Java' })); console.log(experience.sendExp({ skill: 'Java', exp: 5 }));
Output
Fresher Intermediate in Java
Scrum Team Rituals
Refinement
Purpose: Detail a Userstory into all that needs to be done to deliver its expected value
Time Spent 4 hrs for 2 week sprint(Includes planning)
Who Needs to attend Devops Team, PO
Optional Scrum Master
Qualities
- Open conversation to gather all info needed
- Shared Decision on task and planning
- Shared decision on estimation
Activities
- PO explains the why and what of the user stories
- Team defines how to build and deliver these stories
- Identify prerequsites, dependencies and risks
- Identify Tasks
- Identify flow of task and planning
- Change/Update the definition of done
- Team plays the planning Poker, estimates the relative amount of work in a user story
Outcome
- Identified Obstacles
- Detailed user stories that make the sprint plan
- Estimated user stories, ready for sprint planning
Planning
Purpose Define a sprint goal and make a plan to deliver it
Time Spent 4Hrs in 2 weeks sprint(Includes Refinement)
Who Needs to attend PO, Scrum Master, Team(Developers, Testers, Devops)
Optional NA
Qualities
- Commitment on sprint backlogs
- Clear priorities and sprint goal
- Shared knowledge about the sprint plan – how to deliver the stories and reach the goal
Activities
- Define what can be done next sprint
- Product Owner and team set the sprint goal
- Commit to capacity and velocity for next sprint
- Devops team selects refined and estimated stories from the sprint backlog
- Define how it can be done
- Finalize the plan to build the stories and deliver the sprint goal
- Assign stories/tasks
- If needed adjust the sprint backlog
- Commit to the sprint backlog and start
Outcome
- Shared decision on tasks and planning
- Sprint goal, Sprint plan and Sprint backlog
Standup
Purpose Align activities and plan the upcoming day
Time Spent 15 min/day
Who Needs to attend Devops Team, Scrum Master
Optional PO
Qualities
- Focus on sprint goal
- Enhanced communication and collabration
- Fast Decision making
- Identified obstacles and impediments
Activities
- Team reports progress to each other(not to scrum master) by answering 3 questions per person
- What did you finish yesterday?
- What will you work on today?
- What obstacles are in your way and do you have a help question for the team?
- Measuring progress towards deliverable’s
- Define the impediments that are outside our team’s influence and ask scrum master to help, solve and escalate those.
Outcome
- Updated Scrum board
- Updated impediment List
Review
Purpose Inspect the delivered value/items in last sprint and adapt the backlog with feedback from stakeholders
Time Spent 2 hrs for 2 week sprint
Who Needs to attend Devops team, Product owner, Scrummaster, Stakeholders
Optional NA
Qualities
- Focus on delivered value
- Done is Done(or not)
- Open conversation about work delivered and expectations
- Updated Backlog
Activities
- Devops team shows work being done
- Devops team tells how they managed difficulties
- Stakeholders ask questions and give feedback
- Productowner accepts work being done or pushes back to backlog
- Product owner updates and re-prioritizes the backlog
- Scrummaster and team share common understanding of last metrics(Burndown, velocity and happiness)
Outcome
- Updated Metrics
- Updated backlog
- Closed Sprint
Retrospective
Purpose Inspect what went well during sprint and adapt what can be improved
Time Spent 1.5 hrs for 2 week sprint
Who Needs to attend Team, Scrum master(Mandatory)
Optional PO
Qualities
- Open dialogue and all voices to be hear
- Focus on continuous improvement
- Collects facts and generate insights
- Move forward
Activities
- Set the context for safety – Share purpose and structure of the meeting
- Evaluate the last agreements and actions taken
- Gather new input on what went well and what to improve
- Prioritize improvements
- Detail the top 3 actions for next sprint
Outcome
- Maximum 3 actionable improvements for new sprint
Frequently Asked Questions
- What are basic things to be taken into consideration while taking a story for refinement (or) how you will consider a story to be Ready for refinement (or) Refinement DOR
- The priority of story should have been decided
- Supporting documents(Use case documents and confluence) for the story should be available
- Requirement and scope of the story should have been well defined
- Walk through should have been done by business analyst or product owner stating how the changed version of software product should behave and look like.
- Dependencies with other team would have been sorted
- Implementation and timeline details should be well defined
- What are basic things to be taken into consideration when you tell a story is done with refinement (or) (or) Refinement DOD
- Checklist of things that needs to be done should be added
- The story should have been pokered(1,2,3,5,8)
- All the details of the story should be clearly listed
- Subtask should have been created
- Testcase design document should be ready
- Dependencies and impact on devOps should have been discussed
- Acceptance Criteria should have been listed
Basics of Gardening
NPK
- Nitrogen(Thazai Chathu) – Aids plant for growth, atmosphere contains 78% nitrogen but plant cannot consume directly from atmosphere. So microorganisms(punchai vagaigal) like rhizobium in soil absorbs nitrogen from atmosphere and supplies it through root. Adding urea is a form of adding nitrogen to soil artificially. To aid this happen naturally you can use Azospirillum mixed to soil during initial stages of plant growth.
- Phosporous(Manichathu) – Helps in flowering. Adding Phosphobacteria to soil helps breaking the phosphorus in soil so it could be absorbed by root of plants
- Pottasium(SambalChathu) – Found in wood ash or banana peelPtotashbacteria
Note
- Instead of directly mixing Azospirillum and Phosphobacteria to soil add 10 grams for one grow bag along with vermicompost
- Note the expiry date while buying. Keep it in a wet place away from sunlight to prevent micro organism to prevent perishing
Trichoderma viridi and Psuedomonas viridi – Both are for soil fixing microorganism. Should be used along with soil or can be used for seed treatment ()
Caring Vegetable Plants
Theymore Karaisal
Ingredients
- Buttermilk
- Coconutmilk
Preparation
- Take buttermilk and get it fermented for 4 to 5 days.
- Take Coconut milk and mix it with buttermilk. The ratio of fermented buttermilk and coconut milk should be 3:2 ratio or 1:1 ratio
- Mix both of them together and keep the mix in a warm place in a vessel with its top closed with piece of cloth for 4 to 5 days for more fermentation
Usage
Now the solution is ready for usage. Add this fermented solution 1:10 ratio to water. 100ml for 1 litre of water. Spray during flowering or when the plant begins to flower
Growing Vegetable Plants
Tomatoes
- When you plant Tomatoes, make sure you take out of seedling tray and plant it in such a way 30 to 40 percent of Stalk is in Soil. This helps in spread of more roots and better fruit
- Pruning of suckers should be done at a time where the suckers could be removed by hand. If you are using scissors to get rid of suckers you are late
- Remove the Fan leaves at the bottom of the stalk
- Add 30ml of Panchakavya or meenamilam per litre added to water for 2 weeks. Add this solution near root of plant when the plant is 3 to 4 feet from ground. This will make the stalk grow thick and adds more strength
- Prevent too much of water and abundant sunlight.Pruning and removing the Stalk leaves will increase air flow and formation of fungus due to wet soil.
- Try to grow as vertical as possible rather than making bushy tomato plant
-
- To get more flower – use wood ash which is rich in potash or use banana peel
- Once it flowers – Add 10grams phospobacteria or potashbacteria with vermicompost once plant starts flowering
- To avoid flower wilting – Use butter milk mixed with water. Panchakavya could be used 1 to 2 weeks after the plant starts flowering
- To avoid fruit burst – Add Mulching leaves to maintain uniform level of water.Water should be uniformly used for growth. non uniform or excessive watering on sudden would leave to excessive growth of fruit and burst since its skin could not keep up to phase of fruit growth.Even excessive fertilizer would result in disproportionate growth of fruit
- To avoid end blossom rot – Add calcium(sunambu) diluted in water to avoid blossom end rot. You can also use egg but takes a while to get
converted to calcium
- Panchakavya and meenamilam helps in plant growth. Spray meenamilam alone once the plant starts flowering once a week.
Flat Beans – Avarai
- Plant beans other than summerdays. End of July or Mid August would be best time to sow seeds. The plant would flower within month and yield till end of January
- Bury asafoetida near the roots to avoid wilting of flowers. This should be done 10 to 15 days before flowring. Once it starts flowering spray they-moore karaisla atleast twice a week. If that is not possible spray fermented buttermilk at the least.
- Add granuels while once you see the plant is about to start flower.
- Spray Neem oil in gap of 15 days to avoid aswini and other pests