Arrays

Declare Array
let products = [];
let todos = new Array();
The recommended way is to use [] notation to create arrays.

Merge Two Arrays by concat() method
let array1 = [1,2,3];
let array2 = [4,5,6];
let merged = array1.concat(array2);
console.log(merged);
// expected output: Array [1,2,3,4,5,6]
The concat() method is used to merge two or more arrays. This method returns a new array instead to changing the existing arrays.

ES6 Ways to merge two array
let array1 = [1,2,3];
let array2 = [4,5,6];
let merged = [...array1, ...array2];
console.log(merged);
// expected output: Array [1,2,3,4,5,6]
Get the length of Array
To get the length of array or count of elements in the array we can use the length property.

let product = [1,2,3];
product.length // returns 3
Adding items to the end of an array
Let us add some items to the end of an array. We use the push() method to do so.

let product = ['apple', 'mango'];
product.push('banana');
console.log(projects);
// ['apple', 'mango', 'banana']
Adding items to the beginning of an array
let product = ['apple', 'mango'];
product.unshift('banana');
console.log(projects);
// ['banana', 'apple', 'mango']
Adding items to the beginning of an array in ES6
let product = ['apple', 'mango'];
product = ['banana', ...product];
console.log(projects);
// ['banana', 'apple', 'mango']
Adding items to the end of an array ES6
let product = ['apple', 'mango'];
product = [...product, 'banana'];
console.log(projects);
// ['apple', 'mango', 'banana']
Remove first item from the array
The shift() method removes the first element from an array and returns that removed element. This method changes the length of the array. It returns undefined if the array is empty.

let product = ['apple', 'mango', 'banana'];
let firstValue= product.shift();
console.log(firstValue); // ['mango', 'banana'];
console.log(firstValue); // apple
Remove portion of an array
JavaScript give us slice method to cut the array from any position. The slice() method returns a shallow copy of a portion of an array into a new array object selected from begin to end (end not included). The original array will not be modified.

arr.slice([begin[, end]])
Example
var elements = ['Task 1', 'Task 2', 'Task 3', 'Task 4', 'Task 5'];

elements.slice(2) //["Task 3", "Task 4", "Task 5"]
elements.slice(2,4) // ["Task 3", "Task 4"]
elements.slice(1,5) // ["Task 2", "Task 3", "Task 4", "Task 5"]
Remove /adding portion of an array -> splice() method
The splice() method changes the contents of an array by removing existing elements and/or adding new elements. Be careful, splice() method mutates the array.

A detailed reference here at MDN splice method.

array.splice(start[, deleteCount[, item1[, item2[, ...]]]])
Parameters
startIndex at which to start changing the array (with origin 0).

deleteCount (Optional)An integer indicating the number of old array elements to remove.

item1, item2, ... (Optional)The elements to add to the array, beginning at the start index. If you don’t specify any elements, splice() will only remove elements from the array.

Return value
An array containing the deleted elements. If only one element is removed, an array of one element is returned. If no elements are removed, an empty array is returned.

var months = ['Jan', 'March', 'April', 'June'];months.splice(1, 0, 'Feb');
// inserts at 1st index positionconsole.log(months);
// expected output: Array ['Jan', 'Feb', 'March', 'April', 'June']months.splice(4, 1, 'May');
// replaces 1 element at 4th indexconsole.log(months);
// expected output: Array ['Jan', 'Feb', 'March', 'April', 'May']
Remove last item from the array -> pop() method
The pop() method removes the last element from an array and returns that element. This method changes the length of the array.

var elements = ['Task 1', 'Task 2', 'Task 3'];
elements.pop() // 'Task 3'
console.log(elements) // ['Task 1', 'Task 2'];
Joining arrays -> Join () method
The join() method joins all elements of an array (or an array-like object) into a string and returns this string. This is a very useful method.

var elements = ['Task 1', 'Task 2', 'Task 3'];console.log(elements.join());
// expected output: Task 1,Task 2,Task 3console.log(elements.join(''));
// expected output: Task 1Task 2Task3console.log(elements.join('-'));
// expected output: Task 1-Task 2-Task 3
Looping through array
There are various ways to loop through an array. Let’s see the simple example first.

Looping through array — forEach Loop
The forEach loop takes a function, a normal or arrow and gives access to the individual element as a parameter to the function. It takes two parameters, the first is the array element and the second is the index.

let products = ['apple', 'mango'];
products.forEach((e) => {
console.log(e);
});
// Output
// apple
// mango
let products = ['apple', 'mango'];
products.forEach(function (e) {
console.log(e);
});
// Output
// apple
// mango
Let’s see how we can access the index in forEach. Below I am using the arrow function notation, but will work for es5 function type as well.

products .forEach((e, index) => {
console.log(e, index);
});

// Output
// apple 0
// mango 1
Finding Elements in an array — find method
The find() method returns the value of the first element in the array that satisfies the provided testing function. Otherwise undefined is returned.

The syntax is given below.

callback — Function to execute on each value in the array, taking three arguments
***** element — The current element being processed in the array
***** index (optional) — The index of the current element
***** array (optional) — The array find was called upon.
thisArg (optional) — Object to use as this when executing callback.
Return value
A value in the array if any element passes the test; otherwise, undefined.

arr.find(callback[, thisArg])var data = [51, 12, 8, 130, 44];var found = data.find(function(element) {
return element > 10;
});console.log(found); // expected output: 51
Looping through an array — for in Loop
A for...in loop only iterates over enumerable properties and since arrays are enumerable it works with arrays.

The loop will iterate over all enumerable properties of the object itself and those the object inherits from its constructor’s prototype (properties closer to the object in the prototype chain override prototypes’ properties).

More reading at MDN for in loop

let products = ['apple', 'mango'];
for(let index in products) {
console.log(projects[index]);
}

// Output
// apple
// mango
Note in the above code, a new index variable is created every time in the loop.

Looping through array — map function ()
The map() function allows us to transform the array into a new object and returns a new array based on the provided function.

It is a very powerful method in the hands of the JavaScript developer.

NOTE: Map always returns the same number of output, but it can modify the type of output. For example, if the array contains 5 element map will always return 5 transformed element as the output.

let num = [1,2,3,4,5];
let squared = num.map((value, index, origArr) => {
return value * value;
});
The function passed to map can take three parameters.

