Info

Angular is a html-css - typescript framework. It has some things that are nice to be explained.

23.01 HTML CheatSheet and 23.02 CSS Cheatsheet will also apply for angular.

Angular Cheat-sheet

Packages

To find a list of packages, or to make an angular package: 23.12 Angular Packages and creation

Generate

ng new angular-project-name --no-standalone

Run

ng serve

Components

Creating a Component

ng generate component component-name
- `ngOnInit`: Initialize data or make API calls.
- `ngOnChanges`: Respond to changes in input properties.
- `ngOnDestroy`: Clean up resources before component is destroyed.

#### Component Metadata

```typescript
@Component({   
selector: 'app-example',   
templateUrl: './example.component.html',   
styleUrls: ['./example.component.css'], })

Modules

Creating a Module

ng generate module module-name

Module Metadata

@NgModule({   
declarations: [ /* Components, Directives, Pipes */ ],   
imports: [ /* Other Modules */ ],   
providers: [ /* Services */ ],   
bootstrap: [ /* Root Component */ ] })

Services

Creating a Service

ng generate service service-name

Injectable Service

@Injectable({   providedIn: 'root' })

Data Binding

Interpolation

{{ variable }}

Property Binding

[property]="expression"

Event Binding

(event)="handler()"

Two-way Binding

[(ngModel)]="property"

Directives

ngIf

<div *ngIf="condition">Content to show when condition is true</div>

ngFor

<div *ngFor="let item of items; let i = index">{{ item }}</div>

Template-driven Forms

<form #form="ngForm" (ngSubmit)="onSubmit(form.value)">   
	<input [(ngModel)]="model.property" name="propertyName" required>   
	<button type="submit">Submit</button> 
</form>

Reactive Forms

import { FormBuilder, FormGroup, Validators } from '@angular/forms';  // In the component class form: FormGroup;  
constructor(private fb: FormBuilder) {   
	this.form = this.fb.group({     
		propertyName: ['', Validators.required]   
	}); 
}

Routing

Setting up Routes

const routes: Routes = [   
	{ path: '', component: HomeComponent },   
	{ path: 'about', component: AboutComponent }, 
];  
@NgModule({   imports: [RouterModule.forRoot(routes)],   exports: [RouterModule] })

All routing info/

OptionDescriptionExample Row
pathURL path that triggers the component{ path: 'about', component: AboutComponent },
componentComponent to be displayed when the route is activated{ path: 'about', component: AboutComponent },
redirectToRedirects to another route{ path: '', redirectTo: '/home', pathMatch: 'full' },
pathMatchDefines how to match the URL ('full' or 'prefix'){ path: '', redirectTo: '/home', pathMatch: 'full' },
childrenDefines child routes{ path: 'parent', component: ParentComponent, children: [/* Child routes */] },
loadChildrenLazy loading of a module{ path: 'lazy', loadChildren: () => import('./lazy/lazy.module').then(m => m.LazyModule) },
canActivateGuards the activation of a route based on a function{ path: 'secure', component: SecureComponent, canActivate: [AuthGuard] },
canActivateChildGuards child routes based on a function{ path: 'secure', component: SecureComponent, canActivateChild: [AuthGuard] },
canDeactivateGuards against deactivating a route based on a function{ path: 'edit/:id', component: EditComponent, canDeactivate: [CanDeactivateGuard] },
resolvePre-fetches data before activating the route{ path: 'details/:id', component: DetailsComponent, resolve: { data: DetailsResolver } },
dataArbitrary data associated with the route{ path: 'about', component: AboutComponent, data: { title: 'About Us' } },
outletNamed outlet to render the component into (for named router outlets){ path: 'sidebar', component: SidebarComponent, outlet: 'sidebar' },
runGuardsAndResolversConfigures when guards and resolvers run during navigation{ path: 'admin', component: AdminComponent, runGuardsAndResolvers: 'always' },
<a routerLink="/">Home</a> <a routerLink="/about">About</a>

Dependency Injection

constructor(private myService: MyService) {}

Observables

import { Observable } from 'rxjs';  
const myObservable: Observable<Type>;

HTTP Client

import { HttpClient } from '@angular/common/http'; 
 
constructor(private http: HttpClient) {}  
 
getData(): Observable<Type> {   
	return this.http.get<Type>('api/data'); 
}

Pipes

{{ value | pipeName: argument }}

Testing

ng test

This cheatsheet covers some of the fundamental concepts in Angular. Always refer to the official Angular documentation for more detailed and up-to-date information: Angular Documentation.

Comments and Documentation

Comments in Angular

1. HTML Template Comments

`<!-- This is an HTML comment in Angular template --> 
<div><!-- Content goes here --></div>`

2. TypeScript Comments

typescriptCopy code

// Single-line TypeScript comment  
/*   Multi-line   
	TypeScript  
	 comment 
*/  
 
/**  
* JSDoc style comment for documenting  
* functions, classes, and variables  
*/

Documenting Functions

1. Single-line Comments

/**  
* Function to add two numbers  
* @param {number} a - The first number  
* @param {number} b - The second number  
* @returns {number} - The sum of a and b  
*/ 
function addNumbers(a: number, b: number): number {   return a + b; }

2. Multi-line Comments

/**  
* Calculate the area of a rectangle  
*  
* @param {number} length - The length of the rectangle  
* @param {number} width - The width of the rectangle  
* @returns {number} - The area of the rectangle  
*/ 
function calculateRectangleArea(length: number, width: number): number {   return length * width; }

3. JSDoc Style Comments

/**  
* Represents a user in the system.  
*  
* @class  
* @constructor  
* @param {string} name - The name of the user.  
* @param {number} age - The age of the user.  
*/ 
class User {   
	constructor(public name: string, public age: number) {} 
}

Documenting Function Arguments

1. Inline Comments

function calculateCylinderVolume(radius: number, height: number): number {   
	// Calculate the volume using the formula V = π * r^2 * h   
	return Math.PI * radius ** 2 * height; 
}

2. JSDoc Style Comments

/**  
* Calculate the area of a circle.  
*  
* @param {number} radius - The radius of the circle.  
* @returns {number} - The area of the circle.  
*/ 
function calculateCircleArea(radius: number): number {   
	return Math.PI * radius ** 2; 
}

General Commenting Tips

  • Use comments sparingly and focus on documenting complex or non-intuitive code.
  • Be consistent with commenting style across your project.
  • Update comments when code functionality changes.
  • Utilize tools like JSDoc to generate documentation automatically.

Remember, clear and concise comments can greatly enhance code readability and maintainability.

Angular Material Cheat-sheet

Installation

ng add @angular/material

Importing Material Modules

import { MatInputModule, MatButtonModule, MatCardModule } from '@angular/material';  @NgModule({   imports: [MatInputModule, MatButtonModule, MatCardModule],   // ... })

Buttons

<button mat-button>Basic Button</button> 
<button mat-raised-button>Raised Button</button> 
<button mat-flat-button>Flat Button</button> 
<button mat-stroked-button>Stroked Button</button> 
<button mat-icon-button><mat-icon>add</mat-icon></button>

Form Controls

<mat-form-field appearance="fill">   
	<mat-label>Input</mat-label>   
	<input matInput> 
</mat-form-field>  
<mat-checkbox>Checkbox</mat-checkbox> 
<mat-radio-group>   
	<mat-radio-button value="option1">Option 1</mat-radio-button>
	<mat-radio-button value="option2">Option 2</mat-radio-button>
</mat-radio-group>

Icons

<mat-icon>home</mat-icon>

Available Icons

These are not all the icons. For more the icons available, go here. Or this website for grid view.

Icon NameUsage
add<mat-icon>add</mat-icon>
close<mat-icon>close</mat-icon>
delete<mat-icon>delete</mat-icon>
edit<mat-icon>edit</mat-icon>
favorite<mat-icon>favorite</mat-icon>
home<mat-icon>home</mat-icon>
menu<mat-icon>menu</mat-icon>
more_vert<mat-icon>more_vert</mat-icon>
search<mat-icon>search</mat-icon>
settings<mat-icon>settings</mat-icon>
share<mat-icon>share</mat-icon>
star<mat-icon>star</mat-icon>
account_circle<mat-icon>account_circle</mat-icon>
lock<mat-icon>lock</mat-icon>
notifications<mat-icon>notifications</mat-icon>
person<mat-icon>person</mat-icon>
add_circle_outline<mat-icon>add_circle_outline</mat-icon>
check_circle_outline<mat-icon>check_circle_outline</mat-icon>
error_outline<mat-icon>error_outline</mat-icon>
info_outline<mat-icon>info_outline</mat-icon>
warning<mat-icon>warning</mat-icon>

Cards

<mat-card>
	<mat-card-header>     
		<mat-card-title>Card Title</mat-card-title>     
		<mat-card-subtitle>Card Subtitle</mat-card-subtitle>   
	</mat-card-header>   
	<img mat-card-image src="image.jpg" alt="Image">   
	<mat-card-content>     Content goes here.   </mat-card-content>   
	<mat-card-actions>     
		<button mat-button>Action 1</button>     
		<button mat-button>Action 2</button>   
	</mat-card-actions> 
</mat-card>

Dialogs

import { MatDialog } from '@angular/material/dialog';  
openDialog(): void {   
	const dialogRef = this.dialog.open(MyDialogComponent, {     
		width: '250px',     
		data: { /* your data here */ }   
	});    
	dialogRef.afterClosed().subscribe(result => {     
		console.log('Dialog closed with result:', result);   
	}); 
}

Snackbar

import { MatSnackBar } from '@angular/material/snack-bar';  
openSnackbar(message: string): void {   
	this.snackBar.open(message, 'Close', {     
		duration: 2000,   
	}); 
}

Tabs

<mat-tab-group>   
	<mat-tab label="Tab 1">Content for tab 1</mat-tab>   
	<mat-tab label="Tab 2">Content for tab 2</mat-tab> 
</mat-tab-group>`

