Álvaro Ramírez
# Eshell pcomplete company completion
Howard Abrams's Introduction to eshell video prompted me to poke at eshell some more. This time, I got eshell context aware completion by glueing the excellent company and pcomplete packages.
(require 'cl-lib) (require 'company) (require 'pcomplete) (defun company-pcomplete--candidates () "Get candidates company completion backed by `pcomplete'." (all-completions "" (pcomplete-completions))) (defun company-pcomplete (command &optional arg &rest ignored) "Complete using pcomplete. See `company''s COMMAND ARG and IGNORED for details." (interactive (list 'interactive)) (case command (interactive (company-begin-backend 'company-pcomplete)) (prefix (company-grab-symbol)) (candidates (company-pcomplete--candidates)))) (provide 'company-pcomplete)
Don't forget to add company-pcomplete to company-backends, and if you want an explicit binding, use something like:
(bind-key "<backtab>" #'company-complete eshell-mode-map)
# Basic imenu in helpful-mode
# Projectile shell dir company completion
Projectile and company are just amazing Emacs packages. Projectile gives random access to files, while company completes well… anything. For shells, Emacs has a handful of options.
Standing on the shoulders of package giants (dash and f included) and some elisp, we can bring random access to project directories from the shell.
(require 'cl-lib) (require 'company) (require 'dash) (require 'f) (require 'projectile) (defvar-local company-projectile-cd-prefix "cd ") (defun company-projectile-cd (command &optional arg &rest ignored) "Company shell completion for any projectile path." (interactive (list 'interactive)) (case command (interactive (company-begin-backend 'company-projectile-cd)) (prefix (company-grab-symbol-cons company-projectile-cd-prefix (length company-projectile-cd-prefix))) (candidates (company-projectile-cd--candidates (company-grab-symbol-cons company-projectile-cd-prefix (length company-projectile-cd-prefix)))) (post-completion (company-projectile-cd--expand-inserted-path arg)))) (defun company-projectile-cd--candidates (input) "Return candidates for given INPUT." (company-projectile-cd--reset-root) (when (consp input) (let ((search-term (substring-no-properties (car input) 0 (length (car input)))) (prefix-found (cdr input))) (when prefix-found (if (projectile-project-p) (company-projectile-cd--projectile search-term) (company-projectile-cd--find-fallback search-term)))))) (defun company-projectile-cd--projectile (search-term) (-filter (lambda (path) (string-match-p (regexp-quote search-term) path)) (-snoc (projectile-current-project-dirs) ;; Throw project root in there also. (projectile-project-root)))) (defun company-projectile-cd--find-fallback (search-term) (ignore-errors (-map (lambda (path) (string-remove-prefix "./" path)) (apply #'process-lines (list "find" "." "-type" "d" "-maxdepth" "2" "-iname" (format "\*%s\*" search-term)))))) (defun company-projectile-cd--expand-inserted-path (path) "Replace relative PATH insertion with its absolute equivalent if needed." (unless (f-exists-p path) (delete-region (point) (- (point) (length path))) (insert (concat (projectile-project-root) path)))) (defun company-projectile-cd--reset-root () "Reset project root. Useful when cd'ing in and out of projects." (projectile-reset-cached-project-root) (when (projectile-project-p) (projectile-project-root)))
# Creating icns icons
Stack overflow yields Where can i find Icon Composer on Mac? when I did a quick search to convert a png to icns. For future reference:
#!/bin/bash -e set -e set -o pipefail if [ "$#" -ne 1 ]; then echo "\nusage: to_icns.sh path/to/image.png\n" exit 1 fi readonly IMAGE_FPATH=$1 readonly BASENAME=$(basename ${IMAGE_FPATH%.*}) mkdir ${BASENAME}.iconset sips -z 16 16 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_16x16.png" sips -z 32 32 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_16x16@2x.png" sips -z 32 32 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_32x32.png" sips -z 64 64 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_32x32@2x.png" sips -z 128 128 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_128x128.png" sips -z 256 256 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_128x128@2x.png" sips -z 256 256 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_256x256.png" sips -z 512 512 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_256x256@2x.png" sips -z 512 512 $IMAGE_FPATH --out "${BASENAME}.iconset/icon_512x512.png" cp $IMAGE_FPATH "${BASENAME}.iconset/icon_512x512@2x.png" iconutil -c icns ${BASENAME}.iconset rm -R ${BASENAME}.iconset echo Wrote ${BASENAME}.icns
# Forcing aptX on MacOS bluetooth audio
Bought a pair of QuietComfort 35. Audio quality on MacOS was lagging compared to iOS. Googling led to different posts suggesting the use of Bluetooth Explorer to force aptX usage. Did the trick for me.
Bluetooth Explorer can be downloaded from https://developer.apple.com/download/more. Search for Hardware IO tools:
Open Hardware_IO_Tools_for_Xcode_7.3.dmg and launch Bluetooth Explorer:
Select Audio Options:
Check Force use of aptX:
Don't forget to disconnect and reconnect your Bluetooth device.
# Hungary travel bookmarks
# Faster cursor movement on macOS
Faster cursor movement on macOS by increasing your keyboard's initial key repeat subsequent key repeat.
defaults write -g KeyRepeat -int 1 defaults write -g InitialKeyRepeat -int 10
# Search/insert one-liners with Emacs helm-ag
Emacs helm is awesome. helm-ag is double awesome. Searching for one-liners in your codebase, narrowing down with helm, and easily inserting is triple awesome.
(defun ar/helm-ag (arg) "Helm-ag search remembering last location. With ARG, forget the last location." (interactive "P") (defvar ar/helm-ag--default-locaction nil) (setq ar/helm-ag--default-locaction (read-directory-name "search in: " (if arg default-directory ar/helm-ag--default-locaction) nil t)) (helm-do-ag ar/helm-ag--default-locaction)) (defun ar/helm-ag-insert (arg) ;; Helm-ag and insert match. (interactive "P") (let* ((actions (helm-make-actions "Insert" (lambda (candidate) ;; Drop file:line:column. For example: ;; arc_hostlink.c:13:2:#include <linux/fs.h> ;; => #include <linux/fs.h> (insert (replace-regexp-in-string "^[^ ]*:" "" candidate))))) (helm-source-do-ag (helm-build-async-source "The Silver Searcher" :init 'helm-ag--do-ag-set-command :candidates-process 'helm-ag--do-ag-candidate-process :persistent-action 'helm-ag--persistent-action :action actions :nohighlight t :requires-pattern 3 :candidate-number-limit 9999 :keymap helm-do-ag-map :follow (and helm-follow-mode-persistent 1)))) (call-interactively #'ar/helm-ag)))
# Sleep bookmarks
# Tea bookmarks
# Math bookmarks
# GnuPG and macOS
Had problems installing and using GnuPG on macOS, primarily for Emacs use:
gpg: problem with the agent: Inappropriate ioctl for device gpg: error creating passphrase: Operation cancelled gpg: symmetric encryption of '[stdin]' failed: Operation cancelled
Basic installation required:
brew install gnupg
But worked around the error above by using pinentry-mac (UI), instead of Emacs prompts.
brew install pinentry-mac
Edited ~/.gnupg/gpg-agent.conf with:
pinentry-program path/to/homebrew/bin/pinentry-mac
# Installing gnuplot on macOS
Plan A
Install gnuplot Qt
If you have the resources, you can try the Qt flavor. You need at least 15GB to download and a long build. Ran out of space on my Macbook Air. Aborted.
brew install --force gnuplot --with-qt
Plan B
Install xquartz
brew install Caskroom/cask/xquartz
Install gnuplot x11
brew install --force gnuplot --with-x11
Install feedgnuplot
Feedgnuplot is handy for plotting data streams realtime.
brew install feedgnuplot
# Tel Aviv travel bookmarks
- Breakfast club (dancing).
- Claro/Sarona Market.
- Drink Cafe hafuch at Rothschild 12.
- Jaffa's Flea market.
- Nightlife: Kuli Alma's hipster haven. Imperial craft cocktail bar (drink Gold fashioned).
- Park HaYarkon.
- Tel Aviv museum of art.
# Jerusalem travel bookmarks
- Jerusalem: Rooftop Mamilla restarurant.
# Nepal travel bookmarks
# Singapore notes
- Hotel Mono, 18 Mosque street #01-04.
- Buddha tooth relic museum.
- Best Hawker centers.
- Kong Meng San Phor Kark See Monastery.
- Go there (figure out fastest MRT route).
- What to eat at ABC Market (Hawker Centre) aka ABC Brickworks Food Centre?.
- Curry puffs (see Taste test: Crisp curry puffs).
- Singapore’s 17 Michelin-rated Hawker Stalls in 2016.
- Temples
- Hawkers
- Mr and Mrs Mohgan's Super Crispy Roti Prata (source) on Crane Road. Dhal/fish/mutton curry side.
- Roast Paradise (maybe) Address: #01-122 Old Airport Road Food Centre. Hours: Tues-Sun: 11am to 4pm or till sold out, Wed and Sun: 11am to 2pm, Closed on Mondays.
- Fatty Cheong, 肥仔详, (#01-120, ABC Brickworks Food Centre, 6 Jalan Bukit Merah Singapore 150006): char siew and xio bak rice and char siew noodles.
- Hoo Kee Bak Chang (Amoy Street Food Centre): bak zhang (glutinous rice dumpling). Try Choose from three kinds: chestnut ($2.80); chestnut with salted egg yolk ($3.60); and chestnut with mushroom ($3.60).
- Lim Kee (Orchard) Banana Fritters (Maxwell food centre, source).
- Mr Avocado Exotic Juice (Alexandra village food centre, source).
- Tanglin Crispy Curry Puff (Hong Lim Food Centre or Maxwell, source) (东陵酥皮咖喱角). Try sardine curry puff?
- Chuan Kee Satay (source). Long queue for pork satay.
- Selera Rasa Nasi Lemak (source).
- Fu Shun Jin Ji Shao La Mian Jia (Maxwell food centre, source): Char siu + noodles.
- Shanghai La Mian Xiao Long Bao (Alexandra Village food centre, source): xiao long bao or soup dumplings ($4.50 for 7 pieces).
- Timbre+ (hipster hawker centre? source).
- Supertree Grove (go at dusk, see lights turn on).
- Singapore Botanic garden.
- Ginger Garden.
- Palms valley.
- Orchid garden.
- Sri Mariamman Temple.
- Kusu Island?
- Chilly crab (“Jumbo” Chilli Crab Restaurant in Clarke Quay or Harvest Seafood Restaurant)?
- Afternoon tea?
- www.tea-chapter.com.sg
- Bumboats (£2.50 return) leave Changi Point between 6am and 9.30pm for the 10-minute crossing to Palau Ubin. Hire a bicycle in the village where the boats dock.
- Haji Lane (colorful road).
- Tiong Bahru 1930s public housing estate (**)
- Chong Yu Wanton Mee (Tiong Bahru Market And Food Centre #02-30, 30 Seng Poh Road, source).
- old-fashioned treats at Tiong Bahru Galicier (55 Tiong Bahru Rd).
- Chinatown
- Pek Sin Choon Tea: Oldest team merchants.
- Ang Mo Kio: Sri Mariamman Hindu temple.
- Strangelets: quirky stuff from around the world.
- 40 Hands: Allegedly one of most popular coffee joints.
- BooksActually: Coolest book shop.
- Keong Saik (next to Chinatown)
- 1939 Hotel.
- The Library (49 Keong Saik Rd): night drinks, ask for key/password next door (the-study.sg) (**)
- Mariko's (Now Phat Cat laundry): Maybe food or drink at night? (**)
- Rose Citron (23 Keong Said Rd): French and Asian articles.
- Everton park (old housing estate), new meets old
- Coffee
- Nylon coffee roasters (http://nyloncoffee.sg).
- Just Want Coffee (justwant.com.sg).
- Cozy corner coffee.
- Sweets
- Grin Affair (grinaffair.com): natural ingredients into glass jar creations.
- Batterworks (batter-works.com): pastries.
- http://cozycornercoffee.com.
- Seriously ice scream (facebook.com/seriouslyicecream).
- Ji Xiang Confectionery (jixiangconfectionery.com): Traditional glutinous sweets. (**)
- Food
- The Provision Shop (Blk 3 Everton Park): for a classic and affordable meal.
- Chew the Fat (Blk 6 Everton Park): comfort food.
- Eden's Kitchen (http://edenskitchen.sg): healthy, green tea, coconut oil, etc.
- Coffee
- Jalan Besar
- Char: unconventional char siu (source).
- The Banana Leaf Apollo (Little India).
- Beach Road Scissors-Cut (220 Jln Besar): Curry Rice. (**)
- Fu Zhou Poh Hwa Oyster Cake (166 Jln Besar): UFO-shaped snacks. (**)
- Swee Choon Tim Sum Restaurant: a dim sum institution!. (**)
- Papa Palheta coffee: best coffee in town?.
- General Company: awesome design and workshops. (**)
- The Bravery: brunch, aka awesome pancakes. (**)
- AEIOU: Retro shopping.
- Geylang (preserved shophouses and rich in Malay history)
- Hajjah Mona Nasi Padang (Geylang Serai food centre): Order nasi padang (try dry one).
- Biryani Express (Geylang Serai food centre)
- Red light district. Still?
- Brawn & Brains (Coffee).
- Old Geylang (crocodile, turtle soup, other oddities).
- Hi-Thrift (1 Geylang Rd): Second hand treasures? (**).
# Email provider bookmarks
# Go snippets
Command-line flags
import ( "flag" ) type args struct { flag1 string flag2 string arg string } func parseArgs() args { args := args{} flag.StringVar(&args.flag1, "flag1", "", "some flag 1 with sample `value`") flag.StringVar(&args.flag2, "flag2", "", "some flag 2 with sample `value`") flag.CommandLine.Usage = func() { fmt.Fprintf(os.Stderr, "Usage of %s:\n", os.Args[0]) fmt.Fprintf(os.Stderr, "\n myarg\n\n") flag.PrintDefaults() } flag.Parse() args.arg = flag.Arg(0) if args.flag1 == "" || args.flag2 == "" || args.arg == "" { flag.CommandLine.Usage() os.Exit(1) } return args }
# Javascript snippets
# Sydney travel bookmarks
- 17 Stunning Sydney Pools That Will Make You Want To Jump Back In The Water.
- 48 Hours in Sydney.
- Bourke Street Bakery.
- Collector Store (Surrey Hills).
- Coogee Pavilion.
- Four ate five.
- Harry's Cafe de Wheels: Famous for Pies and Peas, Meat Pies, Hot Dogs.
- Hurricane’s grill & bar Bondi beach.
- Lox Stock & Barrel.
- Marigold citymark (dim sum).
- Reuben Hills.
- Seans.
- Sydney's Best Markets - The Trusted Traveller.
- The eight (dim sum).
- The Glenmore.
- Three Blue Ducks.
# Laos travel bookmark
# Singapore travel bookmarks
- Any place to go thrift shopping in Singapore? (Reddit).
- East coast lagoon.
- Hillstreet Tai Hwa Pork Noodles: Everybody Queue up!.
- Little India.
- Second hand shopping in Singapore.
- Singapore's best hawker centres - Telegraph.
- The Insider's Guide to Singapore (SG Magazine Online).
- Treasure Hunt: 5 Places to thrift in Singapore.
- What is the best hawker center in singapore? (Reddit).
# Cambodia travel bookmarks
- Pub Street (Siem Reap, Cambodia).
# New York travel bookmarks
# API design bookmarks
- A bird's eye view on API development.
- A Guide to Designing and Building RESTful Web Services with WCF 3.5 (Microsoft).
- Best Practices for Designing a Pragmatic RESTful API.
- Build APIs You Won't Hate.
- Designing and Evaluating Reusable Components.
- Harry Moreno | API Design Link Roundup.
- How Do I Make This Hard to Misuse?.
- How to Design a Good API and Why it Matters (Google).
- How To Design A Good API and Why it Matters - YouTube.
- How to design API function creating objects: By Neil Henning.
- HTTP API Design Guide.
- JSON API — A specification for building APIs in JSON.
- Microsoft REST API Guidelines.
- Notes on RESTful APIs (Updated).
- REST API Documentation Best Practices.
- REST API Tutorial.
- REST+JSON API Design - Best Practices for Developers - YouTube.
- RESTful Service Design - UC Berkeley.
- Rusty's API Design Manifesto.
- Scott Meyers: The Most Important Design Guideline?.
- Swift.org - API Design Guidelines.
- Teach a Dog to REST.
- The Best API Documentation.
- The Little Manual of API Design (Jasmin Blanchette, Trolltech).
- Web API Design - Crafting interfaces that developers love.
- Write code that is easy to delete, not easy to extend.
# Handy pdf utilities
Straight out of How (and why) I made a zine, some handy utilities for generating pdfs…
Convert pngs to pdfs
# start with a bunch of PNG images of your zine pages # convert them all to PDF for i in *.png do # imagemagick is the best thing in the world convert $i $i.pdf done
Combine pdfs
# pdftk is awesome for combining pdfs into a single pdf pdftk *.pdf cat output zine.pdf
Reorder pdf pages
# pdfmod is a GUI that lets you reorder pages pdfmod zine.pdf
Add margins to pdf
# pdfcrop lets you add margins to the pdf. this is good because otherwise the # printer will cut off stuff at the edges pdfcrop --margin '29 29 29 29' zine.pdf zine-intermediate.pdf
Turn pdf into booklet
# pdfjam is this wizard tool that lets you take a normal ordered pdf and turn # it into something you can print as a booklet on a regular printer. # no more worrying about photocopying machines pdfjam --booklet true --landscape --suffix book --letterpaper --signature 12 --booklet true --landscape zine-intermediate.pdf -o zine-booklet.pdf
# Fuzzy search Emacs compile history
I wrote about searching bash history with Emacs Helm some time ago. Since then, I've learned about completing-read to generically handle simple Emacs completions (very handy for supporting Helm, Ivy, and Ido completions).
Here's a simple way to combine completing-read and the compile command to enable fuzzy searching your compile history:
(defun ar/compile-completing () "Compile with completing options." (interactive) (let ((compile-command (completing-read "Compile command: " compile-history))) (compile compile-command) (add-to-list 'compile-history compile-command)))
# Jumping on the Emacs 25 bandwagon
Can't miss out on all the new fun. Emacs 25 RC2 is out and lots of people already using it. Since I'm mostly on MacOS these days, installing via homebrew with –devel, gets you RC2:
brew install emacs --devel --with-cocoa --with-gnutls --with-librsvg --with-imagemagick
The only hiccup so far's been org mode failing to export, which was fixed by re-installing it (follow this thread).
# San Francisco's Mission District travel bookmarks
- Atlas Cafe.
- Blue Bottle Coffee.
- Cafe la Boheme.
- Clarion Alley.
- Coffee Bar.
- Dynamo donut & coffee.
- Four Barrel Coffee.
- Grand Coffee.
- Haus Coffee.
- Kafe 99.
- Linea cafe.
- Mission skateboards.
- Nakamoto's Bitcoin shop.
- Philz Coffee.
- Ritual Coffee roasters.
- Rodger's coffee & tea.
- Sightglass Coffee.
- Stable Cafe.
- Sugar lump coffee lounge.
# Moscow travel bookmarks
# Vietnam travel bookmarks
# Pokémon Go bookmarks
# Coffee bookmarks
# Machine learning bookmarks
# Emacs and emotional vocab
Having read Are You in Despair? That’s Good, I was encouraged to expand my emotional vocabulary. As a zone.el fan (checkout nyan, sl, and rainbow), I looked into writing a zone program. When zone-when-idle is set, zone acts as a screensaver of sorts. We can use this to display random emotional vocab whenever Emacs is idle for a period of time. Let's get to it…
Zone keeps a list of programs to choose from when kicked off. Below is a basic zone-hello program, along with an interactive command for previewing. Not much to these. The tiny program prepares the screen for zoning and inserts text while no input is pending.
(defun zone-hello () (delete-other-windows) (setq mode-line-format nil) (zone-fill-out-screen (window-width) (window-height)) (delete-region (point-min) (point-max)) (goto-char (point-min)) (while (not (input-pending-p)) (insert "hello zone\n") (zone-park/sit-for (point-min) 0.2))) (defun zone-hello-preview () (interactive) (let ((zone-programs [zone-hello])) (zone)))
Here's what zone-hello looks like:
Back to improving our emotional vocabulary, we'll need a dictionary for our goal. A quick search yields a potential list of words. We can use WordNet to define them while offline. These two sources will do for now. We tie it all together in zone-words.el and the resulting zone program looks as follow:
UPDATE: Just came across Animations With Emacs. A post with awesome zone examples.
# Emacs: Find number of days between dates
Needed to find the number of days between two dates. Emacs calendar must know this…
- Fire up the manual (M-x info-emacs-manual or C-h r).
- Info-goto-node (or g).
- Type "counting days" and voilá:
To determine the number of days in a range, set the mark on one date using `C-<SPC>', move point to another date, and type `M-=' (`calendar-count-days-region'). The numbers of days shown is inclusive; that is, it includes the days specified by mark and point.
Note: you can use the mouse to jump to another date, or "g d" (calendar-goto-date).
# RoutingHTTPServer snippet
RoutingHTTPServer snippet:
RoutingHTTPServer *routingHTTPServer = [[RoutingHTTPServer alloc] init]; [routingHTTPServer setPort:8000]; [routingHTTPServer setDefaultHeader:@"Server" value:@"YourAwesomeApp/1.0"]; [routingHTTPServer handleMethod:@"GET" withPath:@"/hello" block:^(RouteRequest *request, RouteResponse *response) { [response setHeader:@"Content-Type" value:@"text/plain"]; [response respondWithString:@"Hello!"]; }]; NSError *error = nil; if (![routingHTTPServer start:&error]) { NSLog(@"Error starting HTTP Server: %@", error); }
# Alaska travel bookmarks
- Anchorage.
- Denali NP.
- Exit Glacier / Kenai Fjord NP.
- Ice Falls Hike.
- Iditarod race husky camp.
- Seward: Kenai Fjord Wildlife cruise (Major Marine cruises).
- Talkeetna fishing.
# On UIViewController madness (reading backlog)
- TODO 8 Patterns to Help You Destroy Massive View Controller.
- TODO Blending Cultures: The Best of Functional, Protocol-Oriented, and Object-Oriented Programming.
- TODO Dan Abramov - Live React: Hot Reloading with Time Travel.
- TODO Comparing Reactive and Traditional.
- TODO ReSwift: Getting Started.
- TODO StateView is a UIView substitute that automatically updates itself when data changes.
- TODO The Objective-C version to "Comparing Reactive and Traditional".
- TODO Let's Play: Refactor the Mega Controller!.
- TODO How to use Redux to manage navigation state in a React Native.
- TODO StateView: UIView substitute automatically updating itself when data changes.
- TODO Mysteries of Auto Layout, Part 2.
- TODO Netflix JavaScript Talks - RxJS Version 5.
- TODO Reactive Streams.
- TODO Google Agera vs. ReactiveX.
# When OOO impulse kicks in…
- You start moving trivial bits of code into classes, with the anticipation that you might use it one day. Stop.
- On naming, semantic clarity trumps brevity. Yup, the verbosity may be worth it.
# Pakistan travel bookmarks
- Lahore.
- Karachi.
- Rabelpindi.
# Money bookmarks
# Scotland travel bookmarks
# St. Petersburg travel bookmarks
# iOS github bookmarks
- A floating UIToolBar replacement as seen in the iOS 10 Maps app.
- FormatterKit: a collection of well-crafted NSFormatter subclasses for things like units of information, distance, and relative time intervals.
- KZFileWatchers (observer file changes).
- Translucid: Simple and light weight UIView that animate text with an image.
- YouXianMing's animation collection.
- ZHPopupView.
# 8 week half-marathon training
An 8-week training schedule:
| WEEK | MON | TUE | WED | THU | FRI | SAT | SUN |
|---|---|---|---|---|---|---|---|
| 1 | Rest | 5 Km | 5 Km | Rest | 5 Km | ||
| 29:56 | 29:54 | 29:45 | 1:00:55 | ||||
| 2 | Rest | 7 Km | 5 Km | Rest | 5 Km | 10 Km | |
| 41:36 | 27:52 | 28:23 | 59:17 | ||||
| 3 | Rest | 5 Km | Rest | 5 Km | 12 Km | ||
| 49:29 | 29:33 | 27:50 | 1:06 | ||||
| 4 | Rest | 8 Km | Rest | 8 Km | Rest | 5 Km | 14 Km |
| 46:39 | 49:28 | 29:40 | |||||
| 5 | Rest | 8 Km | Rest | Rest | |||
| 48:50 | 53:38 | ||||||
| 6 | Rest | 8 Km | Rest | 8 Km | 19 Km | ||
| 51:39 | 37:09 | 2:02 | |||||
| 7 | Rest | 8 Km | Rest | 12 Km | Rest | 8 Km | 16 Km |
| 52:55 | |||||||
| 8 | Rest | 8 Km | Rest | 5 Km | 5 K | Rest | Race |
# Haskell bookmarks
# Haskell notes
Referential transparency
An expression consistently evaluating to the same result, regardless of context.
References
# Emacs Objective-C tagging with RTags
Install libclang on Mac
brew install llvm --with-clang
Install RTags
git clone --recursive https://github.com/Andersbakken/rtags.git
cd rtags
cmake -DCMAKE_PREFIX_PATH=/Users/your-user-name/homebrew/opt/llvm -DCMAKE_EXPORT_COMPILE_COMMANDS=1 .
make
Start RTags daemon
path/to/rtags/bin/rdm 2> /tmp/rdm.log
Compilation database
Install xctool
brew install xctool
Generate a compilation database
cd path/to/your/objc-project
xctool -sdk iphonesimulator -arch x86_64 -scheme SomeScheme -reporter pretty -reporter json-compilation-database:compile_commands.json clean build
Load compilation database
path/to/rtags/bin/rc -J path/to/your/objc-project/compile_commands.json
Install RTags Emacs package
(use-package rtags :ensure t :config (setq rtags-use-helm t) ;; Optional. Enable if helm fan (I am!). (setq rtags-path "path/to/rtags/bin/"))
Ready to go
Use any of the rtags interactive commands. For example:
M-x rtags-find-symbol
References
# Database bookmarks
# Bruges travel bookmarks
- assietteblanche.be.
- Beer flavored meals at Den Dyver.
- bistrozwarthuis.be.
- Eat fries in front of the belfry and climb it.
- kok-au-vin.be.
- kurtspan.be.
- Minnewater and the old Beguinage.
- Old Saint john's Hospital.
- Relic of the Holy Blood and City hall.
- restomojo.tk.
- The Chocolate Line.
- The Garre, near the Burg and drink their house Tripel.
- tomsdiner.be.
- Try out Straffe Hendrik beer at brewery terrace.
- Walk behind Gruuthuse over the little Saint Bonifaas bridge.
# Emacs lisp snippets
Find file upwards, up parents, up hierarchy
(locate-dominating-file FILE NAME)
Find executable in PATH
(executable-find COMMAND)
Read string with completion (helm/ido/ivy friendly)
(completing-read PROMPT COLLECTION &optional PREDICATE REQUIRE-MATCH INITIAL-INPUT HIST DEF INHERIT-INPUT-METHOD)
Execute command/process and return list (similar to shell-command-to-string)
(process-lines PROGRAM &rest ARGS)
Iterating org buffer
(org-element-map (org-element-parse-buffer) '(headline link) (lambda (element) (cond ((and (eq (org-element-type element) 'headline) (= (org-element-property :level element) 1)) (print "headline")) ((eq (org-element-type element) 'link) (print "link"))) nil))
# iOS development books bookmarks
- Codeschool iOS.
- Developing iOS 7 Apps for iPhone and iPad (Standford lectures).
- Effective Objective-C.
- iOS 9 programming cookbook.
- iOS Drawing Practical UIKIt Solutions.
- iOS Programming: The Big Nerd Ranch Guide.
- iOS7 Programming Pushing the Limits.
- Objc-C Zen book.
- Objective-C Programming: The Big Nerd Ranch Guide (Big Nerd Ranch Guides).
# React/flux iOS implementation bookmarks
- CLAFluxDispatcher: A port of Facebook's Flux Dispatcher to Objective-C.
- ComponentKit.
- Flux for iOS by Sergey Zenchenko.
- FLUX implementation in Objective-C.
- MUKContentRedux: provides a store for immutable data which can be updated only applying actions.
- ReSwift Redux-like implementation of the unidirectional data flow architecture in Swift.
# Some modern Objective-C idioms
NSNumber literals
NSNumber *number1 = @1024; NSNumber *number2 = @1024.123f; NSNumber *number3 = @'A'; NSNumber *number4 = @YES; NSNumber *number5 = @24ul; // Unsigned long. NSNumber *number6 = @123456ll; // Long Long. NSNumber *number7 = @5050.50; // Float. NSNumber *number8 = @1543; // Integer NSNumber *number9 = @111.456; // Double
Array literals
NSArray *names = @[@"John", @"Peter", @"Jaye", @"George", @"Max"]; NSArray *mutableNames = [@[@"John", @"Peter", @"Jaye", @"George", @"Max"] mutableCopy];
# Cross-platform development bookmarks
# Generating a random MAC address
As some point I had to generate a random MAC address. This is the snippet I used:
import random def randomMAC(): mac = [0x00, 0x16, 0x3e, random.randint(0x00, 0x7f), random.randint(0x00, 0xff), random.randint(0x00, 0xff), ] return ':'.join(map(lambda x: "%02x" % x, mac)) print 'MAC => %s' % randomMAC()
MAC => 00:16:3e:7e:f7:fa
# Defined elisp variables matching regexp
You can use "M-x apropos-variable" to get documentation for variables matching a pattern. For more flexibility, some elisp can help with getting a list of all variables matching a regexp:
(defun ar/variables-matching-pattern (pattern) "Get a list of all variables matching PATTERN." (let ((matched-variables '())) (mapatoms (lambda (symbol) ;; Symbol is variable? (when (and (boundp symbol) (string-match pattern (symbol-name symbol))) (add-to-list 'matched-variables symbol)))) matched-variables)) (let ((variables "")) (mapc (lambda (variable-symbol) (setq variables (concat variables (format "%s => %s\n" (symbol-name variable-symbol) (symbol-value variable-symbol))))) (ar/variables-matching-pattern "^tern-.*")) variables)
tern-mode-keymap => (keymap (3 keymap (4 . tern-get-docs) (3 . tern-get-type) (18 . tern-rename-variable)) (27 keymap (44 . tern-pop-find-definition) (67108910 . tern-find-definition-by-name) (46 . tern-find-definition))) tern-update-argument-hints-async => nil tern-known-port => nil tern-mode => nil tern-activity-since-command => -1 tern-project-dir => nil tern-last-point-pos => nil tern-last-completions => nil tern-explicit-port => nil tern-idle-time => 2.5 tern-find-definition-stack => nil tern-last-argument-hints => nil tern-idle-timer => nil tern-server => nil tern-last-docs-url => nil tern-buffer-is-dirty => nil tern-command-generation => 0 tern-flash-timeout => 0.5 tern-update-argument-hints-timer => 500 tern-mode-hook => nil tern-command => (tern)
# Proselint via Emacs flycheck
Based on Linting Prose in Emacs…
Needs proselint installed:
pip install proselint
Also needs a flycheck checker defined:
(flycheck-define-checker proselint "A linter for prose." :command ("proselint" source-inplace) :error-patterns ((warning line-start (file-name) ":" line ":" column ": " (id (one-or-more (not (any " ")))) (message) line-end)) :modes (gfm-mode markdown-mode org-mode text-mode)) (add-to-list 'flycheck-checkers 'proselint)
# Generate go struct definition from json file
From Generate go struct definition from json file, and before I forget:
curl http://url.tld/file.json | gojson -name=Repository
# Doh! undo last commit (Magit edition)
I previously noted how to undo your last git commit (ie. soft reset). Using Magit:
- M-x magit-log-current.
- Move point to prior revision.
- M-x magit-reset-soft (defaults to revision at point).
Or if you want a single function:
(require 'magit) (defun ar/magit-soft-reset-head~1 () "Soft reset current git repo to HEAD~1." (interactive) (magit-reset-soft "HEAD~1"))
# Redux bookmarks
- A different way of supplying React-components with state.
- A SoundCloud client in React and Redux (Hacker News).
- Awesome redux (collection of libraries in ecosystem).
- Building React Applications with idiomatic redux (Hacker News).
- Curated awesome Redux tutorial and resource links.
- Connecting Redux to your API.
- Flux Standard Action utilities for Redux.
- How to integrate Redux with very large data-sets and IndexedDB? (Stack Overflow).
- Introducing Redux operations.
- Managing data flow on the client-side.
- Motivation for flux.
- NavigationExperimental notes.
- Presentational and Container Components.
- React-redux official bindings.
- React: Flux Architecture (ES6) - Course by @joemaddalone @eggheadio.
- Reactive Programming with RxJS.
- Redux async actions.
- Redux best practices.
- Redux code examples.
- Redux ecosystem links.
- Redux promise.
- Redux state persistence with a database (State Overflow).
- Redux thunk.
- Redux: Opinions/examples of how to do backend persistence? (Stack Overflow).
- RefluxCocoa: an implementation of Reflux in Objective-C.
- Rules for structuring (redux) applications .
- The case for flux.
- Two weird tricks with redux.
- TypeScript Redux.
# Javascript tips backlog
- TODO Tern.js with Atom.
- TODO Object spread syntax proposed for ES7.
- TODO if (typeof myvar
='undefined') … - TODO copy object and set with Object.assign({}, state, {property: newValue}).
- TODO Use ES6 computed property syntax.
- TODO ES6 syntax: import * as reducers from './reducers'.
# Emacs lisp tips backlog
- TODO Signal: a library offering enriched hook-like features.
- TODO Debugging tips.
- TODO Examples of Emacs modules.
- TODO htop-like CPU and memory graphs for Emacs.
- TODO Timp: multithreading library.
- TODO Effortless Major Mode Development.
- TODO cl-spark implementation of Zach Holman's spark and Gil Gonçalves' vspark with little extension.
- TODO map.el for map-like collections built-in as of 25.1.
- TODO Standard library for key/value data structures.
- TODO Making Elisp regex look nicer.
- TODO Adapting code using the old defadvice.
- TODO seq.el sequence library built-in as of 25.1.
- TODO Binding of parson JSON parser.
- TODO Helm-dash find-as-you-type.
- TODO Org mode - Parsing rich HTML directly when pasting? (Stack Overflow).
- TODO From @_wilfredh, use (interactive "*") for commands that edit the buffer, so they show a helpful error if the buffer is read only.
# Entering accents in Emacs
Via Irreal's Entering Accented Characters in Emacs, a reminder on how to enter accents using C-x 8. For example:
C-x 8 ' A -> Á
# Really delete iPhone photos
After deleting photos, go to:
Albums -> Recently Deleted -> Select -> Delete All
# Vancouver travel bookmarks
# Schnitzel recipe
Since eating at Fischers's, I've been inclined to make Schnitzel. This is my attempt.
Ingredients
- Salt and ground black pepper.
- All-purpose flour.
- Eggs (beaten).
- Bread crumbs (natural).
- Oil.
Preparation
- Flatten the pork/chicken/veal.
- Season (salt and pepper).
- Heat pan with a generous amount of oil.
- Dip into flour -> egg -> bread crumbs.
Garnish
- Anchovies.
- Capers.
Photo
# Hot reloading with react and redux
By Robert Knight (@robknight_).
Checkout
- Browserify.
- Webpack (more stable?).
- React-transform-hmr.
- Reselect: A redux selector for redux.
# Converting Unix epoc time to human readable date
GNU
date -d @192179700
Tue Feb 3 07:15:00 GMT 1976
BSD/OS X
date -r 192179700
Tue Feb 3 07:15:00 GMT 1976
# Objective-C bookmarks
- Adopting Nullability Annotation.
- Adopting Objective-C generics.
- Cocoa at Tumblr.
- Curated list of awesome Objective-C frameworks, libraries and software.
- Documenting in Xcode with HeaderDoc Tutorial.
- How Do I Declare A Block in Objective-C?.
- Introduction to MVVM.
- Nullability and Objective-C.
- Ole Begemann's page.
- ReactiveCocoa.
- The Xcode Build System.
- Tip: Avoid retain cycles without doing the strong to weak dance.
- Using Swift String enums in Objective-C.
# Timesink bookmarks
# Suspend and reattach processes
Via climagic's Suspend and reattach a process to screen:
longcmd ; [Ctrl-Z] ; bg ; disown ; screen ; reptyr $( pidof longcmd )
# Czech Republic travel bookmarks
# Append jpegs in a video sequence
Via climagic's make slideshow from *.jpg:
for p in *.jpg; do ffmpeg -loop_input -f image2 -i $p -t 3 -r 4 -s 1080x720 -f avi - >> slides.avi; done
# Typescript bookmarks
# Hiding HTML elements
Hide with display:none (exclude from layout) and visibility:hidden (include in layout).
# Echo Emacs keybiding from function name
Picked up via Emacs Redux's Display the Keybinding for a Command With Substitute-command-keys, with my own example:
(message (substitute-command-keys "Press \\[ar/ox-html-export] to export org file"))
Press <f6> to export org file
# Emacs dired for batch byte compilation
Recently updated org-mode and started seeing an invalid function error:
Error (use-package): ob :config: Invalid function: org-babel-header-args-safe-fn
Just learned dired enables you to mark files and byte compile via M-x dired-do-byte-compile.
# Serializing to JSON on iOS
NSDictionary *dictionary = @{ @"key1" : @"val1", @"key2" : @"val2", @"key3" : @"val3", @"key4" : @"val4", @"key5" : @"val5", @"key6" : @"val6", }; NSError *error; NSData *jsonData = [NSJSONSerialization dataWithJSONObject:dictionary options:0 error:&error]; if (error) { // noooooooooo! } NSString *json = [[NSString alloc] initWithData:jsonData encoding:NSUTF8StringEncoding];
# Fischer's London: yes, but…
Yes
Step into a Viennese blast from the past. Beautiful setting and pleasant vibe. Ordered a dirty martini on the rocks, a bottle of Merlot, Käsespätzle (with bacon), and Wiener Schnitzel (with anchovy/capers/egg). All very tasty.
But…
Surprisingly, desserts (Topfenstrudel, Berggasse and coffee) were nothing spectacular. Also not a cheap eat (£50 per person).
Photos
# Polar travel bookmarks
# Sweden travel bookmarks
- Vasa Museum.
- Fäviken restaurant (world's most isolated restaurant).
# Handwriting bookmarks
# Chocolate fondant recipe
My girlfriend recently made a delicious chocolate fondant. Saving the The Guardian's recipe:
Ingredients (2 servings)
- 60g unsalted butter, cut into dice, plus extra to grease
- 1 tbsp cocoa powder
- 60g dark chocolate, broken into pieces
- 1 egg and 1 egg yolk
- 60g caster sugar
- 1 tbsp plain flour
Preparation
- Pre-heat the oven to 200C if cooking immediately, and put a baking tray on the middle shelf. Butter the inside of 2 small ramekins or pudding moulds, and then put the cocoa in one and turn it to coat the inside, holding it over the second mould to catch any that escapes. Do the same with the other mould.
- Put the butter and chocolate into a heatproof bowl set over, but not touching, a pan of simmering water and stir occasionally until melted. Allow to cool slightly.
- Vigorously whisk together the egg, yolk, sugar and a pinch of salt until pale and fluffy. Gently fold in the melted chocolate and butter, and then the flour. Spoon into the prepared moulds, stopping just shy of the top – at this point the mixture can be refrigerated until needed, or even frozen, as the puddings will not wait around once cooked.
- Put on to a hot baking tray and cook for 12 minutes (14 if from cold, 16 if frozen) until the tops are set and coming away from the sides of the moulds. Leave to rest for 30 seconds and then serve in the ramekins or turn out on to plates if you're feeling confident – they're great with clotted cream or plain ice cream.
# Parenting bookmarks
# Ippudo London: yes, but…
Yes
Central St. Giles location. Ordered a Kirin Ichiban beer and a Spicy Tonkotsu with a seasoned boiled egg. Awesome medium-spice broth, tasty egg and firm noodles. Got additional noodles for £1.50.
But…
The space feels soulless. Think generic, chain, Pizza Express…
Photos
# Added Emacs zone-rainbow
kawabata's zone-rainbow popped up on melpa today. Added to zone-programs. Just because :)
(use-package zone-rainbow :ensure t :after zone :config (setq zone-programs (vconcat [zone-rainbow] zone-programs)))
# Safari's Web Inspector keyboard shortcuts
Via WebKit's blog, Web Inspector Keyboard Shortcuts:
- ⌃⌘Y or ⌘\ continue.
- F8 or ⇧⌘; step out.
- F7 or ⌘; step in.
- F6 or ⌘’ step over.
# Copenhagen travel bookmarks
- Christiania.
- Mikkeller Bar.
- Hija de Sanchez restaurant.
- Marv og Ben restaurant.
- Schonnemann restaurant.
- Tivoli.
- Torvehallerne (food).
# Import UIKit for simpler debugging
I bookmarked An @import-ant Change in Xcode and immediately forgot about it. The gist is to import UIKit to simplify inspecting objects during an lldb session:
(lldb) expr @import UIKit
Shorten typing by creating aliases in ~/.lldbinit:
command alias uikit expr @import UIKit command alias foundation expr @import Foundation
# iOS development tips backlog
# Basic Emacs keybindings on Linux desktop
Miss C-a, C-e in your browser and other Linux apps? You can enable the GTK Emacs key theme:
$ gsettings set org.gnome.desktop.interface gtk-key-theme "Emacs"
or if on Cinnamon:
$ gsettings set org.cinnamon.desktop.interface gtk-key-theme Emacs
If your desktop environment is not running gnome-settings-daemon, start it with:
$ gnome-settings-daemon
More at Emacs Keybindings in Chrome Without Gnome and How to get Emacs key bindings in Ubuntu.
# Emacs Objective-C completion with Irony
Install libclang on Mac
brew install llvm --with-clang
Configure Emacs
(use-package irony :ensure t :config (add-hook 'objc-mode-hook 'irony-mode) (add-hook 'irony-mode-hook 'irony-cdb-autosetup-compile-options)) (use-package company-irony :ensure t :config (add-hook 'objc-mode-hook (lambda () (setq-local company-backends '((company-irony))))) (add-hook 'irony-mode-hook 'company-irony-setup-begin-commands))
install irony server
Run:
M-x irony-install-server
NOTE: Needs libclang: Install with "brew install llvm –with-clang" By default, irony-install-server did not find libclang on Mac OS. irony-install-server invokes cmake for you. Work around by adding:
-DCMAKE_PREFIX_PATH=/Users/your-user-name/homebrew/opt/llvm
For example:
cmake -DCMAKE_PREFIX_PATH=/Users/your-user-name/homebrew/opt/llvm -DCMAKE_INSTALL_PREFIX\=/Users/your-user-name/.emacs.d/irony/ /Users/your-user-name/.emacs.d/elpa/irony-20160106.1223/server && cmake --build . --use-stderr --config Release --target install
Compilation database
Install xctool
brew install xctool
Generate compilation database
xctool -sdk iphonesimulator -arch x86_64 -scheme SomeScheme -reporter pretty -reporter json-compilation-database:compile_commands.json clean build
Set Irony's database path
M-x irony-cdb-json-add-compile-commands-path
# Finland travel bookmarks
- 36 Hours in Helsinki.
- Boat to the Baltics; Tallinn (Estonia).
- Helsinki - Suomenlinna (former maritime fortress).
- Lapland (husky sledding, reindeer, Santa Claus village).
- Rovaniemi for reindeer, dog sled, santaland, artic circle photos.
# Northern lights travel bookmarks
- Aim for a new moon (eg. 2016-01-10 or 2016-02-08).
- Aim for auroral zone.
- Guide Gunnar will go distance to ensure you see the lights.
- Kiruna Sleddog Tours.
- Tromsø's reindeer racing.
- Tromsø.
- Hundekjøring: drive your own sled.
- Tromsø whale watching.
# Mexico travel bookmarks
# Emacs highlight-symbol-mode
Been a fan of highlight-thing-mode. It automatically highlights all instances of symbol at point. Today, I gave highlight-symbol a try. Similar concept, but also adds the ability to jump to next/previous instances of symbol at point.
(use-package highlight-symbol :ensure t :config (set-face-attribute 'highlight-symbol-face nil :background "default" :foreground "#FA009A") (setq highlight-symbol-idle-delay 0) (setq highlight-symbol-on-navigation-p t) (add-hook 'prog-mode-hook #'highlight-symbol-mode) (add-hook 'prog-mode-hook #'highlight-symbol-nav-mode))
# Gandhi's ever-contemporary wisdom
Anger
"I do get angry, but I feel angry with myself for it. Full conquest of anger is possible only through self-realization. We should love even those who have the worst opinion of us. This is ahimsa, the rest is only ignorance."
Bad handwriting
"I am now of opinion that children should first be taught the art of drawing before learning how to write. Let the child learn his letters by observation as he does different objectives, such as flowers, birds, etc., and let him learn handwriting only after he has learned to draw objects."
Conduct of the Ashram
"Service without humility is selfishness and egotism."
Eating
"There is a great deal of truth in the saying that man becomes what he eats. The grosser the food, the grosser the body."
Heart
"There are chords in every human heart. If we only know how to strike the right chord, we bring out the music."
Moral law
The law of truth and love.
Renouncing or forgoing
Nishkulanand sings: "Renunciation of objects, without the renunciation of desires, is short-lived, however hard you may try."
Silence
"Man spoils matters much more by speech than by silence."
Time
"Every minute that runs to waste never returns. Yet, knowing this, how much time do we waste?"
The palate
"Turn to the birds and beasts, and what do you find? They never eat merely to please the palate, they never go on eating till their inside is full to overflowing. And yet, we regard ourselves as superior to the animal creation!"
Vow of Swadeshi
"The person who has taken the vow of swadeshi will never use articles which conceivably involve violation of truth in their manufature or on the part of their manufacturers."
# Functional programming bookmarks
# 9 Productivity tips
From HBR's 9 Productivity Tips from People Who Write About Productivity:
- Block time away from reactive tasks (email).
- Business = wasted energy.
- Exercise, sleep, and 90 minute work bursts.
- Incomplete tasks prompt healthy thinking out of context.
- Time off or stepping back is invaluable.
- Genuinely help were most successful/enjoyable.
- Plan for saying no while highlighting priority and seeking feedback.
- Measure important behavior change.
- Make time now (automate, simplify, etc.).
# First meal of 2016
Pancakes
- 1 teaspoon of salt.
- 1.5 cups of milk.
- 2 cups of flour.
- 2 eggs.
- 2 tablespoons sugar.
- 4 tablespoons of melted butter.
- 6 teaspoons of baking powder.
Makes 10/11 pancakes.
# Last meal of 2015
For our last meal of 2015, I contributed dal and rotis. This is my first attempt at making either one of these. Both recipes based on Anupy Singla's Indian for Everyone.
Dal Makhani (Buttered black lentils)
Roti-Chapati-Phulka
# Find in $PATH with type and which
I typically use which to figure out the first binary found in $PATH:
which -a emacsclient
/Users/user/homebrew/bin/emacsclient /usr/bin/emacsclient
I always forget about type though:
type -a emacsclient
emacsclient is /Users/user/homebrew/bin/emacsclient emacsclient is /usr/bin/emacsclient
# npm basics
Global vs local package installation location
{prefix}/lib/node_modules
vs
path/to/project/node_modules
View npm config
npm config list
; cli configs user-agent = "npm/2.14.2 node/v4.0.0 darwin x64" ; node bin location = /Users/user/.nvm/versions/node/v4.0.0/bin/node ; cwd = /Users/user/stuff/active/blog ; HOME = /Users/user ; 'npm config ls -l' to show all defaults.
Get config value
npm config get prefix
/Users/user/.nvm/versions/node/v4.0.0
Set config value
npm config set prefix=$HOME/some/location
Install package globally
node install --global <package-name>
or
node install -g <package-name>
List global packages
npm list --global
You can also use –depth=0 to make less verbose.
/Users/user/.nvm/versions/node/v4.0.0/lib ├─┬ babel-eslint@4.1.3 │ ├── acorn-to-esprima@1.0.4 │ ├─┬ babel-core@5.8.25 │ │ ├── babel-plugin-constant-folding@1.0.1 │ │ ├── babel-plugin-dead-code-elimination@1.0.2 ...
Install local package
npm install <package-name> --save
–save will add <package-name> dependency to your package.json.
package.json
See using a package.json.
Uninstall package
npm uninstall <package-name>
Install package at version
npm install <package-name>@1.7.0
Search packages
npm search linter
Online documentation
Online documentation is great so far. More at docs.npmjs.com.
# Clojure bookmarks
# Mac OS X tips backlog
- TODO Uebersicht: Keep an eye on what is happening on your machine and in the World.
- DONE Kwm: Tiling window manager with focus follows mouse for OSX.
cp ~/homebrew/Cellar/kwm/1.1.3/homebrew.mxcl.kwm.plist ~/Library/LaunchAgents/ launchctl load ~/Library/LaunchAgents/homebrew.mxcl.kwm.plist
- DONE Turn off shadows with ShadowToggle.
- DONE Disk Inventory X: disk usage utility for Mac.
# Search bash history with Emacs helm
Following up from changing CWD with helm projectile, here's a way to search your bash history with helm:
(defun ar/helm-helm (title candidates on-select-function) "Helm with TITLE CANDIDATES and ON-SELECT-FUNCTION." (helm :sources `((name . ,title) (candidates . ,candidates) (action . ,on-select-function)) :buffer "*helm-exec*" :candidate-number-limit 10000)) (defun ar/shell-send-command (command) "Send COMMAND to shell mode." (assert (string-equal mode-name "Shell") nil "Not in Shell mode") (goto-char (point-max)) (comint-kill-input) (insert command) (comint-send-input)) (defun ar/helm-shell-search-history () "Narrow down bash history with helm." (interactive) (assert (string-equal mode-name "Shell") nil "Not in Shell mode") (ar/helm-helm "bash history" (with-temp-buffer (insert-file-contents "~/.bash_history") (reverse (delete-dups (split-string (buffer-string) "\n")))) #'ar/shell-send-command))
Bonus: Replace existing M-r binding to use ar/helm-shell-search-history.
(bind-key "M-r" #'ar/helm-shell-search-history shell-mode-map)
# View DICOM files from your X-ray
Got a CD with my chest X-ray from the hospital. Was expecting a pdf or an image of sorts, but the CD content was rather different. For starters, it was targeted at Windows users (AUTORUN.INF, MediaViewerLauncher.EXE and a bunch of DLLs):
$ find . -exec file --mime-type '{}' \;
./AUTORUN.INF: text/plain
./DICOMDIR: application/dicom
./MediaViewerLauncher.EXE: application/octet-stream
...
./Libraries/BASEPRINTER.DLL: application/octet-stream
./Libraries/CDDATABURNER.DLL: application/octet-stream
./Libraries/COM.DLL: application/octet-stream
...
./Libraries/ACE.DLL: application/octet-stream
./Libraries/ACE_SSL.DLL: application/octet-stream
./Libraries/ATL90.DLL: application/octet-stream
...
./DICOM/PAT_0000: application/x-directory
./DICOM/PAT_0000/STD_0000/SER_0000/OBJ_0001/IM_0001: application/dicom
./DICOM/PAT_0000/STD_0000/SER_0001/OBJ_0001/ED_0001: application/dicom
./DICOM/PAT_0000/STD_0000/SER_0002/OBJ_0001/ED_0001: application/dicom
./Worklist/ClinicalInfo/067eccde-b299-e511-9114-005056ad3afe.mht: text/html
./Worklist/Report/067eccde-b299-e511-9114-005056ad3afe.mht: text/html
./Worklist/Worklist.wl: application/octet-stream
I'm on a Mac, so most of these files were not useful to me. The more interesting files were IM_0001 and ED_0001 with "application/dicom" MIME type. DICOM files stand for Digital Imaging and Communications in Medicine. How to view these on a Mac? OsiriX viewer is an option. OsiriX, though on the heavy side (100.7MB download), it rendered the X-ray successfully.
Unsurprisingly, ImageMagick's convert utility also handles DICOM files. Converting to PNG worked well.
$ convert ./DICOM/PAT_0000/STD_0000/SER_0001/OBJ_0001/ED_0001 ED_0001.png
DICOM files also hold patient's metadata and optional reports. The file format is well known. OsiriX gives you access to it, but a few lines of python can also extract it for you. First install the pydicom package:
$ sudo pip install pydicom
Running the python interpreter is enough to peak at the metadata:
>>> import dicom >>> ds = dicom.read_file("./DICOM/PAT_0000/STD_0000/SER_0000/OBJ_0001/IM_0001") >>> ds
(0008, 0000) Group Length UL: 400 (0008, 0005) Specific Character Set CS: 'ISO_IR 100' (0008, 0016) SOP Class UID UI: Computed Radiography Image Storage (0008, 0020) Study Date DA: '20151203' (0008, 0021) Series Date DA: '20151203' (0008, 0023) Content Date DA: '20151203' (0008, 0030) Study Time TM: '120519.000000' (0008, 0031) Series Time TM: '120520.000000' (0008, 0033) Content Time TM: '120643.000000' (0008, 0060) Modality CS: 'CR' (0008, 0070) Manufacturer LO: 'Canon Inc.' ...
There were other DICOM files with a report:
>>> import dicom >>> ds = dicom.read_file("./DICOM/PAT_0000/STD_0000/SER_0001/OBJ_0001/ED_0001") >>> ds
(0008, 0005) Specific Character Set CS: 'ISO_IR 100' (0008, 0016) SOP Class UID UI: Encapsulated PDF Storage ... (0042, 0012) MIME Type of Encapsulated Document LO: 'application/pdf'
DCMTK is another alternative tool to extract DICOM metadata. The source is available and can be built:
$ tar xf dcmtk-3.6.0.tar.gz $ cd dcmtk-3.6.0 $ cmake . $ make
Or installed via homebrew:
$ brew install dcmtk
DCMTK includes dcmdump. You can use it to dump DICOM files:
$ dcmdata/apps/dcmdump DICOM/PAT_0000/STD_0000/SER_0000/OBJ_0001/IM_0001
# Dicom-File-Format # Dicom-Meta-Information-Header # Used TransferSyntax: Little Endian Explicit (0002,0000) UL 192 # 4, 1 FileMetaInformationGroupLength (0002,0001) OB 01\00 # 2, 1 FileMetaInformationVersion (0002,0002) UI =ComputedRadiographyImageStorage # 26, 1 MediaStorageSOPClassUID (0002,0003) UI [1.2.392.200046.100.2.1.1.42667.20151203120519.1.1.1] # 52, 1 MediaStorageSOPInstanceUID (0002,0010) UI =LittleEndianExplicit # 20, 1 TransferSyntaxUID (0002,0012) UI [1.3.46.670589.42.1.4.4.5] # 24, 1 ImplementationClassUID (0002,0013) SH [PhilipsISPACS445] # 16, 1 ImplementationVersionName ...
Of interest, David Clunie's Medical Image Format Site.
# Tip: GOOGLETRANSLATE your Spreadsheet
Examples from reference:
=GOOGLETRANSLATE("Hello World","en","es")
=GOOGLETRANSLATE(A2,B2,C2)
=GOOGLETRANSLATE(A2)
# Organize your data with camlistore
Checking out camlistore to organize all sorts of data. Scaleway enables you to deploy camlistore servers.
# Maps dev bookmarks
# Use ImageMagick to convert image to grayscale
Another ImageMagick one-liner I'll likely forget.
mogrify -type Grayscale image.png
# Drill down Emacs dired with dired-subtree
JCS, from Irreal, recently highlighted fuco's dired-hacks. dired-subtree is super handy for drilling subdirectories down. Bound <tab> and <backtab> to toggle and cycle subtrees.
(use-package dired-subtree :ensure t :after dired :config (bind-key "<tab>" #'dired-subtree-toggle dired-mode-map) (bind-key "<backtab>" #'dired-subtree-cycle dired-mode-map))
# CSS bookmarks
- CSS Protips: A collection of tips to help take your CSS skills pro (Hacker News).
- CSS Protips: A collection of tips to help take your CSS skills pro.
- CSS style guide.
- CSStickyHeaderFlowLayout.
- Dynamics.js: JavaScript library to create physics-based CSS animations.
- Flexbox Froggy, a game for writing CSS code.
- Howtocenterincss.com (Hacker News).
- Howtocenterincss.com.
- Optimize CSS delivery (Google Developers).
# Resume partial downloads with ssh and rsync
rsync --rsync-path=/usr/local/bin/rsync \ --partial \ --progress \ --rsh=ssh \ john@host:/path/to/file \ path/to/partial/file
# Emacs text faces
- Text faces = Text styles.
- Face attributes: font, height, weight, slant, foreground/background color, and underlining or overlining.
- Font lock mode automatically assigns faces to text.
- M-x list-faces-display: Shows faces defined.
- M-x helm-colors: Also handy.
- Unspecified attributes are taken from 'default' face.
# Preview HTML pages on github
# Flutter setup
Based on Getting Started with Flutter.
$ curl -O https://storage.googleapis.com/dart-archive/channels/stable/release/1.13.0/sdk/dartsdk-macos-x64-release.zip $ unzip dartsdk-macos-x64-release.zip $ export PATH=`pwd`/dart-sdk/bin:$PATH
Verify with:
$ pub --version
# Playing with Dart's analysis server
Dart SDK ships with an analysis server. Very handy if you'd like to write a completion plugin for your favorite editor. The API is well documented. Of interest, there's LocalDartServer.java, part of dartedit.
$ dart path/to/bin/snapshots/analysis_server.dart.snapshot --sdk=path/to/dart-sdk
NOTE: The server reads requests from standard input. Either escape or execute the following as one-liner json requests.
{ "id": "1", "method": "analysis.setAnalysisRoots", "params": { "included": [ "path/to/your/dart/project" ], "excluded": [] } }
{ "id": "3", "method": "completion.getSuggestions", "params": { "file": "path/to/some/file.dart", "offset": 673 } }
# Dart bookmarks
# iOS app awesome libs bookmarks
# Flutter bookmarks
# Swift bookmarks
- 10 Swift One Liners To Impress Your Friends.
- A beautiful graphics framework for Material Design in Swift.
- Awesome server side swift.
- Awesome-Swift-Education.
- How to bridge a Swift View.
- Optionals in Swift for newbies.
- Swift Resources.
- Swift.org - API Design Guidelines.
- SwiftMothly.
- The Shift Language (YouTube).
- Writing Your App Swiftly.
# Installing Emacs spaceline
Gave Spaceline a try. Spacemacs's powerline theme. Setup was super simple (Thanks Eivind Fonn and Sylvain Benner):
(use-package spaceline :ensure t :config (use-package spaceline-config :config (spaceline-toggle-minor-modes-off) (spaceline-toggle-buffer-encoding-off) (spaceline-toggle-buffer-encoding-abbrev-off) (setq powerline-default-separator 'rounded) (setq spaceline-highlight-face-func 'spaceline-highlight-face-evil-state) (spaceline-define-segment line-column "The current line and column numbers." "l:%l c:%2c") (spaceline-define-segment time "The current time." (format-time-string "%H:%M")) (spaceline-define-segment date "The current date." (format-time-string "%h %d")) (spaceline-toggle-time-on) (spaceline-emacs-theme 'date 'time))
# package.el incomprehensible buffer
Came across "incomprehensible buffer" error in package.el. Workaround patch:
--- a/lisp/emacs-lisp/package.el +++ b/lisp/emacs-lisp/package.el @@ -1161,6 +1161,7 @@ package--with-work-buffer (let* ((url (concat ,url-1 ,file)) (callback (lambda (status) (let ((b (current-buffer))) + (goto-char (point-min)) (unwind-protect (wrap-errors (when-let ((er (plist-get status :error))) (error "Error retrieving: %s %S" url er))
# Leading bookmarks
- Ask HN: How to Be a Good Technical Lead? (Hacker News).
- Do You Have a Manager’s Mindset?.
- First Timers Only: A suggestion to Open Source project maintainers.
- How to Give Tough Feedback That Helps People Grow.
- Secrets of the Superbosses.
- Shifting from Star Performer to Star Manager.
- The Joel Test: 12 Steps to Better Code.
- The Manager as Debugger.
# Online reading backlog
- TODO Why Functional Programming Matters.
- TODO Phrack 69.
- TODO A Simple Formula for Changing Our Behavior.
- TODO Emacs.el episode 3.
- TODO Be Grateful More Often.
- TODO GTD sucks for creative work.
- TODO Land, Capital, Attention: This Time it Is the Same.
- TODO Mindset: What You Believe Affects What You Achieve (Gates Notes).
- TODO The Case for Getting Rid of Borders—Completely.
- TODO The Ultimate Guide to Personal Productivity Methods.
- TODO Thing Explainer: A Basic Guide for Curious Minds (Gates Notes).
- TODO Your body language shapes who you are.
# Travel lifestyle bookmarks
- 5 Travel Lessons You Can Use at Home.
- Bootstrapping in Bangkok is the best option.
- goruck bag.
- Show HN: I made a database of remote companies (Hacker News).
- tom bihn bags.
- waveUPtravel.
- What are the best ways to earn money while traveling around the world? (Quora).
- NomadList: Best cities to work from remotely.
# SQL bookmarks
# Unix/Linux tools bookmarks
- 15 Practical Linux cURL Command Examples.
- A practical proposal for migrating to safe long sessions on the web (Hacker News).
- A practical security guide for web developers (Hacker News).
- A Unix Utility to Know About: lsof (2009) (Hacker News).
- Autotools Mythbuster.
- Best Practices for UNIX chroot.
- httpie: Command line HTTP client, a user-friendly curl alternative.
- Make cURL follow redirects.
- My First 10 Minutes on a Server (Hacker News).
- Nginx vs Apache.
- SSH: Best practices.
- Unison File Synchronizer.
- Unix commands you wish you knew years ago (Reddit).
- Unix for the Beginning Mage.
# Couchbase React Native bookmarks
# Installing Emacs 25 devel on Mac OS X
Stable
brew update brew install emacs --HEAD --use-git-head --with-cocoa --with-srgb --with-gnutls brew linkapps emacs
Development
brew update
brew install emacs --devel --with-cocoa --with-srgb --with-gnutls
brew linkapps emacs
then
Had problems loading seq. Removed byte-compiled packages:
$ find ~/.emacs.d/elpa -iname *.elc -exec rm '{}' \;
# Diagram tools bookmarks
# Licensing bookmarks
- choosealicense.com (Choosing an open source license doesn’t need to be scary).
- choosealicense.com (github).
- tldrlegal.com (Software Licenses in Plain English).
# Backup bookmarks
- HGST Deskstar NAS 3.5-Inch 6TB 7200RPM SATA III 128MB Cache Internal Hard Drive (0S03839).
- I found the Holy Grail of backups.
- Kingston Technology 4GB 1600MHz DDR3L PC3-12800 1.35V Non-ECC CL11 SODIMM Intel Laptop Memory KVR16LS11/4.
- Synology Disk Station 8-Bay (Diskless) Network Attached Storage (NAS) (DS1815+).
- Tarsnap: online backups for the truly paranoid.
# Making hummus
Made hummus, based on Delicious Istanbul's 5 Secrets to Perfect Hummus post.
# Nara travel bookmarks
# Docker bookmarks
- Borg, Omega, Kubernetes: Lessons learned from container management over a decade (Hacker News).
- Docker for Beginners (Hacker News).
- Docker for Beginners.
- Fabric8 is an integrated open source DevOps and Integration Platform (Kubernetes or OpenShift).
- Kubernetes by Example | Hacker News.
- Simplifying Dowcker on OS X (Hacker News).
- Swarm vs. Fleet vs. Kubernetes vs. Mesos (Hacker News).
- Swarm vs. Fleet vs. Kubernetes vs. Mesos.
# Angular bookmarks
# Mac OS bookmarks
- Customizing the Cocoa Text System (github).
- Customizing the Cocoa Text System.
- DaisyDisk (what's taking up your disk space).
- Getting absolute path in Bash in OSX.
- Guide to Securing Apple OS X.
- Hammerspoon.
- kextstat.
- KextViewr: View all modules on that are loaded in the OS kernel.
- Little Snitch.
- Phoenix: A lightweight macOS window and app manager scriptable with JavaScript.
- Which OS X Applications do you find indispensable? (Stack Exchange).
# easy_install->pip->conda
Spotted Conda package manager. It handles python installations, in addition to package management. There's also a package index provided by Binstar. Installed Miniconda, the bare bones Conda environment.
Can't find a python package in Binstar? Here's a post on Using PyPi Packages with Conda. If that fails, you can try pip from your Conda python environment.
# Traditional music bookmarks
# Recover from an unresponsive Emacs
Wilfred Hughes has a handy tip to bail you out of a hung Emacs instance:
pkill -SIGUSR2 emacs
ps. Not had a chance to try it, but next time it happens…
# Training for under 50 min 10k run
Not much training time for an under 50 minute 10k run, but here's an attempt (based on time-to-run's sub-50):
| Mon | Tue | Wed | Thu | Fri | Sat | Sun |
|---|---|---|---|---|---|---|
| Oct 26 | Oct 27 | Oct 28 | Oct 29 | Oct 30 | Oct 31 | Nov 1 |
| 60 min | 30 min | 2k @ 4.55/k | rest | 105 min | ||
| 2 min rest | ||||||
| ✔ | (repeat x 3) | |||||
| Nov 2 | Nov 3 | Nov 4 | Nov 5 | Nov 6 | Nov 7 | Nov 8 |
| 30 min | 30 min | 1k @ 4.50/k | 30 min | 30 min | rest | 5k @ 4.55/k |
| 90 sec rest | ||||||
| (repeat x 5) | ||||||
| Nov 9 | Nov 10 | Nov 11 | Nov 12 | Nov 13 | Nov 14 | Nov 15 |
| 10k easy | 30 min | 1k @ 4.55/k | 30 min | 30 min | rest | race day |
| 1 min easy | ||||||
| (repeat x 3) |
# Reading a running training plan
A sample from Kona Part 2's comments:
2.5 w/u to 4x(1.25@11.5 w/0.25R@7) to 3x(3.75@10.5 w/0.5R@7) to 2.5 c/d.
Is read from left to right as:
2.5 mile warm up to four times through 1.25 miles at 11.5 miles per hour with 0.25 miles recovery at 7 miles per hour to three times through 3.75 miles at 10.5 miles per hour with 0.5 miles recovery at 7 miles per hour to 2.5 miles cool down.
# Find binary in PATH using python
import distutils.spawn print distutils.spawn.find_executable('git')
/usr/bin/git
# Indonesia travel bookmarks
# Malaysia travel bookmarks
# Mongolia travel bookmarks
# Running bookmarks
# Media player bookmarks
# Get Emacs to gather links in posts
Comments in posts can be a great source of recommendations. Here's a way to extract post links using Emacs and enlive.
(require 'enlive) ;; https://github.com/zweifisch/enlive (require 'org) (defun ar/input-clipboard-url-or-prompt () "Return a URL from clipboard or prompt user for one." (let* ((clipboard (current-kill 0)) (url (if (string-match "^http://" clipboard) clipboard (read-string "URL: ")))) (unless (string-match "^http://" url) (error "Not a URL")) url)) (defun ar/url-view-links-at () "View external links in HTML from prompted URL or clipboard." (interactive) (with-current-buffer (get-buffer-create "*links*") (org-mode) (read-only-mode -1) (erase-buffer) (mapc (lambda (element) (let ((href (enlive-attr element 'href)) (text (enlive-text element))) (when (and href (string-match "^http" href)) (insert (org-make-link-string href text) "\n")))) (enlive-query-all (enlive-fetch (ar/input-clipboard-url-or-prompt)) [a])) (delete-duplicate-lines (point-min) (point-max)) (goto-char (point-min)) (toggle-truncate-lines +1) (read-only-mode +1) (switch-to-buffer (current-buffer))))
# UX toolbox bookmarks
# Change Emacs shell's CWD with helm projectile
If using Emacs shell and helm projectile, you can wire these up to quickly change your current working directory.
(require 'helm-projectile) (defun ar/shell-cd (dir-path) "Like shell-pop--cd-to-cwd-shell, but without recentering." (unless (string-equal mode-name "Shell") (error "Not in Shell mode")) (message mode-name) (goto-char (point-max)) (comint-kill-input) (insert (concat "cd " (shell-quote-argument dir-path))) (let ((comint-process-echoes t)) (comint-send-input))) (defun ar/helm-projectile-shell-cd () "Change shell current working directory using helm projectile." (interactive) (unless (string-equal mode-name "Shell") (error "Not in Shell mode")) (let ((helm-dir-source (copy-tree helm-source-projectile-directories-list))) (add-to-list 'helm-dir-source '(action . ar/shell-cd)) (add-to-list 'helm-dir-source '(keymap . nil)) (add-to-list 'helm-dir-source '(header-line . "cd to directory...")) (helm :sources helm-dir-source :buffer "*helm-dirs*" :candidate-number-limit 10000)))
# Thermostat reset on Bosch WKD28350GB
My Bosch washer/dryer (WKD28350GB) stopped drying recently. Resetting the dryer's thermostat red breaker did the trick.
# Javascript fetch node sample
Playing with node and fetch:
// Requisite: npm install node-fetch --save // Save to fetch-demo.js // Run: node fetch-demo.js var fetch = require('node-fetch'); fetch("http://xenodium.com/data/javascript-fetch-node-sample/message.json", { method: 'GET', timeout: 5000 }).then(function(response) { return response.json(); }).then(function(response) { console.log('subject: ' + response.subject); console.log('body: ' + response.body); }).catch(function(reason) { console.log(reason); });
# Extract dominant colors in images
There's a handy HN post pointing to Javier López's Using imagemagick, awk and kmeans to find dominant colors in images. A comment also highlights color-extract, written in Go.
# Find a word with regex and WordNet
Recently wanted to come up with a random keyword. Querying WordNet and a regular expression did the job.
Installed WordNet on Mac:
$ brew install wordnet
Want a word ending in "esome"?
$ wn esome -grepn -grepv -grepa -grepr | egrep -o -e "\w*esome\b" | sort | uniq
adventuresome
awesome
blithesome
bunglesome
cuddlesome
esome
fivesome
gruesome
lithesome
lonesome
lovesome
meddlesome
mettlesome
nettlesome
threesome
tiresome
torturesome
troublesome
unwholesome
venturesome
wholesome
# Soundcloud's Go best practices (GopherCon 2014)
Having watched the video, some takeaways:
Single GOPATH
$GOPATH/src/github.com/soundcloud/foo
Repo structure
Formatting and style
Use gofmt.
Google's codereview guidelines.
Avoid named return parameters.
Avoid make and new (unless you know sizes).
Use struct{} for sentinel values: sets, signal chans.
Flags
func main() { var ( foo = flags.String("foo", "doch", "...") bar = flat.Int("bar", 34, "...") ) flag.Parse() // ... }
Logging
Testing
Code validation
# Sync pip with Mac OS updates
My pip installation recently broke after a Mac OS update.
$ pip
Traceback (most recent call last):
File "/usr/local/bin/pip", line 5, in <module>
from pkg_resources import load_entry_point
File "/System/Library/Frameworks/Python.framework/Versions/2.7/Extras/lib/python/pkg_resources.py", line 2793, in <module>
working_set.require(__requires__)
File "/System/Library/Frameworks/Python.framework/Versions/2.7/Extras/lib/python/pkg_resources.py", line 673, in require
needed = self.resolve(parse_requirements(requirements))
File "/System/Library/Frameworks/Python.framework/Versions/2.7/Extras/lib/python/pkg_resources.py", line 576, in resolve
raise DistributionNotFound(req)
pkg_resources.DistributionNotFound: pip==1.1
Updating my pip installation fixes the break:
$ sudo easy_install -U pip
# Chinatown treats review
Recommended? yep
There's a corner in Chinatown hosting some truly superb treats. If you get caught in the rush between Newport court and Newport place, you'd likely fail to notice some the awesome street food stands.
Chilly squid
I've walked past this place many times and never noticed it. They serve a handful of items, but the grilled chilly squid skewers caught my attention. They're grilled, brushed with chilly sauce and finished with sprinkled sesame and cumin seeds. Super tasty.
Pancake + Crisp + Egg + Hot chillies = Jiān Bǐng 煎餅
I first had these delicious breakfast savory pancakes at a Beijing street food stall. Never expected to randomly find Jiān Bǐng in London. It's a crepe with an additional egg spread, hoisin sauce, chilly sauce, hot chillies, topped with spring onions and coriander, all wrapping a wonderfully crispy bread cracker. And.. it's awesome.
Tai Yaki
Chinatown Bakery is hard to miss. Pedestrian traffic slows down as we all fall under the spell of the Tai Yaki machine. This wonderful assembly line produces fish-shaped sweet waffles filled with custard. They are the perfect dessert after some savory street snacks. You can get a bag of 4 for £2.
All near each other
All these delights are within a stone's throw away from each other.
Useful?
Was this post useful to you? do reply!
Better suggestion?
London is full of overhyped, gimmicky, and unnecessarily expensive restaurants. Very few deliver truly awesome food (even those expensive ones). Got suggestions? I'd love to hear from you @xenodium.
# React bookmarks
- 11 mistakes I’ve made during React Native / Redux app development.
- 9 things every React.js beginner should know (Hacker News).
- 9 things every React.js beginner should know.
- A Complete Guide to Flexbox.
- A complete native navigation solution for React Native with optional redux support - nav bars, tabs, drawer, modals.
- A Material Design style React Native component library.
- A pull to refresh ListView for React Native.
- Adam Wolf's React Native talk.
- Advanced RxJava: Google Agera vs. ReactiveX.
- Aligning Children using Flexbox in React Native.
- Applying baisc styles in react native (video).
- Applying Basic Styles in React Native.
- Avoid premature fluxing.
- Awesome React: a collection of awesome things regarding React ecosystem.
- babel-eslint.
- Beginner’s Guide to Using CocoaPods with React Native.
- Beyong React Native's "getting started guide".
- Bonnie Eisenman's blog (some react).
- Breaking up Heavy Processing in React Native (Blog post).
- Brent Vatne - Building li.st for Android with Exponent and React Native at react-europe 2016.
- Bridging in React Native: An in-depth look into React Native's core.
- Building React Native Apps.
- Bulding the F8 app.
- Cairn: a tiny library for React Native replacing default styling syntax.
- Coding Apps with React Native at Exponent.
- Configuring Emacs to use eslint and babel with flycheck for javascript and React.js JSX.
- Curated tutorial and resource links I've collected on React, Redux, ES6, and more.
- Dan Abramov - Live React: Hot Reloading with Time Travel at react-europe 2015.
- Deep Diving React Native Debugging.
- Developing React.js Components Using ES6.
- Device Information for React Native iOS and Android.
- ECMAScript 5 Strict Mode, JSON, and More.
- ESLint plugin for React Native.
- eslint-plugin-flowtype.
- Exponentjs.
- Flowery: prettifies the result generated by Facebook Flow.
- Flux diagram.
- Getting Started with Redux (30 lessons).
- Idiomatic React Testing Patterns.
- Implement XHR timeout for Android and IOS natively.
- Improved shadow performance on iOS.
- Learn Raw React – No JSX, No Flux, No ES6, No Webpack (Hacker News).
- LearnRxSwift.
- ListView rendering issue.
- Native image/photo picker for react native.
- Native react navigation in every platform.
- OfflineMovies: retrieves movies from an api and caches the result offline.
- One day with React Native for Android.
- Optimizing React Native views (Screencast).
- Optimizing React Native views (Screencast).
- Passing info automatically through a tree.
- Progressive image loading.
- React and React Native Layout Components - ReactScript.
- React Component Starter Kit.
- React Custom Renderers (Blog post).
- React Design Principles.
- React Native accordion.
- React Native action button.
- React Native and Typescript.
- React Native Animated ScrollView Row Swipe Actions.
- React Native App initial setup.
- React Native in an Existing iOS App: Dynamic Routing.
- React Native in the Github Community.
- React Native Layout System.
- React Native Mapview component for iOS + Android.
- React Native Material Design (react-native-material-design).
- React Native Material Design (xinthink).
- React Native Newsletter - Issue #24.
- React Native Newsletter - Issue #25.
- React Native Package Manager (rnpn).
- React Native Playground.
- React Native scrollable decorator.
- React Native Toolkit (navigation examples).
- React Native Tutorial: Building Apps with JavaScript.
- React Native’s LayoutAnimation is Awesome.
- React Tips and Best Practices.
- React-Move – Animate anything in React (Hacker News).
- react-native-camera: A Camera component for React Native.
- react-native-redux-router (replace push/pop screens with easy syntax).
- React.js Program: A project based, linear approach to learning React.js and the React.js ecosystem.
- react.parts/native feed.
- Reactive Programming Overview.
- ReactNativeAutoUpdater.
- Redux: Predictable state container for JavaScript apps.
- Removing User Interface Complexity, or Why React is Awesome.
- Responsive Design in React Native.
- rnplay.org: Test and share React Native code samples.
- Snowflake (React iOS/Android + Redux + Jest testable + parse.com + bitrise.io).
- Some Thoughts On Gluing React Native and Meteor (Blog post).
- Testing react Native with jest.
- The beginners guide to React Native and Firebase (Blog post).
- The Case for Flux.
- The Reactive Extensions for JavaScript.
- The reactive manifesto.
- Thinking in React.
- Thoughts on the future of mobile app development (Blog post).
- Tips for styling your React Native apps.
- Tutorial: Handcrafting an iOS Application with React Native (and lots of love).
- Unit Testing React Native Components: A Firsthand Guide.
- Using redux-saga To Simplify Your Growing React Native Codebase.
- Ways to pass objects between native and JavaScript in React Native.
- What I learned from building with React.
- Why React Native is Better than Native for Your Mobile Application.
- Writing Modular JavaScript With AMD, CommonJS & ES Harmony.
- Yasnippets for React.
# Chinese rice vinegar
Note to self to buy Gold Plum Chinkiang Vinegar. Awesome with dim sum.
# Use ImageMagick to batch-resize images
Using percentage:
$ mogrify -resize 10% *.png
Using dimensions:
$ mogrify -resize 120x120 *.png
Lots of other alternatives from ImageMagick's documentation:
| -resize | scale% |
| -resize | scale-x%xscale-y% |
| -resize | width |
| -resize | xheight |
| -resize | widthxheight |
| -resize | widthxheight^ |
| -resize | widthxheight! |
| -resize | widthxheight> |
| -resize | widthxheight< |
| -resize | area@ |
Fix image aspect ratios for Instagram:
$ mogrify -resize 1080x1350 -gravity center -extent 1080 *.jpg
# Lucky 7 review
Recommended? yep
Buttermilk Banana pancakes
These are my favorite pancakes in London by far. Banana buttermilk pancakes and a few free coffee refills usually sort me out until dinner time. Add a side of bacon if extra hungry. You probably don't need it though.
Reuben sandwich
The reuben has been on Lucky 7's specials menu for months now. Not had many of these in London, but compared to The Brass Rail's, this reuben was a clear winner. The sandwich is huge and comes with fries. My girlfriend and I struggled to finish one between the two of us.
Vanilla milkshake (add malt!)
This milkshake hits the spot every time, but it's filling. You almost have to decide between the shake and an actual meal. If you must have it, add malt. Sorry, no picture.
Huevos Rancheros
This is a breakfast dish I can equally make (better?) at home, but Lucky 7 wins hands down every time I'm feeling particularly lazy. Sorry, no picture.
Useful?
Was this post useful to you? do reply!
Better suggestion?
London is full of overhyped, gimmicky, and unnecessarily expensive restaurants. Very few deliver truly awesome food (even those expensive ones). Got suggestions? I'd love to hear from you @xenodium.
# Sierra Leone travel bookmarks
# London travel bookmarks
- Chiswick House & Gardens.
- Heath Robinson Museum.
- London Library (book your free tour).
- Quaker gardens, Islington.
- Soho Theatre (not tried yet).
# Use ImageMagick to auto-orient images
Recently needed to rotate images based on EXIF metadata. ImageMagick to the rescue:
$ for i in *.png; do convert -auto-orient "$i" "$i"; done
# Bengali Macher Jhol
My friend Sakhya brought me the wonderful Cookbook of Regional Cuisines of India. After improvisations and substitutions, here's my attempt at making Bengali Machcher Jhol:
# New habits for 2015
- 20 min morning meditations.
- A better way to tie your shoes.
- Cold showers (all of them!).
- Keys, wallet, phone, badge, and headphones live together.
- Listen to audio books.
- Morning runs.
- Nightly flossing.
# Meditation retreats bookmarks
# Meditation bookmarks
# Learning bookmarks
- Best YouTube channels for learning (Quora).
- Effective learning: Twenty rules of formulating knowledge.
- HN's comments on learning languages.
- HN's comments on memory.
- How to Finally Play the Guitar: 80/20 Guitar and Minimalist Music.
- Learn Difficult Concepts with the ADEPT Method.
- Learning to learn.
- Learning to Learn: Intuition Isn’t Optional | BetterExplained.
- Scientific Speed Reading: How to Read 300% Faster in 20 Minutes.
# Bundi travel bookmarks
- Bundi Haveli (accomodation).
- Hadoti Palace (accomodation).
- Haveli Braj Bhushan Ji ki (accomodation).
- Haveli Katkoun Guest House (accomodation).
- Kasera Paradise (accomodation).
# Upgrading PL30 headphones
I've loved my Soundmagic PL30 in-ear headphones. They're relatively inexpensive, comfortable, and great for exercising (they stay in). Audio quality and bass have been good enough (I don't need much). Unfortunately, I've had two pairs of PL30's and both stopped working after a year or two. I'm replacing the last pair with RHA's MA750 (an upgrade, me hopes).
Other contenders considered: Etymotic Research HF5, and Shure SE215. Also considered bluetooth alternatives like JayBird BlueBuds X and Plantronics BackBeat GO 2.
I'm somewhat nervous to pay more for a pair of headphones. Let's hope they don't meet the same unfortunate fate. We'll see.
# Quotes
- "Being good at something is about being curious enough to explore things to a level where most people give up."
- "The world is a book and those who do not travel read only one page." - Augustine of Hippo.
- "National identity is not your only identity." - Xiaolu Guo?
# Bhutan travel bookmarks
# Cooking bookmarks
- 25 Cocktails Everyone Should Know.
- Amazon.com: Taylor Precision Products Stainless Steel Kitchen Scale.
- Cast Iron Fry Pans.
- ChienLing Koo's answer to How is authentic fried rice prepared? (Quora).
- Eggs Kejriwal Recipe - NYT Cooking.
- Equipment Review: Best Carbon-Steel Skillets (YouTube).
- Equipment: How to Buy, Season, and Maintain Cast Iron Cookware.
- How To Cook With Cast Iron (YouTube).
- Imperia Italian Double Cutter Pasta Machine.
- Marcato Atlas 150 pasta machine Chrome, Silver Wellness.
- My Favourite Homemade Almond Milk + Step By Step Photos.
- New York Times cooking.
- Pho Tai Lan (Hanoi style flash-fried steak & garlic soup).
- The Ringer Cast Iron Cleaner XL 8x6 Inch Stainless Steel Chainmail (Amazon).
- The Truth About Cast Iron Pans: 7 Myths That Need To Go Away.
- The ultimate way to season cast iron.
- Why do steaks at high end restaurants taste so different from other steaks? (Quora).
# 9 week half-marathon training
While reading Zen Habits: Mastering the Art of Change, I comitted to running half marathon in mid-October. That's roughly two months from now. Here's a 9 week training schedule:
| WEEK | MON | TUE | WED | THU | FRI | SAT | SUN |
|---|---|---|---|---|---|---|---|
| 1 | Rest | 5 Km | 5 Km | Cycle | Rest | 5 Km | 7 Km |
| 2 | Rest | 5 Km | 5 Km | Cycle | Rest | 5 Km | 8 Km |
| 3 | Rest | 7 Km | 5 Km | Cycle | Rest | 5 Km | 10 Km |
| 4 | Rest | 8 Km | 5 Km | Cycle | Rest | 5 Km | 12 Km |
| 5 | Rest | 8 Km | Rest | 8 Km | Rest | 5 Km | 14 Km |
| 6 | Rest | 8 Km | Rest | 8 Km | Rest | 6 Km | 16 Km |
| 7 | Rest | 8 Km | 8 Km | 8 Km | Rest | 8 Km | 19 Km |
| 8 | Rest | 8 Km | Rest | 12 Km | Rest | 8 Km | 16 Km |
| 9 | Rest | 8 Km | Rest | 5 Km | 5 Km | Rest | Race |
My times:
| WEEK | MON | TUE | WED | THU | FRI | SAT | SUN |
|---|---|---|---|---|---|---|---|
| 1 | Rest | ✘ | 29:04 | ✔ | Rest | 26:36 | 38:40 |
| 2 | Rest | 29:11 | 28:50 | ✔ | Rest | 27:07 | 44:55 |
| 3 | Rest | 40:46 | 26:29 | ✔ | Rest | ✘ | 57:01 |
| 4 | Rest | 46:46 | ✘ | ✘ | Rest | 30:08 | 1:12:10 |
| 5 | Rest | 46:59 | Rest | 44:46 | Rest | 24:50 | 1:25:24 |
| 6 | Rest | 50:02 | Rest | 46:24 | Rest | ✘ | 1:37:39 |
| 7 | Rest | 46:54 | 46:41 | 46:42 | Rest | ✘ | 1:57:57 |
| 8 | Rest | 45:28 | Rest | 48:13 (8km) | Rest | 43:56 | ✘ |
| 9 | Rest | 44:24 | Rest | 27:12 | 26:09 | Rest | 1:58:28 |
# Shanghai travel bookmarks
- 36 Hours in Shanghai.
- Shanghai Xiaolongbao at Dumpling House Edison (on Rt 27).
- Tianzi Fang street art (Google maps).
- Tianzi Fang street art.
- Town God's Temple, street Food!
- Yu Garden/Huxinting Teahouse.
- 佳家 for 小龙包.
- 小样 (Little Yang's) for 生煎包 (sheng jian bao). Fried soup filled dumplings. Think skin crunchy bottom texture.
# Singapore job board bookmarks
# Germany travel bookmarks
# Menorca travel bookmarks
# Travel tools bookmarks
- Cool cities, a visual city guide.
- Detour 2.0.
- Dojo: Best stuff to do in London.
- escapethecity.org.
- Find the best places to sleep, eat and play.
- hostelworld.com.
- How to travel the world without money.
- International SOS Assistance App.
- IziTravel: audio guides and city/museum tours.
- Jet Setter.
- Louis Vuitton city guide.
- Mapiac: discover hidden wonders.
- roadsharing.com.
- Tripcast.
- Triposo.
- Vayable (find a new experience).
- Visa Requirements by Citizenship.
- What is the best website or app to use for trip planning, and why? (Quora).
- What travel hacks have saved you a lot of money? (Quora).
- wwoof.net (Worldwide Opportunities on Organic Farms).
# Philippines travel bookmarks
# Add site-specific browsers to your workflow
There are three browser tabs continously used in my workflow: GMail, Google Calendar, and Google Play Music. I normally have many more tabs open, but these three I access periodically. As the number of open tabs increases, and I fail to cleanup, getting back to my usual three gets a little trickier.
So far, I've kept each of these services open in separate windows. But that doesn't always work. Click on any link in your inbox and you're back to playing cleanup. This is where site-specific browsers (SSB) can help.
Epichrome enables you to build Chrome-based SSBs (on Mac OSX). Build an SSB for the usual suspects and easily jump to them using the app switcher.
More at OSX Chrome SSB and Quora thread
# iOS camera bookmarks
# Sardinia travel bookmarks
- Alghero.
- Baja Sardinia.
- Budoni.
- Cala Goloritze, Sardinia.
- Castelsardo (gifts maybe?).
- Food: Maialetto sardo (Pig), Sebadas, Pardula, Papassinas, Pani e sapa.
- L'Asinara boat trip (abandoned penitentiary).
- La Pelosa beach.
- Nuraghe.
- Porto Cervo.
- Porto Torres.
- San Teodoro.
- Stintino (fishing port).
- Zedda e Piras vinyards (Alghero).
# Open closest build file in Emacs
Whether it's Makefile, SConstruct, BUILD, or your favorite build file, chances are you have to tweak it from time to time. ar/open-build-file searches your current and parent directories to find a build file.
(defvar ar/project-file-names '("Makefile" "SConstruct" "BUILD")) (defun ar/parent-directory (path) "Get parent directory for PATH." (unless (equal "/" path) (file-name-directory (directory-file-name path)))) (defun ar/find-upwards (path filename) "Search upwards from PATH for a file named FILENAME." (let ((file (concat path filename)) (parent (ar/parent-directory (expand-file-name path)))) (if (file-exists-p file) file (when parent (ar/find-upwards parent filename))))) (defun ar/open-closest (filename) "Open the closest FILENAME in current or parent dirs (handy for finding Makefiles)." (let ((closest-file-path (ar/find-upwards (buffer-file-name) filename))) (when closest-file-path (message closest-file-path) (switch-to-buffer (find-file-noselect closest-file-path))) closest-file-path)) (defun ar/open-build-file () "Open the closest project file in current or parent directory. For example: Makefile, SConstruct, BUILD, etc. Append `ar/project-file-names' to search for other file names." (interactive) (catch 'found (mapc (lambda (filename) (when (ar/open-closest filename) (throw 'found t))) ar/project-file-names) (error "No project file found")))
# Create iOS static fat libraries
Have separate static libraries for different iOS architectures? Stitch 'em up into a single fat library using with lipo:
$ lipo -create libOne_i386.a libOne_x86_64.a libOne_armv7.a libOne_arm64.a -output libOne.a
# Settling scores with an org table
Recently kept track of expenses between a group of us. To settle the scores, I emailed an exported HTML table from an org file. This was simple enough and required no external viewer from recepients. The org table, in all its textful glory, looked as follows…
| Date | Item | Charge | |------------------+----------------+----------| | [2015-06-18 Thu] | Cash | 20.00 | | [2015-07-11 Sat] | Lucky 7 | 42.97 | | [2015-07-13 Mon] | Santa Maria | 32.00 | | [2015-07-12 Sun] | Tayyabs | 46.00 | | [2015-07-13 Mon] | The Brass Rail | 39.00 | | [2015-07-13 Mon] | Underground | 10.00 | | [2015-07-10 Fri] | Cash | 20.00 | | [2015-07-13 Mon] | Cash | 20.00 | | [2015-07-14 Tue] | Cash | 20.00 | |------------------+----------------+----------| | | total | £ 249.97 | #+TBLFM: @11$3=vsum(@2..@10);£ %.2f
…while the exported HTML below could be easily pasted on to an email.
| Date | Item | Charge |
|---|---|---|
| Cash | 20.00 | |
| Lucky 7 | 42.97 | |
| Santa Maria | 32.00 | |
| Tayyabs | 46.00 | |
| The Brass Rail | 39.00 | |
| Underground | 10.00 | |
| Cash | 20.00 | |
| Cash | 20.00 | |
| Cash | 20.00 | |
| total | £ 249.97 |
# Recognize new password prompts in Emacs shell
At some point, you may come across a trusted command-line utility prompting you for a password, and Emacs shell happily displaying each typed character to the nearby-world to see. Luckily, you can train Emacs to recognize new password prompts and hide the typed characters in modes deriving from comint. Append the password prompt REGEXP:
(setq comint-password-prompt-regexp (concat comint-password-prompt-regexp "\\|" "Password for red alert:"))
# Bosnia and Hercegovina travel bookmarks
# Ireland travel bookmarks
- Skellig Michael.
- Fishy Fishy in Kinsale: beautiful town on the water.
- Belfast.
- Giant's Causeway.
- Greyhound dog races at Shelbourne Park.
# Pizza in London
Not tried these yet. Taking note:
- Bravi Ragazzi (Streatham).
- Homeslice (Covent Garden).
- Lord Morpeth (Hackney).
- Santa Maria (Ealing).
- Voodoo Ray's (Dalston).
- Well Kneaded Wagon (Date-dependent location).
# mp4 to gif
Converting mp4 to gif is handy for posting short screencasts. You can convert to gif using ffmpeg and optimize with imagemagick. To install:
apt-get install ffmpeg imagemagick (linux) brew install ffmpeg imagemagick (Mac)
Convert to gif:
ffmpeg -i my.mp4 -pix_fmt rgb24 -r 5 my.gif
Optimize with:
convert -dither none -layers Optimize my.gif my_optimized.gif
UPDATE: There's also licecap and subsequently optimize with:
cat source.gif | gifsicle --colors 256 --optimize=3 --delay=15 > target.gif
UPDATE: Also consider for .mov:
ffmpeg -i in.mov -pix_fmt rgb24 -r 10 -f gif - | gifsicle --optimize=3 --delay=3 > out.gif
# Keyboards bookmarks
# United States travel bookmarks
# Lebanon travel bookmarks
# Slovenia travel bookmarks
# Belgium travel bookmarks
# Fishing with Emacs
OK not quite, but having recently learned about C-M-w (append-next-kill), I used it in a keyboard macro to fish out matching lines. This is similar to flush-lines, except the kill ring is also populated. This is handy, if you need the flushed lines. Here's an example.
Here's the equivalent in Emacs lisp:
(defun flush-kill-lines (regex) "Flush lines matching REGEX and append to kill ring. Restrict to \ region if active." (interactive "sFlush kill regex: ") (save-excursion (save-restriction (when (use-region-p) (narrow-to-region (point) (mark)) (goto-char 0)) (while (search-forward-regexp regex nil t) (move-beginning-of-line nil) (kill-whole-line)))))
# California travel bookmarks
# Rebind caps lock to control key on Mac OS X
Let's see if this one sticks. I'll give caps lock as control a try. Rebinding the keys on Mac OS X is easy enough:
System Preferences -> Keyboard -> Keyboard Tab -> Modifier Keys…
# Searchable ebooks in Emacs
If you haven't bought Mastering Emacs by Mickey Petersen, you should. It's a wonderful source of Emacs tips. Having just finished the ebook on my Kindle, I was keen to go back and fish out some of that newly found wisdom. My immediate reaction was to figure out a way to make the ebook searchable from Emacs.
The ebook is available in epub and pdf format. Though Emacs's docview is super handy for viewing pdf's, searching didn't feel as comfortable as searching in org mode. The epub, on the other hand, proved useful. Pandoc can easily convert from epub to org.
pandoc --from=epub --to=org mastering-emacs.epub > mastering-emacs.org
After a some tidying (mostly removing BEGIN_HTML/END_HTML blocks and adding TITLE/AUTHOR), the resulting org file is surprisingly clean and easy to search/navigate. helm-swoop and helm-org-in-buffer-headings are great for that.
# Portugal travel bookmarks
- Avenida dos Platanos.
- Azores islands.
- Boca do inferno.
- Cabo da Roca.
- Casa dos passarinhos (Steak on hot stone, tuna steak with “mirandesa” sauce, monkfish masada).
- Cascais - Guincho.
- Cervejaria Ramiro (seafood restaurant in town).
- Eduard 7th park.
- Estoril.
- Fox Trot (bar).
- Ilha da Culatra (good for families).
- Ilha da Tavira (good for food @ Portas do Mar).
- Ilha Deserta (seafood as Estaminé).
- Jeronimos Monastery (Lisbon).
- Lisbon Castle.
- Mouro's castle (Sintra).
- Mouro's castle.
- Pasteis de Belem (Lisbon).
- Pastelaria piriquita eat queijadas de sintra.
- Pasteleria Piriquita (Sintra).
- Pavilhao Chines (bar).
- Pena's Pallace (must see if you go to sintra)
- Pena's Pallace (Sintra).
- Pensao do Amor (bar).
- Praça do comercio.
- Quinta da Regaleira
- Quinta da Regaleira (Sintra).
- Sintra village
- Sintra.
- Stop do bairro (tamboril rice, prawn curry, and seafood rice).
- Surfcastle.
- Sé (Lisbon Cathedral).
- The best beaches in Portugal's Algarve.
- This other Eden: the Azores, Europe's secret islands of adventure.
- Torre Belem (Lisbon).
# Bulgaria travel bookmarks
# Presenting bookmarks
# Bali travel bookmarks
- Pura Lempuyang, Bali.
# WWDC app for OS X
Guilherme Rambo created a great OS X OS X app for viewing WWDC content. Just installed it. Super handy. Thanks. Installing as simple as:
$ brew cask install wwdc
# Debugging Objective-C reference cycles
Overriding retain/release/autorelease may be handy while debugging:
- (instancetype)retain { NSLog(@"%p, retain", self); return [super retain]; } - (oneway void)release { NSLog(@"%p, release", self); [super release]; } - (instancetype)autorelease { NSLog(@"%p, autorelease", self); return [super autorelease]; }
# London grub
Beyond the hype, buzz, and pricey gimmicks… Places to eat in London:
- Antipode.
- Arang.
- Bone Daddies.
- Gelupo.
- Grind.
- Holy Cow.
- Kerbisher and Malt.
- Kulu Kulu (South Ken).
- Le Relais de Venise.
- Lucky 7's.
- Royal China.
- Shree Krishna Vada Pav.
- Sri Suwoon.
- Tayyabs.
- The Cow.
- Tonkotsu.
# My working playlist
It's been a while since I spotted The Ultimate Music Collection for Getting Work Done. Since then, I've been on the lookout for music to work to. Some favorites:
- B. Fleischmann - I'm Not Ready For The Grave Yet.
- B. Fleischmann - Pop Loops For Breakfast.
- B. Fleischmann - Sidonie.
- B. Fleischmann - The Humbucking Coil.
- B. Fleischmann - The Tired Sounds of Stars of the Lid.
- B. Fleischmann - Welcome Tourist.
- Bexar Bexar - Haralambos.
- Budhaditya Mukherjee - Sitar Recital.
- Daft Punk - TRON: Legacy.
- General Fuzz - Soulful Filling.
- Inception (Music From The Motion Picture).
- ISAN - Lucky Cat.
- ISAN - Plans Drawn In Pencil.
- Jayanthi Kumaresh - Mysterious Duality.
- Mogwai - Les Revenants.
- Moondog - Big Cat.
- Moonrise Kingdom (Original Soundtrack).
- Nico Muhly - Drones.
- Paul Leonard-Morgan - Limitless (Original Motion Picture Soundtrack).
- Robert Scott Thompson - Upon the Edge of Night.
- Ryan Miller - The Kings of Summer (Jordan Vogt-Roberts' Original Motion Picture Soundtrack).
- Stars of the Lid - And Their Refinement of the Decline.
- Start of the Lid - Gravitational Pull vs. The Desire for an Aquatic Life.
- Terry Riley - A Rainbow In Curved Air; Poppy Nogood and the Phantom Band.
- Trent Reznor & Atticus Ross - The Social Network (Soundtrack from the Motion Picture).
- Trentemøller - Into The Great Wide Yonder.
- Tycho - Awake.
- Various Artists - Singing Strings From India.
- Whiplash (Original Motion Picture Soundtrack).
- Youth Lagoon - The Year Of Hibernation.
# Xcode bookmarks
# Costa Rica travel bookmarks
# Australia travel bookmarks
- Australia's best food experiences: state by state.
- Best Queensland island escapes for small budgets.
- Des and Debi O’Tooles Honey.
- Fish and chips at Bondi beach.
- Tasmania: the isle that's wild at heart.
- The Butler Potts Point (bar & restaurant).
- Tree Top Walk (Walpole, Australia): Top Tips Before You Go - TripAdvisor.
# Samoa travel bookmarks
# Norway travel bookmarks
- Atlantic Road.
- Bergen (check out colorful wooden houses).
- Bergen railway (Bergen-Oslo): 300 miles of beautiful Norwegian scenery.
- Lofoten Islands.
- Norwegian Air (cheap flights between all the
- Olden.
- Reine.
- Sakrisøy, Lofoten Islands.
- Spitsbergen.
# Los Angeles travel bookmarks
# Mastering Emacs is out
Emacs is amazingly alive. New packages are regularly listed on melpa and a new book just came out: Mastering Emacs by Mickey Petersen.
# South Carolina travel bookmarks
# Colorado travel bookmarks
# Bash bookmarks
# restclient.el
Installed Pashky's restclient.el Emacs package. Super helpful when trying out REST APIs.
# Seatle travel bookmarks
# Berlin travel bookmarks
# Skeuomorph
From Wikipedia, skeuomorph ˈskjuːəmɔrf is a derivative object that retains ornamental design cues from structures that were necessary in the original. Examples include pottery embellished with imitation rivets reminiscent of similar pots made of metal and a software calendar that imitates the appearance of binding on a paper desk calendar.
# define-word
Installed Abo Abo's define-word Emacs package. A handy package to define words at point.
# Flushing empty lines in Emacs
Via masteringemacs.org, removing blank lines in a buffer:
M-x flush-lines RET ^$ RET
# Regex bookmarks
# Write to temp iOS snippet
NSString *tempDir = NSTemporaryDirectory(); NSLog(@"%@", tempDir); NSString *dataFilePath = [tempDir stringByAppendingPathComponent:@"my.file"]; [data writeToFile:dataFilePath atomically:YES];
# Greece travel bookmarks
# Sri Lanka travel bookmarks
# Switzerland travel bookmarks
# Thailand travel bookmarks
# Madagascar travel bookmarks
# Hong Kong travel bookmarks
# Barcelona travel bookmarks
# Iceland travel bookmarks
- An Iceland travel log.
- Apartmenthouse.is for local flats.
- Blue lagoon spa.
- citywalk.is: Free walking tour.
- Design March.
- Drive it yourself: The Snæfellsnes peninsula.
- Efstidalur: farm to table restaurant.
- Eight must-see spots in Iceland's wild west.
- Fridrikv restaurant.
- Gangleri outfitters.
- Golden circle's waterfalls and geysers.
- grillmarkadurinn.is restaurant.
- Horse farm hotel.
- Hotel Budir.
- How to have a budget break in iceland.
- Iceland itinerary.
- Lebowski Bar seriously?
- Noodle Station.
- Pink Iceland tours.
- Sandholt.
- South coast's waterfalls and caves.
# Building clang-format
Based on instructions from Building clang-format and friends on OSX Mountain Lion.
#!/bin/bash set -o nounset set -o errexit # Based on instructions from: # http://blog.hardcodes.de/articles/63/building-clang-format-and-friends-on-osx-mountain-lion readonly LLVM_DIR_PATH='/tmp/llvm' update_repo() { if [[ ! -d $1 ]]; then git clone $2 else cd $1 git pull cd .. fi cd .. } update_all_repos() { update_repo "llvm" "http://llvm.org/git/llvm.git" pushd "${LLVM_DIR_PATH}/llvm/tools" update_repo "clang" "http://llvm.org/git/clang.git" popd cd "../../${LLVM_DIR_PATH}/llvm/tools/clang/tools" update_repo "clang-tools-extra" "http://llvm.org/git/clang-tools-extra.git" cd "../../.." } build_clang() { mkdir -p clang mkdir -p build cd clang ../llvm/configure --enable-libcpp --enable-cxx11 --enable-debug-symbols=no --enable-optimized --prefix="${LLVM_DIR_PATH}/build" make install } mkdir -p $LLVM_DIR_PATH cd ${LLVM_DIR_PATH} update_all_repos build_clang
Bonus: use clang-format-configurator.
# iOS Auto Layout bookmarks
# Programmatic iOS Auto Layout
Basic iOS auto layout usage. See Adopting Auto Layout and Visual Format language for reference.
- (instancetype)initWithFrame:(CGRect)frame { self = [super initWithFrame:frame]; if (self) { // Disable autoresizing mask translation for parent. self.translatesAutoresizingMaskIntoConstraints = NO; _subview1 = [[UIView alloc] init]; // Disable autoresizing mask translation for subview. _subview1.translatesAutoresizingMaskIntoConstraints = NO; _subview1.backgroundColor = [UIColor redColor]; [self addSubview:_subview1]; // Creates a dictionary of bindings to be used in visual format. NSDictionary *viewBindings = NSDictionaryOfVariableBindings(_subview1); // H: horizontal layout // |-50- spacing in relation to superview // [_subview1(==50)] subview1's width [self addConstraints:[NSLayoutConstraint constraintsWithVisualFormat:@"H:|-50-[_subview1(==50)]" options:0 metrics:nil views:viewBindings]]; [self addConstraints:[NSLayoutConstraint constraintsWithVisualFormat:@"V:[_subview1(==50)]" options:0 metrics:nil views:viewBindings]]; } return self; }
Also consider:
- A UIView Subclass should implement intrinsicContentSize.
- A UIView Subclass should never add constraints on neither itself (ie. self) nor superview.
References
# Japan travel bookmarks
- 21 free things to do in Tokyo.
- 7 day Japan Rail pass (first class?), possibly only sold outside Japan.
- 80/20 Japanese.
- A Guide to the regional ramen of Japan.
- A Moss Girl’s Guide to Japanese Moss Viewing.
- A no-sushi guide to food in Japan.
- A trip to Japan (Quora answer).
- Arashiyama Bamboo Grove.
- Autumn Leaves in Hokkaido.
- Benten, Taito - 3-21-8 Asakusa, Ueno, Asakusa (Buckwheat noodles shop).
- Doteno-Iseya 土手の伊勢屋: 127-year old Tempura.
- Drinking Japan.
- Five Best: Japanese Ryokan.
- Fuji Q Highland (rollercoaster theme park). Check out haunted hospital.
- Furano, Hokaido.
- Guest houses: Kazariya, Rakuza, Musubian.
- Hiiragiya ryokan.
- Himeji Castle.
- Hokkaido summer flowers.
- Hypermedia (internal travel website).
- jalan.net (travel booking site).
- Japan guide.
- Japan Info.
- Japan Rail Pass.
- Japan Study Program.
- JAPAN TRAVEL DATA 15DAYS, 3.5GB on 4G/LTE- NANO SIM.
- Japanese beaches.
- Japanese rule of 7.
- Kawachi Fujien 河内藤園 (Kawachi Wisteria Garden).
- Koya Bound – Eight Days on the Kumano Kodo | Hacker News.
- Koyasan (needs booking).
- Kyoto itineraries.
- Lots of goodies. Bamboo forest, oh my.
- Monument in front of the Shin-Yatsushiro Station.
- Nagakushiyama park.
- Nagoya.
- Natadera Temple in winter.
- Okinawa: secrets for a long and happy life.
- Onsen.
- Quora: What are some of Japans best kept secrets?
- Saitamaya: The Master of Grilled Meat - YouTube.
- Table of Content for japan2013.
- Table of Content for japan2014.
- Table of Content for japan2015.
- TAKAZAWA Candle (or look for ikaragata shape candle).
- The village of living water.
- Things to look out for in Japan (Quora).
- TokyoCheapo.
- Top 10 Japanese Stationery Items for Foreign Tourists.
- Try out sukiyaki.
- Uncharted Tokyo.
- Zao Fox Village.
# Kyoto travel bookmarks
- Fushimi Inari Temple: 4KM mountain trail lined with bright orange shinto gates.
- Golden Pavillion (macha and biscuits at tea house).
- Hakone (day trip for hot baths), see Yuryo spa. Also the pirate boat.
- Kinkakuji Temple.
- Kiyomizu Temple.
- Kuramadera Temple & Kibune Shrine: More peaceful shrine.
- Kyoto travel tips (doc).
- Kyoto's train station itself.
- Nijo-Jo’.
- Nishiki Market: Awesome market. Some say better than Tsukiji.
- Ryokan ("kaiseki" meals).
- Sanjusangendo.
- Things to do in Kyoto, Japan.
- Walking courses (Google maps).
- WaRaiDo Nighttime tour.
# Tokyo travel bookmarks
- 5 alternative things to do in Tokyo (by globalhelpswap).
- Akihabara: Electronics district, arcades and comic stores.
- Asakusa hotel.
- Asakusa Shrine: Shinto shrine and market.
- Bar Epilogue.
- Bar Odin.
- Bentomi (Sushi).
- Daiwasushi (food).
- Fish market (6am sushi).
- Ghibli museum (book in advance or try lawson).
- Ginza.
- Ginzakyuubee (food).
- Golden Gai (lots tiny bars).
- Hazelburn.
- Imperial Palace: Book to go inside. Beautiful park, great for pictures.
- Isozushi (food).
- Kaiden-don, near tsukiji (Sushi).
- Mikimoto building in Ginza.
- Mori Art museum.
- Musashiya ramen.
- Nezu museum.
- Okonomiyaki in Tokyo.
- Omoide yokocho: Alleyway next to Shinjuku station. Lots of yakitori restaurants.
- Omotesando Koffee (coffee and baked custard slice).
- Omotesando side streets.
- Roppongi.
- Shibuya Crossing: Largest pedestrian crossing in the world.
- Shimokitazawa (thirft stores, music bands, pubs, and cafes).
- Sukiyabashi Jiro.
- Sushi dai (Sushi, long queue, maybe turisty).
- Sushi Kanesaka.
- Sushi Saito.
- Sushidai (food).
- Sushitsu (food).
- Sutekihausukatsura.
- Takaosan (Mount Takao).
- Tenkazushi (food).
- Things to Do in Tokyo Japan - Sunday Spotlight.
- Tokyo Municipal Government building: Only for observation deck with view to Fuji (if clear day).
- Tokyo play blog.
- Tokyo Salaries: all you need to know.
- Tokyo station: Friendly JR office (english spoken). They help book all trips/tickets/reservations.
- Tokyo Station: Massive station. Lots of restaurants and shops (check out ramen street).
- Tokyo Travel Tips: 5 Things You Need In Japan | Coffee and Passport.
- Tokyo Travel Tips: 5 Things You Need In Japan.
- Tokyu Hands and Loft (shops in Shibuya).
- Toritake (yakitori at Shibuya).
- Tsukiji Fish Market: Sushi bars and food vendors (get there early, visitor numbers restricted).
- Tsukiji Fish Market calendar.
- Viron Bakery (in Shibuya).
- 婁熊東京 (raw and grilled pork).
- 酒友 (Sake & good Shabushabu), Roppongi.
# UK travel bookmarks
# Development quotes
# Development philosophy
- Boyscout rule: Leave campground cleaner than found.
# Spain travel bookmarks
# Meet up bookmarks
# Plantuml example
Played with Plantuml. Convenient for generating UML diagrams from text. Here's the Language Reference Guide. Here's an example:
@startuml
abstract class Singer {
abstract void sing()
void Dance()
}
skinparam monochrome true
Singer <|-- PopSinger
Singer <|-- SalsaSinger
class PopSinger {
void sing()
}
class SalsaSinger {
void sing()
}
@enduml
Install plantuml on Mac OS X:
brew install plantum
Generating diagram:
$GRAPHVIZ_DOT=~/homebrew/bin/dot java -jar path/to/plantuml.8018.jar diagram.plantuml
ps. Installation and verification gist.
# Helm-describe-helm-attribute
Writing A Spotify Client in 16 Minutes is fantastic for picking up helm and Emacs lisp tips. Of interest helm-describe-helm-attribute, second to the awesomeness of helm-spotify integration.
<iframe width='420' height='315' src='https://www.youtube.com/embed/XjKtkEMUYGc' frameborder='0' allowfullscreen> </iframe>
# Youtube videos in your org html export
Sacha Chua and John Wiegley posted a wonderful video on Emacs lisp development tips. Embedding the following raw HTML using #+BEGIN_HTML/#+END_HTML:
<iframe width="420" height="315" src="https://www.youtube.com/embed/QRBcm6jFJ3Q" frameborder="0" allowfullscreen> </iframe>
results in an embedded video when exporting your org file:
<iframe width="420" height="315" src="https://www.youtube.com/embed/QRBcm6jFJ3Q" frameborder="0" allowfullscreen> </iframe>
# .net bookmarks
# UK property bookmarks
- Commute from (find property based on potential commute).
- Mapumental Property (find property by travel time).
# Git commit message style
Adopted Tim Pope's Git commit message style. Also enabled Emacs's git-commit-training-wheels-mode:
(use-package git-commit-training-wheels-mode :ensure t :commands (git-commit-training-wheels-mode)) (use-package git-commit-mode :ensure t :config (add-hook 'git-commit-mode-hook 'git-commit-training-wheels-mode) :commands (git-commit-mode))
Another great post by Chris Beams.
# fci-mode and org-html-export-to-html bug
Having enabled fci-mode in most programing modes, org-html-export-to-html now exports an additional unicode character in source blocks. This thread has a workaround:
(defun org-html-fontify-code (code lang) ;; ... (funcall lang-mode) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (when (require 'fill-column-indicator nil 'noerror) (fci-mode -1)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (insert code) ;; ...
# Try cocoapods out
$ pod try POD_NAME
# Cornwall travel bookmarks
# Austria travel bookmarks
# Cinnamon desktop run dialog
Note to self. Open with Alt-f2.
# Books for 2015
# Ayahuasca bookmarks
# Emacs init.el bookmarks
- Adam Schwartz's init.
- Andrew Gwozdziewycz's init.el.
- Andrew Kensler's init.el.
- Andrew's .emacs.
- Anler Hernandez's literate config.
- Chen Bin's init.el.
- Clinton Ryan's init (JS config).
- Eric James Michael Ritz.
- Grant Rettke's literate config.
- Hardcore Freestyle Emacs.
- Huseyin Yilmaz.
- Mark Sparks's init.el.
- Marten Lienen's init.el.
- Mathew Lee Hinman's Emacs settings file.
- Mathieu Marques's wonderful literary config (uses tern for Javascript).
- Rinat Abdullin's literary config.
- Temacco's init.
# CSS vertical align using flex
Codepen snippet:
div{ height: 200px; background: #ccc; display: flex; justify-content: center; align-items: center; } p{ margin: auto }
# London diving schools
- London Diving School. Not heard good comments.
- Dive Wimbledon. Heard ok comments.
- Clidive is a BSAC club (amateur organisation). Not commercial but may take longer.
- Sublime Diving. Heard good comments.
- Oyster Diving. Pool in cetral London. Good comments.
- SS Thistlegorm mentioned as a memorable site.
- Many suggest to get certified elsewhere. Perhaps Egypt via Poseidon Divers.
# Helm buffer URLs
Venturing into Emacs lisp and Helm. Here's a go at listing all URLs in current buffer.
(require 'goto-addr) (defun ar/helm-buffer-url-candidates () "Generate helm candidates for all URLs in buffer." (save-excursion (goto-char (point-min)) (let ((helm-candidates '()) (url)) (while (re-search-forward goto-address-url-regexp nil t) (setq url (buffer-substring-no-properties (match-beginning 0) (match-end 0))) (add-to-list 'helm-candidates (cons url url))) helm-candidates))) (defun ar/helm-buffer-urls () "Narrow down and open a URL in buffer." (interactive) (helm :sources `(((name . "Buffer URLs") (candidates . ,(ar/helm-buffer-url-candidates)) (action . (lambda (url) (browse-url url)))))))
# Doh! undo last git commit
$ git reset --soft HEAD~1
# Resetting variables using defvar
Want to re-evaluate defvars and modify variables? eval-defun (bound to C-M-x) can help. From the manual:
If the current defun is actually a call to `defvar', then reset the variable using its initial value expression even if the variable already has some other value. (Normally `defvar' does not change the variable's value if it already has a value.) Treat `defcustom' similarly.
# Broken Xcode plugins?
Some Xcode plugins stopped loading after updating Xcode. Ensure the latest DVTPlugInCompatibilityUUIDs is added to the plugin's Info.plist. Get from:
$ defaults read \
/Applications/Xcode.app/Contents/Info DVTPlugInCompatibilityUUID
Additional suggestions as Stack Overflow.
# Born to Run references
References from reading Christopher McDougall's Born to Run:
- Chi running.
- Chia and pinole. Random recipes here.
- Heritage Seeds.
- Ken Mierke’s Evolution running.
- Pose method.
- Quotes, references, videos, etc. at ultimate paleo guide.
Recipe by Megan Mignot, based on book references:
Mama Tita’s Pancakes
- 1 ½ cups cooked brown rice
- 1 cup coconut milk
- 2 ripe bananas
- 1 tablespoon honey
- ½ cup white cornmeal
- 2 teaspoons baking powder
# Org tips from 2015-03-18 Emacs hangout
Lots of great tips in Emacs Hangout 2015-03-18. Favorites:
- Private org drawer to prevent export:
:PRIVATE: My super duper secret text I don't want to export. :END:
- C-c C-p/C-c C-n Jump over sections.
- (setq org-hide-leading-stars t).
- (org-bullets-mode).
- (org-refile).
- C-u (org-refile) jumps, no refile.
- (helm-org-in-buffer-headings).
# Food bookmarks
# Ethiopia travel bookmarks
# China travel bookmarks
- 7 first-timer fails to avoid on your trip to Beijing.
- Beijing on a budget.
- Chinese cities you've never heard of.
- Ctrip for hotels. Stick to high-rated only.
- Essential regional cuisine of China.
- Fenghuang ancient town.
- Hallelujah Mountains.
- Houhai Lake (Beijing). Miscellaneous bars.
- Jiuzhaigou nature reserve.
- Luotuofeng peak, Sichuan.
- Mount Huashan.
- Nan Luo Gu Xiang (Beijing). Street Food!
- Qianmen Street. Near Tiananmen Square. Artifact shopping and famous food.
- Rock pools.
- Shanghai Street Food #7 Jiān Bǐng 煎餅.
- Shenzhen (Hong Kong). The worlds manufacturing ecosystem.
- Suspended Temple of Mt. Hengshan.
- The essential guide to backpacking China's silk road.
- What are some must-try foods when visiting China? (Quora).
- Zhangjiajie National Forest Park.
# South Korea travel bookmarks
# Sharing on iOS
- UIActivityViewController.
- Use completionWithItemsHandler on iOS 8.
- Sample:
NSString *title = @"Sharing on iOS bookmarks."; NSURL *url = [NSURL URLWithString:@"http://xenodium.com/#sharing-on-ios"]; UIImage *image = [UIImage imageNamed:@"beautiful-image"]; UIActivityViewController *controller = [[UIActivityViewController alloc] initWithActivityItems:@[title, url, image] applicationActivities:nil]; // self being a UIViewController. [self presentViewController:controller animated:YES completion:nil];
- Sharing through Mail app on simulator isn't supported.
viewServiceDidTerminateWithError: Error Domain=_UIViewServiceInterfaceErrorDomain Code=3 "The operation couldn’t be completed. (_UIViewServiceInterfaceErrorDomain error 3.)" UserInfo=… {Message=Service Connection Interrupted}
- Sharing through Mail app on device is OK.
- WWDC 2014 Creating Extensions for iOS and OSX, Part 1.
- Share Extensions talk by Guy Fullerton.
- Usually view controllers in addition to plist.
- CFBundleDisplayName.
- NSExtendion.
- NSExtensionAttributes.
- NSExtensionActivationRule.
- NSExtensionAttributes.
- SLComposeServiceViewController.
- UIActivityViewController.
- Share Extensions talk by Guy Fullerton.
- WWDC 2014 Creating Extensions for iOS and OSX, Part 2.
- Want to a share URL to App Store? See Technical Q&A 1633.
# San Francisco travel bookmarks
# Istanbul travel bookmarks
- Altan Şekerleme (turkish delight shop).
- Cheap eats in Istanbul's Bazaar District.
- Findikli rainbow stairs.
- Historic neighborhood of Arnavutkoy in Istanbul.
- Istanbul Food: after the perfect bite.
- The rise of Karakoy: Istanbul's hippest neighbourhood.
- Uskudar Fish Market.
# Rome travel bookmarks
# Italy travel bookmarks
- 22 Towns in Italy That Are Almost Too Perfect Looking.
- Abbazia di Monte Oliveto Maggiore.
- Amalfi coast's Furore beach.
- Boboli Gardens, Florence.
- Braie lake.
- Caffe Meletti.
- Cinque Terre.
- Emilia Romagna. (foood!).
- Fixe small towns in Italy.
- Italy's six best road trips.
- Live the good life: 12 local experiences on the Amalfi Coast.
- Manarola.
- Milan - Deus cafe.
- Milan - Gelato joints.
- Milan - Il mangione to find restaurants.
- Milan - Mercato Metropolitani.
- Milan - Navigli and eat at "el brellin".
- Milan - Taveggia for hot chocolate.
- Milan - Where to go for aperitivo in Milan.
- Montalcino, and Brunello wine.
- Palace of Venaria.
- Piazza dei Miracoli.
- Piedmont.
- Pienza, Tuscany.
- Rabbit beach.
- Re di Macchia, restaurant in Montalcino.
- San Galgano, Tuscany.
- San Gimignano, Tuscany.
- San Lorenzo leather market.
- Skiing in Italy: find your perfect resort.
- Volterra, Tuscany.
# Emacs lisp debug on entry
Wanted to track down which package was enabling ido-mode on my behalf. debug-on-entry to the rescue. Pass the method name in question and you're good to go.
(debug-on-entry 'ido-mode)
When done, use cancel.
(cancel-debug-on-entry 'ido-mode)
# Burma travel bookmarks
- Bagan and Inle lake are the "touristy" areas.
- Balloons over Bagan.
- For Bagan, get bicycles.
- Inle lake guided boat tour.
- Ngapali beach.
- Shwesandaw at sunset.
- zyklusdiewelt's Myanmar's photos.
# OS X Screencasts to animated GIF
- Alex Dergachev has a great howto for generating animated GIF out of OS X Screencasts.
- Of interest GIF Brewery.
# Writing Xcode plugins
- Xcode-Plugin-Template from Delisa Mason/kattrali.
- Ensure DVTPlugInCompatibilityUUIDs is in Info.plist.
- Get from:
defaults read \
/Applications/Xcode.app/Contents/Info DVTPlugInCompatibilityUUID
- Luis Solanos's Xcode-RuntimeHeaders.
- Boris Bügling's Xcode-RuntimeHeaders fork.
- Building the Xcode plugin snapshots.
- Xcode Explorer enables you to explore Xcode events/notifications.
- Creating an Xcode4 plugin.
- Common Xcode plugin techniques.
- XcodeExplorer to monitor Xcode internals.
- Debugging your Xcode plugin.
# Uninstalling Alcatraz from Xcode
$ rm -rf ~/Library/Application\ Support/Developer/Shared/Xcode/Plug-ins/Alcatraz.xcplugin $ rm -rf ~/Library/Application\ Support/Alcatraz
ps. Removing all plugins:
$ rm -rf ~/Library/Application\ Support/Developer/Shared/Xcode/Plug-ins/*
# Prefill Emacs swiper with current region
The new swiper Emacs package is proving to be a great alternative to helm-swoop. Here's how to prefill with current region:
(defun ar/prefilled-swiper () "Pre-fill swiper input with region." (interactive) (if (region-active-p) (let ((region-text (buffer-substring (region-beginning) (region-end)))) (swiper region-text)) (swiper))) (global-set-key (kbd "C-s") #'ar/prefilled-swiper)
# Change Mac OS app icon
- Open the new icon (.icns) in Preview.
- Select all (⌘-a).
- Copy (⌘-c).
- Ctrl-click on app icon.
- Select Get Info.
- Click on app icon (top-left).
- Paste (⌘-v).
- Done!
# Hack on Emacs London meetup bookmarks
- European Lisp Symposium.
- guide-key displays available key bindings.
- iplayer-el Emacs interface to the BBC's iPlayer.
- swankr REPL (swank protocol for R).
# Working with OS X and Emacs tips
From M-x all-things-emacs, Ryan McGeary's OS X/Emacs workflow.
Frequently used apps:
- 1 password.
- Choosy.
- Divvy.
- Fastscript.
- Fluid (SSB).
- Launchbar.
- Skitch (screenshots).
- te (Text expander).
Dotfiles
# Building ycmd
Build
$ git clone https://github.com/Valloric/ycmd.git $ cd ycmd $ git submodule update --init --recursive $ ./build.sh --clang-completer
Test
$ python ycmd serving on http://127.0.0.1:54265
More info
# Regular bookmarks
# Photography bookmarks
# Paris travel bookmarks
- Atelier Maitre Albert (known for its rotisserie chicken).
- Au Passage. Small plates in fun atmosphere.
- Berthillon Ice Cream.
- Breizh Café (traditional gallete, savory buckwheat crepes).
- Buvette Gastrotheque. Wine bar with small dishes.
- Cheri Bibi, possibly hipster, underneath Sacre Coeur, good cocktails.
- Creperie Josseline. Worth the queue. Drink Breton cider with crepes.
- Holybelly Canal Saint Martin.
- How To Spend a Culinary Weekend In Paris.
- L'Aller Retour. The place for steak-frites.
- L'Office. Wine bar/bistrot.
- Le Barav'.
- Le Petit Poucet (restaurant next to Place de Clichy, Paris).
- Le Reminet (Paris restaurant).
- Marché d'Aligre. Authentic neighbourhood market.
- Marché des Enfants Rouge. Small covered market. Eat at food stalls.
- Mosquee de Paris. City mosque. Drink mint tea at courtyard under olive trees or eat in restaurant inside. North African food.
- Musee d'Orsay.
- Paris: A Guide To Some Of The Best Cafes In Canal St. Martin.
- Pierre Herme. For great pastries and macarons.
- RATP for transport info including the "carnet" of 10 tickets.
- Rodin Museum.
- West Country Girl (crepes).
- What are the best boulangeries and patisseries in Paris for each arrondissement? (Quora).
- What are the best places to buy cheese in Paris? (Quora).
- Where are best vintage stores in Paris? (Quora).
- Where are the best flea markets in Paris? (Quora).
# Org mode bookmarks
- Assigning ids to entries.
- Automating boilerplate in org-mode journalling.
- Drawing Git Graphs with Graphviz and Org-Mode.
- Image display size in Org.
- Kevin's org notes.
- Literate DevOps.
- Org mode basics.
- Org mode examples and cookbook.
- Org mode examples.
- Org mode reference card.
- org-mode support for vCard export and import.
- Organize your life in plain text.
- Writing Specs with Org-mode.
# London food backlog
Camberwell
- TODO Sun of Camberwell (Roast beef, Yorkshire, and sticky toffee pudding).
- TODO Silk Road (Chinese, Lamb/cumin skewers).
Covent Garden
- TODO Punjab (Punjabi).
- TODO Duende (modern Spanish).
- TODO Rock & Sole Plaice (fish and chips).
- TODO Timber Yard (coffee, working).
- TODO Chicks 'n' Sours.
- DONE Dishoom (Indian), try Lamb raan.
- DONE Sagar (South Indian): Great food!
Islington
- TODO Delhi Grill (Indian), try chicken makhani and naan.
- TODO Roots N1 (Indian).
- TODO The pig and butcher (sunday roast).
- TODO Busan BBQ (Korean meets American diner/burgers and fried chicken).
Marylebone
Shoreditch
- TODO Mast Brothers chocolate makers.
- TODO Sagardi (basque).
- TODO Look mum no hands (cofee, working).
- TODO J+A (coffe, working).
- TODO Good & Proper (coffee, tea, working).
- TODO Smokestak (BBQ).
Soho
- TODO BAO (Bao buns! enough said).
- TODO Pizza Pilgrims.
- TODO Temper restaurant (tacos).
- TODO Golden Union (fish bar).
- TODO Melt Room (Cheese toasties).
- TODO Shotgun (BBQ).
- TODO Smack Lobster (Lobster rolls).
- TODO Atari Ya (Sushi).
- TODO Darjeeling Express (Indian).
- TODO Hoppers Dosas, Rice, Roast, Kothu & Arrack (Sri Lanka and Tamil Nadu).
- TODO Timber Yard (coffee, working).
- DONE SAID (italian chocolate shop). Awesome hot chocolate.
# UX bookmarks
- 10 kerning tips for improving your typography.
- 30 Flat Design Color Palettes That Just Work.
- Animated SVG icons.
- Apple's UI design Dos and Don'ts.
- Ask HN: Good books or articles on UI design? (Hacker News).
- behance (Showcase & Discover Creative Work).
- California magazine.
- capptivate.co (features mobile UIs).
- Creating badass users.
- Death to Stock (stock photos).
- Designer News.
- Evil icons.
- Font squirrel (free fonts for commercial use).
- How to Become a UX Designer (Hacker News).
- Images and Sketch files of popular devices (Hacker News).
- Images and Sketch files of popular devices.
- Logo Modernism (Book).
- Makerbook: A hand-picked directory of the best free resources for creatives.
- Material Design icons.
- mobile-patterns.com (UX mobile patterns).
- pttrns.com (mobile UX patterns).
- Ten most popular webfonts of 2014.
- The 100 Best Design Blogs to Follow.
- The Foundations of a Good UI.
- The Psycology of UX.
- Typographica (type reviews, books, commentary).
- Unsplash – Beautiful photos free to use under the Unsplash License (Hacker News).
- What are you working on? Dribbble is show and tell for designers..
- Why Showing Your Process is So Important!.
# Unix/Linux tips backlog
- TODO Cast All The Things.
- TODO xmllint –format.
- TODO Curl vs Wget (Hacker News).
- TODO agnoster.bash.
- TODO entr runs commands when a file changes.
- TODO SoftEther VPN.
- TODO git-annex.
- TODO fasd a command-line productivity booster.
- TODO Linux environment management.
- TODO ASCII art text with figlet.
- TODO awk FAQ.
- TODO awk in 20 minutes.
- TODO Bruce Barnett's awk tutorial.
- TODO Bruce Barnett's sed tutorial.
- TODO Cool but obscure unix tools at kkovacs.eu.
- TODO Linux profiling at Netflix.
- TODO Using gnu stow to manage your dotfiles.
# Recipes
Tom Kha Gai soup
- Chicken or Prawns
- 2 kaffir lime leaves
- 1 lemongrass stalk
- 1 1/2 cocunut milk
- 3/4 sliced fresh galaghal
- 1 1/2 chicken stock or water
- 1/2 cup mushrooms
- 3 1/2 tbsp sugar
- 1/2 cup of cilantro
- 1-4 thai chillies
- 1-2 tbsp chili oil
- 1 green onion
Veg-Fruit juice
- Lime
- Ginger
- Apple
- Chilly
- Celery
- Fig
- Blueberries
Berry Hempster
- Hemp milk
- Hemp protein
- Strawberry
- Blueberry
- Date
How to cook Beef Chow Fun.
# Music backlog
- TODO Archive of Indian music.
- TODO Budhaditya Mukherjee.
- TODO Debashish Bhattcharya.
- TODO Halim Jafar Khan and his Disciples - Sitar Quintet - LP published in India in 1968.
- TODO Harjinderpal Singh.
- TODO Jayanthi Kumaresh.
- TODO Kayhan Kalhor.
- TODO Malaya Chalo.
- TODO Mehboob Nadeem.
- TODO Nirmalya Dey.
- TODO Zia Mohiuddin.
# UX scrapbook bookmarks
- 27 fonts* (give or take) that explain your world.
- 60 FPS on mobile web (plus layouts).
- Another minilimalistic one-pager.
- Another minimalistic gallery.
- Behance.
- Compact & Powerful: Great Examples of Floating Action Buttons in Interfaces.
- Flag of Planet Earth.
- Kevin.is (Simple layout).
- Meng To's I Love Food I.
- Meng To's I Love Food II.
- Minimalistic blog layout.
- Minimalistic blog layout.
- Minimalistic gallery.
- Minimalistic one-pager.
- Neue Haas Unica (reborn).
- Neue Haas Unica.
- Organizational Debt is Like Technical debt — But Worse.
- Pierre-Yves Ritschard's minialistic blog.
- Raleway Font.
- Svbtle: A post on java developers. Enjoyed its minimalistic layout.
- whereis-whoishiring-hiring.me (minimalistic categorization).
# Travel blog bookmarks
# Travel bookmarks
- 21 Totally Breathtaking Trails.
- 5 increíbles escapadas a islas que quizás nunca has considerado.
- 52 Places to Go in 2016 (Hacker News).
- 52 Places to Go in 2016.
- A beginner's guide to the art of hiking.
- abitofculture.net.
- Alex in wanderland.
- Amazing places around the world.
- Backpacks and Bunkbeds.
- Beyond blighty.
- BLOUINARTINFO+TRAVEL.
- Continental Breakfast travel.
- Girl tweets world.
- How does it feel to travel alone? (Quora).
- How to pack light: tips from a master packer.
- How to travel: 21 Contrarian rules.
- International Railway Journal.
- izi.TRAVEL: A tour guide in your pocket.
- Joe's Trippin' A few tales from the road by a modern day nomad.
- Legal nomads.
- Need another holiday.
- Never ending footsteps.
- New in Travel: the best new openings of 2017 (11 to 20).
- New in Travel: the best new openings of 2017 (21 to 35).
- New in Travel: the best new openings of 2017 (one to 10).
- On The Luce.
- pichette.org's travel blog.
- Restless Jo.
- See my travels.
- The Crew Lounge.
- The Grown-up gap year.
- The Happy Talent. A Travel blog.
- The Travel Hack.
- The Travelbunny.
- The world's best places to see autumn colours.
- Thorn Tree travel forum (Lonely Planet's).
- Travel with Kat.
- Traveldudes.
- Traveling Spoon.
- Travelistly TV (high quality travel content).
- Tried and tested tips for a trouble free road trip.
- Two for the road.
- Ultimate travel list: Lonely Planet's top 10 sights in the world.
- Vagabond Baker.
- What are common items that savvy travelers bring with them that less-savvy ones don't? (Quora).
- What are your top 10 travel tips? (Quora).
- World daily secret.
- World food and drink.
- X Days in Y.
- ytravel.
# Startup bookmarks
- 16 Startup Metrics (Hacker News).
- 16 Startup Metrics.
- 19 Amazing Sites To Get Free Stock Photos.
- 301 Redirects Rules Change: What You Need to Know for SEO.
- A Dashboard for your Code.
- A guide to PR for startups (Hacker News).
- A guide to PR for startups.
- Airtable: cloud DB with a spreadsheet web UI.
- An iOS REST Client that is based on MVVM using ReactiveCocoa.
- An iOS Weather app case study.
- Answer these questions about potential digital platform.
- AppFigures: App tracking platform.
- AppScale, The Open Source Implementation of Google App Engine.
- Ask HN: Best business advice for software developers (Hacker News).
- Ask HN: How do you handle DDoS attacks? (Hacker News).
- Ask HN: Simple alternative to Google Analytics.
- Ask HN: What tools do you use to build HTML emails?
- Authentication Cheet Sheet.
- BaaS comparison.
- BaaS ecosystem map.
- Barnacles.
- Bayesian ranking of items with up and downvotes or 5 star ratings (Hacker News).
- Bayesian ranking of items with up and downvotes or 5 star ratings.
- Check for word safety (wordsafety.com).
- Clink78 hostel.
- Common Startup Timing Mistakes and How to Avoid Them (Hacker News).
- Comparing five monitoring options for docker.
- Compose.io.
- Contentful: Like a CMS — except for the bad parts.
- Create OpenStreetMaps with uMap.
- curl online command line builder.
- Dashborads using ASCII and JS.
- Detect iOS Device location in just one line.
- Disposable chats in Go (more links here).
- Does it scale? Who cares (2011) (Hacker News).
- Done is better than perfect.
- fieldbook: Create a database, as easily as a spreadsheet.
- Find your competition.
- Fiverr (logos, graphic design, etc).
- Fiverr: The Marketplace for Creative & Professional Services.
- Flag Theory: Freedom, Privacy and Wealth.
- Free tools for startups (Shyahi blog).
- Free vectors.
- Gain valuable, actionable feedback on your startup ideas.
- Glyphish icon collection.
- Go hosting (Reddit comments).
- gofundme.
- GraphQL, a query language and execution engine tied to any backend service.
- HN: Things to Know When Making a Web Application in 2015.
- How I got to the app store top with a simple currency app.
- How to price anything: The psychology of why we’ll pay what we pay.
- How to Send Email Like a Startup.
- How to start a startup lectures.
- Icon archive.
- Icon finder.
- Launchaco - Name a business.
- Layer, messaging platform.
- Lessons I learned from Co-Founding a startup.
- List of Minimal frameworks.
- Logodust: Free Logo Designs For Your Startup.
- Logodust: Free Logo Designs For Your Startup.
- Logojoy: AI-powered logo creator (Hacker News).
- Logoshi: Online Logo Maker.
- Looker (Data analysis).
- Luis Abreu, iOS Design/UX Specialist.
- Mapbox. Maps for iOS, Android and Web.
- MAPS.ME (open sourced).
- Messaging UI for iOS.
- Names to reserve for your own service.
- Nighthawk (Debug iOS apps remotely from your browser).
- Office Snapshots.
- Onboarding engineers.
- OneSignal.
- Open Hunt: an open and community-run alternative to Product Hunt..
- Options to serve static content.
- Organizational Debt is Like Technical debt — But Worse.
- Origami for UI patterns and interactions.
- PaintCode (drawings into ObjC code) - coupon.
- Pair programming over code-reviews.
- parse.com.
- paymentfont.io (Payment icons).
- People Who Like This Also Like…
- People Who Like This Also Like… (Hacker News).
- Permutive (ad-server for sponsored content).
- Pragmatic app pricing (Hacker News).
- Pragmatic app pricing .
- Product Hunt: a curation of the best new products, every day.
- Psychological differences in price.
- Quora: What are the best productivity tools for entrepreneurs?
- RethinkDB FAQ.
- RethinkDB HN comments.
- Send email like a startup.
- Share as image.
- Squarespace Logo.
- Startup advice, briefly.
- Startup Incorporation Checklist.
- Structuring JSON data in your Firebase database.
- Submit.co: Press coverage for your startup.
- submit.co: Where to get press coverage for your startup.
- Swagger: Represent REST API.
- Telephony, SMS, and MMS APIs (Hacker News).
- TextBelt: A free, open source API for outgoing texts..
- The Correct Way to Validate Email Addresses (Hacker News).
- The first rule of pricing is: you do not talk about pricing.
- The noun project (more icons).
- The Psychology of Pricing: A Gigantic List of Strategies (HN comments).
- The Psychology of Pricing: A Gigantic List of Strategies.
- Things to Know When Making a Web Application in 2015.
- ToroDB.
- Using BitTorrent with Amazon S3.
- Valve employee handbook.
- We use RethinkDB at Workshape.io.
- What are some of the things VCs listen for when hearing pitches that instill confidence in them about the startup founders pitching?.
- What I'd tell myself about startups if I could go back 5 years.
- What’s the Second Job of a Startup CEO? (Hacker News).
- YC Sales agreement.
# Romania travel bookmarks
# Productivity tips backlog
# Productivity bookmarks
- 10 fast fingers (improve typing skills).
- Day One Journal
- Dotfiles for insane productivity in bash, git, and vim.
- jrnl: Likely what I've been looking for journaling from command line.
- The Ultimate Guide to Personal Productivity Methods.
- Yan's dot files: For peaking.
- Yan's productivity tips: Also to try.
- Zotero.
# Privacy bookmarks
# Mindfulness bookmarks
- Aimless Wandering.
- Are You in Despair? That’s Good (NY Times).
- Beating procrastination.
- Best 10 life changes.
- How to Make Yourself Work When You Just Don’t Want To.
- Ludism's memory techniques.
- Memreise's blog.
- Mental Models I Find Repeatedly Useful.
- Mindfulness breathing.
- Mindfulness Mitigates Biases You May Not Know You Have.
- The Energy Project blog.
# Lifestyle bookmarks
- "Do not spoil what you have by desiring what you have not; what you now have was once among the things you only hoped for." - Epicurus
- A simple guide to meditation.
- Anxiety Culture.
- Brain Pickings.
- Cameron Desautel on lifehacking.
- Cameron Desautel on productivity.
- Curated list of falsehoods programmers believe in.
- Dr. Hamilton Demonstrates "The Hold" - How To Calm A Crying Baby (YouTube).
- Mind body green.
- Quiz: The 36 Questions That Lead to Love.
- Quora on increasing energy levels.
- The Best Indoor Plants to Clear the Air, Literally.
- The Shocking Truth About Freshly Squeezed Orange Juice.
- Travelling alone (Quora).
- Zero Waste Home.
# iOS imaging bookmarks
- Apple's PhotoScroller.
- Beginning Core Image in iOS 6.
- Color difference.
- Image Processing in iOS Part 1: Raw Bitmap Modification.
- Image Processing in iOS Part 2: Core Graphics, Core Image, and GPUImage.
- Image resizing techniques.
- Introduction to color spaces.
- JCTiledScrollView.
- Lab color space.
- SliceTool.
- Subduing CATiledLayer.
- Tile-Cutter.
- UIColor CMYK and Lab Values?.
- UIImage-Conversion.
- What's the best way to average two colors that define a linear gradient?.
# Graphics bookmarks
- gif.js.
- Icicles: Data viz.
- Protoviz: Data viz.
- Svg animation info: Potentially useful for some ideas in mind.
- Svg within svg: Potentially useful for some ideas in mind.
# Nexus Q bookmarks
# Go bookmarks
- 7 Common mistakes in Go.
- A collection of common regular expressions for Go.
- A curated list of awesome Go packages.
- A statistics package with common functions that are missing from the Golang standard library.
- A whirlwind tour of Go’s runtime environment variables.
- Avoiding Reflection (And Such) In Go.
- BasicGoAPI (ie. REST).
- Beego, platform for web apps.
- Building a RESTful API in Go Using Only the Standard Library (Episode 1).
- Building an API with Golang, RethinkDB and wercker.
- Command vet (reports suspicious constructs).
- Complex json handling in Go.
- Configr: abstraction on top of configuration sources.
- Configuring emacs and evil mode for Go development (Part 1).
- Creating an API Client in Go.
- Cross compilation with Go 1.5.
- Custom transports and timeouts.
- Dancing with Go’s Mutexes.
- Debugging Go programs with Delve.
- defaultproject (REST/web starter).
- Defer, Panic, and Recover.
- End-user authentication for Go web applications.
- Error handling in Go.
- Executing commands in Go.
- Exploring Go's runtime.
- fasthttp: Fast HTTP implementation for Go.
- GitHub - gorilla/mux: A powerful URL router and dispatcher for golang..
- GitHub - sethgrid/multibar: Display multiple progress bars in Go (golang)..
- Go best practices, six years in.
- Go by Example.
- Go Challenge 3 (Web application, OAuth, REST-based AIP, etc).
- Go Challenge 3 HN comments.
- Go Code Review Comments.
- Go command Line Flags.
- Go Concurrency Patterns: Pipelines and cancellation.
- Go library for downloading YouTube videos.
- Go Meta Linter.
- Go Proverbs Illustrated.
- Go Template Primer.
- Go tooling essentials (useful flags in tooling).
- Go Tooling in Action - YouTube.
- Go Walkthrough: encoding/json package.
- Go Walkthrough: fmt (formatting strings).
- go-bootstrap to generate a lean and mean Go web project.
- go-fuzz github.com/arolek/ase tutorial.
- Go-miniLock: The Minilock File Encryption System, Ported to Pure Go.
- go-rename.
- Go-restful.
- GOCUI - Go Console User Interface.
- Goji: A web microframework for Golang.
- Golang concepts from an OOP point of view.
- Golang landmines.
- Golang toolbox (high quality Go packages).
- GopherCon 2015 videos.
- GopherCon 2016: Jack Lindamood - Practical Advice for Go Library Authors (YouTube).
- GopherCon 2016: Jack Lindamood - Practical Advice for Go Library Authors.
- Gopherjs: A compiler from Go to JavaScript.
- GoQt: golang Qt bindings.
- gorepl-mode.
- GRequests: A Go "clone" of the great and famous Requests library.
- How to Write Go Code.
- HUGO: a static website engine in Go.
- Interfaces and Composition for Effective Unit Testing in Golang.
- Kubernetes godeps.
- Let's talk about logging.
- Making and Using HTTP Middleware in Go.
- Match regular expressions into struct fields.
- Monkey Patching in Go.
- PanicAndRecover.
- Parsing HTML with Go using stream processing.
- Ran: a simple static web server written in Go.
- Reducing boilerplate with go generate.
- RESTful Web API Basics in Go.
- Restful webservice using golang with sqlite.
- Revel: A high-productivity web framework for the Go language.
- runtime.pprof for profiling.
- Sashay Go codegen.
- Sling: Go REST client library for creating and sending API requests.
- Small introduction to tags in Go.
- So you want to expose Go on the Internet (Hacker News).
- Survey of Rounding Implementations in Go | Cockroach Labs.
- Swagger Go documentation generator.
- Ten useful techniques in Go (HN comments).
- Ten useful techniques in Go.
- termui, Go terminal dashboard.
- The 5 stages of learning Go.
- The Go Cookbook.
- The Hunt for a Logger Interface.
- Things I wish someone told me about Go.
- Visualizing Concurrency in Go.
- What's So Bad About Stdlib's Log Package? (Groups discussion).
- Writing Unit Tests for your net/http Handlers.
# GitHub
# Courses bookmarks
# Reload inputrc
Reload .iputrc from bash prompt: C-x C-r. More at bashref manual.
# Learning Emacs lisp
- Use nreverse and nconc to operate on lists in-place.
- Set buffer local variables:
(setq-local my-clever-var)
- Execute before saving buffer:
(add-hook 'write-file-hooks (lambda () (message "about to save!")))
- Possibly use to start processes and send file content:
(make-comint NAME PROGRAM &optional STARTFILE &rest SWITCHES)
- Creating markers:
(setq my-marker (copy-marker (point))) #<marker at 10251 in *ielm*> (marker-buffer my-marker) #<buffer *ielm*> (marker-position my-marker) 10251 (#o24013, #x280b, ?⠋)
- Get org heading at point:
(org-get-heading 'no-tags 'no-todo)
- Remove string text properties. From manual:
(substring-no-properties STRING &optional FROM TO)
Return a substring of STRING, without text properties. It starts at index FROM and ends before TO. TO may be nil or omitted; then the substring runs to the end of STRING. If FROM is nil or omitted, the substring starts at the beginning of STRING. If FROM or TO is negative, it counts from the end.
- Skip org entry metadata/drawers:
(org-end-of-meta-data-and-drawers)
- Random access to org entry using id (or CUSTOM_ID):
(org-open-link-from-string "[[#%exciting-custom-id]]")
- Go to where the function is defined.
- Press C-u C-M-x. Edebug breakpoint for function.
- Invoke function in question.
- n/c will get you around.
- q when done.
- Pretty printing objects:
(let ((my-var (list "val1" "val2" "val3"))) (pp-to-string my-var))
- Search and/or replace in curent buffer:
(re-search-forward "needle" nil t) (match-beginning 0) ;; Start location of match from last search. (match-end 0) ;; End location of match from last search. (replace-match "love") ;; needle-in-haystack
- Restrict buffer editing to a region:
(narrow-to-region (point) (point-max))
- Restore restriction:
(save-restriction (narrow-to-region (point) (point-max))
- Restore point, mark, and current buffer:
(save-excursion (goto-char (point-max)) (insert "Hello elisp."))
- Concatenating strings:
(concat "Hello " "elisp " "world.")
- Grabbing thing at point:
(thing-at-point 'word) (thing-at-point 'symbol) (thing-at-point 'line)
- Unit test with ert.
- Basic iteration with dolist:
(dolist (v '("a" "b" "c")) (print v))
- Output to other buffer:
(with-current-buffer (get-buffer-create "*some buffer*") (princ '(some list to print) (current-buffer)))
- For a temporary buffer, use with-temp-buffer:
(with-temp-buffer (insert "abc") (point))
- Cons cells bookmark.
- Check for substring:
(string-match-p REGEXP STRING &optional START)
- Matching substrings and accessing groups:
(setq haystack "Always click [[http://reddit.com/r/emacs][here]].") (setq needle-re "\\[\\[\\(.*\\)]\\[\\(.*\\)]]") "\\[\\[\\(.*\\)]\\[\\(.*\\)]]" (string-match needle-re haystack) 13 (#o15, #xd, ?\C-m) (match-string 0 haystack) "[[http://reddit.com/r/emacs][here]]" (match-string 1 haystack) "http://reddit.com/r/emacs" (match-string 2 haystack) "here"
- Return argument unchanged (noop):
(identity ARG)
- Org insert today's timestamp
(org-insert-time-stamp (current-time))
- OS version in .emacs: Determine OS in emacs lisp.
- First element
(car LIST)
- All but first element
(cdr LIST)
- Add NEWELT to front of PLACE
(push NEWELT PLACE)
- Invoke 'FUNCTION for each in SEQUENCE
(mapcar FUNCTION SEQUENCE)
- Search/replace
(while (search-forward "Hello") (replace-match "Bonjour"))
- Save to kill ring = copy.
- Point = cursor position.
- Mark = a buffer position.
- Kill = cut text.
- Yank = paste.
- Buffer:File = 1:1.
- Window:Buffer = 1:1.
- Frame:Window = 1:many.
- Font lock = syntax highlighting.
# Apple Watch bookmarks
# iOS bookmarks
- 11 Insanely Great iOS Developers Sites.
- Access mobile Safari via web inspector.
- Adding in-app purchase.
- An @import-ant Change in Xcode.
- App IDs.
- App review guidelines (comic book).
- Apple docs.
- Apple's coding guidelines for Cocoa.
- Apple's Concepts in Objective-C programming.
- Apple's mogile HIG guidelines.
- Attributed String Programming Guide.
- Beta testing your app.
- Cartool (Inspect car files).
- Clang 3.7 documentation BLOCK IMPLEMENTATION SPECIFICATION.
- Clean architecture for iOS.
- Cocoa controls.
- Cocoadocs.
- Cocoapods under the hood.
- Cocoapods.
- Code pilot.
- Code School iOS courses.
- ComponentKit is an Objective-C++ view framework for iOS that is heavily inspired by React.
- Create a CMSampleBufferRef from CGImageRef.
- Creating iTunes Connect Record.
- css-layout: Facebook's layout transpiled to C, Java and C#.
- DaveLots of iOS resources.
- Displaying Text Content in iOS.
- DJKFlipper.
- Everything about bluetooth central (slideshare).
- Finding iOS memory leaks with Xcode's Instruments.
- Getting to know TextKit.
- Giorgio Calderolla.
- Hacking UINavigationBar.
- How (Not) to Write an iOS SDK.
- How do I declare a block in Objcetive-C?
- How to launch your app from the iOS 8 Share Menu – updated for iOS 8.4.
- I created my first CocoaPods library!.
- Icon Matrix.
- INDANCSClient: Objective-C Apple Notification Center Service Implementation (Bluetooth LE).
- Info PList key reference.
- Injection for Xcode.
- Introduction to Xcode (Apple WWDC 2016).
- ios - how to merge two video with transparency - Stack Overflow.
- iOS 10 UI.
- iOS Apprentice.
- iOS Dev Tools.
- iOS Dev Tools.
- iOS dev weekly.
- iOS Programming 101: How To Send Email in Your iPhone App.
- iOS Programming.
- iOS Programming: The Big Nerd Ranch Guide (4th Edition).
- iOS projects catalogues.
- iOS ScrollView Example with Paging.
- ios-deploy: Install and debug iOS apps without using Xcode.
- ios-goodies.com.
- iosdevtips.co.
- joppar.com.
- Laurine: Localization code generator.
- Maintaining profiles.
- Maintaining profiles.
- Many Controllers Make Light Work (Analytics).
- Meerli.
- Mike Ash.
- More aggregation of awesomeness on github.
- NSHipster's Xcode plugins post.
- NSNotificationCenter part 2: Implementing the observer pattern with notifications.
- NSScreencasts.
- Objc.io.
- Objective-C linter.
- OSStatus: Lookup Apple API errors fast.
- Programatically send an email using CFNetwork and GMail.
- Programming iOS Book examples.
- Ray Wendelich.
- Replace Xcode with Neovim.
- Reveal.
- Ry’s Objective-C Tutorial: Functions.
- Setting up a CloudKit Project – Frozen Fire Studios.
- ShareSDK is the most comprehensive Social SDK.
- Sharing data between iOS apps and app extensions.
- Shimmer: Shimmer is an easy way to add a shimmering effect to any view in your app.
- Simple Animation With SnapKit.
- Subjective-C.
- TETHR.
- The Complete Tutorial on iOS/iPhone Custom URL Schemes.
- The Ultimate Guide to Choosing Objective-C or Swift for Your Project.
- Transitioning to ARC.
- Twitter GIF composer.
- UI Testing in Xcode 7.
- Ultimate guide to resolutions.
- Using Application Loader.
- Using Text Kit to Draw and Manage Text.
- VCTransitionsLibrary.
- Weekly bite-sized screencasts on iOS dev.
- When to use App ID wildcards.
- Working with blocks.
- WWDC 2012 Xcode tips.
- WWDC 2014.
- WWDC 2015, 2014, 2013 and Tech-talks 2013 (videos and pdf downloader).
- XCTest documentation.
- YawImageViewer.
- Yet another iOS Blog.
- Zero to BLE on iOS – Part Two.
# Kerala travel bookmarks
- Bagel Shop, 30 Pali Mala Road, off Carter Road, Bandra (W) (+91 22 2605-0178). Daily 9.00AM-10.00PM. Meal for two R500-R800.
- Hotel Natraj, 22-24 City Station Road, Udaipur (near Bapu Bazaar), +91-294-2487488, +91-94147-57893,
- Kala Ghoda Café,10 Ropewalk Lane, Kala Ghoda (+91 22 2263-3866). Daily 8.30AM-11.30PM. Meal for two R600.
- Kochin (Fort Kochin) - old port town with Chinese, Portuguese, Dutch, British and Jewish heritage.
- Munnar - hill station and centre of tea, coffee and spice growing. Great hiking and spectacular views.
- Periyar Wildlife Sanctuary.
- Suzette, Atlanta Building, Nariman Point (+91 22 2288-0055). Daily 9.00AM-11.00PM. Also at Bandra. Meal for two R600-R1,000.
- Varkala - chilled out beach resort.
- Yoga House, 53 Chimbai Road, behind St Andrew's Church, off Hill Road, Bandra (W)(+91 22 6554- 5001). Daily 7.00AM-10.30PM.
# India travel bookmarks
- A Guide to the Breads of India (Hacker News).
- A route: blore - pune - mumbai - ahmedabad - mt abu - udaipur - jaipur - amritsar - chandigarh - jammu - srinagar - kargil - leh.
- Akshardham (Delhi).
- Archeological survey of india sites.
- Bhaja caves, pune, maharashtra.
- Bhang.
- Bodh gaya.
- Budbudyanchi tali (bubbling pond) at netravali, sanguem, goa.
- Chand baori (Wikipedia).
- Chand baori.
- Chandipur Beach.
- Chittorgarh.
- Daulatabad fort.
- dawnoflife07's India trip/pictures.
- Descent of the Ganges (Mahabalipuram).
- Dining with the Dead at the New Lucky Restaurant.
- Dr. Bhau Daji Lad museum.
- Emergencies: +1-650-253-5555.
- Gaya, Bihar.
- Gwalior.
- Hampi.
- India on zeef.
- IRCTC Tourism (A government of India enterprise).
- Jil jil jigarthanda.
- Jodhpur.
- Kalyani/Pushkarini at Hulikere near Halebeedu,KA built by Hoysalas.
- Karni Mata (rats temple).
- Khajuraho.
- Khandala.
- Kovalam beach.
- Lonavala.
- Mahabaleshwar.
- Mahabalipuram.
- Manali, Himachal Pradesh.
- Manali.
- Mumbai - Bademita: chicken tikka.
- Mumbai - Bagdadi restaurant.
- Mumbai - Banaganga lake (Banganga cross lane).
- Mumbai - Bhel puri (find in stalls).
- Mumbai - Cafe Britannia (Kumtha St or Adi Murzaban Path with Shahid Bhaghat Singh Rd).
- Mumbai - Crawford market: revivat Indian thali.
- Mumbai - Eat Mumbai – make the most of India's foodie capital.
- Mumbai - Elephanta caves.
- Mumbai - Pali Market.
- Mumbai - The times of India: masala dosa.
- Mumbai - University of Mumbai.
- Mumbai - Vada pav (find in stalls).
- Mumbai - Victoria station: chai.
- Mumbai- 10 of the best food in Mumbai.
- My India travel Bucket List.
- Nagpur.
- Orchha.
- Panchgani.
- Pandavleni caves, nashik, maharashtra.
- Radhanagar beach.
- Rishikesh.
- Sabarmati Ashram.
- Things to do in Pune (Quora).
- Varanasi.
- Vipassana pagoda.
- Western Ghats.
# Git bookmarks
- a hackers guide to git
- delete last commit
- Getting Started with Git & Github.
- Git - Quickest Way to Resolve Most Merge Conflicts.
- git course: another git online tutorial, by git-tower folks.
- Git from the inside out.
- git from the trenches.
- git recipes for common mistakes and mishaps.
- kernel's git faq.
- model git commit message
- Multiple worktrees and triangular workflows (multiple branches checked out).
- ndp software's git cheatsheet
- rerere: reuse recorded resolution.
- things you didn't know about git.
- Upcase's mastering Git course.
# Language learning bookmarks
# Graphics design tools bookmarks
# Emacs key bindings and maps
based on masteringemacs.org.
bonus tip
prefix key, followed by c-h, lists keys in prefix.
keymap
maps key to action.
keymap found in buffer and most major modes.
keys
- undefined: self explanatory.
- prefix key: ie. c-x (part of complete key).
- complete key: complete input executes associated command.
mapping
- (define-key keymap key def): add to current buffer map.
- (local-set-key key command): add to active buffer (no map option).
- (local-unset-key key)
- (global-set-key key command): add to global keymap (all buffers).
- (global-unset-key key)
key codes
- kbd: macro transaltes human-readable key to emacs readable.
- function and navigation keys must be surrounded by <>.
- example: (kbd "c-c p") or (kbd "<f8>") of (kbd "<down>").
remapping
- use remap to replace mapping (ie. kill-line with my/kill-line).
- (define-key keymap [remap original-function] 'my-own-function).
reserved keys
- "c-c ?" generally reserved for you, but third party packages use it.
- function keys (ie. f1-f12).
- hyper and super (ancient).
lookup order
- in a nutshell: minor mode keys, local keys, global keys.
- full order:
- overriding-terminal-local-map: terminal-specific key binds.
- overriding-local-map: override all other local keymaps (avoid if possible).
- char property at point: useful for yasnippet.
- emulation-mode-map-alists: advanced multi-mode keymap.
- minor-mode-overriding-map-alist: minor modes in major modes.
- minor-mode-map-alist: as previous (preferred for minor modes) <–—
- current-local-map: buffers current local map.
- current-global-map: last place to look (ie. global).
mode hooks
- (local-set-key (kbd "c-c q") 'my-awesome-method)) in hook-method.
- for key-chord-define, use current-local-map.
# Video backlog
- TODO Seeing spaces.
- TODO An exclusive seminar with Julian Assange.
- TODO The (Secret) City of London, Part 1: History.
- TODO The (Secret) City of London, Part 2: History.
- TODO The UK Gold.
- TODO Terra Plana - Learning the skill of barefoot running.
- TODO The Science of Compassion ॐ Mata Amritanandamayi ॐ Documentary.
- TODO Rich Hickey Talks (clojure).
- TODO Redux: The Single Immutable State Tree screencast.
- TODO Anders Hejlsberg and Lars Bak: TypeScript, JavaScript, and Dart.
- TODO How To Travel… The Slow Hustle Way.
- TODO 2015-12-10 Emacs Chat - John Wiegley.
- TODO How To Order Salads From Inside Emacs.
- TODO An introduction to Emacs Lisp.
- TODO 12 Challenging Steps to Being a Better Interviewer – Cate Huston at The Lead Developer 2015.
- TODO Born Rich: Children Of The Insanely Wealthy.
- TODO Emacs for writers.
- TODO Frugal fire 002: justin mccurry (rootofgood).
- TODO Graham Hancock – The War on Consciousness.
- TODO Griefwalker.
- TODO How to win the loser's game.
- TODO John Green's "Crash Course History" videos.
- TODO Matthieu Ricard Leads a Meditation on Altruistic Love and Compassion.
- TODO Matthieu Ricard: "Altruism" | Talks at Google.
- TODO Nick Hanauer – Rich People Don’t Create Jobs.
- TODO Programming is terrible — Lessons learned from a life wasted.
- TODO Rupert Sheldrake – The Science of Delusion.
- TODO Surya Namaskar stretches.
- TODO The Emacs of distros.
- TODO The Known Universe by AMNH.
- DONE The Internets own boy.
- DONE BBC's secret of levitation.
- DONE Hold Fast.
- DONE This is water, commencement speech.
- DONE This is water.
# Origami bookmarks
# Movie backlog
- TODO Wild Tales.
- TODO The Road.
- TODO Moon.
- TODO Who am I.
- TODO Tarkovsky films.
- TODO Snowpiercer.
- TODO Kubo and the two strings.
- TODO Spotlight.
- TODO Creed.
- TODO Innocence of memories.
- TODO The revenant.
- TODO Big short.
- TODO Pressure Cooker.
- TODO Bob and David.
- TODO Twinsters.
- TODO Akira kurosawa director.
- TODO All About Eve.
- TODO Babadook.
- TODO Death to Smoochy.
- TODO Enter the void, by gaspar noe.
- TODO Four horsemen.
- TODO Hirokazu koreeda director.
- TODO Naomi kawaze director.
- TODO Nostalghia.
- TODO Sion sono director.
- TODO Solyaris
- TODO Stalker
- TODO Takashi kitano director.
- TODO Takashi miike director.
- TODO The connection.
- TODO The mirror
- TODO The Silent Partner.
- TODO Uncle boonmee who can recall his past lives, by apichatpong weerasethakul.
- TODO Waking life, by rickard linklater.
- TODO Xah Lee's movie list.
- DONE Awake, the life of yogananda.
- DONE Birdman.
- DONE Boyhood.
- DONE She A Chinese.
- DONE Wet Hot American Summer.
# Microservices bookmarks
# Books backlog
- TODO Touched by the Goddess: On Ramanujan (Hacker News).
- TODO Kundalini – An Untold Story: A Himalayan Mystic's Insight into the Power of Kundalini and Chakra Sadhana.
- TODO Haruki Murakami.
- TODO Show HN: Top books mentioned in comments on Hacker News.
- TODO The Prime of Miss Jean Brodie (novel).
- TODO Plan B.
- TODO Deskbound.
- TODO The Way of Wanderlust: The Best Travel Writing of Don George (Travelers' Tales).
- TODO We (novel).
- TODO Top Books on Amazon Based on Links in Hacker News Comments (Hacker News).
- TODO I'm OK, You're OK (Thomas A. Harris).
- TODO Thinking Fast and Slow (Kahneman).
- TODO Mistakes Were Made (but not by me) (Tavris/Aronson).
- TODO Crucial Conversations (Patterson, Kelly…).
- TODO When Prophecy Fails (Festinger).
- TODO Influence (Robert Cialdini).
- TODO The Seven Day Weekend (Ricardo Semler).
- TODO Elements of Style (various).
- TODO The Man Who Sold the Eiffel Tower (various).
- TODO How to talk to anyone (Leil Lowndes).
- TODO On Heroes, Hero-Worship, and the Heroic in History by Thomas Carlyle.
- TODO Edwin Sir Arnold's The Light of Asia.
- TODO Edwin Sir Arnold's The Song Celestial or Bhagavad-Gita.
- TODO 50 great curries of india.
- TODO 8 Week to optimum health.
- TODO A Guide to the Good Life: The Ancient Art of Stoic Joy.
- TODO Building Microservices.
- TODO First Opium War essay.
- TODO Flow: The Psychology of Optimal Experience.
- TODO Full catastrophe living.
- TODO goodreads.com.
- TODO Leaving Microsoft to Change the world.
- TODO Letters from a stoic.
- TODO Michael's bookshelf.
- TODO Neil degrasse tyson's reading list.
- TODO On the Road, by Jack Kerouac.
- TODO Public domain audio books.
- TODO Royal horticultural society's organic Gardening.
- TODO Salman Rushdie books.
- TODO Technopoly: The Surrender of Culture to Technology.
- TODO The Songlines, Bruce Chatwin.
- TODO The Walker's Guide to Outdoor Clues and Signs.
- TODO Thing Explainer: Complicated Stuff in Simple Words.
- TODO Ultimate curry bible.
- TODO Veg patch.
- TODO What Every JavaScript Developer Should Know About ECMAScript 2015.
- TODO Cameron Desautels's 2016 reading list.
- DONE Vagabonding: An Uncommon Guide to the Art of Long-Term World Travel.
# Gardening bookmarks
# Emacs tips backlog
- TODO Drill down org files using orgnav (helm-based).
- TODO Pretier emacs.
- TODO Spaceline walkthrough.
- TODO Emacs as git mergetool.
- TODO Try out emacs Android debug (see this post).
- TODO Typit: typing game for Emacs.
- TODO hidepw - an Emacs minor mode for hiding passwords.
- TODO pyimports.
- TODO quickrun.el.
- TODO Sriram Krishnaswamy's init.
- TODO Emacs for JavaScript.
- TODO Using a Node repl in Emacs with nvm and npm.
- TODO go-gopath.
- TODO shift-number.el.
- TODO arview.
- TODO https://github.com/xuchunyang/DevDocs.el.
- TODO company-flx: fuzzy matching to company.
- TODO Step-by-step guide to C++ navigation and completion with Emacs and the Clang-based rtags.
- TODO Integration of the Go 'guru' analysis tool into Emacs.
- TODO comment-dwim.
- TODO (setq projectile-use-git-grep t).
- TODO company-mode/company-statistics: Sort completion candidates by previous completion choices.
- TODO rats for Go testing.
- TODO go-impl.
- TODO go-gopath to guess GOPATH.
- TODO Rewrite git history with Emacs, magit and git rebase.
- TODO Is there any easy way to make .org files password protected? (Reddit).
- TODO use-package binding to different maps
(use-package term :bind (:map term-mode-map ("M-p" . term-send-up) ("M-n" . term-send-down) :map term-raw-map ("M-o" . other-window) ("M-p" . term-send-up) ("M-n" . term-send-down)))
- TODO select-themes.
- TODO Emacs purpose.
- TODO Code coverage highlighting for Emacs.
- TODO tramp-theme.
- TODO Why are you changing gc-cons-threshold?.
- TODO Emacs qrencode.
- TODO Smartparens.
- TODO Corral.
- TODO Hash region.
- TODO cstyle.
- TODO metafmt.
- TODO xcode-mode.
- TODO commenter.
- TODO Emacs JavaScript helpers.
- TODO How to make yasnippet and company work nicer?.
- TODO A go Emacs config.
- TODO Try out ox-twbs.
- TODO Emacs Lisp function frequency.
- TODO How to make yasnippet and company work nicer? (Stack Exchange).
- TODO yasnippet-java-mode/java-snippets.el.
- TODO font-lock-studio.
- TODO buttercup.
- TODO markdown-preview-eww.
- TODO yahoo-weather-mode.
- TODO Peek at peteyy's Javascript config.
- TODO ediff-revision and magit-find-file to compare branches.
- TODO Flycheck linter for sh using checkbashisms.
- TODO El Kanban Org: parse org-mode todo-states to use org-tables as Kanban tables.
- TODO Emacs iOS development (qiita).
- TODO Emacs iOS development (fujimisakari).
- TODO import-js.
- TODO encrypting org files.
- TODO flycheck-pos-tip.
- TODO ES6 yasnippets.
- TODO Writing Python Docstrings with Emacs.
- TODO Try Completion for Objective-C (Github diff).
- TODO swank-js.
- TODO Emacs fasd support.
- TODO visual-regexp.
- TODO Open large files.
- TODO company-sourcekit (Swift completion): sample config.
- TODO emacs-java-imports.
- TODO TypeScript Interactive Development Environment for Emacs.
- TODO append-to-buffer.
- TODO python-x: extras for interactive evaluation.
- TODO outlined-elisp-mode.
- TODO outlien-magic.
- TODO Gutter and linum+ config (see zvlex/dotfiles).
- TODO kurecolor: Editing color.
- TODO auto-insert-mode.
- TODO Buffer local cursor color: ccc.
- TODO clang indexing tool: clang-tags.
- TODO Create custom theme: Trường's post.
- TODO dired-hacks.
- TODO emacs-index-search (lookup subject in Emacs manual).
- TODO gtd emacs workflow: Charles cave's notes.
- TODO info-apropos (lookup subject in all manuals).
- TODO Jumping around tips: zerokspot.
- TODO Mac OS clipboard support (from terminal): pbcopy.
- TODO Malabar mode: For Java.
- TODO Melpa recipe format:format.
- TODO Naturaldocs for javascript: Vineet's post.
- TODO Org protocol: see irreal's post and oremacs's part 1 and part 2.
- TODO org-multiple-keymap. More at org-multiple-keymap.el.
- TODO org-reveal: Export org to reveal.js.
- TODO Practice touch/speed typing: speedtype.
- TODO private configuration: private.
- TODO project management for C/C++: malinka.
- TODO Project templates: skeletor.
- TODO Rewrite git logs. See emacs magit tutorial | rewrite older commit.
- TODO Selective display: Hide lines longer than.
- TODO shell-command-on-region: Print inline with C-u M-|.
- TODO shell-command: Print output inline with C-u M-!.
- TODO Simplify media file transformations: make-it-so.
- TODO yatemplate.
- TODO emacs-helm-xcdoc.
- DONE helm-ispell.
- DONE Pack/unpack files with atool on dired.
- DONE company-shell.
- DONE artbollocks-mode and writegood. More at Sacha's post.
- DONE comint-prompt-read-only for making shell prompts read-only.
- DONE org-page: Static blog.
- DONE I just realized Emacs has a fast infix calculator that's not calc or quick-calc… (Reddit).
- DONE How to get emacs key bindings in Ubuntu.
- DONE org-autolist.
- DONE Move up by parens: More at the manual.
- DONE sunrise-sunset.
- DONE ace-window.
- DONE Checkdoc.
- DONE Choose magit repo c-u c-x g (magit-status).
- DONE continue comment blocks: m-j (indent-new-comment-line).
- DONE Debug expanded elisp macros: See Wisdom and Wonder's post.
- DONE delete-duplicate-lines
- DONE Describe bindings: C-h b lists all bindings.
- DONE Disable furniture
(menu-bar-mode -1) (toggle-scroll-bar -1) (tool-bar-mode -1)
- DONE elmacro shows keyboard as emacs lisp.
- DONE yasnippet mirrors with transformations more at snippet development.
For example:
- (${1:id})${2:foo} { return $2; } - (void)set${2:$(capitalize yas-text)}:($1)avalue { [$2 autorelease]; $2 = [avalue retain]; } $0
- DONE Emacs regex: Emacs: text pattern matching (regex) tutorial.
- DONE export ascii art: artist mode + ditaa for uml. demo video.
- DONE lispy.
- DONE minimal: minimalist appearance.
- DONE Narrowing regions
- c-x n n (narrow-to-region).
- c-x n w (Widen).
- DONE nxml-mode.
- DONE org-beautify-theme: a sub-theme to make org-mode more beautiful.
- DONE Recursive query/replace
- M-x find-dired RET.
- Navigate to location, RET.
- Add find argument (omit for all files), RET.
- t (select all).
- Q (query-replace).
- Enter search/replace terms.
- y/n for each match.
- C-x s ! (save all).
- DONE Repeat last command: C-x z (and just z threreafter).
- DONE Replace char with a newline
- M-x replace-string RET ; RET C-q C-j.
- C-q (quoted-insert).
- C-j (newline).
- DONE smart-mode-line, sacha's sample usage.
- DONE Toggling key bingings: ode to the toggle.
- DONE unify-opening
- DONE use-package: lunaryorn.
- DONE sunshine.el.
- DONE youtube-dl: or emacs.
# Installing Emacs 24.4 on Linux
sudo apt-get install texinfo build-essential xorg-dev libgtk-3-dev libjpeg-dev libncurses5-dev libgif-dev libtiff-dev libm17n-dev libpng12-dev librsvg2-dev libotf-dev
# Installing Emacs 24.4 on Mac OS X
See Yamamoto's Mac OS X port. To install:
$ brew tap railwaycat/emacsmacport $ brew install emacs-mac
# Xcode6 tips
From Ray Wenderlich's tech talk And supercharging Your Xcode Efficiency (by Jack Wu).
Shortcuts
- ⌘⇧o Fuzzy file search.
- ⌘⌥j Fuzzy file search (showing in Xcode project hierarchy).
- ⌘⇧j Show file in Xcode project hierarchy.
- ⌘⌥0 Show/hide utility area (right panel).
- ⌘0 Show/hide navigation area (left panel).
- ⇧⌘Y Show/hide debug area (bottom panel).
- Ctrli Indent selection.
- ⌘\ Toggle breakpoint on line.
- ⌘/ Toggle comment.
- ⌘[1-8] Select tabs on left panel.
- Ctrl[1-x] Select top file navigation menu items.
Xcode features
- Snippets.
- Templates.
- View debugging.
- Simctl (send files to simulator).
Plugins of interest
- Fuzzy autocomplete.
- Uncrustify for indentation.
- xcs code switch expansion.
- Org and order (for properties).
# Simple ssh tunnel
Via @climagic, connections to tcp localhost:9909 will be made to 192.168.1.1:80 via SSH tunnel to home.
ssh -L 9909:192.168.1.1:80 home
# Emacs lisp bookmarks
- A quick guide to Emacs Lisp programming.
- Adding A New Language to Emacs (ie. writing a new major mode).
- An introduction to emacs lisp.
- Caio's Emacs - Programming and Customization.
- eldoc-mode.
- Emacs - Elisp Programming and Customization.
- Emacs Lisp Guide.
- Emacs symbol notation.
- Error Handling in Emacs Lisp.
- find-library.
- How to choose Emacs Lisp package namespace prefix.
- How to Make an Emacs Minor Mode.
- How to read emacs lisp.
- It's not hard to edit Lisp code.
- Learn emacs lisp in 15 minutes.
- Links and exported HTML.
- Living with Emacs Lisp.
- LOOP for Black Belts.
- Nongnu elisp guidelines.
- Pattern matching with pcase.
- Read Lisp, Tweak Emacs.
- Refactoring “Beginning Emacs Lisp”: I: Adding Tests.
- Slime-style navigation for Emacs Lisp.
- Tips on Emacs Lisp programming.
- What's the best practice to write emacs-lisp (at 2016)? (Reddit).
- Wikemacs's Emacs Lisp Cookbook.
- Writing a Spotify Client.
- Xah Lee's Emacs Lisp Symbol (tutorial).
- Xah's Common Emacs Lisp Functions.
- Xah's Emacs Lisp idioms for Text Processing in Batch Style.
- Xah's Emacs Lisp Tutorial.
- XML utilities for Emacs lisp.
# Emacs bookmarks
- A Reminder About Macro Counters.
- Aaron Bieber's blog.
- Ajoke.
- An introduction to Magit, an Emacs mode for Git.
- Andrey's Opionated Emacs Guide.
- Animated guide to paredit.
- Awesome Emacs.
- Bastien's Emacs training.
- Best practices/tip for Companymode and/or YASnippet.
- Blogging from org-mode + rss.
- C/C++ Completion in Emacs.
- Can't get Tern mode to work properly (Reddit).
- Configuring emacs to use eslint and babel with flycheck for javascript and React.js JSX.
- Content AND Presentation.
- Cross Platform System-wide Org-Capture.
- Curated list of packages by Ernst de Hart.
- Customizing emacs mode line.
- Directory-Local Variables.
- Effective editing I:Movement
- Effective emacs tips: From ergoemacs.
- Effective emacs: Steve Yegge's effective emacs tips.
- Emacs - the Best Python Editor?.
- Emacs as my UE4 IDE with intellisense.
- Emacs configuration: Simplify package management with cask.
- Emacs Fodder.
- Emacs for Cocoa development.
- Emacs for developers.
- Emacs for Xcode+ios Development.
- Emacs goodies: Emacs post with tips for navigating code.
- Emacs horrors.
- Emacs in one year: Someone's emacs experience over a year.
- Emacs is sexy.
- Emacs keybindings for vimium.
- Emacs live.
- Emacs Nifty tricks: Another source of emacs goodness.
- Emacs NYC videos.
- Emacs redux.
- Emacs rocks.
- Emacs striptease (removing furniture).
- Emacs workshop.
- Emacs | less.
- Emacslife.
- Emagicians starter kit.
- Endless parenthesis.
- Enterprise Java Development in Emacs.
- Evan Misshula (lots of great tutorials).
- Fiplr: An Emacs Fuzzy Find in Project Package.
- Flx for emacs: Sublime-style searching for emacs.
- Fukuyama's Emacs/iOS.
- Git diffs using Emacs ediff.
- Gmail, Gnus and GPG guide.
- Go Delve - Debug Go programs interactively with the GUD.
- Hardcore Freestyle Emacs.
- Helm Projectile: Is awesome for finding files in emacs.
- How to Create a Screencast GIF in Emacs.
- hrisbarrett/swift-mode.
- iamleeg/swift-mode.
- investigating Emacs CPU usage.
- javadoc-lookup.
- Javascript development environment.
- JI Xiang.
- Lunarsite.
- Make your Emacs Mode Line more useful - Sebastian Wiesner.
- Making Emacs work for me.
- Making Ispell work with org-mode.
- Mastering Emacs.
- More emacs C++ goodness: More emacs dev environment tips.
- My Emacs Configuration with use-package.
- My Java, Android and Eclim Setup.
- Nerdgasms's Emacs tips.
- Nimble (markdown replacement).
- Nocturnal Artifice.
- o-blog.
- Objective-C snippets #1.
- Objective-C snippets #2.
- Objective-C snippets #3.
- Ohai Emacs.
- Or Emacs.
- Philip Potter Emacs blog.
- Prelude emacs distribution.
- Punchagan's blog.
- React contribution layer for Spacemacs.
- Read your python module documentation from Emacs.
- Rubikitch.
- Sachua Chua.
- Sakito's Emacs Objective-C.
- SO: How can I refactor C++ source code using emacs?.
- Some Emacs macro tricks.
- Stock Emacs tips (Reddit).
- Techne (Emacs Friendly Keyboard): Operations Keys | Wisdom and Wonder.
- The Ultimate Collection of Emacs Resources.
- Tide: TypeScript Interactive Development Environment for Emacs.
- Trần Xuân Trường's Emacs posts.
- Tuhdo's C/C++ dev on Emacs.
- Universidad de Vigo's Emacs course.
- Using ctags on modern Javascript (handy for Emacs).
- Using Emacs and Eclim for Android Development.
- What Emacs communities exist?
- What the Emacsd.
- WikEmacs - TRAMP.
- Wisdom and Wonder.
- Xah Lee's Emacs: Set Font.
- Xrefactory: A C/C++ Refactoring Browser for Emacs and XEmacs.
- Yasnippet generator for Cocoa iphone SDK.
- Yoo Box's Emacs category.
- Zen in the Art of Emacs.
# Resetting gnome-terminal preferences
Resetting preferences
gconftool --recursive-unset /apps/gnome-terminal
Want 256 colors?
Edit .bash_profile
export TERM="screen-256color"
Ensure .bash_profile is loaded
From gnome-terminal window:
gnome-terminal Edit Profiles… Edit Title and Command X Run command as login shell
Solarized
Bonus: See post to get solarized on gnome-terminal.
# C++ bookmarks
- Additional C/C++ Tooling.
- C++ Core Guidelines.
- cppreference.com.
- FunctionalPlus: helps you write concise and readable C++ code.
- Modern C++: Variadic template parameters and tuples.
- My Most Important C++ Aha! Moments…Ever.
- Programming: Principles and Practice Using C++ Paperback.
- Some CMake tips.
- The ways to avoid complexity in modern C++.
# Java bookmarks
- Better Java.
- ExecutorService - 10 tips and tricks.
- Java anti-patterns.
- Java Generics FAQs.
- Lanterna, a text GUI (a la ncurses) written in Java.
- Modern Java - A Guide to Java 8.
# Node bookmarks
# JavaScript bookmarks
- A better way to lazy load responsive images.
- Airbnb JavaScript Style Guide.
- An overview of JavaScript reactive frameworks.
- Babel Javascript compiler.
- Bootstrap 3 grid.
- Chrome DevTools.
- Concise JavaScript intro.
- DOMPurify: a DOM-only, super-fast, uber-tolerant XSS sanitizer for HTML, MathML and SVG.
- ECMAScript parsing infrastructure for multipurpose analysis.
- Eloquent JavaScript (Book).
- ES6 Overview in Bullet Points (Hacker News).
- ES6 Overview in Bullet Points.
- ES6-cheatsheet.
- Essential JavaScript Links.
- Essential Reading List for Getting Started With Service Workers.
- Exploring ES6: Upgrade to the next version of JavaScript (Book).
- Famous Javascript library for animations & interfaces.
- Flexbox Cheatsheet.
- Front-End Developer Handbook.
- Hidden gems in Chrome Developer Tools.
- How do promises work.
- Immutable collections for JavaScript.
- Introducing Pokedex.org: a progressive webapp for Pokémon fans.
- Introducing the Famous framework.
- JavaScript: Iterator (ES2015).
- js.coach (Opinionated catalog of open source JS packages).
- jscodeshift, a toolkit for running codemods over multiple JS files.
- JSCS linter.
- Learning the Web (mozilla.org).
- Ludicrously Fast Page Loads - A Guide for Full-Stack Devs.
- Mancy: JavaScript REPL application based on Electron and React.
- Modern JavaScript: Develop and Design (book).
- Modern Javascript: Learning the foundational concepts and build tools for modern web applications.
- Must See JavaScript Dev Tools That Put Other Dev Tools to Shame.
- new vs Object.create.
- No, you don’t need semicolons (Medium).
- npm-shrinkwrap.
- pleaserotate.js
- PleaseWait.js
- Redux: The Single Immutable State Tree.
- RxJS 5 Thinking Reactively | Ben Lesh - YouTube.
- Show HN: A visual guide to the most popular CSS properties (Hacker News).
- Show HN: JavaScript books, free online (Hacker News).
- Snap.svg: the JavaScript SVG library for the modern web.
- The Hitchhiker's Guide to Modern JavaScript Tooling.
- Tools for cleaning up messy Javascript.
- Tools to keep a consistent coding style in JavaScript.
- Two.js is a two-dimensional drawing api geared towards modern web browsers.
- Vorlon.JS: remotely debugging and testing your JavaScript.
- What you should know about JavaScript regular expressions.
- Why we should stop using Grunt & Gulp.
- Xah Lee's JavaScript in Depth.
# HTML5 bookmarks
- A few HTML tips (Mozilla).
- Chrome Devtools Tips & Tricks.
- Chrome Devtools Tips and Tricks (Hacker News).
- Chromium's web fundamentals and Web Starter Kit.
- Facebook Relay: An Evil And/Or Incompetent Attack On REST.
- How to Become a Great JavaScript Developer.
- How To Pick a Frontend Web Framework.
- Learning the Web (mozilla.org).
- Solved by Flexbox.
- What forces a layout / reflow.
# Networking bookmarks
# Python bookmarks
- Anaconda Python sandbox.
- Argparse cookbook: For simple python scripts.
- Code Like a Pythonista: Idiomatic Python.
- Dataset: databases for lazy people.
- Dive Into Python 3 book.
- Dive Into Python book.
- Drawille: Python drawing in ascii/unicode braille characters.
- PEP 20 – The Zen of Python.
- Pudb: A tui python debugger.
- Pycoders weekly mailing list.
- Python Algorithms book.
- Python patterns, Take One (Hacker News).
- Python patterns, Take One.
- Python Tips and Traps.
- Python tools for Emacs.
- Python’s Innards: Hello, ceval.c!.
- Regular expressions in Python and Perl.
- Textract: Python util extracting text from a handful of document types.
- The definitive guide on how to use static, class or abstract methods in Python.
- The Hacker's guide to python.
- The Little Book of Python Anti-Patterns.
- Three Useful Python Libraries for Startups.
- Understanding Python's "with" statement.
- Watchdog (monitor filesystem in python).
# Development bookmarks
- 15 Fundamental Laws of Software Development.
- 8 Tips To Get Started In An Existing Codebase.
- 9 Anti-Patterns.
- A composable pattern for pure state machines with effects.
- Algorithms, Part I - Princeton University (Coursera).
- All the UML you need to know.
- An intro to compilers.
- Ask HN: What is your favorite YouTube channel for developers? (Hacker News).
- Ask HN: What's the most elegant piece of code you've seen? (Hacker News).
- Awesome lists of everything (Github).
- AWS in plain English.
- Better Bash scripting in 15 Minutes.
- Bozhidar Batsov's presentation (lots of great books listed).
- Clean code.
- Code review best practices.
- Command line interface best practices (Hacker News).
- Data structure visualization.
- Database readings.
- Designing and evaluating reusable components: Talk by Casey Muratori.
- Designing Qt-Style C++ APIs.
- Domain-driven design: Tackling Complexity in the Heart of Software (Book).
- Font compare.
- GitHub - kilimchoi/engineering-blogs: A curated list of engineering blogs.
- Google shell style guide.
- Hacker shelf: Free software dev books.
- Hacking knowlege.
- How to pass a programming interview.
- How to Safely Implement Cryptography Features in Any Application.
- Joe Duffy - The Error Model.
- Linux workstation security checklist.
- Migrating bajillions of database records at Stripe.
- OAuth diagram/explanation (Quora).
- README Love: Quick and easy tips.
- Refactoring: Improving the design of existing code (Book).
- Sarah Mei on livable coebases.
- Some REST best practices.
- Structure and Interpretation of Computer Programs (videos).
- Teach Yourself Programming in Ten Years.
- The art of command line.
- The Debugging Mindset (Hacker News).
- The passionate programmer.
- TIL: today I learned.
- Tmux crash course: By Josh Clayton.
- UI Engineering Questions.
- VisuAlgo.net: Visualising data structures and algorithms through animation.
# Some python idioms
- Prefer double quotes if escaping single quotes.
- Prefer string interpolation over join. Eg. "'%s'" % member_default.
- Prefer double underscore for privates.
- Prefer with statement to implicitly close file.
with open(path, 'r') as text_file: text = text_file.read()
- Prefer list comprehensions to filter.
- Prefer using separate modules over classes if only using for separation.
- Keep in mind: "eafp vs lbyl" (ie. just let it throw).
- Prefer exceptions over assertions.
- Throw ValueError for wrong input.
- Return explicit False if remaining case is always false.