squared — the new array that is returned
num — the array to run the map function on
value — the current value being processed
index — the current index of the value being processed
origArr — the original array
Map () — Example 1 — Simple
let num = [1,2,3,4,5];let squared = num.map((e) => {
return e * e;
});
console.log(squared); // [1, 4, 9, 16, 25]
In the above code, we loop through all elements in the array and create a new array with the square of the original element in the array.

A quick peek into the output.

Map () — Example 2— Simple Transformation
Let us take an input object literal and transform it into key-value pair.

For example, let’s take the below array

let projects = ['Learn Spanish', 'Learn Go', 'Code more'];
and transform into key-value pair as shown below.

{
0: "Learn Spanish",
1: "Learn Go",
2: "Code more"
}
Here is the code for the above transformation with the output.

let newProjects = projects.map((project, index) => {
return {
[index]: project
}
});
console.log(newProjects); // [{0: "apple"}, {1: "mango"},]
Map () — Example 3 — Return a subset of data
Lets take the below input

let tasks = [
{ "name": "Learn Angular",
"votes": [3,4,5,3]
},
{ "name": "Learn React",
"votes": [4,4,5,3]
},
];
The output that we need is just the name of the tasks. Let’s look at the implementation

let taskTitles = tasks.map((task, index, origArray) => {
return {
name: task.name
}
});

console.log(taskTitles); //
Looping through an array — filter function ()
Filter returns a subset of an array. It is useful for scenarios where you need to find records in a collection of records. The callback function to filter must return true or false. Return true includes the record in the new array and returning false excludes the record from the new array.

It gives a new array back.

Let’s consider the below array as an input.

let tasks = [
{ "name": "Learn Angular",
"rating": 3
},
{ "name": "Learn React",
"rating": 5
},
{ "name": "Learn Erlang",
"rating": 3
},
{ "name": "Learn Go",
"rating": 5
},];
Now lets use the filter function to find all tasks with a rating of 5.

Let’s peek into the code and the result.

let products = [
{
"name" : "product 1",
"rating" : 5
},
{
"name" : "product 2",
"rating" : 4
},
{
"name" : "product 3",
"rating" : 5
},
{
"name" : "product 4",
"rating" : 2
}
];
let filteredProducts = products.filter((product) => {
return product.rating === 5;
});
console.log( filteredProducts );
// [{"name" : "product 1","rating" : 5},{"name" : "product 3", "rating" : 5}]
Since we are only using one statement in the filter function we can shorten the above function as shown below.

tasks.filter(task => task.rating === 5);
NOTE: Filter function cannot transform the output into a new array.

Looping through an array — reduce function ()
Reduce function loops through array and can result a reduced set. It is a very powerful function, I guess, more powerful than any other array methods (though every method has its role).

From MDN, The reduce() method applies a function against an accumulator and each element in the array (from left to right) to reduce it to a single value.

Reduce — Simple Example — 1
const array1 = [1, 2, 3, 4];
const reducer = (accumulator, currentValue) => accumulator + currentValue;// 1 + 2 + 3 + 4
console.log(array1.reduce(reducer)); // expected output: 10// 5 + 1 + 2 + 3 + 4
console.log(array1.reduce(reducer, 5));
// expected output: 15
Note: The first time the callback is called, accumulator and currentValue can be one of two values. If initialValue is provided in the call to reduce(),

then accumulator will be equal to initialValue, and currentValue will be equal to the first value in the array. If no initialValue is provided, then accumulator will be equal to the first value in the array, and currentValue will be equal to the second.

The reason reduce is very powerful is because just with reduce() we can implement our own, map(), find() and filter() methods.

Using reduce to categorize data
Assume you have the below data structure which you would like to categorize into male and female dataset.

let data = [
{name: "Raphel", gender: "male"},
{name: "Tom", gender: "male"},
{name: "Jerry", gender: "male"},
{name: "Dorry", gender: "female"},
{name: "Suzie", gender: "female"},
{name: "Dianna", gender: "female"},
{name: "Prem", gender: "male"},
];
And we would like the output to be as below

{"female" : [
{name: "Dorry", gender:"female"},
{name: "Suzie", gender: "female"},
{name: "Dianna", gender: "female"},
],
"male" : [
{name: "Raphel", gender:"male"},
{name: "Tom", gender:"male"},
{name: "Jerry", gender:"male"},
{name: "Prem", gender:"male"},
]
}
So, lets get to the code and understand how to achieve the above categorization.

let genderwise = data.reduce((acc,item, index) => {
acc[item.gender].push(item);
return acc;
}, {male: [], female:[]});console.log(genderwise);
The important point above is the reduce function can be initialized with any type of starting accumulator, in the above case an object literal containing

{ male: [], female: []}
I hope this is sufficient to demonstrate the power of reduce method.

Using reduce to implement custom map() function
function map(arr, fn) {
return arr.reduce((acc, item) => [...acc, fn(item)], []);
}
The above is the implementation of custom map function. In the above function we are passing empty array [] as the initial value for the accumulator and the reduce function is returning a new array with the values from the accumulator spread out and appending the result of invoking the callback function with the current item.

Using reduce to implement custom filter() function
Let’s implement the filter() method using reduce().

function filter (arr, fn) {
return arr.reduce(function (acc, item, index) {
if (fn(item, index)) {
acc.push(item);
}
return acc;
},[]);
}
Let’s see the usage and the output below. I could have overwritten the original Array.prototype.filter, but am doing so to avoid manipulating built-in methods.

Using reduce to implement custom forEach function
Let us know implement our own forEach function.

function forEach(arr, fn) {
arr.reduce((acc, item, index) => {
item = fn(item, index);
}, []);
}
The implementation is very simple compared to other methods. We just grab the passed in array and invoke the reduce, and return the current item as a result of invoking the callback with the current item and index.

Using reduce to implement custom pipe() function
A pipe function sequentially executes a chain of functions from left to right. The output of one function serves as the input to the next function in the chain.

Implementation of pipe function