Tables

<table mat-table [dataSource]="dataSource">   <!-- Columns -->   
	<ng-container matColumnDef="name">     
		<th mat-header-cell *matHeaderCellDef>Name</th>     
		<td mat-cell *matCellDef="let element">{{ element.name }}</td>   
	</ng-container>      <!-- Rows -->   
	<tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>   
	<tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr> 
</table>

This cheatsheet covers some commonly used Angular Material components. Always refer to the official Angular Material documentation for more detailed information and updates.

MEAN stack

I made another page about me figuring out MEAN stack here:

20.00 MEAN tutorial

summary

First you can install ATLAS or MongoDB Compass

Angular front

IMPORTANT

When making an angular app:


ng new client --routing --style=css --minimal

don’t forget that in the newer versions it will automatically be a standalone component generation. To follow this tutorial you need to modify it:


ng new client --routing --style=css --minimal --no-standalone

Link to original

Besides that, you can just follow the tutorial as normal. Here are the commands to make it run:

run

run npx ts-node src/server.ts from C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server> to run the backend.

Run ng s from C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\client> to start the frontend.

Link to original

Trying it for myself.

This time I used the Atlas UI fully, instead of the Atlas CLI.

When setting it up, I can keep following the tutorial till Create an employee interface on the server side, that is where things start to differ