function pipe(...fns) {
// This parameters to inner functions
return function (...x) {
return fns.reduce((v, f) => {
let result = f(v);
return Array.isArray(result) ? result: [result];
},x)
}
}
Usage
const print = (msg) => {
console.log(msg);
return msg;
}
const squareAll = (args) => {
let result = args.map((a) => {
return a * a;
});
return result;
}
const cubeAll = (args) => {
let result = args.map((a) => {
return a * a * a;
});
return result;
}
pipe(squareAll,cubeAll, print)(1,2,3); // outputs => [1, 64, 729]

Holes in arrays
Holes in arrays means there are empty elements within the array. This may be because of couples of operations like delete or other operations that left these holes accidentally.

Now having ‘holes’ in an array is not good from a performance perspective. Let us take an example below.

let num = [1,2,3,4,5]; // No holes or gapsdelete num[2]; // Creates holesconsole.log (num); [1, 2, empty, 4, 5]
So, do not use delete method on array, unless you know what you are doing. delete method doesn’t alter the length of the array.

You can avoid holes in an array by using the array methods splice(), pop() or shift() as applicable.

Changing array length and holes
You can quickly change the length of the array as below.

let num = [1,2,3,4,5]; // length = 5;
num.length = 3; // change length to 3//The below logs outputs
// [1,2,3] -> The last two elements are deleted
console.log(num);
Now, increasing the length this way creates holes.

let num = [1,2,3,4,5];num.length = 10; // increase the length to 10
console.log(num); // [1, 2, 3, empty × 10]
Quickly Fill Arrays
Let’s take a look at how to quickly fill or initialize an array.

The Array.prototype.fill() method
The fill method (modifies) all the elements of an array from a start index (default zero) to an end index (default array length) with a static value. It returns the modified array.

Description
The fill method takes up to three arguments value, start and end. The start and endarguments are optional with default values of 0 and the length of the this object.

If start is negative, it is treated as length+start where length is the length of the array. If end is negative, it is treated as length+end.

fill is intentionally generic, it does not require that its this value be an Array object.

fill is a mutable method, it will change this object itself, and return it, not just return a copy of it.

When fill gets passed an object, it will copy the reference and fill the array with references to that object.

Example 1 — Simple fill
new Array(5).fill(“hi”)
//Output => (5) [“hi”, “hi”, “hi”, “hi”, “hi”]
Example 2 — Fill with object
new Array(5).fill({'message':'good morning'})
// Output
// [{message: "good morning"}, {message: "good morning"} , {message: "good morning"} , {message: "good morning"} , {message: "good morning"}]
Example 3 — Generate sequence
Array(5).fill().map((v,i)=>i);
The output will be

[0,1,2,3,4,5]
Example 4— More examples
[1, 2, 3].fill(4); // [4, 4, 4]
[1, 2, 3].fill(4, 1); // [1, 4, 4]
[1, 2, 3].fill(4, 1, 2); // [1, 4, 3]
[1, 2, 3].fill(4, 1, 1); // [1, 2, 3]
[1, 2, 3].fill(4, 3, 3); // [1, 2, 3]
[1, 2, 3].fill(4, -3, -2); // [4, 2, 3]
[1, 2, 3].fill(4, NaN, NaN); // [1, 2, 3]
[1, 2, 3].fill(4, 3, 5); // [1, 2, 3]
Array(3).fill(4); // [4, 4, 4]
The Array.from method (static method)
The Array.from() function is an inbuilt function in JavaScript which creates a new array instance from a given array. In case of a string, every alphabet of the string is converted to an element of the new array instance and in case of integer values, new array instance simple take the elements of the given array.

Syntax

Array.from(object, mapFunction, thisValue)
Example 1 — Simple example
console.log(Array.from('foo'));
The output will be

["f", "o", "o"]
Example 2 — Object length
Array.from({ length: 5 });
The output will be

[undefined, undefined, undefined, undefined, undefined]

Tags: 

Spotlight

problems with indexing , not indexing, stopped indexing.

1)

  • Enable Indexing – sudo launchctl load -w /System/Library/LaunchDaemons/com.apple.metadata.mds.plist
  • Disable Indexing – sudo launchctl unload -w /System/Library/LaunchDaemons/com.apple.metadata.mds.plist

2)
Open Terminal
Type - not copy! - the following but wait a few second between them:

sudo mdutil -i off /
sudo mdutil -i on /
sudo mdutil -E /

If, after a few minutes, Spotlight is still not indexing, try running this command, followed by the three commands above:
sudo rm -rf /.Spotlight-V100

Cleanup simulators

xcrun simctl shutdown all  
xcrun simctl erase all  
xcrun simctl delete unavailable  
Tags: 

Swift App from Terminal

ObjC article by chris eidhof

// Run any SwiftUI view as a Mac app.

import Cocoa
import SwiftUI

NSApplication.shared.run {
    VStack {
        Text("Hello, World")
            .padding()
            .background(Capsule().fill(Color.blue))
            .padding()
    }
    .frame(maxWidth: .infinity, maxHeight: .infinity)

}

extension NSApplication {
    public func run<V: View>(@ViewBuilder view: () -> V) {
        let appDelegate = AppDelegate(view())
        NSApp.setActivationPolicy(.regular)
        mainMenu = customMenu
        delegate = appDelegate
        run()
    }
}

// Inspired by https://www.cocoawithlove.com/2010/09/minimalist-cocoa-programming.html

extension NSApplication {
    var customMenu: NSMenu {
        let appMenu = NSMenuItem()
        appMenu.submenu = NSMenu()
        let appName = ProcessInfo.processInfo.processName
        appMenu.submenu?.addItem(NSMenuItem(title: "About \(appName)", action: #selector(NSApplication.orderFrontStandardAboutPanel(_:)), keyEquivalent: ""))
        appMenu.submenu?.addItem(NSMenuItem.separator())
        let services = NSMenuItem(title: "Services", action: nil, keyEquivalent: "")
        self.servicesMenu = NSMenu()
        services.submenu = self.servicesMenu
        appMenu.submenu?.addItem(services)
        appMenu.submenu?.addItem(NSMenuItem.separator())
        appMenu.submenu?.addItem(NSMenuItem(title: "Hide \(appName)", action: #selector(NSApplication.hide(_:)), keyEquivalent: "h"))
        let hideOthers = NSMenuItem(title: "Hide Others", action: #selector(NSApplication.hideOtherApplications(_:)), keyEquivalent: "h")
        hideOthers.keyEquivalentModifierMask = [.command, .option]
        appMenu.submenu?.addItem(hideOthers)
        appMenu.submenu?.addItem(NSMenuItem(title: "Show All", action: #selector(NSApplication.unhideAllApplications(_:)), keyEquivalent: ""))
        appMenu.submenu?.addItem(NSMenuItem.separator())
        appMenu.submenu?.addItem(NSMenuItem(title: "Quit \(appName)", action: #selector(NSApplication.terminate(_:)), keyEquivalent: "q"))

        let windowMenu = NSMenuItem()
        windowMenu.submenu = NSMenu(title: "Window")
        windowMenu.submenu?.addItem(NSMenuItem(title: "Minmize", action: #selector(NSWindow.miniaturize(_:)), keyEquivalent: "m"))
        windowMenu.submenu?.addItem(NSMenuItem(title: "Zoom", action: #selector(NSWindow.performZoom(_:)), keyEquivalent: ""))
        windowMenu.submenu?.addItem(NSMenuItem.separator())
        windowMenu.submenu?.addItem(NSMenuItem(title: "Show All", action: #selector(NSApplication.arrangeInFront(_:)), keyEquivalent: "m"))

        let mainMenu = NSMenu(title: "Main Menu")
        mainMenu.addItem(appMenu)
        mainMenu.addItem(windowMenu)
        return mainMenu
    }
}

class AppDelegate<V: View>: NSObject, NSApplicationDelegate, NSWindowDelegate {
    init(_ contentView: V) {
        self.contentView = contentView

    }
    var window: NSWindow!
    var hostingView: NSView?
    var contentView: V

    func applicationDidFinishLaunching(_ notification: Notification) {
        window = NSWindow(
            contentRect: NSRect(x: 0, y: 0, width: 480, height: 300),
            styleMask: [.titled, .closable, .miniaturizable, .resizable, .fullSizeContentView],
            backing: .buffered, defer: false)
        window.center()
        window.setFrameAutosaveName("Main Window")
        hostingView = NSHostingView(rootView: contentView)
        window.contentView = hostingView
        window.makeKeyAndOrderFront(nil)
        window.delegate = self
        NSApp.activate(ignoringOtherApps: true)
    }
}

apps at startup

search for folders

Hard Drive/Library/LaunchAgents

Hard Drive/Library/LaunchDaemons

Tags: 

Crashreports turn on off

turn off crash reports

launchctl unload -w /System/Library/LaunchAgents/com.apple.ReportCrash.plist
sudo launchctl unload -w /System/Library/LaunchDaemons/com.apple.ReportCrash.Root.plist

turn on

launchctl load -w /System/Library/LaunchAgents/com.apple.ReportCrash.plist
sudo launchctl load -w /System/Library/LaunchDaemons/com.apple.ReportCrash.Root.plist
Tags: 

Json serialize

using System;
using System.IO;
using System.Text.Json;
using System.Collections.Generic;

public class Program
{
public class MyModel
{
    public string MyString { get; set; }
    public int MyInt { get; set; }
    public bool MyBoolean { get; set; }
    public decimal MyDecimal { get; set; }
    public DateTime MyDateTime1 { get; set; }
    public DateTime MyDateTime2 { get; set; }
    public List<string> MyStringList { get; set; }
    public Dictionary<string, Person> MyDictionary { get; set; }
    public MyModel MyAnotherModel { get; set; }
}

public class Person
{
    public int Id { get; set; }
    public string Name { get; set; }
}
public static void Main()
{
var options = new JsonSerializerOptions
{
    PropertyNamingPolicy = JsonNamingPolicy.CamelCase,
    WriteIndented = true
};
Person p = new Person();
p.Id = 1;
p.Name = "HJH";
MyModel mm = new MyModel();
mm.MyInt = 1;
mm.MyBoolean = false;
mm.MyString = "string";

string s = JsonSerializer.Serialize(p, options);
Console.WriteLine(s);
string s2 = JsonSerializer.Serialize(mm, options);
Console.WriteLine(s2);
}
}

RxJs

useful site to exercise: Stephen Grider RxJs playground

const { fromEvent } = Rx;
const { map, pluck } = RxOperators;

const input = document.createElement('input');
const container = document.querySelector('.container');
container.appendChild(input);

const observable = fromEvent(input, 'input')
.pipe(
    pluck('target','value'),
  map(value=>parseInt(value)),
  map(value => {
    if(isNaN(value)){
        throw Error('The input must be a number.')
    }
    return value;
  })
);

observable.subscribe({
    next(value){
    console.log('You inserted '+value);
  },
  error(err){
    console.error('error : '+err.message);
  },
  complete(){},
});

observable;

result:

[Log] You inserted 1
[Log] You inserted 12
[Log] You inserted 123
Tags: 

Count characters

Operationqueue urlsession

let group = DispatchGroup()
for _ in 0...999 {
    group.enter()
    URLSession.shared.dataTask(with: …) { _, _, _ in
        …
        group.leave()
    }.resume()
}
group.wait()

Custom order in sorting, dutch alphabet 'ij' problem

const compareIJ =  (x, y) => {
  var a = x.toLowerCase()
  var b = y.toLowerCase()
  // combined char i+j
  if (a.startsWith('ij') && b.startsWith('i') ) {
    return -1
  } else if (a.startsWith('ij') && b.startsWith('j')){
    return 1
  }
  if (a.startsWith('i') && b.startsWith('ij')) {
    return -1
  } else if (a.startsWith('j') && b.startsWith('ij')){
    return 1
  }


  return 0;
}

const customSort = ({data, sortBy}) => {
  const sortByObject = sortBy.reduce(
    (arr, item) => {
      arr.push(item)
      return arr
    }, [])

  return data.sort((a, b) => {
    return sortByObject.indexOf(a[0]) - sortByObject.indexOf(b[0])
  }).sort(compareIJ)
}

var items = ['wer', 'qwe','ijsdf','lkj','fgh','asdf','bsdfs','csdf','ijsaasdf','isdf','ijsdf', 'jsdf', 'ksdf', 'wer', 'qwe']
const dutchAlphabet = ['a','b','c','d','e','f','g','h','i','ij','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x','y','z']

var a = customSort({data: items, sortBy: dutchAlphabet})

console.log(a)

Tags: 

GCloud

Dotnet core 2.2 project

In Program.cs

public static void Main(string[] args)
{
    CreateWebHostBuilder(args).UseUrls("http://:8080/").Build().Run();
}
Dockerfile
FROM mcr.microsoft.com/dotnet/core/sdk:2.2 AS build-env
WORKDIR /app

# Copy csproj and restore as distinct layers
COPY *.csproj ./
RUN dotnet restore

# Copy everything else and build
COPY . ./
RUN dotnet publish -c Release -o out

# Build runtime image
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2
ENV ASPNETCORE_URLS=http://
:${PORT}
WORKDIR /app
COPY --from=build-env /app/out .

ENTRYPOINT ["dotnet", "tuinhok.dll"]

.dockerignore

bin\
obj\

docker build and push

docker build -t gcr.io/<gcp-project>/<appName>:latest .
docker push gcr.io/<gcp-project>/<appName>:latest

Node express server

const express = require('express')
const app = express()
const port = process.env.PORT || 8080

app.get('/', (req, res) => {
  res.json({
    message: 'Hello World'
  })
})

app.listen(port, () => console.log(`Example app listening on port ${port}!`))

dockerfile for a node project:

FROM node:10

# Create app directory
WORKDIR /usr/src/app

# Install app dependencies
COPY package*.json ./
RUN npm install

COPY . .
CMD ["node", "server-app.js"]

Angular

install angular cli

nom i angular-cli

create new project

ng new <project-name>

start proj

ng serve
ng s

generate component

ng g c <optional-folder/component-name>

component field - html prop

two way binding

<my-cmp [(title)]="name">

in component.ts

selector decorator:

@Component({
  selector: '.app-servers',
...
})

in html:

<!--selector "app-servers"-->
<app-servers></app-servers>

<!--selector "[app-server]" as attribute-->
<div app-servers></div>

<!--selector ".app-server" as className-->
<div class="app-servers"></div>

varname: type, ex: name: string;
or object (define class in folder models, like ObjectClass class { var a: number; }):
objectclass: ObjectClass

in .html

{{varname}} , ex: {{name}}
{{objectclass.a}}

component input @input()

<input [value]="my_name">

in parent-component .html

<component-name [name]="my_name" ....  

in component-name .ts

export component-name class {

@Input()
name: string;
...
}

events

in component .html

<button (click)="functionname($event)">button title</button>

in .ts
create function functionname($event)

export class ComponentClass {  
  ...  
  constructor(){}  
  ...  
 functionname(event: any) {  
  //do something  
  }  
  ...  
}  

Attribute Directives

<p appHighlight>Highlight me!</p>

ng g directive

to use it like [appClass] style of writing:

<li class="page-item"
        [appClass]="{'disabled':currentPage===images.length-1}">
</li>
import { Directive, ElementRef, Input } from '@angular/core';

@Directive({
  selector: '[appClass]'
})
export class ClassDirective {

  constructor(private element: ElementRef) { }

  @Input('appClass') set classNames(classObj: any) {
    for (const key in classObj) {
      if (classObj[key]) {
        this.element.nativeElement.classList.add(key);
      } else {
        this.element.nativeElement.classList.remove(key);

      }
    }
  }
}

Structural Directives

What are structural directives?

Structural directives are responsible for HTML layout. They shape or reshape the DOM's structure, typically by adding, removing, or manipulating elements.
As with other directives, you apply a structural directive to a host element. The directive then does whatever it's supposed to do with that host element and its descendants.
Structural directives are easy to recognize. An asterisk (*) precedes the directive attribute name as in this example.

<div *ngIf="hero" class="name">{{hero.name}}</div>

The three common structural directives are ngIf ngFor ngSwitch

struct directive creation

ng g directive <directive-name>

to use like *appTimes

<ul *appTimes="5">
  <li>hi there!</li>
</ul>
import { Directive, TemplateRef, ViewContainerRef, Input } from '@angular/core';
// structural directive
@Directive({
  selector: '[appTimes]'
})
export class TimesDirective {

  constructor(
    private viewContainer: ViewContainerRef,
    private templateRef: TemplateRef<any>
  ) { }

  @Input('appTimes') set render(times: number) {
    this.viewContainer.clear();

    for (let i = 0 ; i < times; i++) {
      this.viewContainer.createEmbeddedView(this.templateRef, {
        index: i
      });
    }
  }
}

ngFor

<ul>  
  <li *ngFor="let item of items; index as i">  
    {{i+1}} {{item}}  
  </li>  
</ul>  

The following exported values can be aliased to local variables:
- $implicit: T: The value of the individual items in the iterable (ngForOf).
- ngForOf: NgIterable: The value of the iterable expression. Useful when the expression is more complex then a property access, for example when using the async pipe (userStreams | async).
- index: number: The index of the current item in the iterable.
- first: boolean: True when the item is the first item in the iterable.
- last: boolean: True when the item is the last item in the iterable.
- even: boolean: True when the item has an even index in the iterable.
- odd: boolean: True when the item has an odd index in the iterable.

ngIf

shorthand

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

extended

<ng-template [ngIf]="condition"><div>Content to render when condition is true.</div></ng-template>  

with else block

<div *ngIf="condition; else elseBlock">Content to render when condition is true.</div>  
<ng-template #elseBlock>Content to render when condition is false.</ng-template>  

if then else

<div *ngIf="condition; then thenBlock else elseBlock"></div>  
<ng-template #thenBlock>Content to render when condition is true.</ng-template>  
<ng-template #elseBlock>Content to render when condition is false.</ng-template>  

with value locally

<div *ngIf="condition as value; else elseBlock">{{value}}</div>  
<ng-template #elseBlock>Content to render when value is null.</ng-template>  

else in template, use #

<div class="hero-list" *ngIf="heroes else loading">  
 ...   
</div>  

<ng-template #loading>  
 <div>Loading...</div>  
</ng-template>

ngClass

Adds and removes CSS classes on an HTML element.

The CSS classes are updated as follows, depending on the type of the expression evaluation:
string - the CSS classes listed in the string (space delimited) are added,
Array - the CSS classes declared as Array elements are added,
Object - keys are CSS classes that get added when the expression given in the value evaluates to a truthy value, otherwise they are removed.

<some-element [ngClass]="'first second'">...</some-element>  

<some-element [ngClass]="['first', 'second']">...</some-element>  

<some-element [ngClass]="{'first': true, 'second': true, 'third': false}">...</some-element>  

<some-element [ngClass]="stringExp|arrayExp|objExp">...</some-element>  

<some-element [ngClass]="{'class1 class2 class3' : true}">...</some-element>  

ngSwitch

A structural directive that adds or removes templates (displaying or hiding views) when the next match expression matches the switch expression.

<container-element [ngSwitch]="switch_expression">
  <!-- the same view can be shown in more than one case -->
  <some-element *ngSwitchCase="match_expression_1">...</some-element>
  <some-element *ngSwitchCase="match_expression_2">...</some-element>
  <some-other-element *ngSwitchCase="match_expression_3">...</some-other-element>
  <!--default case when there are no matches -->
  <some-element *ngSwitchDefault>...</some-element>
</container-element>
<container-element [ngSwitch]="switch_expression">
      <some-element *ngSwitchCase="match_expression_1">...</some-element>
      <some-element *ngSwitchCase="match_expression_2">...</some-element>
      <some-other-element *ngSwitchCase="match_expression_3">...</some-other-element>
      <ng-container *ngSwitchCase="match_expression_3">
        <!-- use a ng-container to group multiple root nodes -->
        <inner-element></inner-element>
        <inner-other-element></inner-other-element>
      </ng-container>
      <some-element *ngSwitchDefault>...</some-element>
    </container-element>

ng-container

The Angular is a grouping element that doesn't interfere with styles or layout because Angular doesn't put it in the DOM.

ng-tempplate

renders only the hero-detail.

<template [ngIf]="currentHero">  
  <hero-detail [hero]="currentHero"></hero-detail>  
</template>  

pipes for extending func

formatting strings, dates, numbers, upper, lower, etc

date

{{ value_expression | date [ : format [ : timezone [ : locale ] ] ] }}

Examples are given in en-US locale.
'short': equivalent to 'M/d/yy, h:mm a' (6/15/15, 9:03 AM).
'medium': equivalent to 'MMM d, y, h:mm:ss a' (Jun 15, 2015, 9:03:01 AM).
'long': equivalent to 'MMMM d, y, h:mm:ss a z' (June 15, 2015 at 9:03:01 AM GMT+1).
'full': equivalent to 'EEEE, MMMM d, y, h:mm:ss a zzzz' (Monday, June 15, 2015 at 9:03:01 AM GMT+01:00).
'shortDate': equivalent to 'M/d/yy' (6/15/15).
'mediumDate': equivalent to 'MMM d, y' (Jun 15, 2015).
'longDate': equivalent to 'MMMM d, y' (June 15, 2015).
'fullDate': equivalent to 'EEEE, MMMM d, y' (Monday, June 15, 2015).
'shortTime': equivalent to 'h:mm a' (9:03 AM).
'mediumTime': equivalent to 'h:mm:ss a' (9:03:01 AM).
'longTime': equivalent to 'h:mm:ss a z' (9:03:01 AM GMT+1).
'fullTime': equivalent to 'h:mm:ss a zzzz' (9:03:01 AM GMT+01:00).

{{ dateObj | date }}               // output is 'Jun 15, 2015'
{{ dateObj | date:'medium' }}      // output is 'Jun 15, 2015, 9:43:11 PM'
{{ dateObj | date:'shortTime' }}   // output is '9:43 PM'
{{ dateObj | date:'mm:ss' }}       // output is '43:11'

LowerCasePipe

{{ value_expression | lowercase }}

simular as UpperCasePipe, TitleCasePipe

PercentPipe

{{ value_expression | percent [ : digitsInfo [ : locale ] ] }}

<!--output '26%'-->  
    <p>A: {{a | percent}}</p>  

    <!--output '0,134.950%'-->  
    <p>B: {{b | percent:'4.3-5'}}</p>  

    <!--output '0 134,950 %'-->  
    <p>B: {{b | percent:'4.3-5':'fr'}}</p>  

SlicePipe

<li *ngFor="let i of collection | slice:1:3">{{i}}</li>
...
    <p>{{str}}[0:4]: '{{str | slice:0:4}}' - output is expected to be 'abcd'</p>  
    <p>{{str}}[4:0]: '{{str | slice:4:0}}' - output is expected to be ''</p>  
    <p>{{str}}[-4]: '{{str | slice:-4}}' - output is expected to be 'ghij'</p>  
    <p>{{str}}[-4:-2]: '{{str | slice:-4:-2}}' - output is expected to be 'gh'</p>  
    <p>{{str}}[-100]: '{{str | slice:-100}}' - output is expected to be 'abcdefghij'</p>  
    <p>{{str}}[100]: '{{str | slice:100}}' - output is expected to be ''</p>  

AsyncPipe

The async pipe subscribes to an Observable or Promise and returns the latest value it has emitted. When a new value is emitted, the async pipe marks the component to be checked for changes. When the component gets destroyed, the async pipe unsubscribes automatically to avoid potential memory leaks.

@Component({
  selector: 'async-promise-pipe',
  template: `<div>
    promise|async: 
    <button (click)="clicked()">{{ arrived ? 'Reset' : 'Resolve' }}</button>
    <span>Wait for it... {{ greeting | async }}</span>
  </div>`
})
export class AsyncPromisePipeComponent {
  greeting: Promise<string>|null = null;
  arrived: boolean = false;

  private resolve: Function|null = null;

  constructor() { this.reset(); }

  reset() {
    this.arrived = false;
    this.greeting = new Promise<string>((resolve, reject) => { this.resolve = resolve; });
  }

  clicked() {
    if (this.arrived) {
      this.reset();
    } else {
      this.resolve !('hi there!');
      this.arrived = true;
    }
  }
}

ViewChild, ViewChildren

A template reference variable as a string (e.g. query with @ViewChild('cmp'))
Any provider defined in the child component tree of the current component (e.g. @ViewChild(SomeService) someService: SomeService)
Any provider defined through a string token (e.g. @ViewChild('someToken') someTokenVal: any)
A TemplateRef (e.g. query with @ViewChild(TemplateRef) template;)

Directive, decorator

Decorator that marks a class as an Angular directive. You can define your own directives to attach custom behavior to elements in the DOM.
like 'placeholder' in

<input value="abc" **placeholder**="firstname">  

reusable in whole project

creation

ng g directive directives/HighlightedDirective

@HostBinding @HostListener

or emit directive to other components:

@Input('highlighted')
  isHighlighted = false;

  @Output()
  toggleHighlight = new EventEmitter();

  constructor() {
    //console.log('highlighted created...');
  }

  @HostBinding('class.highlighted')
  get cssClasses() {
    return this.isHighlighted;
  }

  @HostBinding('attr.disabled')
  get disabled() {
    return "true";
  }

  @HostListener('mouseover', ['$event'])
  mouseover($event) {
    console.log($event);
    this.isHighlighted = true;
    this.toggleHighlight.emit(this.isHighlighted);
  }

toggle() {
    this.isHighlighted = !this.isHighlighted;
    this.toggleHighlight.emit(this.isHighlighted);
  }

Structural Directives

ng g directive directive/ngx-name

nix-name

ngxNameDirective
results to template

import { Directive,  TamplateRef } from '@angular/core';

@Directive({
  selector: {'[ngxngxName]'}
})
export class NgxNameDirective {

  constructor(private templateRef: TemplateRef<any>, private viewContainer: ViewContainerRef) {

  }

  @Input()
  set ngxName(condition:booleam);
}

Angular Injectable Services

Modules

ng g m MODULE_NAME (--routing)

heic convert

# convert any HEIC image in a directory to jpg format
magick mogrify -monitor -format jpg *.HEIC

# convert an HEIC image to a jpg image
magick convert example_image.HEIC example_image.jpg

swagger

add package:
NSwag.AspNetCore

startup.cs

public void ConfigureServices(IServiceCollection services)
{
    services.AddControllers();
    services.AddOpenApiDocument();
}

Configure(IApplicationBuilder app, IWebHostEnvironment env)
...(after endpoints)...
app.UseOpenApi();
app.UseSwaggerUi3();

goto url localhost:5000/swagger

Login ssh automation

import sys
import pyperclip
import subprocess

if len(sys.argv) == 1:
    print('login func needs client to login...')
elif sys.argv[1] == 'do':
    print('login at do, use paste')
    cb = pyperclip.copy('Password')
    bashCommand = "echo apt update"
    subprocess.call(["ssh", "user@ip.address.0.0"])
else:
    print('No login available for '+ sys.argv[1])

sys.exit(1)

adjust zshrc in

~/.zshrc add location python3 and filelocation

alias li="/Users/hjhubeek/Documents/development/python/li/bin/python /Users/hjhubeek/Documents/development/python/li/li.py"

Navigation link button makes master detail setup on iPad

.navigationViewStyle(StackNavigationViewStyle()) does the trick...

NavigationView {
        Text("Hello world!")
    }
    .navigationViewStyle(StackNavigationViewStyle())

Duplicate Symbols for Architecture arm64

Duplicate Symbols for Architecture arm64

remedy in build settings

set to ON
No Common Blocks
.. and then OFF

Tags: 

dotnet core notes

localize date time
CultureInfo ci = new CultureInfo("nl-NL");Console.WriteLine(DateTime.Now.ToString("D", ci));

scaffold mysql db
dotnet ef dbcontext scaffold "server=localhost;port=3306;user=root;password=root;database=opit" MySql.Data.EntityFrameworkCore -o Models -f

scan local network

sudo nmap -sn 192.168.1.0/24 > ~/Desktop/nmaplog.txt

git remove sensitive data from history in files

git filter-branch --index-filter "git rm -rf --cached --ignore-unmatch path_to_file" HEAD
It’s a time intensive task might takes good amount of time to complete. As it has to check each commit and remove.
If you want to push it to remote repo just do git push
git push -all

Tags: 

Git foreach use cases

What did I do before the holidays?

git for-each-ref --count=30 --sort=-committerdate refs/heads/ --format='%(refname:short)'

sort by date

git for-each-ref --sort=-committerdate refs/heads/

manual remove uninstall visual studio 2015

#!/bin/sh

# Uninstall Visual Studio for Mac
echo "Uninstalling Visual Studio for Mac..."

sudo rm -rf "/Applications/Visual Studio.app"
rm -rf ~/Library/Caches/VisualStudio
rm -rf ~/Library/Preferences/VisualStudio
rm -rf "~/Library/Preferences/Visual Studio"
rm -rf ~/Library/Logs/VisualStudio
rm -rf ~/Library/VisualStudio
rm -rf ~/Library/Preferences/Xamarin/
rm -rf ~/Library/Developer/Xamarin

# Uninstall Xamarin.Android
echo "Uninstalling Xamarin.Android..."

sudo rm -rf /Developer/MonoDroid
rm -rf ~/Library/MonoAndroid
sudo pkgutil --forget com.xamarin.android.pkg
sudo rm -rf /Library/Frameworks/Xamarin.Android.framework


# Uninstall Xamarin.iOS
echo "Uninstalling Xamarin.iOS..."

rm -rf ~/Library/MonoTouch
sudo rm -rf /Library/Frameworks/Xamarin.iOS.framework
sudo rm -rf /Developer/MonoTouch
sudo pkgutil --forget com.xamarin.monotouch.pkg
sudo pkgutil --forget com.xamarin.xamarin-ios-build-host.pkg


# Uninstall Xamarin.Mac
echo "Uninstalling Xamarin.Mac..."

sudo rm -rf /Library/Frameworks/Xamarin.Mac.framework
rm -rf ~/Library/Xamarin.Mac


# Uninstall Workbooks and Inspector
echo "Uninstalling Workbooks and Inspector..."

sudo /Library/Frameworks/Xamarin.Interactive.framework/Versions/Current/uninstall


# Uninstall the Visual Studio for Mac Installer
echo "Uninstalling the Visual Studio for Mac Installer..."

rm -rf ~/Library/Caches/XamarinInstaller/
rm -rf ~/Library/Caches/VisualStudioInstaller/
rm -rf ~/Library/Logs/XamarinInstaller/
rm -rf ~/Library/Logs/VisualStudioInstaller/

# Uninstall the Xamarin Profiler
echo "Uninstalling the Xamarin Profiler..."

sudo rm -rf "/Applications/Xamarin Profiler.app"

echo "Finished Uninstallation process."

Tags: 

double template code vs2015

change in solution file (.csproj)

    <ItemGroup>
        <None Remove="$(SpaRoot)**" />
        <None Include="$(SpaRoot)**" Exclude="$(SpaRoot)node_modules\**" />
    </ItemGroup>

Tags: 

SwiftUI small techniques

do after 1 seconds

@State var reloadCount = 0
...
body
---
DispatchQueue.main.asyncAfter(deadline: .now() + 1) {
  self.reloadCount += 1
}

Bool

var isBoolean = false
...
isBoolean.toggle()

list finale files in dir to txt file

ls -1 | sed -e 's/ C.musx$//' > songs.txt

Tags: 

List example

From RW: Ray Wenderlich Video Tut

import PlaygroundSupport
import SwiftUI
struct Employee: Identifiable {
    var id = UUID()
    var name: String
    var title: String
}

let testData: [Employee] = [Employee(name: "Ray Wenderlich", title: "Owner"),
                            Employee(name: "Victoria Wenderlich", title: "Digital Artist"),
                            Employee(name: "Andrea Lepley", title: "Video Team Lead"),
                            Employee(name: "Sam Davies", title: "CTO"),
                            Employee(name: "Katie Collins", title: "Customer Support Lead"),
                            Employee(name: "Tiffani Randolph", title: "Marketing Associate")]

struct ContentView: View {
    var employees:[Employee] = []
   
    var body: some View {
       
            List(employees) { employee in
                NavigationButton(destination: Text(employee.name)) {
                    VStack(alignment: .leading) {
                        Text(employee.name)
                        Text(employee.title).font(.footnote)
                    }
                }
            }.navigationBarTitle(Text("Ray's Employees"))
       
    }
}
let vc = UIHostingController(rootView: NavigationView() { ContentView(employees: testData)})

PlaygroundPage.current.liveView = vc

Tags: 

SwiftUI Elements

Text

Text("Hello World!")

Text("Hello World")
    .font(.largeTitle)
    .foregroundColor(Color.green)
    .lineSpacing(50)
    .lineLimit(nil)
    .padding()

multiline

Text("Lorem ipsum dolor sit amet, consectetur adipiscing elit. Suspendisse est leo, vehicula eu eleifend non, auctor ut arcu")
      .lineLimit(nil).padding()
struct ContentView: View {
    static let dateFormatter: DateFormatter = {
        let formatter = DateFormatter()
        formatter.dateStyle = .short
        return formatter
    }()

    var now = Date()
    var body: some View {
        Text("Now is the Date: \(now, formatter: Self.dateFormatter)")
    }
}

Text with background

Text("Hello World").color(.red).font(.largeTitle).background(Image(systemName: "photo").resizable().frame(width: 100, height: 100))

Images

sytem icon images

Image(systemName: "photo")
            .foregroundColor(.red)
            .font(.largeTitle)
Image(systemName: "star").resizable().aspectRatio(contentMode: .fill).padding(.bottom)

cast from UIImage to Image

if let image = UIImage(named: "test.png") {
  Image(uiImage: image)
}

Stacks

HStack, VStack, ZStack with styling:

VStack (alignment: .leading, spacing: 20){
    Text("Hello")
    Divider()
    Text("World")
}

on top of each other:

ZStack() {
    Image("hello_world")
    Text("Hello World")
        .font(.largeTitle)
        .background(Color.black)
        .foregroundColor(.white)
}

Input

Toggle

@State var isShowing = true //state

Toggle(isOn: $isShowing) {
    Text("Hello World")
}.padding()

Button

struct ContentView : View {
  var body: some View {

    Button(action: {
        self.buttonPress()
      }, label: {
          Text("TickTock").color(.white)
      }).frame(minWidth: 0, maxWidth: .infinity)
        .padding(20)
        .background(Color.blue)
  }

  private func buttonPress() {
    print("tick tock")
  }

}

(new!) to next view with presentation button

struct NextView: View {
  var body: some View {
    Text("NextView")
  }
}

struct ContentView : View {
  var body: some View {

    PresentationButton(Text("Navigate to another View"), destination: NextView())
  }
}

SwiftUI

Playground

import PlaygroundSupport
import SwiftUI


struct ContentView: View {
    var body: some View {
        Text("Hello World")
    }
}
let vc = UIHostingController(rootView: ContentView())

PlaygroundPage.current.liveView = vc

Shapes

Rectangle()
    .fill(Color.red)
    .frame(width: 200, height: 200)
Circle()
    .fill(Color.blue)
    .frame(width: 50, height: 50)

Try HStack en ZStach(!)

Triangles Shapes

struct ASymbol : View {
    let symbolColor: Color

    var body: some View {
        GeometryReader { geometry in
            Path { path in
                let side = min(geometry.size.width, geometry.size.height)
                path.move(to: CGPoint(x: side * 0.5, y: 0))
                path.addLine(to: CGPoint(x: side, y: side))
                path.addLine(to: CGPoint(x: 0, y: side))
                path.closeSubpath()

                }
                .fill(self.symbolColor)
        }
    }
}
struct ContentView : View {
    var body: some View {
        VStack{
        ASymbol(symbolColor: .green)
        ASymbol(symbolColor: .green).rotationEffect(Angle(degrees: 180))
        }
    }
}

Conditional:

struct ContentView: View {
    var body: AnyView {
        if Int.random(in: .min ... .max).isMultiple(of: 2) {
            return AnyView(Text("Even"))
        } else {
            return AnyView(Image(systemName: "star"))
        }
    }
}

Value with expiration

@propertyWrapper
struct Expirable<Value> {
    let duration: TimeInterval
    var expirationDate: Date = Date()
    private var innerValue: Value?
   
    var value: Value? {
        get{ return hasExpired() ? nil: innerValue }
        set{
            self.expirationDate = Date().addingTimeInterval(duration)
            self.innerValue = newValue
        }
    }
    init(duration: TimeInterval) {
        self.duration = duration
    }
    private func hasExpired() -> Bool {
        return expirationDate < Date()
    }
}

struct Tokens {
    @Expirable(duration: 3) static var authent: String
}

Tokens.authent = NSUUID().uuidString

sleep(2)
Tokens.authent ?? "token has expired"
sleep(2)
Tokens.authent ?? "token has expired"

Tags: 

Pages

Subscribe to hjsnips RSS