The thing I am going to try and create is a ‘Task Management App’ (Thanks GPT)

Link to original

Mongoose

To do user validation easier, follow the following steps using mongoose:

20.06 Mongoose

read the docs

npm install mongoose --save

Apparently there is an updateOne() method and also a replaceOne() method.

Mongoose TTL

IMPORTANT: MongoDB default stores dates UTC time zone.

const sessionTokenJsonSchema = {
    userId: {
        type: Schema.Types.ObjectId,
        required: true,
        description: "'userId' is required and must be a valid ObjectId",
    },
    expireAt: { type: Date, expires: 60, default: Date.now },
};
 
const sessionTokenSchema = new mongoose.Schema(sessionTokenJsonSchema);
const sessionTokens = mongoose.model('sessionToken', sessionTokenSchema);

The above example will have the sessionTokens created expire after 60 seconds. This means that the tokens will automatically be deleted by mongoDB without a server needing to clean it up.

here are more examples on how to set the { expires: 60}

// expire in 24 hours
schema.index({ prop1: 1 }, { expires: 60*60*24 })
 
// expire in 24 hours
schema.index({ prop1: 1 }, { expires: '24h' })
 
// expire in 1.5 hours
schema.index({ prop1: 1 }, { expires: '1.5h' })
 
// expire in 7 days
schema.index({ prop1: 1 }, { expires: '7d' })

When changing the time of the expiration date, it doesn’t auto update on the db side. So you’ll have to manually go to the “indexes” tab and delete the already existing TTL. The below example works the best for me,

const sessionTokenJsonSchema = {
    userId: {
        type: Schema.Types.ObjectId,
        required: true,
        description: "'userId' is required and must be a valid ObjectId",
    },
    deleted: {
        type: Date,
        default: Date.now,
        index: { expireAfterSeconds: 1 } // mongodb might have 1 minute delay, keep that in mind
    },
};

note that it doesn’t need to be a Date to use TTL, it just removes it after X time, after the value is set to a non-null value, and if you set it back to null in time, it won’t be deleted.

Link to original

Figuring it out

atlas

Apparently I first have to create an MongoDB Atlas cluster. No idea yet what it is, but I’ll need it for connecting the database. Here follow steps:

  1. Install Atlas CLI

    1. I’ll take Chocolatey to do so, here are the steps to install Chocolatey.

        1. Run the following in an administrative CMD window:         @"%SystemRoot%\System32\WindowsPowerShell\v1.0\powershell.exe" -NoProfile -InputFormat None -ExecutionPolicy Bypass -Command "[System.Net.ServicePointManager]::SecurityProtocol = 3072; iex ((New-Object System.Net.WebClient).DownloadString('https://community.chocolatey.org/install.ps1'))" && SET "PATH=%PATH%;%ALLUSERSPROFILE%\chocolatey\bin"

    2. run choco install mongodb-atlas in and administrator CMD

    3. When prompted, enter A to confirm installation.

    4. Close and reopen your terminal after the installation to see the changes in your path.

    5. Verify successful Atlas CLI installation:

        1. Run the atlas command from any directory:

            atlas

            The response includes available commands and options for the Atlas CLI.

  1. To update Atlas:

    1. run choco upgrade mongodb-atlas

    2. run atlas --version to see the version

  1. Complete the following procedure to get started with Atlas.

    - just follow these steps (I chose my school mail here)

In the end I got Enter 'atlas cluster watch Cluster86907' to learn when your cluster is available. in my CMD. Looks like I can continue back to the tutorial.

don’t forget to add a gitignore:


node_modules

.env

Create an employee interface on the server side

In my understanding server/src/employee.ts is just the interface, just like I sometimes use in angular. The only thing this is used for is so that we can import this interface to where we need it.

Connect to the database

we just created server/src/database.ts, after reading the code (not the text under the code) it I think it does the following when you run connectToDatabase():

  1. connect to the DB url, which you should provide in the connectToDatabase(uri)

  2. it tries to modify the database schema

  3. if it doesn’t exist it creates a new one

  4. it grabs all employees

I could be wrong.

Edit: I read the text under it, and I still don’t understand it completely, but that’ll come with time.

.env

I just created the server/.env but I am confused why I have @sandbox.jadwj.mongodb.net/meanStackExample in the connection string. It only told me:

Make sure you replace the username and password placeholder with your credentials.

It didn’t tell me:

Make sure you replace the username and password placeholder, and the website url with your credentials.

I guess I’ll find this out later, but right now it confuses me.

npx ts-node src/server.ts

When I ran npx ts-node src/server.ts i got the following:


PS C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server> npx ts-node src/server.ts

MongoServerError: bad auth : Authentication failed.

    at Connection.onMessage (C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server\node_modules\mongodb\src\cmap\connection.ts:421:18)

    at MessageStream.<anonymous> (C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server\node_modules\mongodb\src\cmap\connection.ts:251:56)

    at MessageStream.emit (node:events:519:28)

    at MessageStream.emit (node:domain:488:12)

    at processIncomingData (C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server\node_modules\mongodb\src\cmap\message_stream.ts:179:12)

    at MessageStream._write (C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server\node_modules\mongodb\src\cmap\message_stream.ts:68:5)

    at writeOrBuffer (node:internal/streams/writable:564:12)

    at _write (node:internal/streams/writable:493:10)

    at MessageStream.Writable.write (node:internal/streams/writable:502:10)

    at TLSSocket.ondata (node:internal/streams/readable:1007:22) {

  ok: 0,

  code: 8000,

  codeName: 'AtlasError',

  connectionGeneration: 0,

  [Symbol(errorLabels)]: Set(2) { 'HandshakeError', 'ResetPool' }

}

Ohno.

Solved the above issue

When using Atlas, make sure you are using the DB password, and not your account password.

Build the RESTful API

Looks pretty much understandable. I have worked with asp.net before and this employee.routes.ts looks like an average controller.

Building the client-side Angular web application

Never used bootstrap before lol

IMPORTANT

When making an angular app:


ng new client --routing --style=css --minimal

don’t forget that in the newer versions it will automatically be a standalone component generation. To follow this tutorial you need to modify it:


ng new client --routing --style=css --minimal --no-standalone

run

run npx ts-node src/server.ts from C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\server> to run the backend.

Run ng s from C:\Users\Gebruiker\Documents\code\MEAN-stack-tutorial\client> to start the frontend.

Trying it for myself.

This time I used the Atlas UI fully, instead of the Atlas CLI.

When setting it up, I can keep following the tutorial till Create an employee interface on the server side, that is where things start to differ

The thing I am going to try and create is a ‘Task Management App’ (Thanks GPT)

Development structure

 - To keep it clean, I’ll sort the interfaces and controllers together in their own folders.

 - It’s cleaner to make task.interface.ts than task.ts like the tutorial does.

Notes

 - server.ts can be copied from the tutorial without changes  - Might have to look into the node version when setting things up?

info

 
node --version
 

This gives me v21.6.0

Link to original