All posts, sorted by date (oldest first)
What is an ROC curve? What is AUC?
* A ROC curve = the false positive rate of a model plotted against its true positive rate.
* A completely random prediction will be a straight diagonal. The optimal model will be as close to the axes as possible.
* AUC (Area Under Curve) = a measure how close the ROC curve is to the axes. Higher AUC indicates a higher accuracy.
What is PCA?
* Principal Component Analysis, is a method of dimension reduction - finds n orthogonal vectors that represent the most variance in the data, where n is the dimensions the user wants the data reduced to.
* PCA can speed up jobs or can be used to visualize high-dimensional data.
Explain the bias-variance tradeoff
* Bias is a model error due to an oversimplified ML algorithm -- which can lead to underfitting.
* When you train your model at that time model makes simplified assumptions to make the target function easier to understand.
* Low-bias algos: decision trees, KNN, and SVM.
* High-bias algos: linear and logistic regression.
* Variance is a model due an overly complex ML algorithm -- the model learns noise from the training data set, hence performing badly on test data. It can lead to high sensitivity and overfitting.
* Normally, as you increase the complexity of your model, you will see a reduction in error due to lower bias in the model. However, this only happens until a particular point — as you continue to make your model more complex, you end up over-fitting your model.
Why is Softmax often the last operation in a neural network?
* Because it accepts a vector of real numbers and returns a probability distribution. Each element is non-negative and the sum over all components is 1.
What is TF/IDF vectorization?
* Term frequency-inverse document frequency reflects how important a word is to a document in a corpus. It is used as a weighting factor in information retrieval and text mining.
* TF–IDF increases proportionally to the number of times a word appears in the document but decreases proportionally by the frequency of the word in the corpus, which helps to adjust for the fact that some words appear more frequently in general.
Compare different types of selection biases
* Sampling bias is a systematic error due to a non-random sampling of a population.
* This causes some members of the population to be less included than others, such as low-income families being excluded from an online poll.
* Time interval bias is when a trial may be terminated early at an extreme value (usually for ethical reasons), but the extreme value is likely to be reached by the variable with the largest variance, even if all variables have a similar mean.
* Data bias is when specific subsets of data are chosen to support a conclusion or rejection of bad data on arbitrary grounds, instead of according to a previously stated or generally agreed on criteria.
* Attrition bias is caused by loss of participants discounting trial subjects that did not run to completion.
Define Error Rate, Accuracy, Sensitivity/Recall, Specificity, Precision, and F-Score.
Where T is True, F is False, P is Positive, and N is Negative, each denoting the number of items in a confusion matrix.
* Error Rate: (FP + FN) / (P + N)
* Accuracy: (TP + TN) / (P + N)
* Sensitivity/Recall: TP / P
* Specificity: TN / N
* Precision: TP / (TP + FP)
* F-Score: Harmonic mean of precision and recall.
Compare correlation and covariance
* Correlation measures & estimates the relationship between two variables, and measures how strongly two variables are related.
* Covariance measures the extent to which two random variables change in tandem.
Why is A/B testing effective?
* A/B testing is hypothesis testing for a randomized experiment with two variables A and B.
* It is effective because it minimizes conscious bias — those in group A do not know that they are in group A, or that there even is a group B, and vice versa.
* However, A/B testing is difficult to perform on any context other than Internet businesses.
Random Numbers: How would you generate a random number between 1 and 7 with only one die?
* One solution is to roll the die twice. This means there are 6 x 6 = 36 possible outcomes. By excluding one combination (say, 6 and 6), there are 35 possible outcomes.
* Therefore if we assign five combinations of rolls (order does matter!) to one number, we can generate a random number between 1 and 7.
* For instance, say we roll a (1, 2). Since we have (hypothetically) defined the roll combinations (1, 1), (1, 2), (1, 3), (1, 4), and (1, 5) to the number 1, the randomly generated number would be 1.
Compare univariate, bivariate, and multivariate analaysis.
* Univariate analyses are performed on only one variable. Examples: pie charts, distribution plots, and boxplots.
* Bivariate analysis map relationships between two variables. Examples: scatterplots or contour plots, as well as time series forecasting.
* Multivariate analysis deals with more than two variables to understand the effect of those variable on a target variable. This can include training neural networks for predictions or SHAP values/permutation importance to find the most important feature. It could also include scatterplots with a third feature like color or size.
What is cross-validation?
* Cross validation measure how well a model generalizes to an entire dataset. A traditional train-test-split method, in which part of the data is randomly selected to be training data and the other fraction test data, may mean that the model performs well on certain randomly selected fractions of test data and poorly on other randomly selected test data.
* In other words, the performance is not nearly indicative of the model’s performance as it is of the randomness of the test data.
* Cross validation splits the data into n segments. The model is trained on n-1 segments of the data and is tested on the remaining segment of data. Then, the model is refreshed and trained on a different set of n-1 segments of data. This repeats until the model has predicted values for the entire data (of which the results are averaged).
What does the ‘naive’ in ‘Naive Bayes’ mean?
* Naive Bayes is based on Bayes’ Theorem, which describes the probability of an event, based on prior knowledge of conditions that might be related to the event. It is considered to be ‘naive’ because it makes assumptions that may or may not be correct. This is why it can be very powerful when used correctly — it can bypass knowledge other models must find because it assumes that it is true.
What are the different kernels in SVM?
Linear Kernel
Polynomial Kernel
Radial Basis Kernel
Sigmoid Kernel
Recommenders: Compare collaborative filtering, content filtering, and hybrid filtering.
* Collaborative filtering solely relies on user ratings to determine what a new user might like next. All product attributes are either learned through user interactions or discarded. One example of collaborative filtering is matrix factorization.
* Content filtering relies only on intrinsic attributes of products and customers, such as product price, customer age, etc., to make recommendations. One way to achieve content filtering is to measure similarity between a profile vector and an item vector, such as cosine similarity.
* Hybrid filtering combines content and collaborative filtering recommendations. Which filter to use depends on the real-world context — hybrid filtering may not always be the definitive answer.
Memory: You have 5GB RAM & need to train your model on a 10 GB dataset. How do you do this?
* SVM: a partial fit would work. The dataset could be split into several smaller-size datasets. Because SVM is a low-computational cost algorithm, it may be the best case in this scenario.
* If the data is not suitable for SVM, a Neural Network with a small batch size could be trained on a compressed NumPy array. NumPy has several tools for compressing large datasets, which are integrated into common neural network packages like Keras/TensorFlow and PyTorch.
What is the consequence of not setting an accurate learning rate?
If the learning rate it too low, the training of the model will progress very slowly, as the weights are making minimal updates. However, if the learning rate is set too high, this may cause the loss function to jump erratically due to drastic updates in weights. The model may also fail to converge to an error or may even diverge in the case that the data is too chaotic for the network to train.
Validation: Compare test sets & validation sets
* A test set is used to evaluate a model’s performance after training.
* A validation set is used during training for parameter selection and to prevent overfitting on the training set.
-->
vagrant tutorial
categories:
tags:
devops
tools
vagrant
date: 14 Apr 2020
slug:vagrant-tutorial
$vagrant [cmnd[opts]]
box
cloud
connect
destroy
global-status
halt
init
login
package
plugin
port
powershell
provision
rdp
reload
resume
share
snapshot
ssh
ssh-config
status
suspend
up
upload
validate
version
(more)
over HTTP
over SSH
Connect
Security
Custom Providers
Configuration
Minimum Vagrant Version
Tips & Tricks
config.vm
config.ssh
config.wimrm
config.winssh
config.vagrant
Versioning
Creating
File Format
Info Format
Basics
Files
Shells
intro to Ansible
Ansible local
Common Ansible options
CFEngine
Chef - common configuration
Chef Solo
Chef Zero
Chef Client
Docker
Podman
Puppet Apply
Puppet Agent
Salt
Basics
Port forwarding
Private Networks
Public Networks
Basics
NFS
RSync
SMB
VirtualBox
Overview
Configuration
Usage
Overview
Configuration
Usage
VirtualBox
Hyper-V
VMware
Defining
Controls
Machine Communications
Primary Machines
Autostarting
Install
Basic Usage
Configuration
Default
VirtualBox
VMware
Docker
Hyper-V
Custom
Usage
Design Basics
Action Hooks
Commands
Configuration
Guests
Guest Capabilities
Hosts
Host Capabilities
Providers
Provisioners
Packaging & Distribution
FTP, SFTP
Heroku
Local execution
cloud_init
dependency_provisioners
disks
typed_triggers
Installation
Windows access
PATH
mods
Synced folders
Using Docker
-->
insurance Pricing with Tweedie
categories:
tags:
machine-learning
r
risk
date: 21 Apr 2020
slug:insurance-pricing-tweedie
Poisson; p=2 --> gamma, p=3 --> invGaussian
-->
customer Review Responses
categories:
tags:
custsvc
prodmgmt
date: 14 May 2020
slug:customer-reviews
checklist manifesto book summary (pdf)
categories:
tags:
best-practices
execution
date: 14 May 2020
slug:checklist-manifesto
kawaii product design
categories:
tags:
design
uiux
date: 20 May 2020
slug:kawaii-design-principles
how did King Arthur flour do it?
categories:
tags:
prodmgmt
date: 24 May 2020
slug:king-arthur-flour
salience - The psychology of an experience you can’t ignore
categories:
tags:
behavior
uiux
date: 27 May 2020
slug:ux-salience
auctions and Private Sales
categories:
tags:
auctions
economics
game-theory
date: 28 May 2020
slug:auctions-private
how Tuesday Morning went bankrupt
categories:
tags:
finance
prodmgmt
retail
date: 28 May 2020
slug:tuesday-morning
vickery Auctions and Custom Keyboards
categories:
tags:
auctions
game-theory
date: 03 Jun 2020
slug:auctions-vickery-keyboards
dollar Store Economics
categories:
tags:
economics
prodmgmt
retail
date: 04 Jun 2020
slug:dollar-stores
how to Change Somebody's Mind
categories:
tags:
behavior
influence-persuasion
date: 06 Jun 2020
slug:chg-somebodys-mind
bundling primer
categories:
tags:
prodmgmt
date: 18 Jun 2020
slug:bundling
what are loaded questions?
categories:
tags:
behavior
interrogation
date: 18 Jun 2020
slug:loaded-questions
a History of Door Handles
categories:
tags:
design
uiux
date: 18 Jun 2020
slug:door-handles
social Media in China Survey - 2020
categories:
tags:
china
social-media
date: 18 Jun 2020
slug:kawo-social-media-china
domain-specific cpu architectures (ACM)
categories:
tags:
cpus
semiconductors
date: 21 Jun 2020
slug:chip-architectures
tsmc 7FF std cell library density (Semiwiki)
categories:
tags:
semiconductors
date: 22 Jun 2020
slug:tsmc-7ff-stdcell-density
wireviz (GitHub)
categories:
tags:
electronics
tools
date: 23 Jun 2020
slug:wireviz
5000 Years of Debt
categories:
tags:
finance
date: 27 Jun 2020
slug:debt-5000-years
negotiating like a Master - Stalin at Yalta
categories:
tags:
negotiation
date: 02 Jul 2020
slug:stalin-at-yalta
don't force users to read PDFs online (NN Group)
categories:
tags:
pdfs
uiux
date: 04 Jul 2020
slug:uiux-pdfs
great products don't need to be good products (2010)
categories:
tags:
focus
prodmgmt
date: 04 Jul 2020
slug:good-products-vs-great-products
how Cars and Hygiene Killed the Middle-Class Hat
categories:
tags:
behavior
history
date: 10 Jul 2020
slug:behavior-hats-hygenie
why is the toy industry so hard?
categories:
tags:
behavior
prodmgmt
date: 11 Jul 2020
slug:toy-industry
do not remain nameless to yourself
categories:
tags:
goodreads
writing
date: 12 Jul 2020
slug:ideas-feynman-nameless
the Polymath's Playbook
categories:
tags:
creativity
ideas
date: 12 Jul 2020
slug:polymath-playbook
how Nespresso's coffee revolution got ground down
categories:
tags:
prodmgmt
uiux
date: 15 Jul 2020
slug:nespresso-prodmgmt
execution - OKRs are not for everyone
categories:
tags:
execution
prodmgmt
date: 16 Jul 2020
slug:okrs-prodmgmt
the Adjacent User Theory
categories:
tags:
personas
prodmgmt
date: 16 Jul 2020
slug:adjacent-users-prodmgmt
visualization Catalog
categories:
tags:
uiux
visualization
date: 17 Jul 2020
slug:viz-catalog
10 modern layouts in 1 line of CSS
categories:
tags:
css
html
date: 30 Jul 2020
slug:css-layouts
the UX of LEGO Interface Panels
categories:
tags:
uiux
date: 01 Aug 2020
slug:uiux-legos-panels
15 Command Line improvments
categories:
tags:
linux
date: 02 Aug 2020
slug:cmndline-tools
ecommerce Intellectual Property Primer
categories:
tags:
ecommerce
prodmgmt
date: 10 Aug 2020
slug:prodmgmt-ecommerce-ip
best Landing Page builders, 2020 edition
categories:
tags:
html
prodmgmt
webdev
date: 17 Aug 2020
slug:prodmgmt-landing-pages
tikTok - Seeing Like an Algorithm
categories:
tags:
tiktok
uiux
date: 22 Sep 2020
slug:tiktok-ux
vagrant CLI cheatsheet
categories:
tags:
devops
vagrant
date: 24 Sep 2020
slug:vagrant-cli-cheatsheet
facial Recognition - Types of Attacks and Anti-Spoofing Techniques
categories:
tags:
deep-learning
machine-vision
date: 11 Oct 2020
slug:deepfake-techniques
how to Win a Supreme Court Case
categories:
tags:
behavior
persuasion
date: 19 Oct 2020
slug:persuasion-supreme-court
lessons from Onboarding at Shopify
categories:
tags:
prodmgmt
shopify
date: 27 Oct 2020
slug:onboarding-shopify
a Summary of Poker Tells by Mike Caro
categories:
tags:
behavior
date: 25 Nov 2020
slug:poker-tells
up-sampling with Transposed Convolutions
categories:
tags:
deep-learning
date: 01 Jan 2021
slug:upsampling
aWS, Parler and ToS
categories:
tags:
aws
date: 10 Jan 2021
slug:corey-aws-parler
activation function articles
categories:
tags:
deep-learning
machine-learning
date: 03 Feb 2021
slug:activation-functions
writing articles
categories:
tags:
writing
date: 11 Feb 2021
slug:writing
yes, you can Bullshit a Bullshitter
categories:
tags:
behavior
date: 07 Mar 2021
slug:bullshitting
people really don't know when to shut up
categories:
tags:
behavior
speaking
date: 07 Mar 2021
slug:stop-talking
you Don't Need a New Category
categories:
tags:
prodmgmt
date: 08 Mar 2021
slug:category-kogan-prodmgmt
machine learning cheatsheet (pdf)
categories:
tags:
deep-learning
machine-learning
date: 28 Mar 2021
slug:ml-cheatsheet
amazon Leadership Principles
categories:
tags:
leadership
prodmgmt
date: 06 Apr 2021
slug:amazon-leadership-principles
sorting (ADM)
categories:
tags:
algorithms
machine-learning
date: 30 Apr 2021
slug:ADM-sorting
data structures (ADM)
categories:
tags:
data-structures
machine-learning
date: 30 Apr 2021
slug:ADM-datastructs
risk Management & Usage Pricing
categories:
tags:
pricing
prodmgmt
risk
date: 04 May 2021
slug:usage-pricing-riskmgmt
rails 6 with Webpacker startup issues
categories:
tags:
rubyonrails
date: 08 May 2021
slug:rails6-webpacker
shipping cost ideas (pdf)
categories:
tags:
prodmgmt
supply-chain
date: 26 Jun 2021
slug:prodmgmt-shipcosts
product embeddings for e-commerce (ArXiV)
categories:
tags:
data-science
ecommerce
prodmgmt
date: 26 Jun 2021
slug:arxiv-prod-embeddings
information theory tutorial (pdf)
categories:
tags:
algorithms
date: 28 Jun 2021
slug:info-theory-tutorial
data science interview Q&A
categories:
tags:
data-science
machine-learning
date: 01 Oct 2021
slug:Data-Science-Interview-Questions
mL project from scratch
categories:
tags:
machine-learning
date: 21 Oct 2021
slug:ml-project-from-scratch
seal fit training skills (Casey Graham)
categories:
tags:
motivation
date: 14 Nov 2021
slug:casey-graham-seal-training-skills
do you know how to "read" a face?
categories:
tags:
behavior
emotions
interrogation
interviewing
date: 04 Jul 2022
slug:behavior-spaff
ideas and Learning links - 2019
categories:
tags:
ideas
learning
date: 28 Jul 2022
slug:ideas
rails & Rubygems
categories:
tags:
rubygems
rubyonrails
date: 17 Aug 2022
slug:rails-rubygems
Rails & RubyGems resources
rails websockets (active cable)
views (layouts & rendering)
-->
20 useful Python libraries
categories:
tags:
python
date: 15 Sep 2022
slug:python-libs
various ML/DL/LA articles
categories:
tags:
algorithms
deep-learning
linear-algebra
machine-learning
pandas
date: 17 Jan 2023
slug:math-bestof
behavior & emotion resources (updated)
categories:
tags:
behavior
date: 21 Jan 2023
slug:behaviors-oldpage
Self-Appointed Geniuses (Priceonomics)
charity, chivalry, values
-->
elixir intro - My GitHub repo
categories:
tags:
elixir
date: 23 Jan 2023
slug:elixir-intro
deep learning - backward passes
categories:
tags:
algorithms
deep-learning
machine-learning
date: 24 Jan 2023
slug:gradient-flow
machine vision with mediapipe (GoogleBlog)
categories:
tags:
deep-learning
machine-vision
date: 25 Jan 2023
slug:hand-tracking-with-mediapipe
machine learning / targeted dropout
categories:
tags:
deep-learning
date: 26 Jan 2023
slug:targeted-dropout
feature engineering articles (2019)
categories:
tags:
feature-engineering
machine-learning
date: 26 Jan 2023
slug:feature-engineering
psychology for UX study guide (NN/g)
categories:
tags:
behavior
emotions
uiux
date: 31 Jan 2023
slug:uiux-psych-studyguide
feature engineering with Python
categories:
tags:
feature-engineering
numpy
pandas
python
scikit-learn
date: 04 Feb 2023
slug:python-feature-engineering
setup, tips, caching, regression target transforms
univariate, multivariate, nearest-neighbor, marking imputed values
iris, digits, cal housing, labeled faces, 20 newsgroups, (more)
one-hot encoding, word counts, tf-idf, linear-to-polynomial, missing data, pipelines
bag of words, sparsity, vectorizers, stop words, tf-idf, decoding, applications, limits, the hashing trick, out-of-core ops
CSV, HDF5, h5py, pytables, hdfstore, JSON, serialization, pickle issues
mean removal, variance scaling, sparse scaling, outlier scaling, distribution maps, normalization, category coding, binning, binarization, polynomial features.
scaling
(FE cookbook, 2nd ed (Packt))
-->
33 Strategies of War - booknotes
categories:
tags:
behavior
booknotes
influence-persuasion
date: 04 Feb 2023
slug:laws33war-booknotes
optimizing for the speed of light
categories:
tags:
devops
date: 04 Feb 2023
slug:optimize-speed-light
empathy maps
categories:
tags:
empathy
uiux
date: 12 Feb 2023
slug:empathy-maps
ecommerce Stats (2020)
categories:
tags:
ecommerce
prodmgmt
date: 20 Feb 2023
slug:prodmgmt-ecomm-stats
the remaking of comedy central (Vulture)
categories:
tags:
prodmgmt
storytelling
television
date: 21 Feb 2023
slug:comedy-central
pricing algorithms & collusion
categories:
tags:
algorithms
game-theory
pricing
prodmgmt
date: 21 Feb 2023
slug:pricing-collusion
product Idea Generators
categories:
tags:
ideas
innovation
prodmgmt
date: 21 Feb 2023
slug:prodmgmt-idea-generator
language taxonomy build tools
categories:
tags:
language
nlp
tools
date: 05 Apr 2023
slug:taxonomy-build-tools
if smiling is so easy to fake - why do we fall for it?
categories:
tags:
behavior
deceit
date: 08 Apr 2023
slug:smiles-deceit
hypothesis testing - cheat sheet
categories:
tags:
probability
statistics
date: 09 Apr 2023
slug:hypothesis-testing
various, 12/14/21
categories:
tags:
algorithms
animals
cynicism
deep-learning
learning
neurology
public-policy
repair
webdev
date: 17 Apr 2023
slug:stuff-to-read
Opt Out of Cynicism (D13V)
Growing up in post-socialist-turned-cowboy-capitalist Bulgaria I grew up around a lot of cynical behavior and absorbed it deep into me. It was the water I was swimming in, and I knew no better. There was always this feeling that attempts at improvements are futile. If anyone tried to improve the system in any way, they will face a great opposition, and any value they bring forward will be immediately vultured away. This made it obvious for me to see how any changes will be abused and rendred futile. I also became good at rationalizing the existing status quo. There’s this example which stuck with me, that if someone created a coin operated parking meter, another one will quickly figure out how to steal the coins out of it. Thus, the attempt to bring order will fail, and the rationalization is that we are a motivated but backstabbing people which get in our own interest.
Why Tacit Knowledge is More Important than Deliberate Practice (Commonplace)
I want to spend an essay talking about tacit knowledge, and why I think it is the most interesting topic in the domain of skill acquisition. If you are a longtime Commonplace reader, you’ll likely have come across this idea before, because I’ve written about it numerous times in the past. But I think it’s still good idea to dedicate a whole piece to the topic.
Dive Into Deep Learning (ebook) (d2l.ai)
Interactive deep learning book with code, math, and discussions. Implemented with NumPy/MXNet, PyTorch, and TensorFlow. Adopted at 300 universities from 55 countries.
How to Train your Decision-Making AIs (Gradient)
The combination of deep learning and decision learning has led to several impressive stories in decision-making AI research, including AIs that can play a variety of games (Atari video games, board games, complex real-time strategy game Starcraft II), control robots (in simulation and in the real world), and even fly a weather balloon. These are examples of sequential decision tasks, in which the AI agent needs to make a sequence of decisions to achieve its goal.
Advanced NLP with SpaCy (SpaCy.io)
Chapter 1: Finding words, phrases, names and concepts
This chapter will introduce you to the basics of text processing with spaCy. You'll learn about the data structures, how to work with trained pipelines, and how to use them to predict linguistic features in your text.
Repulsive Surfaces (Keenan Crane)
Functionals that penalize bending or stretching of a surface play a key role in geometric and scientific computing, but to date have ignored a very basic requirement: in many situations, surfaces must not pass through themselves or each other. This paper develops a numerical framework for optimization of surface geometry while avoiding (self-)collision. The starting point is the tangent-point energy, which effectively pushes apart pairs of points that are close in space but distant along the surface. We develop a discretization of this energy for triangle meshes, and introduce a novel acceleration scheme based on a fractional Sobolev inner product. In contrast to similar schemes developed for curves, we avoid the complexity of building a multiresolution mesh hierarchy by decomposing our preconditioner into two ordinary Poisson equations, plus forward application of a fractional differential operator. We further accelerate this scheme via hierarchical approximation, and describe how to incorporate a variety of constraints (on area, volume, etc.). Finally, we explore how this machinery might be applied to problems in mathematical visualization, geometric modeling, and geometry processing.
The Art of Repair (Traditional Kyoto)
Kintsugi (golden joinery) is the Japanese art of repairing broken pottery with lacquer dusted or mixed with powdered gold, silver, or platinum, a method similar to the maki-e technique. As a philosophy, it treats breakage and repair as part of the history of an object, rather than something to disguise. Lacquerware is a longstanding tradition in Japan, at some point it may have been combined with maki-e as a replacement for other ceramic repair techniques.
More Than You Want to Know About Gift Cards (Kalzumeus)
There are few things comedians and personal finance writers agree on, but one comes up every holiday season: “Gift cards. For when you want to give someone money, except worse.” Like many topics in financial infrastructure, they’re a fascinating Gordian knot of user needs, business incentives, government regulation, and infrastructural weirdness. Let’s start unraveling it.
Spiking Neural Nets (Simons Institute)
n August 2014, a significant advance in computing made the cover of the journal Science. It was IBM’s 5.4 billion-transistor chip that had a million hardware neurons and 256 million synapses. Algorithms running on this “neuromorphic” chip, when fed a video stream, could identify multiple objects, such as people, bicycles, trucks, and buses. Crucially, the hardware neural network consumed a mere 63 milliwatts, about 176,000 times less energy per synaptic event than the same network simulated on a general-purpose microprocessor.
The Invention of Chinese (History Today)
Believing language would unify their struggling nation, Chinese officials began a project to create a national language and define what it meant to speak Chinese.
The Internet has a Rat Poison Problem (Audobon)
My shopping spree was born out of boredom. On a lazy July morning I was in bed browsing Amazon when I decided to follow up on a tip I had received. I plugged the word “brodifacoum” into Amazon’s search bar, and a second later my screen filled with what are known as second-generation anticoagulant rodenticides, a class of rat poison so dangerous to humans and wildlife that the Environmental Protection Agency strove to keep them from being sold in consumer stores. After clicking around for a few bewildered minutes, I ordered something called Motomco D 31402 Jaguar Rodenticide Pail Pest Control. It cost $69.99, its delivery was free, and it had a 4.8-star rating. The top customer review said, “Kills them all, but the dead mice smells is not what I need,” which sounded like a solid testimonial.
log4j: between a rock and hard place\
This is making the rounds because highly-profitable companies are using infrastructure they do not pay for. That is a worthy topic, but not the most interesting thing in this particular case because it would not clearly have contributed to preventing this bug. It is the second statement in this tweet that is worthy of attention: the maintainers of log4j would have loved to remove this bad feature long ago, but could not because of the backwards compatibility promises they are held to.
-->
lLM - large language model) survey - ArXiV
categories:
tags:
arxiv
deep-learning
llms
nlp
date: 19 Apr 2023
slug:llms
auction Theory - Jonathan Levin paper
categories:
tags:
auctions
game-theory
pricing
date: 24 May 2023
slug:auction-theory
transformer models - intro and catalog
categories:
tags:
arxiv
deep-learning
llms
transformers
date: 08 Jun 2023
slug:transformers
behavior articles
categories:
tags:
behavior
focus
gifts
interviewing
leadership
persuasion
rituals
date: 01 Jul 2023
slug:behavior
Molding Yourself into a Leader, Part 1
-->
deep learning - Goodfellow book notes (2019)
categories:
tags:
booknotes
deep-learning
date: 12 Jul 2023
slug:dl-goodfellow-book-chaps
chatGPT prompts for PMs
categories:
tags:
chatgpt
prodmgmt
date: 29 Aug 2023
slug:chatgpt-prompts-pms
Transformers
categories:
tags:
arxiv
llms
transformers
date: 27 Sep 2023
slug:transformers
ALBERT
AlphaFold
Anthropic
BART
BERT
BigBird
BlenderBot3
BLOOM
ChatGPT
Chinchilla
CLIP
CM3
CTRL
DALL-E
DALL-E 2
Decision transformers
DialoGPT
DistilBERT
DQ-BART
ELECTRA
ERNIE
Flamingo
Gato
GLaM
GLIDE
Global Context ViT
Gopher
GopherCite
GPT
GPT-2
GPT-3
GPT-3.5
InstructGPT
GPT-Neo
GPT-NeoX-20B
HTML
Imagen
Jurassic-1
LAMDA
mBART
Megatron
Minerva
MT-NLG
OPT
PalM
Pegasus
RoBERTa
SeeKer
Sparrow
StableDiffusion
Swin
Switch
T5
Trajectory transformers
Transformer XL
Turing-NLG
ViT
Wu Dao 2.0
XLM-RoBERTa
XLNet
-->
the Streisand Effect
categories:
tags:
behavior
influence-persuasion
date: 13 Oct 2023
slug:streisand-effect
art of Profitability booknotes
categories:
tags:
mental-models
prodmgmt
date: 24 Nov 2023
slug:art-of-profitability-booknotes
python resources
categories:
tags:
cython
feature-engineering
machine-learning
matplotlib
numba
numpy
pandas
prophet
pycaret
python
pytorch
scikit-image
scikit-learn
scipy
seaborn
sympy
tensorflow
date: 04 Jan 2024
slug:python-oldpage
datatypes, typecasting, promoting, complex numbers, memory, arrays, indexes, slices, views, fancy indexing, boolean indexing, reshaping, merging, vectorization, math ops, aggregate ops, boolean arrays, conditionals, logic, set ops, matrix ops
arrays, boolean arrays, masking, broadcasting, fancy indexes, sorting, structured data, aggregations, ufuncs, datatypes
Pandas:
series, dataFrames, time series
aggregations, groups, concat/append, hierarchical indexes, merge/join, missing values, pivot tables, time series, vectorized objects
date ranges, merges, save to excel, file compression, histograms, pdfs, cdfs, least squares, timing, display options, pandas 1.0 features
Statistics:
normal distribution, dependent variables, posterior distributions, linear regression, multilevel models
random numbers, distributions, hypothesis testing, kernel density estimation
patsy, categorical variables, linear regression, discrete & logistic regression, poisson distribution, time series
Scientific Computation with SciPy:
symbolic solutions, directional field graphs, laplace transforms, numerical methods, numerical integration
simpson's rule, multiple integration, scikit-monaco, symbolic/multiprecision quadrature, laplace transforms, fourier transforms
polynomials, splines, multivariates
spectral analysis, fourier transforms, frequency-domain filters, windowing, spectrograms, convolutions, FIRs, IIRs
sparse matrices, sparse linear algebra, eigenvalue problems, graphs & networks
Feature Engineering:
setup, tips, caching, regression target transforms
univariate, multivariate, nearest-neighbor, marking imputed values
iris, digits, cal housing, labeled faces, 20 newsgroups, (more)
one-hot encoding, word counts, tf-idf, linear-to-polynomial, missing data, pipelines
bag of words, sparsity, vectorizers, stop words, tf-idf, decoding, applications, limits, the hashing trick, out-of-core ops
CSV, HDF5, h5py, pytables, hdfstore, JSON, serialization, pickle issues
mean removal, variance scaling, sparse scaling, outlier scaling, distribution maps, normalization, category coding, binning, binarization, polynomial features.
scaling
(FE cookbook, 2nd ed (Packt))
Machine Learning:
spectral co-clustering, spectral bi-clustering
(ex) classifier confidence
calibration
cross-validation
metrics
regressions
MNIST, metrics, confusion matrix, precision & recall, ROC, multiple classes, error analysis, multiple labels, multiple outputs
overview, k-means, affinity propagation, mean shift, spectral, hierarchical, dbscan, optics, birch, metrics
intro, random projections, feature agglomeration, dimensional reduction, noise filter, eigenfaces
empirical, shrunk, sparse invariance, robust estimation
user guide, ROC curves, K-fold, LvO, LpO, stratified, shuffled, group-K-fold
training, viz, predictions, CART, gini vs entropy, regularization
histograms, spherical KDEs, custom estimators
validation, linear algebra, arrays, random sampling, graphs, testing, multiclass/multilabel, helpers, hashes, warnings, exceptions
curse of dimensionality, projections, manifolds, PCA, explained variance, choosing dimensions, PCA for compression, incremental PCA, randomized PCA, kernel PCA, selecting a kernel, LLE, MDS, isomap, t-SNE, LDA
dimensionality reduction, LDA, math, shrinkage, estimators
cosine similarity, kernels (linear, polynomial, sigmoid, RBF, laplacian, chisqd)
low-variance features, univariate selection, recursive elimination, selecting from a model, pipeline ops
expectation maximization (EM), confidence ellipsoids, bayes info criterion & n_clusters, covariance constraints (spherical, diagonal, tied, full), variational bayes (extension of EM)
regressions, classifiers, kernels
classification, regression, sparse data, complexity, stopping, tips, implementation
user guide, grid search, random parameters, tips, brute force alternatives
noestrem method, std kernels
user guide, OLS, ridge regression, lasso, elastic net, LARS, OMP, bayes, ARD, passive-aggressive algos, robustness, ransac vs theil-sen vs huber, polynomial regression
hello, MDS, non-linear embeddings, tradeoffs, isomap on faces
label formats, OvR, OvO, ECCs, multiple outputs, classifier chains, regressor chains
definition, as a classifier, as a regressor, regularization, loss functions, complexity, math, tips, warm_start
gaussian, multinomial, complement, bernoulli, out-of-core
unsupervised, KD trees, Ball trees, regressions, nearest centroids, NCA
definitions, methods, novelty detection, outlier detection, elliptic envelope, iso forest, local outlier factor, novelties with LOF
python vs cython vs c, code profiling, memory profiling, cython tips, profiling compiled extensions, joblib.Parallel, warm_start
parameters, bernoulli RBM, stochastic max likelihood learning
classification, regression, density estimates, novelty detection, complexity, tips, kernel functions, implementation
classification (linear), classification (nonlinear), polynomial features, the kernel trick, similarity functions, gaussian RBF kernels, regression
validation curves, learning curves
Natural Language Processing (NLP):
similarity queries, text summaries, distance metrics, LDA, Annoy, PDLN, doc2vec, word mover, fasttext
data cleanup, bag of words, classifier fit, metrics, feature pareto, tf-idf, semantic meanings, CNN
tokens, POS tags, dependency parsing, lemmas, sentence boundaries, named entities, similarity, text classification, rule-based matches, training, serialization
Deep Learning with Tensorflow:
DNNs
(scikit-and-tensorflow-workbooks)
gradients, activation functions, batch normalization, gradient clipping, model reuse, layer freeze & cache, model zoos, regularization
RNNs
(scikit-and-tensorflow-workbooks)
intro, sequences, unrolling, simplification, training, deep RNNs, LSTMs, GRU cells, NLP basics
intro, stacked AEs, tying weights, reconstructions
layers, filters, map stacking, padding & pooling, architectures
intro
(scikit-and-tensorflow-workbooks)
installation, graphs, gradient descent, momentum, model save-restore, visualization, tensorboard, sharing variables
perceptrons, MLPs, backprop, training,
openAI gym, policies, markov decision processes, q-learning
Deep Learning with PyTorch:
tensors, numpy arrays, cuda, autograd, gradients, neural net design, loss functions, backprop, weight updates, training, CNN definition, testing, GPU training, parallelism
Visualization Tools:
Symbolic Computation (SymPy):
square vs rectangular, eigenvalues, nonlinear equations, univariate equations
symbols, numbers, rationals, constants, functions, expressions, simplification, expansion, factor, collect, combine, apart, together, cancel, substitutions, evaluations, calculus, sums, products, equations, linear algebra
Optimization:
installation, will it work?, nopython, performance, under the hood, @decorators, groups
numba, numba.vectorize, cython, tips & tricks, cython & C
Various Utilities:
Python Standard Library: (v3.8)
posix, pwd, spwd, grp, crypt, termios, tty, pty, fcntl, pipes, resource, nis, syslog
msilib, msvcrt, winreg, winsound
os, io, time, argparse, getopt, logging, getpass, curses, platform, error, ctypes
threads, multiprocessing, concurrent, subprocess, sched, queue, _thread, _dummy_thread
datetime, calendar, collections, heapq, bisect, array, weakref, types, copy, pprint, reprlib, enum
boolean, comparisons, numerics, iterators, sequences, text sequences, binary sequences, sets, maps, context managers, more
typing, pydoc, doctest, unittest, 2to3, test
basics, concrete exceptions, warnings, hierarchy
zlib, gzip, bz2, lzma, zipfile, tarfile
csv, configparser, netrc, xdrlib, plistlib
pickle, copyreg, shelve, marshal, dbm, sqlite3
pathlib, os.path, fileinput, stat, filecmp, tempfile, glob, fnmatch, linecache, shutil
itertools, functools, operators
webbrowser, cgi, cgitb, wegiref, urllib, http, ftplib, poplib, imaplib, nntplib, smtplib, smtpd, telnetlib, uuid, socketserver, http.server, http.cookies, xmlrpc, ipaddress
parser, ast, symtable, symbol, token, keyword, tokenize, tabnanny, pyrlbr, py_compile, compileall, diss, pickletools
zipimport, pkgutil, modulefinder, runpy, importlib
audioop, aifc, sunau, wave, chunk, colorsys, imghdr, sndhdr, ossaudiodev
email, json, mailcap, mailbox, mimetypes, base64, binhex, binascii, quopri, uu
asyncio, socket, ssl, select, selectors, asyncore asynchat, signal, mmap
numbers, math, cmath, decimal, fractions, random, statistics
disutils, ensurepip, venv, zipapp
sys, sysconfig, builtins, __main__, warnings, dataclasses, contextlib, abc, atexit, traceback, __future__, gc, inspect, site
-->
product design resources - github
categories:
tags:
design
uiux
date: 25 Jan 2024
slug:awesome-design-tools-github
model Thinker booknotes
categories:
tags:
decisions
machine-learning
math
date: 22 Feb 2024
slug:model-thinker-booknotes
- many models as independent lies
- condorcet jury theorem
- diversity prediction theorem
- categorization models
- one big model & granularity
- R^2: pct of variance
- model error decomposition theorem
- one-to-many
- one-to-many: higher powers (X^N)
- bagging
- the challenge
- rational-actor models
- rational-actor consumption model
- arguments for rational choice
- psych biases
- prospect theory example
- rule-based models
- el farol model: adaptive rules
- cognitive closure, a big question, & many models
- the lucas critique
- structure
- central limit theorem
- square root rules
- testing significance
- six sigma
- lognormal distributions (multiplying shocks)
- summary
- structure
- distributions
- power law
- zipf's law
- models & power laws
- preferential attachments
- forest fire model (self-organized criticality)
- implications
- equity
- catastrophies
- volatility
- a long-tail world
- search & opportunity
- definition
- sign, significance, magnitude
- correlation vs causation
- multivariable LMs
- success equation
- multivariable regression
- big coefficients & new realities
- binary classifications
- linear classification
- nonlinear classification
- forests of decision trees
- convexity
- exponential growth
- rule of 72
- half-life
- concave functions
- economic growth
- cobb-douglas model
- simple growth
- solow (simplified) growth
- why nations succeed & fail
- japanese chinese economic dominance
- it's a nonlinear world
- cooperative games
- shapley values (SVs)
- axiomatic basis for SVs
- SVs & alternate uses test
- shapley-shubik index
- summary
- structure
- statistics (degree, length, betweenness, clustering)
- common structures
- monte carlo method - random nets
- network formation: logic
- why networks matter
- six degrees of separation
- robustness
- summary
- broadcast model
- broadcast model : data fitting
- diffusion model
- bass model
- SIR model
- R0 (basic reproduction number)
- R0, superspreaders & degree squaring
- one-to-many
- information entropy
- axiomatic foundations
- using entropy to distinguish outcome classes
- max entropy & distributional assumptions
- max entropy distributions
uniform, exponential, normal
- positive & normative implications
- bernoulli urn model
- simple RW
- using RWs to estimate network size
- RWs & efficient markets
- polya process
- balancing process
- path dependence or tipping point
- further applications
- value-at-risk & volatility
- local majority model
- pure coordination game
- paradox of coordination
- game of life
- summary
- lyapunov functions
- race to the bottom game
- equilibrium in local majority model
- self-organization: new york & disney world
- pure exchange commodities
- models without lyapunov functions
- summary
- two examples
- perron-frobenius theorem
- sales-durability paradox
- markov: one-to-many
- summary
- system dynamics model components
sources, sinks, stocks, flows
- predator-prey model
- lotka-volterra model
- using SDMs to guide action
- WORLD3 model
- summary
- granovetter's riot model
- riot model
- market creation & double riots
- two models of segregation
- schelling's party model
- threshold models | negative feedbacks
- ping-pong model
- summary: model granularity
- algorithmic riots
- spatial competition model
- increasing #attributes
- downsian model of spatial competition
- status quo effects, agenda control, veto players
- hedonic competition
- hybrid model of product competition
- summary
- normal-form zero-sum games
- sequential games
- continuous action games
- effort game
- summary
- prisoner's dilemma
- cooperation thru repetition & reputation
- connectedness & reputation
- cooperation among rule-playing behaviors
- cooperative action model
- clustering bootstraps cooperation
- group selection
- summary
- intro
- public goods
- altruists
- congestion
- multiple congestible goods
- renewable resource extraction
- solved & unsolved CA problems
- mount-reiter diagram
environment, outcomes, actions, behavioral rules, outcome functions, social choice correspondence
- pareto efficiency
- majority rule & kingmaker mechanism
- three auctions
ascending-bid, second-price, first-price
- revenue equivalence
- public project decision mechanisms
- majority-vote equal sharing
- pivot mechanism
- summary
- discrete signals
- continuous signals
- continuous signals: separation
- uses & values
- summary
- individual learning: reinforcement learning (RL)
- social learning: replicator dynamics
- learning in games
- generous | spiteful game
- spiteful man | magic lamp
- combining models
- culture trumps strategy?
- bernoulli bandit problems
- bernoulli bandit problems (multiarmed)
- gittins index
- summary
- fitness landscape
- rugged landscapes
- NK model
- ruggedness & dancing landscapes
- do we patent knowledge?
- many models: opioid epidemic
- a model of opioid approval
- transition-to-addiction model
- paths to heroin addiction
- many models: covid pandemic
- fatality rate model
- IHME model
- flattening|unflattening the curve
- SIR with latency & severity (eisenberg)
- imperial college microsimulation model
- many models of inequality
- technology & human capital model
- positive feedbacks to talent
- ceo political capture
- rent-from-capital model (piketty)
- assortive mating
- intergenerational income (wealth) dynamics
- persistent inequality (durlauf)
- into the world
-->
python hacker guide
categories:
tags:
python
date: 23 Feb 2024
slug:python-hackerguide-ebook
adwords and analytics beginners guide (2019)
categories:
tags:
adwords
analytics
ecommerce
prodmgmt
seo
webdev
date: 24 Feb 2024
slug:google-analytics-adwords
nginx cookbook
categories:
tags:
devops
nginx
web-servers
date: 26 Feb 2024
slug:nginx-cookbook
-->
d3 tips & tricks
categories:
tags:
d3
javascript
visualization
date: 26 Feb 2024
slug:d3
d3 gallery (observablehq.com)
categories:
tags:
d3
javascript
uiux
visualization
date: 26 Feb 2024
slug:d3-gallery
d3 - Getting Started (Oreilly)
categories:
tags:
d3
javascript
uiux
visualization
date: 26 Feb 2024
slug:d3-get-started
semiconductor case study (2022)
categories:
tags:
prodmgmt
semiconductors
date: 26 Feb 2024
slug:semiconductor-case-study
pixieDust - NodeJS in a Jupyter Notebook (2019)
categories:
tags:
javascript
jupyter
nodejs
date: 20 Mar 2024
slug:pixiedust-nodejs-in-jupyter
habits of expert software designers (2019)
categories:
tags:
best-practices
date: 20 Mar 2024
slug:expert-designer-habits
design patterns (GoodUI)
categories:
tags:
analytics
uiux
webdev
date: 20 Mar 2024
slug:goodui
-->
finance - The Laws of Investing (Collaborative Fund)
categories:
tags:
finance
risk
date: 20 Mar 2024
slug:laws-of-investing
jupyter tricks & tips
categories:
tags:
jupyter
date: 21 Mar 2024
slug:jupyter-tricks
webdev - HTML and CSS can do THAT?
categories:
tags:
css
html
date: 21 Mar 2024
slug:html-css-can-do-that
how to do a code review (Google)
categories:
tags:
best-practices
execution
date: 21 Mar 2024
slug:google-code-reviews
prodmgmt frameworks (Twitter, 2022)
categories:
tags:
prodmgmt
date: 21 Mar 2024
slug:prodmgmt-frameworks
nlp links
categories:
tags:
deep-learning
nlp
date: 21 Mar 2024
slug:nlp
semiconductor topics - Dec'2019
categories:
tags:
deep-learning
semiconductors
date: 21 Mar 2024
slug:semiconductors
-->
deep Learning GAN architectures - 2019
categories:
tags:
deep-learning
date: 21 Mar 2024
slug:gans
DCGAN (deep convolutional GAN)
CoGAN: Coupled Generative Adversarial Networks
ProGAN: Progressive growing of GANs
SAGAN: Self-Attention GANs
DeOldify (Old Image Restoration) | NoGAN
-->
how to plot random points on a sphere
categories:
tags:
visualization
date: 21 Mar 2024
slug:sphere-points-plotting
music links - December 2019
categories:
tags:
music
date: 21 Mar 2024
slug:music
negotiations for Product Managers
categories:
tags:
negotiation
prodmgmt
date: 21 Mar 2024
slug:negotiation-for-pms
milvus open-source vector similarity search engine
categories:
tags:
deep-learning
search
date: 21 Mar 2024
slug:milvus-faiss
angular
categories:
tags:
javascript
date: 21 Mar 2024
slug:angular-v9-release
how & Why "Marketing Flywheels" Work
categories:
tags:
marketing
date: 21 Mar 2024
slug:marketing-flywheels
12 signs that You're Working in a Feature Factory
categories:
tags:
prodmgmt
date: 21 Mar 2024
slug:feature-factories
intro to product packaging (2021)
categories:
tags:
packaging
prodmgmt
date: 21 Mar 2024
slug:prodmgmt-packaging-basics
animations & Duration
categories:
tags:
animation
uiux
date: 21 Mar 2024
slug:ux-animations
kubernetes Up & Running - book notes
categories:
tags:
booknotes
devops
kubernetes
date: 07 Apr 2024
slug:kubernetes
scikit-learn (0.22,0.24) guides
categories:
tags:
jupyter
machine-learning
python
scikit-learn
date: 08 Apr 2024
slug:scikit-learn-jupyter-notebooks
lLM trend summary 23-24 - Williston
categories:
tags:
llms
date: 02 Jan 2025
slug:LLMS_2023-2024_summary_williston
prodmgmt/platforms
categories:
tags:
platforms
prodmgmt
date: 28 Jan 2025
slug:raindrop-prodmgmt-platforms
(www.eugenewei.com)
2025-01-23
An Interview with Daniel Gross and Nat Friedman About Mod...
(stratechery.com)
2024-11-10
Why Middlemen Don't Get Eliminated
(capitalgains.thediff.co)
2024-05-28
Platform as a Product 101
(thenewstack.io)
2024-02-29
Web Monetization Editions | Techdirt
(www.techdirt.com)
2024-02-15
Finding the product in your platform
(open.substack.com)
2024-02-14
50 Types of Business Models (2022) – The Best Examples of...
(bstrategyhub.com)
2024-02-14
Business models based on the compiled list at http://news...
(gist.github.com)
2023-12-29
The New Moats. Why Systems of Intelligence™ are the… | by...
(news.greylock.com)
2023-10-16
The SaaS Opportunity Of Unbundling Excel
(foundationinc.co)
2023-08-06
Platform Adjacency Theory - Infrequently Noted
(infrequently.org)
2023-07-24
208. Ultimate Guide to Platforms
(open.substack.com)
2023-03-24
OpenAI turns ChatGPT into a platform overnight with addit...
(venturebeat.com)
2023-03-20
Matching and Information Design in Marketplaces
(d.repec.org)
2023-03-19
Two design rules that make products win. - by Thomas Drach
(subtract.substack.com)
2023-03-19
How do you solve world-class problems?
(open.substack.com)
2023-03-12
How One Guy’s Car Blog Became a $1 Billion Marketplace
(www.wsj.com)
2023-03-12
WTF is Marketplace Liquidity?
(medium.com)
2023-01-13
The platform and the curator
(seths.blog)
2022-12-13
The 7 Powers Known to Tesla, Pixar, Netflix, Apple & Twilio
(www.nfx.com)
2022-11-05
The Art of Profitability by Adrian Slywotzky
(jamesclear.com)
2022-10-17
Turning non-tradables into tradables
(www.thediff.co)
2022-08-17
The speakeasy economy of WeChat
(www.theverge.com)
2022-07-27
Two-Sided Networks in Healthcare, a Founder’s Playbook
(a16z.com)
2022-07-19
How to protect yourself as middleman in a marketplace
(venturebeat.com)
2022-07-18
3 Strategies To Building a Marketplace Startup | SaaS Aca...
(www.danmartell.com)
2022-07-18
Signaling as a Service
(julian.digital)
2022-07-18
Platforms and Networks
(platformsandnetworks.blogspot.com)
2022-07-18
http://platformed.info/virality-viral-growth-network-effects
(platformed.info)
2022-07-18
Pando: Democratizing career progression
(pando.com)
2022-07-18
The 7 marketplace design patterns
(rishidean.com)
2022-07-18
The 3 Competitive Defenses of Enduring SaaS Companies by ...
(tomtunguz.com)
2022-07-18
Why Platform Disruption Is So Much Bigger than Product Di...
(hbr.org)
2022-07-18
Positional Scarcity
(alexdanco.com)
2022-07-18
https://codingvc.com/the-value-of-data-part-1-using-data-...
(codingvc.com)
2022-07-18
Why Uber Fights
(stratechery.com)
2022-07-18
Everything We Know About Platforms We Learned from Mediev...
(hbr.org)
2022-07-18
The Businesses That Platforms Are Actually Disrupting
(hbr.org)
2022-07-18
Three Elements of a Successful Platform Strategy
(hbr.org)
2022-07-18
The Power of Data Network Effects
(mattturck.com)
2022-07-18
What’s Next for Marketplace Startups? | Andreessen Horowitz
(a16z.com)
2022-07-18
6 Reasons Platforms Fail
(hbr.org)
2022-07-17
Why Figma Wins - kwokchain
(kwokchain.com)
2022-07-17
All Markets Are Not Created Equal: 10 Factors To Consider...
(abovethecrowd.com)
2022-07-13
Nearly a third of new subscribers to some news publicatio...
(www.niemanlab.org)
2022-07-06
Thoughts on Building Weatherproof Companies | Andreessen ...
(a16z.com)
2022-07-05
The Marketplace Glossary | Andreessen Horowitz
(a16z.com)
2022-07-05
Selling pickaxes during a gold rush
(cdixon.org)
2022-07-05
In times of change, make tires
(medium.com)
2022-07-05
4 Business Models for the Data Age
(hbr.org)
2022-07-05
3 Steps to Break Out in a Tired Industry
(hbr.org)
2022-07-05
The Real Power of Platforms Is Helping People Self-Organize
(hbr.org)
2022-07-05
http://platformed.info/platform-strategy-and-walled-garde...
(platformed.info)
2022-07-05
Network Effects Aren’t Enough
(hbr.org)
2022-07-05
A Dozen Attributes of a Scalable Business
(25iq.com)
2022-07-05
“Platform” risk — Remains of the Day
(www.eugenewei.com)
2022-07-05
Use Co-opetition to Build New Lines of Revenue
(hbr.org)
2022-07-05
Pando: Democratizing career progression
(pando.com)
2022-06-29
http://platformed.info/qa-quora-stack-overflow-mahalo-yah...
(platformed.info)
2022-06-28
http://platformed.info/seeding-platform-standalone-square...
(platformed.info)
2022-06-28
How to Make a Good Secret Sauce
(medium.com)
2022-06-28
Is There a Platform in Your Product?
(hbr.org)
2022-06-28
http://platformed.info/twitter-whatsapp-uber-airbnb-netwo...
(platformed.info)
2022-06-28
https://codingvc.com/the-value-of-data-part-3-data-busine...
(codingvc.com)
2022-06-25
Three-Dimensional Strategy: Winning the Multisided Platform
(hbswk.hbs.edu)
2022-06-25
http://platformed.info/creative-platform-threadless-500px...
(platformed.info)
2022-06-24
A Brief History of the Ways Companies Compete
(hbr.org)
2022-06-23
Beyond Disruption
(stratechery.com)
2022-06-23
Snapchat’s Ladder
(stratechery.com)
2022-06-23
10 Places to Find Product-Market Fit
(www.nfx.com)
2022-06-23
Strategy Letter V
(www.joelonsoftware.com)
2022-06-23
How To Structure A Marketplace | TechCrunch
(techcrunch.com)
2022-06-13
The Empty Promise of Data Moats | Andreessen Horowitz
(a16z.com)
2022-06-13
Anatomy of a managed marketplace | TechCrunch
(techcrunch.com)
2022-06-13
The New Curated Consumer Marketplace Model: 10 Criteria F...
(www.forbes.com)
2022-06-12
Defining Aggregators
(stratechery.com)
2022-06-12
Building a Marketplace: A Checklist for Online Disruption
(www.slideshare.net)
2022-06-07
Alexa: Amazon’s Operating System
(stratechery.com)
2022-06-04
Economies Of Scale As A Service | TechCrunch
(techcrunch.com)
2022-06-02
Aggregation and the New Regulation
(stratechery.com)
2022-06-02
Reverse Network Effects: Why Scale Threatens Today’s Soci...
(thenextweb.com)
2022-05-28
The Intentional Network Effects of Uber
(www.nfx.com)
2022-05-28
A Taxonomy of Moats
(reactionwheel.net)
2022-04-15
Zapier: The $5B unbundling opportunity
(www.georgesequeira.com)
2022-03-10
The Economics of Data Businesses
(summation.us6.list-manage.com)
2022-03-07
This Is Peak Subscription
(www.theatlantic.com)
2022-02-19
str021.pdf
(www.management.com.ua)
2022-02-10
Five Reasons to Sell End-to-End Products in Early Markets...
(tomtunguz.com)
2022-02-10
The Tribal Network Effect (nfx #15)
(www.nfx.com)
2022-02-08
Storming Reddit's Moat
(floodstate.substack.com)
2022-01-16
How we crack the chicken and the egg problem
(medium.com)
2022-01-14
The power of defaults
(julian.digital)
2021-10-15
White Label Designs – All About Implementation, Design Sy...
(www.uxpin.com)
2021-09-26
The Emergence of B2B Raw Material Marketplaces
(www.practicalecommerce.com)
2021-09-14
What Spotify and Apple can learn from Chinese podcasting ...
(restofworld.us20.list-manage.com)
2021-06-21
The Great Game of Risk Played in Category Creation, and W...
(www.tomtunguz.com)
2021-06-14
Can Apple change ads? — Benedict Evans
(d2dadvisory.us6.list-manage.com)
2021-06-09
7 Powers: The Foundations of Business Strategy by Hamilto...
(blas.com)
2021-06-03
Distribution and Demand
(stratechery.com)
2021-06-03
App Store Arguments
(stratechery.com)
2021-05-01
Spotify’s Surprise
(stratechery.com)
2021-04-04
Why I wouldn't invest in open-source companies, even thou...
(www.linkedin.com)
2021-03-02
Enterprise Gateway Marketplaces Will Turn Large Organizat...
(www.nfx.com)
2021-02-06
How to Eat an Elephant, One Atomic Concept at a Time - kw...
(kwokchain.com)
2021-01-03
Laws of Tech: Commoditize Your Complement
(www.gwern.net)
2021-01-02
Sustainable Sources of Competitive Advantage · Collaborat...
(www.collaborativefund.com)
2021-01-02
Why Competitive Advantages Die · Collaborative Fund
(www.collaborativefund.com)
2021-01-02
Dan McKinley :: Choose Boring Technology
(mcfunley.com)
2020-12-22
Why Content Is King
(divinations.substack.com)
2020-12-18
Five Lessons From Dave Chappelle – Stratechery by Ben Tho...
(stratechery.com)
2020-11-03
A guide to platform fees
(www.theverge.com)
2020-08-10
Come for the Network, Pay for the Tool
(subpixel.space)
2020-07-26
10 Best Ecommerce Platforms Compared & Rated For 2020
(www.ecommerceceo.com)
2020-06-01
What is the business model for DuckDuckGo? (2017) | Hacke...
(news.ycombinator.com)
2020-06-01
Moats Before (Gross) Margins
(a16z.com)
2020-03-18
How Cameo Turned D-List Celebs Into a Monetization Machine
(marker.medium.com)
2020-02-24
When Distribution Trumps Product
(a16z.com)
2019-12-23
8 Things to Consider When Building Managed Marketplace Co...
(a16z.com)
2019-12-23
How interchangeable parts revolutionised the way things a...
(www.bbc.com)
2019-11-02
HBO’s Corpus of Content and Apple’s Lack Thereof
(500ish.com)
2019-10-09
Japanese manufacturers use decades of experience to domin...
(www.japantimes.co.jp)
2019-08-30
Netflix and the Economics of Bundling
(hbr.org)
2019-08-29
Disruptive Interfaces & The Emerging Battle To Be The Def...
(medium.com)
2019-08-20
Product innovation is not enough to beat a competitor’s n...
(medium.com)
2019-08-09
Amazon is a boring retailer — Benedict Evans
(www.ben-evans.com)
2019-08-02
Hidden Networks: Network Effects That Don’t Look Like Net...
(a16z.com)
2019-07-25
Bullet Time
(logicmag.io)
2019-07-09
The economics of copying
(www.axios.com)
2019-04-21
Ahead of Its Time, Behind the Curve: Why Evernote Failed ...
(usefyi.com)
2019-04-20
The Truth About the Scooter Economy — An Insider’s Perspe...
(bothsidesofthetable.com)
2019-03-16
$9 Marketing Stack: A Step-by-Step Guide
(robsobers.com)
2019-01-20
Come for the tool, stay for the network
(cdixon.org)
2018-12-24
The Dynamics of Network Effects
(a16z.com)
2018-12-22
Shopify App Store: Ecommerce App Marketplace
(apps.shopify.com)
2018-12-21
‘It’s their moat’: How Shopify built an $800 million part...
(digiday.com)
2018-09-05
The Approval Economy
(zandercutt.com)
2018-05-20
The Moat Map
(stratechery.com)
-->
prodmgmt/ecommerce (condensed)
categories:
tags:
ecommerce
prodmgmt
date: 29 Jan 2025
slug:raindrop-prodmgmt-ecommerce
(towardsdatascience.com)
2024-05-27
Amazon Marketplace Fears
(www.practicalecommerce.com)
2024-04-18
Exclusive | Inside Amazon’s Secret Operation to Gather In...
(www.wsj.com)
2024-03-19
Lessons from More Than 1,000 E-Commerce Pricing Tests
(hbr.org)
2024-01-23
ChatGPT Prompts for Customer Personas
(www.practicalecommerce.com)
2024-01-17
‘Let’s Go Shopping (LGS)’ Dataset: A Large-Scale Public D...
(www.marktechpost.com)
2024-01-01
19 Open Source Ecommerce Platforms
(www.practicalecommerce.com)
2023-10-15
What is RGSP? Google’s Randomized Generalized Second-Pric...
(searchengineland.com)
2023-09-07
eBay rolls out a tool that generates product listings fro...
(techcrunch.com)
2023-08-14
11 free tools for PPC campaign management
(searchengineland.com)
2023-08-06
Four Types of Ecommerce Merchandising That Business Owner...
(www.retailtechnologyreview.com)
2023-05-25
Use ‘Look Inside’ to Sell More Products
(www.practicalecommerce.com)
2023-05-02
Thrift shops thrive when disorder is balanced with high s...
(phys.org)
2023-03-24
The Future of Ecommerce: How a Product Becomes a Purchase
(a16z.com)
2023-03-22
10 Best Practices for Ecommerce Checkout Design
(dev.to)
2023-03-10
How 20 years of Google’s AdSense changed the internet
(www.fastcompany.com)
2023-03-10
Target Just Announced Something Brilliant That Amazon Can...
(inc.com)
2023-02-16
Tools to Create, Optimize Meta Descriptions
(www.practicalecommerce.com)
2023-01-30
Welcome to the Shoppy Shop
(clicks.getpocket.com)
2023-01-22
3 Flaws of Cost-plus Pricing - Practical Ecommerce
(www.practicalecommerce.com)
2023-01-07
Hacker News
(news.ycombinator.com)
2022-11-15
Basically everything on Amazon has become an ad
(www.vox.com)
2022-10-29
A Complete Taxonomy of Internet Chum - The Awl
(www.theawl.com)
2022-10-05
GoodwillFinds.com gives shoppers more reasons to feel goo...
(retailwire.com)
2022-09-18
Subscriptions are out, refills are in.
(bluepnume.medium.com)
2022-09-13
Multi-Objective Ranking for Promoted Auction Items
(tech.ebayinc.com)
2022-09-10
PPC management for e-commerce: 28 tools to explore
(searchengineland.com)
2022-08-24
7 useful Excel formulas and functions for PPC
(searchengineland.com)
2022-08-17
Elevate Your E-commerce Journey With Animated UX Microint...
(www.toptal.com)
2022-08-05
5 Amazon product listing optimization must-haves
(searchengineland.com)
2022-07-19
How Paper Catalogs Remain Relevant in a Digital Age
(hbr.org)
2022-07-19
Piracy Doubled My App Sales
(danielamitay.com)
2022-07-18
How to Price Shipping and Handling Fees
(www.practicalecommerce.com)
2022-07-18
How to Build an Amazon Affiliate Website - 2024 Guide - M...
(makeawebsitehub.com)
2022-07-18
Advanced list building
(jilt.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-17
All Markets Are Not Created Equal: 10 Factors To Consider...
(abovethecrowd.com)
2022-07-07
Catalogs & Wishbooks
(christmas.musetechnical.com)
2022-07-05
Five Questions Companies Should Ask Before Making an Inno...
(hbr.org)
2022-07-05
http://www.postaffiliatepro.com/blog/the-ultimate-list-of-
(www.postaffiliatepro.com)
2022-07-05
Why Your eCommerce Business Should Have a Pop-Up Shop
(readwrite.com)
2022-07-05
Asking Users to Complete Tough Mudders to Use Your Product
(www.tomtunguz.com)
2022-07-05
Buy Till You Die: Understanding Customer Lifetime Value
(towardsdatascience.com)
2022-06-29
Cross-chain Deals and Adversarial Commerce
(muratbuffalo.blogspot.com)
2022-06-28
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2022-06-27
Applying Luxury Principles to Ecommerce Design
(www.nngroup.com)
2022-06-25
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-23
Video Tools Archives
(www.practicalecommerce.com)
2022-06-23
13 Platforms for Shoppable Video
(www.practicalecommerce.com)
2022-06-22
Twitter partners with Shopify to bring merchants' product...
(techcrunch.com)
2022-06-21
6 Email Triggers for Max Conversions
(www.practicalecommerce.com)
2022-06-13
Packaging Inserts: Types and How To Create Yours (2024) -...
(www.shopify.com)
2022-06-13
21 Examples of Pricing Pages in Web Design
(webdesignledger.com)
2022-06-12
Why You’re Never Really Happy With the Things You Buy Any...
(getpocket.com)
2022-06-12
Product Descriptions: 17 Fresh Writing Angles
(www.practicalecommerce.com)
2022-06-12
Digital Advertising Platform for Brands and Agencies | Ad...
(www.adroll.com)
2022-06-07
Past Behavior Does Not Determine Future Purchases | TechC...
(techcrunch.com)
2022-06-07
https://www.blossom.co/blog/5-smart-ways-to-resurrect-you...
(www.blossom.co)
2022-06-07
Design
(www.fastcodesign.com)
2022-06-02
Rithum: End-to-End E-commerce Solutions for Brands & Reta...
(www.channeladvisor.com)
2022-05-28
SEO: Product Descriptions Are a Blind Spot for Ecommerce ...
(www.practicalecommerce.com)
2022-05-27
13 marketing automation tools that can help you boost you...
(dataconomy.com)
2022-05-20
When Keyword Poaching Pays Off
(hbr.org)
2022-05-12
3 Keyword Tools for Search Intent
(www.practicalecommerce.com)
2022-05-09
Fast, Cheap, and Out of Control: Inside Shein’s Sudden Rise
(www.wired.com)
2022-04-07
Improving Shopping Recommendations for Customers Through ...
(tech.ebayinc.com)
2022-02-19
The Sales Sandwich by @ttunguz
(www.tomtunguz.com)
2022-02-18
Here’s what actually happens to all your online shopping ...
(restofworld.org)
2022-02-10
How to Build an Ecommerce Keyword List
(www.practicalecommerce.com)
2021-11-29
Product Photography, Part 14: Optimizing for Speed, Search
(www.practicalecommerce.com)
2021-11-03
The “ghost stores” of Instagram
(www.vox.com)
2021-09-26
The Emergence of B2B Raw Material Marketplaces
(www.practicalecommerce.com)
2021-08-31
Why payment apps that thrive in India struggle to succeed...
(restofworld.org)
2021-07-25
Six emerging trends in product packaging
(retailtechinnovationhub.com)
2021-07-20
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2021-07-07
Policy Pages, Done Well, Enhance a Brand
(www.practicalecommerce.com)
2021-07-07
The life cycle of a viral product
(www.vox.com)
2021-06-03
Improving The Performance Of An Online Store (Case Study)
(smashingmagazine.com)
2021-05-29
Boxes, trucks and bikes
(www.ben-evans.com)
2021-05-21
3 Keys for High-converting Product Descriptions
(www.practicalecommerce.com)
2021-05-09
Theoretical Understandings of Product Embedding for E-com...
(arxiv.org)
2021-04-02
Evaluating Search Algorithms
(shopify.engineering)
2021-03-30
Here’s Why Your Ecommerce Subscriptions Aren’t Selling
(www.practicalecommerce.com)
2021-03-22
How Shopify Payments Work: All You Want To Know?
(www.noupe.com)
2021-03-21
What I wish I knew before building a Shopify App
(ma.ttias.ch)
2021-03-02
11 TikTok Video Ideas for Merchants
(www.practicalecommerce.com)
2021-02-23
Buyer beware: Massive experiment shows why ticket sellers...
(newsroom.haas.berkeley.edu)
2021-02-18
How A Retail Chain Without A Website Powered Through The ...
(www.npr.org)
2021-01-10
The art and science of SaaS pricing: True usage-based pri...
(venturebeat.com)
2021-01-10
The art and science of SaaS pricing: Finding the right mo...
(venturebeat.com)
2021-01-06
How Amazon’s Business Practices Harm American Consumers: ...
(medium.com)
2021-01-04
Looks vs. Results: My ugly ad got 150% more clicks than a...
(www.gkogan.co)
2021-01-02
The Top Affiliate Marketing Networks
(neilpatel.com)
2020-12-10
Lessons from Running a Sale that Earned 3 Month's Profit ...
(www.coryzue.com)
2020-11-20
The 11 Best Dropshipping Tools
(neilpatel.com)
2020-11-13
As its ecosystem grows, companies are becoming reliant on...
(digiday.com)
2020-11-10
'Growing two times faster than the rest of the market': I...
(digiday.com)
2020-11-06
A Guide to Behavioral Segmentation Marketing
(neilpatel.com)
2020-11-03
Managing your product feeds to thrive in a new retail lan...
(www.retaildive.com)
2020-11-03
4 Payment Methods to Integrate for the Holidays
(www.practicalecommerce.com)
2020-11-03
6 methods for touch-free and remote payments
(www.retaildive.com)
2020-11-03
14 Tools to Sell on Facebook and Instagram
(www.practicalecommerce.com)
2020-08-02
The First Steps in Adding Ecommerce to a Brick-and-mortar...
(www.practicalecommerce.com)
2020-07-26
10 Best Ecommerce Platforms Compared & Rated For 2020
(www.ecommerceceo.com)
2020-06-23
10 Marketplaces to Buy and Sell Ecommerce Sites
(www.practicalecommerce.com)
2020-06-08
Amazon’s New Competitive Advantage: Putting Its Own Produ...
(www.propublica.org)
2020-05-15
How ceramics brand East Fork transitioned to a pre-sale o...
(www.modernretail.co)
2020-05-14
Web Monetization - The Ecosystem
(dev.to)
2020-05-02
AliExpress - Online Shopping for Popular Electronics, Fas...
(www.aliexpress.com)
2020-05-01
‘It’s bullshit’: Inside the weird, get-rich-quick world o...
(www.wired.co.uk)
2020-03-09
Introducing the Periodic Table of Digital Commerce Marketing
(searchengineland.com)
2020-02-29
Wayfair is all in on logistics
(www.supplychaindive.com)
2019-12-23
How to use returns to build customer loyalty
(www.supplychaindive.com)
2019-12-23
Hacks, Methods and Tools to Keyword Research for eCommerc...
(t.co)
2019-08-31
Free Shipping — Real Life
(reallifemag.com)
2019-08-30
Shopping Cart or Wishlist? Saving Products for Later in E...
(www.nngroup.com)
2019-08-30
Buyer UX ecommerce Benchmarking
(docs.google.com)
2019-08-30
How to Display Taxes, Fees, and Shipping Charges on Ecomm...
(www.nngroup.com)
2019-08-29
Applying Discounts and Promotions on Ecommerce Websites
(www.nngroup.com)
2019-08-29
How to Negotiate the Price of a Pricey Premium Domain
(www.entrepreneur.com)
2019-08-29
https://t.co/5oaFLodGNL?ssr=true
(t.co)
2019-08-29
4 Online Merchandising Hacks to Increase Profits
(www.practicalecommerce.com)
2019-08-29
Beginner’s Guide to Product Qualified Leads (PQLs)
(labs.openviewpartners.com)
2019-08-20
How SaaS Products Ascend the “Trust Pyramid”
(openviewpartners.com)
2019-08-09
Amazon is a boring retailer — Benedict Evans
(www.ben-evans.com)
2019-07-25
Free SaaS tools for companies on a budget (and a pre-form...
(canny.io)
2019-06-23
7 Gaps in Google Analytics That Require Additional Tools
(www.practicalecommerce.com)
2019-05-29
The inherent value of identifiable store traffic
(www.retaildive.com)
2019-05-08
Amazon and Target race to revolutionize the cardboard shi...
(www.fastcompany.com)
2019-02-05
Laundry detergent or boxed wine? How e-commerce is changi...
(www.supplychaindive.com)
2019-01-22
Untuckit is using Amazon to offload older styles
(digiday.com)
2019-01-13
How PopSockets Prospered after Leaving Amazon
(www.practicalecommerce.com)
2018-12-22
Shopify App Store: Ecommerce App Marketplace
(apps.shopify.com)
2018-12-21
‘It’s their moat’: How Shopify built an $800 million part...
(digiday.com)
2018-11-26
25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages
(sumo.com)
2018-11-13
Why the Sharing Economy Has Come to Apparel
(www.adweek.com)
2018-08-23
eCommerce 101: Understanding Shopping Cart Abandonment [w...
(www.toptal.com)
2018-08-21
Service as a SKU | Andreessen Horowitz
(a16z.com)
2018-08-13
What PopSugar learned from selling products through text ...
(digiday.com)
2018-07-05
The Real Benefit of Amazon Reviews
(www.practicalecommerce.com)
2018-06-05
Strategy & Implementation of Third-Party Connections in P...
(medium.learningbyshipping.com)
2018-05-30
10 ways to offer shoppers a discount
(www.practicalecommerce.com)
2018-05-07
Indie Hackers: Work Together to Build Profitable Online B...
(www.indiehackers.com)
2018-05-04
Why sell barbells?
(www.practicalecommerce.com)
2017-11-24
Amazon’s systematic approach
(www.mckinsey.com)
2017-11-15
4 Marketing Lessons from Opening a Brick-and-mortar Store
(www.practicalecommerce.com)
-->
lLM articles
categories:
tags:
llms
date: 25 Mar 2025
slug:raindrop-llms
www.theatlantic.com
(2025-04-10)
François Chollet has constructed the ultimate test for the bots.
elenacross7.medium.com
(2025-04-08)
MCP, short for Model Context Protocol, is the hot new standard behind how Large Language Models (LLMs) like Claude, GPT, or Cursor integrate with tools and data. It’s been described as the “USB-C for…
huggingface.co
(2025-04-07)
A Blog post by Ksenia Se on Hugging Face
ai.meta.com
(2025-04-06)
We’re introducing Llama 4 Scout and Llama 4 Maverick, the first open-weight natively multimodal models with unprecedented context support and our first built using a mixture-of-experts (MoE) architecture.
www.philschmid.de
(2025-04-06)
Overview of the Model Context Protocol (MCP) how it works, what are MCP servers and clients, and how to use it.
code.visualstudio.com
(2025-04-06)
Learn how to configure and use Model Context Protocol (MCP) servers with GitHub Copilot in Visual Studio Code.
www.wired.com
(2025-04-05)
The brother goes on vision quests. The sister is a former English major. Together, they defected from OpenAI, started Anthropic, and built (they say) AI’s most upstanding citizen, Claude.
developer.nvidia.com
(2025-04-02)
The past few years have witnessed the rise in popularity of generative AI and large language models (LLMs), as part of a broad AI revolution.
www.marktechpost.com
(2025-04-02)
Deploying LLMs presents challenges, particularly in optimizing efficiency, managing computational costs, and ensuring high-quality performance. LLM routing has emerged as a strategic solution to these challenges, enabling intelligent task allocation to the most suitable models or tools. Let’s delve into the intricacies of LLM routing, explore various tools and frameworks designed for its implementation, and […]
www.youtube.com
(2025-03-28)
Thanks to KiwiCo for sponsoring today’s video! Go to https://www.kiwico.com/welchlabs and use code WELCHLABS for 50% off your first monthly club crate or for...
simonwillison.net
(2025-03-28)
In a follow-up to the research that brought us the [delightful Golden Gate Claude](https://simonwillison.net/2024/May/24/golden-gate-claude/) last year, Anthropic have published two new papers about LLM interpretability: - [Circuit Tracing: Revealing Computational …
www.technologyreview.com
(2025-03-27)
What they found challenges some basic assumptions about how this technology really works.
machinelearningmastery.com
(2025-03-26)
In this article, we explore 10 of the Python libraries every developer should know in 2025.
openai.com
(2025-03-25)
At OpenAI, we have long believed image generation should be a primary capability of our language models. That’s why we’ve built our most advanced image generator yet into GPT‑4o. The result—image generation that is not only beautiful, but useful.
dataconomy.com
(2025-03-25)
The Hallucination Index is a benchmark that measures the frequency of inaccuracies in large language models, indicating their reliability and contextual understanding.
docs.mistral.ai
(2025-03-23)
[platform_url]//console.mistral.ai/
eugeneyan.com
(2025-03-22)
Model architectures, data generation, training paradigms, and unified frameworks inspired by LLMs.
venturebeat.com
(2025-03-20)
Anthropic launches real-time web search for Claude AI, challenging ChatGPT's dominance while securing $3.5 billion in funding at a $61.5 billion valuation.
dataconomy.com
(2025-03-18)
Paris-based artificial intelligence startup Mistral AI has announced the open-source release of its lightweight AI model, Mistral Small 3.1, which the company
simonwillison.net
(2025-03-17)
Mistral Small 3 [came out in January](https://simonwillison.net/2025/Jan/30/mistral-small-3/) and was a notable, genuinely excellent local model that used an Apache 2.0 license. Mistral Small 3.1 offers a significant improvement: it's multi-modal …
www.r-bloggers.com
(2025-03-16)
The ellmer package for using LLMs with R is a game changer for scientists Why is ellmer a game changer for scientists? In this tutorial we’ll look at how we can access LLM agents through API calls. We’ll use this skill for created structued data fro...
dataconomy.com
(2025-03-13)
Catastrophic Forgetting is a phenomenon where neural networks lose previously learned information when trained on new data, similar to human memory loss.
www.kdnuggets.com
(2025-03-13)
These models are free to use, can be fine-tuned, and offer enhanced privacy and security since they can run directly on your machine, and match the performance of proprietary solutions like o3-min and Gemini 2.0.
dataconomy.com
(2025-03-12)
Model cards are documentation tools in machine learning that provide essential information about models, promoting transparency, trust, and ethical considerations in AI systems.
open.substack.com
(2025-03-11)
Plus CSS view transitions and a major update to llm-openrouter
thezvi.substack.com
(2025-03-08)
open.substack.com
(2025-03-08)
Part 1: Inference-Time Compute Scaling Methods
simonwillison.net
(2025-03-07)
New closed-source specialist OCR model by Mistral - you can feed it images or a PDF and it produces Markdown with optional embedded images. It's available [via their API](https://docs.mistral.ai/api/#tag/ocr), or …
mistral.ai
(2025-03-06)
Introducing the world’s best document understanding API.
simonwillison.net
(2025-03-04)
This release of the `llm-ollama` plugin adds support for [schemas](https://simonwillison.net/2025/Feb/28/llm-schemas/), thanks to a [PR by Adam Compton](https://github.com/taketwo/llm-ollama/pull/36). Ollama provides very robust support for this pattern thanks to their [structured outputs](https://ollama.com/blog/structured-outputs) …
www.anthropic.com
(2025-02-26)
Today, we’re announcing Claude 3.7 Sonnet, our most intelligent model to date and the first hybrid reasoning model generally available on the market.
www.ben-evans.com
(2025-02-26)
OpenAI’s Deep Research is built for me, and I can’t use it. It’s another amazing demo, until it breaks. But it breaks in really interesting ways.
blog.tobiaszwingmann.com
(2025-02-24)
Solid techniques to get really good results from any LLM
www.linkedin.com
(2025-02-24)
OpenAI's president Greg Brockman recently shared this cool template for prompting their reasoning models o1/o3. Turns out, this is great for ANY reasoning… | 32 comments on LinkedIn
artificialanalysis.ai
(2025-02-21)
Comparison and ranking the performance of over 30 AI models (LLMs) across key metrics including quality, price, performance and speed (output speed - tokens per second & latency - TTFT), context window & others.
open.substack.com
(2025-02-17)
I share my preferences for LLMs, image models, AI video, AI music, AI-powered research, and more. These are the AI tools I regularly use or recommend to others.
www.marktechpost.com
(2025-02-17)
A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer with Tiktoken for Advanced NLP Applications in Python
fly.io
(2025-02-15)
Do my tears surprise you? Strong CEOs also cry.
simonwillison.net
(2025-02-07)
I just released llm-smollm2, a new plugin for LLM that bundles a quantized copy of the SmolLM2-135M-Instruct LLM inside of the Python package. This means you can now pip install …
sebastianraschka.com
(2025-02-05)
In this article, I will describe the four main approaches to building reasoning models, or how we can enhance LLMs with reasoning capabilities. I hope this p...
www.kdnuggets.com
(2025-02-03)
Check out this comparison of 5 AI frameworks to determine which you should choose.
rlhfbook.com
(2025-02-02)
The Reinforcement Learning from Human Feedback Book
www.marktechpost.com
(2025-02-02)
In our previous tutorial, we built an AI agent capable of answering queries by surfing the web. However, when building agents for longer-running tasks, two critical concepts come into play: persistence and streaming. Persistence allows you to save the state of an agent at any given point, enabling you to resume from that state in future interactions. This is crucial for long-running applications. On the other hand, streaming lets you emit real-time signals about what the agent is doing at any moment, providing transparency and control over its actions. In this tutorial, we’ll enhance our agent by adding these powerful
github.com
(2025-02-01)
Aidan Bench attempts to measure in LLMs. - aidanmclaughlin/AidanBench
simonwillison.net
(2025-01-31)
o3-mini is out today. As with other o-series models it’s a slightly difficult one to evaluate—we now need to decide if a prompt is best run using GPT-4o, o1, o3-mini …
www.pyspur.dev
(2025-01-29)
How a Key-Value (KV) cache reduces Transformer inference time by trading memory for computation
www.marktechpost.com
(2025-01-29)
The field of artificial intelligence is evolving rapidly, with increasing efforts to develop more capable and efficient language models. However, scaling these models comes with challenges, particularly regarding computational resources and the complexity of training. The research community is still exploring best practices for scaling extremely large models, whether they use a dense or Mixture-of-Experts (MoE) architecture. Until recently, many details about this process were not widely shared, making it difficult to refine and improve large-scale AI systems. Qwen AI aims to address these challenges with Qwen2.5-Max, a large MoE model pretrained on over 20 trillion tokens and further refined
www.reuters.com
(2025-01-29)
The unusual timing of the Qwen 2.5-Max's release points to the pressure DeepSeek's meteoric rise in the past three weeks has placed on overseas rivals and domestic competition.
planetbanatt.net
(2025-01-28)
newsletter.languagemodels.co
(2025-01-27)
A recipe for reasoning LLMs
www.marktechpost.com
(2025-01-26)
AI has entered an era of the rise of competitive and groundbreaking large language models and multimodal models. The development has two sides, one with open source and the other being propriety models. DeepSeek-R1, an open-source AI model developed by DeepSeek-AI, a Chinese research company, exemplifies this trend. Its emergence has challenged the dominance of proprietary models such as OpenAI’s o1, sparking discussions on cost efficiency, open-source innovation, and global technological leadership in AI. Let’s delve into the development, capabilities, and implications of DeepSeek-R1 while comparing it with OpenAI’s o1 system, considering the contributions of both spaces. DeepSeek-R1 DeepSeek-R1 is
www.nature.com
(2025-01-25)
Developers have tricks to stop artificial intelligence from making things up, but large language models are still struggling to tell the truth, the whole truth and nothing but the truth.
sebastianraschka.com
(2025-01-23)
This article covers 12 influential AI research papers of 2024, ranging from mixture-of-experts models to new LLM scaling laws for precision..
simonwillison.net
(2025-01-23)
New release of my [LLM](https://llm.datasette.io/) CLI tool and Python library. A bunch of accumulated fixes and features since the start of December, most notably: - Support for OpenAI's [o1 model](https://platform.openai.com/docs/models#o1) …
www.nytimes.com
(2025-01-23)
The company built a cheaper, competitive chatbot with fewer high-end computer chips than U.S. behemoths like Google and OpenAI, showing the limits of chip export control.
simonwillison.net
(2025-01-20)
DeepSeek are the Chinese AI lab who dropped the best currently available open weights LLM on Christmas day, DeepSeek v3. That model was trained in part using their unreleased R1 …
www.marktechpost.com
(2025-01-18)
The rapid advancement and widespread adoption of generative AI systems across various domains have increased the critical importance of AI red teaming for evaluating technology safety and security. While AI red teaming aims to evaluate end-to-end systems by simulating real-world attacks, current methodologies face significant challenges in effectiveness and implementation. The complexity of modern AI systems, with their expanding capabilities across multiple modalities including vision and audio, has created an unprecedented array of potential vulnerabilities and attack vectors. Moreover, integrating agentic systems that grant AI models higher privileges and access to external tools has substantially increased the attack surface and
simonwillison.net
(2025-01-18)
New paper from Microsoft describing their top eight lessons learned red teaming (deliberately seeking security vulnerabilities in) 100 different generative AI models and products over the past few years. …
sebastianraschka.com
(2025-01-18)
This is a standalone notebook implementing the popular byte pair encoding (BPE) tokenization algorithm, which is used in models like GPT-2 to GPT-4, Llama 3,...
open.substack.com
(2025-01-17)
Let’s start the year on an exciting note
www.latent.space
(2025-01-14)
We picked 50 paper/models/blogs across 10 fields in AI Eng: LLMs, Benchmarks, Prompting, RAG, Agents, CodeGen, Vision, Voice, Diffusion, Finetuning. If you're starting from scratch, start here.
huyenchip.com
(2025-01-12)
Intelligent agents are considered by many to be the ultimate goal of AI. The classic book by Stuart Russell and Peter Norvig, Artificial Intelligence: A Modern Approach (Prentice Hall, 1995), defines the field of AI research as “the study and design of rational agents.”
open.substack.com
(2025-01-12)
A comprehensive list of some of the most impactful generative papers from last year
machinelearningmastery.com
(2025-01-09)
open.substack.com
(2025-01-08)
Two powerful workflows that unlock everything else. Intro: Golden Age of AI Tools and AI agent frameworks begins in 2025.
www.apolloresearch.ai
(2025-01-07)
A long reading list of evals papers with recommendations and comments by the evals team.
www.dropbox.com
(2025-01-01)
simonwillison.net
(2024-12-31)
A lot has happened in the world of Large Language Models over the course of 2024. Here’s a review of things we figured out about the field in the past …
towardsdatascience.com
(2024-12-30)
Using knowledge graphs and AI to retrieve, filter, and summarize medical journal articles
open.substack.com
(2024-12-24)
Plus building Python tools with a one-shot prompt using uv run and Claude Projects
magazine.sebastianraschka.com
(2024-12-22)
A curated list of interesting LLM-related research papers from 2024, shared for those looking for something to read over the holidays.
arstechnica.com
(2024-12-22)
Compute costs scale with the square of the input size. That’s not great.
github.com
(2024-12-21)
Implement a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch
www.marktechpost.com
(2024-12-21)
Large Language Models (LLMs) have become a cornerstone of artificial intelligence, driving advancements in natural language processing and decision-making tasks. However, their extensive power demands, resulting from high computational overhead and frequent external memory access, significantly hinder their scalability and deployment, especially in energy-constrained environments such as edge devices. This escalates the cost of operation while also limiting accessibility to these LLMs, which therefore calls for energy-efficient approaches designed to handle billion-parameter models. Current approaches to reduce the computational and memory needs of LLMs are based either on general-purpose processors or on GPUs, with a combination of weight quantization and
www.nytimes.com
(2024-12-21)
The artificial intelligence start-up said the new system, OpenAI o3, outperformed leading A.I. technologies on tests that rate skills in math, science, coding and logic.
www.anthropic.com
(2024-12-19)
A post for developers with advice and workflows for building effective AI agents
dl.fbaipublicfiles.com
(2024-12-18)
www.marktechpost.com
(2024-12-16)
Large Language Models (LLMs) have achieved remarkable advancements in natural language processing (NLP), enabling applications in text generation, summarization, and question-answering. However, their reliance on token-level processing—predicting one word at a time—presents challenges. This approach contrasts with human communication, which often operates at higher levels of abstraction, such as sentences or ideas. Token-level modeling also struggles with tasks requiring long-context understanding and may produce outputs with inconsistencies. Moreover, extending these models to multilingual and multimodal applications is computationally expensive and data-intensive. To address these issues, researchers at Meta AI have proposed a new approach: Large Concept Models (LCMs). Large Concept
www.marktechpost.com
(2024-12-15)
Large language models (LLMs) can understand and generate human-like text by encoding vast knowledge repositories within their parameters. This capacity enables them to perform complex reasoning tasks, adapt to various applications, and interact effectively with humans. However, despite their remarkable achievements, researchers continue to investigate the mechanisms underlying the storage and utilization of knowledge in these systems, aiming to enhance their efficiency and reliability further. A key challenge in using large language models is their propensity to generate inaccurate, biased, or hallucinatory outputs. These problems arise from a limited understanding of how such models organize and access knowledge. Without clear
blogs.adityabh.is-a.dev
(2024-12-13)
This blog explores a detailed comparison between the OpenAI API and LangChain, highlighting key differences in performance and developer experience and the low level code for why these differences exist.
towardsdatascience.com
(2024-12-12)
Speed up your LLM inference
semianalysis.com
(2024-12-12)
There has been an increasing amount of fear, uncertainty and doubt (FUD) regarding AI Scaling laws. A cavalcade of part-time AI industry prognosticators have latched on to any bearish narrative the…
www.wsj.com
(2024-12-11)
It’s largely up to companies to test whether their AI is capable of superhuman harm. At Anthropic, the Frontier Red Team assesses the risk of catastrophe.
www.marktechpost.com
(2024-12-09)
In large language models (LLMs), “hallucination” refers to instances where models generate semantically or syntactically plausible outputs but are factually incorrect or nonsensical. For example, a hallucination occurs when a model provides erroneous information, such as stating that Addison's disease causes “bright yellow skin” when, in fact, it causes fatigue and low blood pressure. This phenomenon is a significant concern in AI, as it can lead to the spread of false or misleading information. The issue of AI hallucinations has been explored in various research studies. A survey in “ACM Computing Surveys” describes hallucinations as “unreal perceptions that feel real.”
countless.dev
(2024-12-07)
Compare AI models easily! All providers in one place.
www.marktechpost.com
(2024-12-07)
LLMs are driving major advances in research and development today. A significant shift has been observed in research objectives and methodologies toward an LLM-centric approach. However, they are associated with high expenses, making LLMs for large-scale utilization inaccessible to many. It is, therefore, a significant challenge to reduce the latency of operations, especially in dynamic applications that demand responsiveness. KV cache is used for autoregressive decoding in LLMs. It stores key-value pairs in multi-headed attention during the pre-filling phase of inference. During the decoding stage, new KV pairs get appended to the memory. KV cache stores the intermediate key and
towardsdatascience.com
(2024-12-05)
aiworld.eu
(2024-12-05)
Navigate Tomorrow's Intelligence Today
www.kapa.ai
(2024-12-05)
Kapa.ai turns your knowledge base into a reliable and production-ready LLM-powered AI assistant that answers technical questions instantly. Trusted by 100+ startups and enterprises incl. OpenAI, Docker, Mapbox, Mixpanel and NextJS.
steelph0enix.github.io
(2024-11-29)
Psst, kid, want some cheap and small LLMs?
www.marktechpost.com
(2024-11-28)
The advent of LLMs has propelled advancements in AI for decades. One such advanced application of LLMs is Agents, which replicate human reasoning remarkably. An agent is a system that can perform complicated tasks by following a reasoning process similar to humans: think (solution to the problem), collect (context from past information), analyze(the situations and data), and adapt (based on the style and feedback). Agents encourage the system through dynamic and intelligent activities, including planning, data analysis, data retrieval, and utilizing the model's past experiences. A typical agent has four components: Brain: An LLM with advanced processing capabilities, such as
github.com
(2024-11-26)
Notes from the Latent Space paper club. Follow along or start your own! - eugeneyan/llm-paper-notes
magazine.sebastianraschka.com
(2024-11-21)
An introduction to the main techniques and latest models
open.substack.com
(2024-11-17)
www.zeta-alpha.com
(2024-11-11)
9 October 2024, Mathias Parisot, Jakub Zavrel.Even in the red hot global race for AI dominance, you publish and you perish, unless your peers pick up your work, build further on it, and you manage to drive real progress in the field. And of course, we are all very curious who is currently having that kind of impact. Are the billions of dollars spent on AI R&D paying off in the long run? So here is, in continuation of our popular publication impact analysis of last year, Zeta Alpha's ranking of t
www.datasciencecentral.com
(2024-10-31)
LLM Chunking, Indexing, Scoring and Agents, in a Nutshell. The new PageRank of RAG/LLM. With details on building relevancy scores.
www.anthropic.com
(2024-10-28)
A discussion of how Anthropic's researchers developed Claude's new computer use skill, along with some relevant safety considerations
www.kdnuggets.com
(2024-10-19)
In this article, I share the five essential LLM tools that I currently find indispensable, and which have the potential to help revolutionize the way you work.
techcrunch.com
(2024-10-19)
Anthropic, the AI vendor second in size only to OpenAI, has a powerful family of generative AI models called Claude. These models can perform a range of
venturebeat.com
(2024-10-17)
Nvidia quietly launched a groundbreaking AI model that surpasses OpenAI’s GPT-4 and Anthropic’s Claude 3.5, signaling a major shift in the competitive landscape of artificial intelligence.
github.com
(2024-08-04)
Implementing a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch
www.oreilly.com
(2024-08-04)
towardsdatascience.com
(2024-08-01)
Understanding the mechanistic interpretability research problem and reverse-engineering these large language models
venturebeat.com
(2024-07-24)
Llama 3.1 is the latest version of Meta's large language models, with a new model weight, 405 billion parameters, the biggest model it's trained.
developer.nvidia.com
(2024-07-24)
The newly unveiled Llama 3.1 collection of 8B, 70B, and 405B large language models (LLMs) is narrowing the gap between proprietary and open-source models. Their open nature is attracting more…
www.marktechpost.com
(2024-07-24)
Meta announced the release of Llama 3.1, the most capable model in the LLama Series. This latest iteration of the Llama series, particularly the 405B model, represents a substantial advancement in open-source AI capabilities, positioning Meta at the forefront of AI innovation. Meta has long advocated for open-source AI, a stance underscored by Mark Zuckerberg’s assertion that open-source benefits developers, Meta, and society. Llama 3.1 embodies this philosophy by offering state-of-the-art capabilities in an openly accessible model. The release aims to democratize AI, making cutting-edge technology available to various users and applications. The Llama 3.1 405B model stands out for
dataconomy.com
(2024-07-24)
Meta llama 3.1 405b kicks off a fresh chapter for open-source language models. This breakthrough brings unmatched skills to AI
towardsdatascience.com
(2024-07-20)
A deep dive into absolute, relative, and rotary positional embeddings with code examples
www.anthropic.com
(2024-07-15)
Introducing Claude 3.5 Sonnet—our most intelligent model yet. Sonnet now outperforms competitor models and Claude 3 Opus on key evaluations, at twice the speed.
www.amazon.science
(2024-07-13)
In addition to its practical implications, recent work on “meaning representations” could shed light on some old philosophical questions.
www.anyscale.com
(2024-07-04)
Anyscale is the leading AI application platform. With Anyscale, developers can build, run and scale AI applications instantly.
imbue.com
(2024-07-03)
We would like to thank Voltage Park, Dell, H5, and NVIDIA for their invaluable partnership and help with setting up our cluster. A special…
nvda.ws
(2024-07-02)
Experience the leading models to build enterprise generative AI apps now.
venturebeat.com
(2024-06-27)
AI startup Gradient and cloud platform Crusoe teamed up to extend the context window of Meta's Llama 3 models to 1 million tokens.
www.marktechpost.com
(2024-06-22)
In the developing field of Artificial Intelligence (AI), the ability to think quickly has become increasingly significant. The necessity of communicating with AI models efficiently becomes critical as these models get more complex. In this article we will explain a number of sophisticated prompt engineering strategies, simplifying these difficult ideas through straightforward human metaphors. The techniques and their examples have been discussed to see how they resemble human approaches to problem-solving. Chaining Methods Analogy: Solving a problem step-by-step. Chaining techniques are similar to solving an issue one step at a time. Chaining techniques include directing the AI via a systematic
www.marktechpost.com
(2024-06-20)
Evaluating Large Language Models (LLMs) is a challenging problem in language modeling, as real-world problems are complex and variable. Conventional benchmarks frequently fail to fully represent LLMs' all-encompassing performance. A recent LinkedIn post has emphasized a number of important measures that are essential to comprehend how well new models function, which are as follows. MixEval Achieving a balance between thorough user inquiries and effective grading systems is necessary for evaluating LLMs. Conventional standards based on ground truth and LLM-as-judge benchmarks encounter difficulties such as biases in grading and possible contamination over time. MixEval solves these problems by combining real-world user
www.marktechpost.com
(2024-06-20)
In the rapidly advancing field of Artificial Intelligence (AI), effective use of web data can lead to unique applications and insights. A recent tweet has brought attention to Firecrawl, a potent tool in this field created by the Mendable AI team. Firecrawl is a state-of-the-art web scraping program made to tackle the complex problems involved in getting data off the internet. Web scraping is useful, but it frequently requires overcoming various challenges like proxies, caching, rate limitations, and material generated with JavaScript. Firecrawl is a vital tool for data scientists because it addresses these issues head-on. Even without a sitemap,
m.youtube.com
(2024-06-19)
We reproduce the GPT-2 (124M) from scratch. This video covers the whole process: First we build the GPT-2 network, then we optimize its training to be really fast, then we set up the training run following the GPT-2 and GPT-3 paper and their hyperparameters, then we hit run, and come back the next morning to see our results, and enjoy some amusing model generations. Keep in mind that in some places this video builds on the knowledge from earlier videos in the Zero to Hero Playlist (see my channel). You could also see this video as building my nanoGPT repo, which by the end is about 90% similar.
Links:
- build-nanogpt GitHub repo, with all the changes in this video as individual commits: https://github.com/karpathy/build-nanogpt
- nanoGPT repo: https://github.com/karpathy/nanoGPT
- llm.c repo: https://github.com/karpathy/llm.c
- my website: https://karpathy.ai
- my twitter: https://twitter.com/karpathy
- our Discord channel: https://discord.gg/3zy8kqD9Cp
Supplementary links:
- Attention is All You Need paper: https://arxiv.org/abs/1706.03762
- OpenAI GPT-3 paper: https://arxiv.org/abs/2005.14165 - OpenAI GPT-2 paper: https://d4mucfpksywv.cloudfront.net/better-language-models/language_models_are_unsupervised_multitask_learners.pdf- The GPU I'm training the model on is from Lambda GPU Cloud, I think the best and easiest way to spin up an on-demand GPU instance in the cloud that you can ssh to: https://lambdalabs.com
Chapters:
00:00:00 intro: Let’s reproduce GPT-2 (124M)
00:03:39 exploring the GPT-2 (124M) OpenAI checkpoint
00:13:47 SECTION 1: implementing the GPT-2 nn.Module
00:28:08 loading the huggingface/GPT-2 parameters
00:31:00 implementing the forward pass to get logits
00:33:31 sampling init, prefix tokens, tokenization
00:37:02 sampling loop
00:41:47 sample, auto-detect the device
00:45:50 let’s train: data batches (B,T) → logits (B,T,C)
00:52:53 cross entropy loss
00:56:42 optimization loop: overfit a single batch
01:02:00 data loader lite
01:06:14 parameter sharing wte and lm_head
01:13:47 model initialization: std 0.02, residual init
01:22:18 SECTION 2: Let’s make it fast. GPUs, mixed precision, 1000ms
01:28:14 Tensor Cores, timing the code, TF32 precision, 333ms
01:39:38 float16, gradient scalers, bfloat16, 300ms
01:48:15 torch.compile, Python overhead, kernel fusion, 130ms
02:00:18 flash attention, 96ms
02:06:54 nice/ugly numbers. vocab size 50257 → 50304, 93ms
02:14:55 SECTION 3: hyperpamaters, AdamW, gradient clipping
02:21:06 learning rate scheduler: warmup + cosine decay
02:26:21 batch size schedule, weight decay, FusedAdamW, 90ms
02:34:09 gradient accumulation
02:46:52 distributed data parallel (DDP)
03:10:21 datasets used in GPT-2, GPT-3, FineWeb (EDU)
03:23:10 validation data split, validation loss, sampling revive
03:28:23 evaluation: HellaSwag, starting the run
03:43:05 SECTION 4: results in the morning! GPT-2, GPT-3 repro
03:56:21 shoutout to llm.c, equivalent but faster code in raw C/CUDA
03:59:39 summary, phew, build-nanogpt github repo
Corrections:
I will post all errata and followups to the build-nanogpt GitHub repo (link above)
SuperThanks:
I experimentally enabled them on my channel yesterday. Totally optional and only use if rich. All revenue goes to to supporting my work in AI + Education.
thoughtbot.com
(2024-06-19)
Run an open source language model in your local machine and remotely.
dataconomy.com
(2024-06-12)
Midjourney model personalization is now live, offering you a more tailored image generation experience by teaching the AI your preferences.
www.lennysnewsletter.com
(2024-06-12)
27 examples (with actual prompts) of how product managers are using Perplexity today
arxiv.org
(2024-06-11)
The linear representation hypothesis is the informal idea that semantic concepts are encoded as linear directions in the representation spaces of large language models (LLMs). Previous work has...
www.oreilly.com
(2024-06-11)
www.marktechpost.com
(2024-06-11)
The ability to discern relevant and essential information from noise is paramount in AI, particularly within large language models (LLMs). With the surge of information and the complexity of tasks, there's a need for efficient mechanisms to enhance the performance and reliability of these models. Let’s explore the essential tools & techniques for refining LLMs and delivering precise, actionable insights. The focus will be on Retrieval-Augmented Generation (RAG), agentic functions, Chain of Thought (CoT) prompting, few-shot learning, prompt engineering, and prompt optimization. Retrieval-Augmented Generation (RAG): Providing Relevant Context RAG combines the power of retrieval mechanisms with generative models, ensuring that
www.marktechpost.com
(2024-06-11)
Choosing large language models (LLMs) tailored for specific tasks is crucial for maximizing efficiency and accuracy. With natural language processing (NLP) advancements, different models have emerged, each excelling in unique domains. Here is a comprehensive guide to the most suitable LLMs for various activities in the AI world. Hard Document Understanding: Claude Opus Claude Opus excels at tasks requiring deep understanding and interpretation of complex documents. This model excels in parsing dense legal texts, scientific papers, and intricate technical manuals. Claude Opus is designed to handle extensive context windows, ensuring it captures nuanced details and complicated relationships within the text.
sloanreview.mit.edu
(2024-06-11)
Apply these techniques when crafting prompts for large language models to elicit more relevant responses.
venturebeat.com
(2024-05-31)
In most cases, Perplexity produced the desired Pages, but what we found missing was the option to edit the content manually.
www.wsj.com
(2024-05-28)
We tested OpenAI’s ChatGPT against Microsoft’s Copilot and Google’s Gemini, along with Perplexity and Anthropic’s Claude. Here’s how they ranked.
www.thediff.co
(2024-05-26)
if the centralizing forces of data and compute hold, open and closed-source AI cannot both dominate long-term
www.marktechpost.com
(2024-05-24)
Vision-language models (VLMs), capable of processing both images and text, have gained immense popularity due to their versatility in solving a wide range of tasks, from information retrieval in scanned documents to code generation from screenshots. However, the development of these powerful models has been hindered by a lack of understanding regarding the critical design choices that truly impact their performance. This knowledge gap makes it challenging for researchers to make meaningful progress in this field. To address this issue, a team of researchers from Hugging Face and Sorbonne Université conducted extensive experiments to unravel the factors that matter the
www.wired.com
(2024-05-22)
What goes on in artificial neural networks work is largely a mystery, even to their creators. But researchers from Anthropic have caught a glimpse.
github.com
(2024-05-21)
llama3 implementation one matrix multiplication at a time - naklecha/llama3-from-scratch
www.marktechpost.com
(2024-05-21)
Artificial intelligence (AI) has revolutionized various fields by introducing advanced models for natural language processing (NLP). NLP enables computers to understand, interpret, and respond to human language in a valuable way. This field encompasses text generation, translation, and sentiment analysis applications, significantly impacting industries like healthcare, finance, and customer service. The evolution of NLP models has driven these advancements, continually pushing the boundaries of what AI can achieve in understanding and generating human language. Despite these advancements, developing models that can effectively handle complex multi-turn conversations remains a persistent challenge. Existing models often fail to maintain context and coherence over
thenewstack.io
(2024-05-13)
Now that LLMs can retrieve 1 million tokens at once, how long will it be until we don’t need retrieval augmented generation for accurate AI responses?
sebastianraschka.com
(2024-05-13)
What a month! We had four major open LLM releases: Mixtral, Meta AI's Llama 3, Microsoft's Phi-3, and Apple's OpenELM. In my new article, I review and discus...
www.marktechpost.com
(2024-05-12)
The capacity of large language models (LLMs) to produce adequate text in various application domains has caused a revolution in natural language creation. These models are essentially two types: 1) Most model weights and data sources are open source. 2) All model-related information is publicly available, including training data, data sampling ratios, training logs, intermediate checkpoints, and assessment methods (Tiny-Llama, OLMo, and StableLM 1.6B). Full access to open language models for the research community is vital for thoroughly investigating these models' capabilities and limitations and understanding their inherent biases and potential risks. This is necessary despite the continued breakthroughs in
arxiv.org
(2024-05-11)
We introduce a decoder-decoder architecture, YOCO, for large language models, which only caches key-value pairs once. It consists of two components, i.e., a cross-decoder stacked upon a...
www.marktechpost.com
(2024-05-11)
Generative AI (GenAI) tools have come a long way. Believe it or not, the first generative AI tools were introduced in the 1960s in a Chatbot. Still, it was only in 2014 that generative adversarial networks (GANs) were introduced, a type of Machine Learning (ML) algorithm that allowed generative AI to finally create authentic images, videos, and audio of real people. In 2024, we can create anything imaginable using generative AI tools like ChatGPT, DALL-E, and others. However, there is a problem. We can use those AI tools but can not get the most out of them or use them
docs.unstructured.io
(2024-05-11)
As part of data preparation for an NLP model, it’s common to need to clean up your data prior to passing it into the model. If there’s unwanted content in your output, for example, it could impact the quality of your NLP model. To help with this, the `unstructured` library includes cleaning functions to help users sanitize output before sending it to downstream applications.
arxiv.org
(2024-05-08)
Large language models such as GPT and Llama are trained with a next-token prediction loss. In this work, we suggest that training language models to predict multiple future tokens at once results...
www.marktechpost.com
(2024-05-07)
The rapid evolution in AI demands models that can handle large-scale data and deliver accurate, actionable insights. Researchers in this field aim to create systems capable of continuous learning and adaptation, ensuring they remain relevant in dynamic environments. A significant challenge in developing AI models lies in overcoming the issue of catastrophic forgetting, where models fail to retain previously acquired knowledge when learning new tasks. This challenge becomes more pressing as applications increasingly demand continuous learning capabilities. For instance, models must update their understanding of healthcare, financial analysis, and autonomous systems while retaining prior knowledge to make informed decisions. The
huggingface.co
(2024-05-05)
We’re on a journey to advance and democratize artificial intelligence through open source and open science.
www.marktechpost.com
(2024-04-25)
Are you curious about the intricate world of large language models (LLMs) and the technical jargon that surrounds them? Understanding the terminology, from the foundational aspects of training and fine-tuning to the cutting-edge concepts of transformers and reinforcement learning, is the first step towards demystifying the powerful algorithms that drive modern AI language systems. In this article, we delve into 25 essential terms to enhance your technical vocabulary and provide insights into the mechanisms that make LLMs so transformative. Heatmap representing the relative importance of terms in the context of LLMs Source: marktechpost.com 1. LLM (Large Language Model) Large Language
www.marktechpost.com
(2024-04-25)
Prompt Fuzzer: The Prompt Fuzzer is an interactive tool designed to evaluate the security of GenAI application system prompts by simulating various dynamic LLM-based attacks. It assesses security by analyzing the results of these simulations, helping users fortify their system prompts accordingly. This tool specifically customizes its tests to fit the unique configuration and domain of the user's application. The Fuzzer also features a Playground chat interface, allowing users to refine their system prompts iteratively, enhancing their resilience against a broad range of generative AI attacks. Users should be aware that using the Prompt Fuzzer will consume tokens. Garak: Garak
www.theverge.com
(2024-04-19)
The models have some pretty good general knowledge.
github.com
(2024-04-17)
A collection of notebooks/recipes showcasing some fun and effective ways of using Claude. - anthropics/anthropic-cookbook
www.marktechpost.com
(2024-04-15)
Deep learning architectures have revolutionized the field of artificial intelligence, offering innovative solutions for complex problems across various domains, including computer vision, natural language processing, speech recognition, and generative models. This article explores some of the most influential deep learning architectures: Convolutional Neural Networks (CNNs), Recurrent Neural Networks (RNNs), Generative Adversarial Networks (GANs), Transformers, and Encoder-Decoder architectures, highlighting their unique features, applications, and how they compare against each other. Convolutional Neural Networks (CNNs) CNNs are specialized deep neural networks for processing data with a grid-like topology, such as images. A CNN automatically detects the important features without any human supervision.
magazine.sebastianraschka.com
(2024-04-15)
Discussing AI Research Papers in March 2024
kenkantzer.com
(2024-04-14)
My startup Truss (gettruss.io) released a few LLM-heavy features in the last six months, and the narrative around LLMs that I read on Hacker News is now starting to diverge from my reality, so I thought I’d share some of the more “surprising” lessons after churning through just north of 500 million tokens, by my […]
www.kdnuggets.com
(2024-04-13)
Run large language models on your local PC for customized AI capabilities with more control, privacy, and personalization.
arstechnica.com
(2024-04-13)
Gemini 1.5 Pro launch, new version of GPT-4 Turbo, new Mistral model, and more.
www.linkedin.com
(2024-04-10)
We are seeing some clear categories emerge in the world of LLMs - 1) affordable (~$1 per million tokens); 2) mid-range ($8/m) and 3) top end ($25-50/m)… | 32 comments on LinkedIn
dev.to
(2024-04-05)
In the world of LLMs, there is a phenomenon known as "hallucinations." These hallucinations are...
www.marktechpost.com
(2024-04-05)
The top open source Large Language Models available for commercial use are as follows. Llama - 2 Meta released Llama 2, a set of pretrained and refined LLMs, along with Llama 2-Chat, a version of Llama 2. These models are scalable up to 70 billion parameters. It was discovered after extensive testing on safety and helpfulness-focused benchmarks that Llama 2-Chat models perform better than current open-source models in most cases. Human evaluations have shown that they align well with several closed-source models. The researchers have even taken a few steps to guarantee the security of these models. This includes annotating
justine.lol
(2024-04-02)
I wrote 84 new matmul kernels to improve llamafile CPU performance.
news.mit.edu
(2024-04-02)
Researchers find large language models use a simple mechanism to retrieve stored knowledge when they respond to a user prompt. These mechanisms can be leveraged to see what the model knows about different subjects and possibly to correct false information it has stored.
www.databricks.com
(2024-04-02)
www.marktechpost.com
(2024-04-01)
What is ChatGPT? ChatGPT, developed by OpenAI, is an AI platform renowned for its conversational AI capabilities. Leveraging the power of the Generative Pre-trained Transformer models, ChatGPT generates human-like text responses across various topics, from casual conversations to complex, technical discussions. Its ability to engage users with coherent, contextually relevant dialogues stands out, making it highly versatile for various applications, including content creation, education, customer service, and more. Its integration with tools like DALL-E for image generation from textual descriptions and its continual updates for enhanced performance showcase its commitment to providing an engaging and innovative user experience. ChatGPT Key
thegradient.pub
(2024-03-30)
Is Attention all you need? Mamba, a novel AI model based on State Space Models (SSMs), emerges as a formidable alternative to the widely used Transformer models, addressing their inefficiency in processing long sequences.
www.nextplatform.com
(2024-03-29)
We like datacenter compute engines here at The Next Platform, but as the name implies, what we really like are platforms – how compute, storage,
www.quantamagazine.org
(2024-03-29)
Large language models do better at solving problems when they show their work. Researchers are beginning to understand why.
towardsdatascience.com
(2024-03-11)
Language models (LLMs) have revolutionized the field of natural language processing (NLP) over the last few years, achieving…
towardsdatascience.com
(2024-03-11)
Reference architecture patterns and mental models for working with Large Language Models (LLM’s)
www.answer.ai
(2024-03-11)
We’re releasing an open source system, based on FSDP and QLoRA, that can train a 70b model on two 24GB GPUs.
towardsdatascience.com
(2024-03-11)
Training a specialized LLM over your own data is easier than you think…
www.axios.com
(2024-03-07)
The search giant is unifying its AI-assistant efforts under one name and trying to show it can match rivals.
www.linkedin.com
(2024-03-05)
Today, we're announcing the Claude 3 model family, which sets new industry benchmarks across a wide range of cognitive tasks. The family includes three… | 429 comments on LinkedIn
qz.com
(2024-03-05)
The Amazon-backed AI startup said its "most intelligent model" outperformed OpenAI's powerful GPT-4
github.com
(2024-02-29)
Implementing a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch
www.marktechpost.com
(2024-02-29)
Understanding how well they comprehend and organize information is crucial in advanced language models. A common challenge arises in visualizing the intricate relationships between different document parts, especially when using complex models like the Retriever-Answer Generator (RAG). Existing tools can only sometimes provide a clear picture of how chunks of information relate to each other and specific queries. Several attempts have been made to address this issue, but they often need to deliver the need to provide an intuitive and interactive solution. These tools need help breaking down documents into manageable pieces and visualizing their semantic landscape effectively. As a
dataconomy.com
(2024-02-29)
Step into the future of video creation with Google Lumiere, the latest breakthrough from Google Research that promises to redefine
towardsdatascience.com
(2024-02-29)
Keep up with the latest ML research
simonwillison.net
(2024-02-29)
Last week Google introduced Gemini Pro 1.5, an enormous upgrade to their Gemini series of AI models. Gemini Pro 1.5 has a 1,000,000 token context size. This is huge—previously that …
towardsdatascience.com
(2024-02-29)
This blog post will look at the “Direct Preference Optimization: Your Language Model is Secretly a Reward Model” paper and its findings.
every.to
(2024-02-29)
When it comes to context windows, size matters
arxiv.org
(2024-02-29)
Recent research, such as BitNet, is paving the way for a new era of 1-bit Large Language Models (LLMs). In this work, we introduce a 1-bit LLM variant, namely BitNet b1.58, in which every single...
dataconomy.com
(2024-02-29)
Are you looking for the news everyday for Sora early access like us? Well you are absolutely right because OpenAI's
mistral.ai
(2024-02-29)
Mistral Large is our flagship model, with top-tier reasoning capacities. It is also available on Azure.
claude.ai
(2024-02-22)
Talk with Claude, an AI assistant from Anthropic
shyam.blog
(2024-02-22)
A deep dive into the internals of a small transformer model to learn how it turns self-attention calculations into accurate predictions for the next token.
open.substack.com
(2024-02-22)
We will deep dive into understanding how transformer model work like BERT(Non-mathematical Explanation of course!). system design to use the transformer to build a Sentiment Analysis
media.licdn.com
(2024-02-22)
www.semianalysis.com
(2024-02-22)
Faster than Nvidia? Dissecting the economics
www.marktechpost.com
(2024-02-20)
In artificial intelligence, the capacity of Large Language Models (LLMs) to negotiate mirrors a leap toward achieving human-like interactions in digital negotiations. At the heart of this exploration is the NEGOTIATION ARENA, a pioneering framework devised by researchers from Stanford University and Bauplan. This innovative platform delves into the negotiation prowess of LLMs, offering a dynamic environment where AI can mimic, strategize, and engage in nuanced dialogues across a spectrum of scenarios, from splitting resources to intricate trade and price negotiations. The NEGOTIATION ARENA is a tool and a gateway to understanding how AI can be shaped to think, react,
openai.com
(2024-02-17)
Sora is an AI model that can create realistic and imaginative scenes from text instructions.
lightning.ai
(2024-02-15)
LoRA (Low-Rank Adaptation) is a popular technique to finetune LLMs more efficiently. This Studio explains how LoRA works by coding it from scratch, which is an excellent exercise for looking under …
dataconomy.com
(2024-02-15)
AI community is once again filled with excitement as Bard is now Gemini and Gemini Advanced offering users an exceptional
news.ycombinator.com
(2024-02-11)
arxiv.org
(2024-02-04)
The use of NLP in the realm of financial technology is broad and complex, with applications ranging from sentiment analysis and named entity recognition to question answering. Large Language...
www.kdnuggets.com
(2024-01-24)
Zephyr is a series of Large Language Models released by Hugging Face trained using distilled supervised fine-tuning (dSFT) on larger models with significantly improved task accuracy.
blog.llamaindex.ai
(2024-01-17)
LlamaIndex is a simple, flexible data framework for connecting custom data sources to large language models (LLMs).
magazine.sebastianraschka.com
(2024-01-16)
This article will teach you about self-attention mechanisms used in transformer architectures and large language models (LLMs) such as GPT-4 and Llama.
scisummary.com
(2024-01-16)
AI Driven tools for researchers and students. Use AI to summarize and understand scientific articles and research papers.
www.marktechpost.com
(2024-01-07)
Autoregressive language models have excelled at predicting the subsequent subword in a sentence without the need for any predefined grammar or parsing concepts. This method has been expanded to include continuous data domains like audio and image production, where data is represented as discrete tokens, much like language model vocabularies. Due to their versatility, sequence models have attracted interest for use in increasingly complicated and dynamic contexts, such as behavior. Road users are compared to participants in a continuous conversation when driving since they exchange actions and replies. The question is whether similar sequence models may be used to forecast
arstechnica.com
(2024-01-07)
As Midjourney rolls out new features, it continues to make some artists furious.
magazine.sebastianraschka.com
(2024-01-07)
This year has felt distinctly different. I've been working in, on, and with machine learning and AI for over a decade, yet I can't recall a time when these fields were as popular and rapidly evolving as they have been this year. To conclude an eventful 2023 in machine learning and AI research, I'm excited to share 10 noteworthy papers I've read this year. My personal focus has been more on large language models, so you'll find a heavier emphasis on large language model (LLM) papers than computer vision papers this year.
www.kdnuggets.com
(2023-10-20)
Large Language Models (LLMs) have unlocked a new era in natural language processing. So why not learn more about them? Go from learning what large language models are to building and deploying LLM apps in 7 easy steps with this guide.
www.marktechpost.com
(2023-10-20)
The emergence of Large Language Models (LLMs) in natural language processing represents a groundbreaking development. These models, trained on vast amounts of data and leveraging immense computational resources, promise to transform human interactions with the digital world. As they evolve through scaling and rapid deployment, their potential use cases become increasingly intricate and complex. They extend their capabilities to tasks such as analyzing dense, knowledge-rich documents, enhancing chatbot experiences to make them more genuine and engaging, and assisting human users in iterative creative processes like coding and design. One crucial feature that empowers this evolution is the capacity to effectively
www.marktechpost.com
(2023-10-20)
In a comparative study, Researchers from Nvidia investigated the impact of retrieval augmentation and context window size on the performance of large language models (LLMs) in downstream tasks. The findings reveal that retrieval augmentation consistently enhances LLM performance, irrespective of context window size. Their research sheds light on the effectiveness of retrieval mechanisms in optimizing LLMs for various applications. Researchers delve into the domain of long-context language models, investigating the efficacy of retrieval augmentation and context window size in enhancing LLM performance across various downstream tasks. It conducts a comparative analysis of different pretrained LLMs, demonstrating that retrieval mechanisms significantly
lightning.ai
(2023-10-20)
LoRA is one of the most widely used, parameter-efficient finetuning techniques for training custom LLMs. From saving memory with QLoRA to selecting the optimal LoRA settings, this article provides practical insights for those interested in applying it.
flyte.org
(2023-10-20)
As a machine learning engineer who has witnessed the rise of Large Language Models (LLMs), I find it daunting to comprehend how the ecosystem surrounding LLMs is developing.
www.kdnuggets.com
(2023-10-20)
Unlock the power of GPT-4 summarization with Chain of Density (CoD), a technique that attempts to balance information density for high-quality summaries.
towardsdatascience.com
(2023-10-20)
Our weekly selection of must-read Editors’ Picks and original features
www.anyscale.com
(2023-10-20)
In this guide, we will learn how to develop and productionize a retrieval augmented generation (RAG) based LLM application, with a focus on scale and evaluation.
towardsdatascience.com
(2023-10-20)
The definitive guide for choosing the right method for your use case
smashingmagazine.com
(2023-10-20)
Discuss the concept of large language models (LLMs) and how they are implemented with a set of data to develop an application. Joas compares a collection of no-code and low-code apps designed to help you get a feel for not only how the concept works but also to get a sense of what types of models are available to train AI on different skill sets.
towardsdatascience.com
(2023-10-20)
An End to End Example Of Seeing How Well An LLM Model Can Answer Amazon SageMaker Related Questions
www.kdnuggets.com
(2023-10-07)
Explore how the Skeleton-of-Thought prompt engineering technique enhances generative AI by reducing latency, offering structured output, and optimizing projects.
arxiv.org
(2023-10-05)
In the past few years we have seen the meteoric appearance of dozens of foundation models of the Transformer family, all of which have memorable and sometimes funny, but not self-explanatory,...
serce.me
(2023-10-04)
This is a story of my journey learning to build generative ML models from scratch and teaching a computer to create fonts in the process.
www.tomtunguz.com
(2023-10-04)
Eliciting product feedback elegantly is a competitive advantage for LLM-software. Over the weekend, I queried Google’s Bard, & noticed the elegant feedback loop the product team has incorporated into their product. I asked Bard to compare the 3rd-row leg room of the leading 7-passenger SUVs. At the bottom of the post is a little G button, which double-checks the response using Google searches. I decided to click it. This is what I would be doing in any case ; spot-checking some of the results.
www.nngroup.com
(2023-10-03)
Participants rated Bing Chat as less helpful and trustworthy than ChatGPT or Bard. These results can be attributed to Bing’s richer yet imperfect UI and to its poorer information aggregation.
bard.google.com
(2023-10-03)
Bard is now Gemini. Get help with writing, planning, learning, and more from Google AI.
www.scientificamerican.com
(2023-10-03)
We present the latest updates on ChatGPT, Bard and other competitors in the artificial intelligence arms race.
towardsdatascience.com
(2023-09-25)
Tools to go from prototype to production
towardsdatascience.com
(2023-09-25)
Data Curation, Transformers, Training at Scale, and Model Evaluation
devblogs.microsoft.com
(2023-09-25)
Learn how to use GPT / LLMs to create complex summaries such as for medical text
huggingface.co
(2023-09-25)
Track, rank and evaluate open LLMs and chatbots
blog.briankitano.com
(2023-09-25)
I want to provide some tips from my experience implementing a paper. I'm going to cover my tips so far from implementing a dramatically scaled-down versio...
towardsdatascience.com
(2023-09-25)
A complete beginner-friendly introduction with example code
towardsdatascience.com
(2023-09-25)
A quick-start guide to using open-source LLMs
benchmarks.llmonitor.com
(2023-09-25)
Human-readable benchmarks of 60+ open-source and proprietary LLMs.
www.marktechpost.com
(2023-09-24)
In a significant technological leap, OpenAI has announced the launch of DALL·E 3, the latest iteration in their groundbreaking text-to-image generation technology. With an unprecedented capacity to understand nuanced and detailed descriptions, DALL·E 3 promises to revolutionize the creative landscape by allowing users to translate their textual ideas into astonishingly accurate images effortlessly. DALL·E 3 is currently in research preview, offering a tantalizing glimpse into its capabilities. However, the broader availability of this cutting-edge technology is set for early October, when it will be accessible to ChatGPT Plus and Enterprise customers through the API and Labs later in the fall.
dataconomy.com
(2023-09-24)
DALL-E 3, the latest version of OpenAI's ground-breaking generative AI visual art platform, was just announced with groundbreaking features, including
www.wired.com
(2023-09-17)
The young company sent shock waves around the world when it released ChatGPT. But that was just the start. The ultimate goal: Change everything. Yes. Everything.
dev.to
(2023-09-12)
If you're a developer or simply someone passionate about technology, you've likely encountered AI...
github.com
(2023-08-31)
Seamlessly integrate LLMs into scikit-learn.
towardsdatascience.com
(2023-08-31)
7 prompting tricks, Langchain, and Python example code
towardsdatascience.com
(2023-08-30)
How to fine-tune Llama and other LLMs with one tool
www.marktechpost.com
(2023-08-27)
A multifaceted challenge has arisen in the expansive realm of natural language processing: the ability to adeptly comprehend and respond to intricate and lengthy instructions. As communication nuances become more complicated, the shortcomings of prevailing models in dealing with extensive contextual intricacies have been laid bare. Within these pages, an extraordinary solution crafted by the dedicated minds at Together AI comes to light—a solution that holds the promise of reshaping the very fabric of language processing. This innovation has profound implications, especially in tasks requiring an acute grasp of extended contextual nuances. Contemporary natural language processing techniques rely heavily on
towardsdatascience.com
(2023-08-25)
3 levels of using LLMs in practice
www.marktechpost.com
(2023-08-20)
Word embedding vector databases have become increasingly popular due to the proliferation of massive language models. Using the power of sophisticated machine learning techniques, data is stored in a vector database. It allows for very fast similarity search, essential for many AI uses such as recommendation systems, picture recognition, and NLP. The essence of complicated data is captured in a vector database by representing each data point as a multidimensional vector. Quickly retrieving related vectors is made possible by modern indexing techniques like k-d trees and hashing. To transform big data analytics, this architecture generates highly scalable, efficient solutions for
towardsdatascience.com
(2023-08-07)
Use these text extraction techniques to get quality data for your LLM models
www.kdnuggets.com
(2023-08-07)
A user-friendly platform for operating large language models (LLMs) in production, with features such as fine-tuning, serving, deployment, and monitoring of any LLMs.
www.marktechpost.com
(2023-08-07)
Recent language models can take long contexts as input; more is needed to know about how well they use longer contexts. Can LLMs be extended to longer contexts? This is an unanswered question. Researchers at Abacus AI conducted multiple experiments involving different schemes for developing the context length ability of Llama, which is pre-trained on context length 2048. They linear rescaled these models with IFT at scales 4 and 16. Scaling the model to scale 16 can perform world tasks up to 16k context length or even up to 20-24k context length. Different methods of extending context length are Linear
nanonets.com
(2023-08-06)
Using ChatGPT & OpenAI's GPT API, this code tutorial teaches how to chat with PDFs, automate PDF tasks, and build PDF chatbots.
towardsdatascience.com
(2023-08-06)
Complete guide to building an AI assistant that can answer questions about any file
www.turingpost.com
(2023-08-06)
Practical Advice from Experts: Fine-Tuning, Deployment, and Best Practices
www.kdnuggets.com
(2023-08-02)
LangChain is a Python library that helps you build GPT-powered applications in minutes. Get started with LangChain by building a simple question-answering app.
www.mosaicml.com
(2023-07-28)
Latest blogs from the team at Mosaic Research
dataconomy.com
(2023-07-28)
Navigating the maze of pricing plans for digital services can sometimes be a daunting task. Today, we are unveiling Midjourney
www.turingpost.com
(2023-07-28)
Exploring the Development of the 3 Leading Open LLMs and Their Chatbot Derivatives
towardsdatascience.com
(2023-07-28)
A practical and simple approach for “reasoning” with LLMs
dev.to
(2023-07-28)
Anthropic released Claude 2, a new iteration of its AI model, to take on ChatGPT and Google Bard...
a16z.com
(2023-07-24)
A reference architecture for the LLM app stack. It shows the most common systems, tools, and design patterns used by AI startups and tech companies.
gordicaleksa.medium.com
(2023-07-24)
Step by step explanation of how one of the most important MLSys breakthroughs work — in gory detail.
towardsdatascience.com
(2023-07-24)
Organizations are in a race to adopt Large Language Models. Let’s dive into how you can build industry-specific LLMs Through RAG
www.kdnuggets.com
(2023-07-24)
Want to learn more about LLMs and build cool LLM-powered applications? This free Full Stack LLM Bootcamp is all you need!
thesequence.substack.com
(2023-07-24)
The model quickly top the Open LLM Leaderboard that ranks the performance of open source LLMs.
blog.gopenai.com
(2023-07-23)
tldr; techniques to speed up training and inference of LLMs to use large context window up to 100K input tokens during training and…
venturebeat.com
(2023-07-23)
The Observe.AI contact center LLM showed a 35% increase in accuracy compared to GPT-3.5 when automatically summarizing conversations.
towardsdatascience.com
(2023-07-23)
A step-by-step tutorial to document loaders, embeddings, vector stores and prompt templates
www.mosaicml.com
(2023-07-23)
With the release of PyTorch 2.0 and ROCm 5.4, we are excited to announce that LLM training works out of the box on AMD MI250 accelerators with zero code changes and at high performance!
lightning.ai
(2023-07-23)
This article provides a series of techniques that can lower memory consumption in PyTorch (when training vision transformers and LLMs) by approximately 20x without sacrificing modeling performance and prediction accuracy.
towardsdatascience.com
(2023-07-23)
Running Falcon-7B in the cloud as a microservice
techcrunch.com
(2023-07-23)
Anthropic, the AI startup founded by ex-OpenAI execs, has released its newest chatbot, Claude 2. It's ostensibly improved in several ways.
tech.slashdot.org
(2023-07-23)
Google is launching its AI-backed note-taking tool to "a small group of users in the US," the company said in a blog post. Formerly referred to as Project Tailwind at Google I/O earlier this year, the new app is now known as NotebookLM (the LM stands for Language Model). The Verge reports: The core...
crfm.stanford.edu
(2023-07-23)
thesequence.substack.com
(2023-07-23)
Developed by ETH Zürich, the language explores new paradigms for LLM programming.
www.linkedin.com
(2023-07-23)
It crazy how far the ML field has come when it comes to fine-tuning LLMs. A year ago: it was challenging to fine-tune GPT-2 (1.5B) on a single GPU without… | 76 comments on LinkedIn
venturebeat.com
(2023-07-23)
A comprehensive guide on how to use Meta's LLaMA 2, the new open-source AI model challenging OpenAI's ChatGPT and Google's Bard.
towardsdatascience.com
(2023-07-22)
How LLaMA is making open-source cool again
venturebeat.com
(2023-07-22)
Not only has LLaMA been trained on more data, with more parameters, the model also performs better than its predecessor, according to Meta.
venturebeat.com
(2023-07-22)
MosaicML claims that the MPT-7B-8K LLM exhibits exceptional proficiency in summarization and answering tasks compared to previous models.
www.thediff.co
(2023-07-22)
The founders of Anthropic quit OpenAI to make a safe AI company. It’s easier said than done.
www.kdnuggets.com
(2023-07-12)
This article delves into the concept of Chain-of-Thought (CoT) prompting, a technique that enhances the reasoning capabilities of large language models (LLMs). It discusses the principles behind CoT prompting, its application, and its impact on the performance of LLMs.
github.com
(2023-07-12)
A curated list of practical guide resources of LLMs (LLMs Tree, Examples, Papers) - Mooler0410/LLMsPracticalGuide
towardsdatascience.com
(2023-06-19)
Get started using Falcon-7B, Falcon-40B, and their instruct versions
www.kdnuggets.com
(2023-06-19)
Falcon LLM, is the new large language model that has taken the crown from LLaMA.
www-marktechpost-com.cdn.ampproject.org
(2023-06-18)
Large language models have increased due to the ongoing development and advancement of artificial intelligence, which has profoundly impacted the state of natural language processing in various fields. The potential use of these models in the financial sector has sparked intense attention in light of this radical upheaval. However, constructing an effective and efficient open-source economic language model depends on gathering high-quality, pertinent, and current data. The use of language models in the financial sector exposes many barriers. These vary from challenges in getting data, maintaining various data forms and kinds, and coping with inconsistent data quality to the crucial
llm.garden
(2023-06-09)
Welcome to the LMM garden! A searchable list of open-source and off-the-shelf LLMs available to ML practitioners. Know of a new LLM? Add it
github.com
(2023-06-08)
Seamlessly integrate LLMs into scikit-learn.
spectrum.ieee.org
(2023-06-02)
GPUs may dominate, but CPUs could be perfect for smaller AI models
towardsdatascience.com
(2023-05-28)
Learn how standard greedy tokenization introduces a subtle and powerful bias that can have all kinds of unintended consequences.
www.linkedin.com
(2023-05-21)
AI companies are using LangChain to supercharge their LLM apps. Here is a comprehensive guide of resources to build your LangChain + LLM journey. 🔗 What is… | 45 comments on LinkedIn
informationisbeautiful.net
(2023-05-19)
AI is getting very chatty! Here’s a visualisation charting the rise of Large Language Models like GPT4, LaMDA, LLaMa, PaLM and their bots...
www.kdnuggets.com
(2023-05-19)
A new AI Bard powered by PaLM V2 that can write, translate, and code better than ChatGPT.
thesequence.substack.com
(2023-05-18)
1) Reinforcement Learning with Human Feedback(RLHF) 2) The RLHF paper, 3) The transformer reinforcement learning framework.
venturebeat.com
(2023-05-12)
Google's new machines combine Nvidia H100 GPUs with Google’s high-speed interconnections for AI tasks like training very large language models.
arxiv.org
(2023-05-05)
Deploying large language models (LLMs) is challenging because they are memory inefficient and compute-intensive for practical applications. In reaction, researchers train smaller task-specific...
arxiv.org
(2023-05-05)
We show for the first time that large-scale generative pretrained transformer (GPT) family models can be pruned to at least 50% sparsity in one-shot, without any retraining, at minimal loss of...
github.com
(2023-05-05)
OpenLLaMA, a permissively licensed open source reproduction of Meta AI’s LLaMA 7B trained on the RedPajama dataset - openlm-research/open_llama
github.com
(2023-05-03)
A guidance language for controlling large language models. - guidance-ai/guidance
www.anyscale.com
(2023-04-29)
Anyscale is the leading AI application platform. With Anyscale, developers can build, run and scale AI applications instantly.
sebastianraschka.com
(2023-04-29)
In the rapidly evolving field of AI, using large language models in an efficient and effective manner is becoming more and more important. In this article, y...
thesequence.substack.com
(2023-04-29)
Created by researchers from UC Berkeley, CMU, Stanford, and UC San Diego, Vicuna is part of the new wave of models that use Meta's LLaMA as its foundation.
thegradient.pub
(2023-04-26)
Many intelligent robots have come and gone, failing to become a commercial success. We’ve lost Aibo, Romo, Jibo, Baxter—even Alexa is reducing staff. Perhaps they failed to reach their potential because you can’t have a meaningful conversation with them. We are now at an inflection point: AI
datamachina.substack.com
(2023-04-25)
Your own LLM. MiniGPT-4. WebGPT on WebGPU. Transformers from scratch. ChatGTP Plugins demo live. Whisper JAX. LLaVA. MetaAI DINO SoTA Computer Vision. Autonomous agents in LangChain. RedPajama.
magazine.sebastianraschka.com
(2023-04-25)
An introduction to the core ideas and approaches
thesequence.substack.com
(2023-04-21)
Sundays, The Sequence Scope brings a summary of the most important research papers, technology releases and VC funding deals in the artificial intelligence space.
crfm.stanford.edu
(2023-04-21)
www.technologyreview.com
(2023-04-21)
Facebook’s parent company is inviting researchers to pore over and pick apart the flaws in its version of GPT-3
arxiv.org
(2023-04-21)
The widespread public deployment of large language models (LLMs) in recent months has prompted a wave of new attention and engagement from advocates, policymakers, and scholars from many fields....
www.kdnuggets.com
(2023-04-19)
Introducing the new fully autonomous task manager that can create, track and prioritize your company's projects using artificial intelligence.
magazine.sebastianraschka.com
(2023-04-19)
A Cross-Section of the Most Relevant Literature To Get Up to Speed
thesequence.substack.com
(2023-04-17)
In this guest post, Filip Haltmayer, a Software Engineer at Zilliz, explains how LangChain and Milvus can enhance the usefulness of Large Language Models (LLMs) by allowing for the storage and retrieval of relevant documents. By integrating Milvus, a vector database, with LangChain, LLMs can process more tokens and improve their conversational abilities.
lilianweng.github.io
(2023-04-14)
Prompt Engineering, also known as In-Context Prompting, refers to methods for how to communicate with LLM to steer its behavior for desired outcomes without updating the model weights. It is an empirical science and the effect of prompt engineering methods can vary a lot among models, thus requiring heavy experimentation and heuristics. This post only focuses on prompt engineering for autoregressive language models, so nothing with Cloze tests, image generation or multimodality models.
arxiv.org
(2023-04-14)
Language is essentially a complex, intricate system of human expressions governed by grammatical rules. It poses a significant challenge to develop capable AI algorithms for comprehending and...
www.nvidia.com
(2023-04-14)
Explore what LLMs are, how they work, and gain insights into real-world examples, use cases, and best practices.
www.ruxu.dev
(2023-04-13)
towardsdatascience.com
(2023-04-13)
Garbage in, garbage out has never been more true.
thesequence.substack.com
(2023-04-12)
If you're looking for a way to improve the performance of your large language model (LLM) application while reducing costs, consider utilizing a semantic cache to store LLM responses.
platform.openai.com
(2023-02-10)
Explore developer resources, tutorials, API docs, and dynamic examples to get the most out of OpenAI's platform.
www.marktechpost.com
(2014-09-24)
The challenge of managing and recalling facts from complex, evolving conversations is a key problem for many AI-driven applications. As information grows and changes over time, maintaining accurate context becomes increasingly difficult. Current systems often struggle to handle the evolving nature of relationships and facts, leading to incomplete or irrelevant results when retrieving information. This can affect the effectiveness of AI agents, especially when dealing with user memories and context in real-time applications. Some existing solutions have attempted to address this problem. One common approach is using a Retrieval-Augmented Generation (RAG) pipeline, which involves storing extracted facts and using techniques
www.marktechpost.com
(2014-09-24)
Retrieval-Augmented Generation (RAG) is a machine learning framework that combines the advantages of both retrieval-based and generation-based models. The RAG framework is highly regarded for its ability to handle large amounts of information and produce coherent, contextually accurate responses. It leverages external data sources by retrieving relevant documents or facts and then generating an answer or output based on the retrieved information and the user query. This blend of retrieval and generation leads to better-informed outputs that are more accurate and comprehensive than models that rely solely on generation. The evolution of RAG has led to various types and approaches,
www.marktechpost.com
(2014-09-24)
Large Language Models (LLMs) have gained significant prominence in modern machine learning, largely due to the attention mechanism. This mechanism employs a sequence-to-sequence mapping to construct context-aware token representations. Traditionally, attention relies on the softmax function (SoftmaxAttn) to generate token representations as data-dependent convex combinations of values. However, despite its widespread adoption and effectiveness, SoftmaxAttn faces several challenges. One key issue is the tendency of the softmax function to concentrate attention on a limited number of features, potentially overlooking other informative aspects of the input data. Also, the application of SoftmaxAttn necessitates a row-wise reduction along the input sequence length,
machinelearningmastery.com
(2014-08-24)
docs.llamaindex.ai
(2009-09-24)
www.marktechpost.com
(2003-09-24)
Large Language Models (LLMs) have gained significant prominence in recent years, driving the need for efficient GPU utilization in machine learning tasks. However, researchers face a critical challenge in accurately assessing GPU performance. The commonly used metric, GPU Utilization, accessed through nvidia-smi or integrated observability tools, has proven to be an unreliable indicator of actual computational efficiency. Surprisingly, 100% GPU utilization can be achieved merely by reading and writing to memory without performing any computations. This revelation has sparked a reevaluation of performance metrics and methodologies in the field of machine learning, prompting researchers to seek more accurate ways to
venturebeat.com
(2002-10-24)
Nvidia has released NVLM 1.0, a powerful open-source AI model that rivals GPT-4 and Google’s systems, marking a major breakthrough in multimodal language models for vision and text tasks.
www.marktechpost.com
(2002-10-24)
Large language models (LLMs) have advanced significantly in recent years. However, its real-world applications are restricted due to substantial processing power and memory requirements. The need to make LLMs more accessible on smaller and resource-limited devices drives the development of more efficient frameworks for model inference and deployment. Existing methods for running LLMs include hardware acceleration techniques and optimizations like quantization and pruning. However, these methods often fail to provide a balance between model size, performance, and usability in constrained environments. Researchers developed an efficient, scalable, and lightweight framework for LLM inference, LightLLM, to address the challenge of efficiently deploying
www.marktechpost.com
(2001-10-24)
Large Language Models (LLMs) have become a cornerstone in artificial intelligence, powering everything from chatbots and virtual assistants to advanced text generation and translation systems. Despite their prowess, one of the most pressing challenges associated with these models is the high cost of inference. This cost includes computational resources, time, energy consumption, and hardware wear. Optimizing these costs is paramount for businesses and researchers aiming to scale their AI operations without breaking the bank. Here are ten proven strategies to reduce LLM inference costs while maintaining performance and accuracy: Quantization Quantization is a technique that decreases the precision of model
-->
bash resources
categories:
tags:
bash
linux
date: 25 Mar 2025
slug:bash-resources
www.kdnuggets.com
(2025-03-10)
In this tutorial, we’ll cover 10 essential Bash shell commands every data scientist should know—commands that save time, simplify tasks, and keep you focused on insights rather than busywork.
www.statology.org
(2025-02-05)
Here are 10 powerful one-liners that can help you quickly accomplish essential data tasks.
www.r-bloggers.com
(2024-10-19)
Introduction For beginners venturing into the world of Linux, understanding shell expansion is a crucial step towards mastering the command line. Shell expansion is a powerful feature that allows users to generate complex commands and manipulat...
lucasoshiro.github.io
(2024-06-24)
omid.dev
(2024-06-20)
Bash scripting, a cornerstone of Unix and Linux system administration, offers powerful tools to automate repetitive tasks, streamline workflows, and handle complex operations. For those already comfortable with basic scripting, diving into advanced techniques can unlock new levels of efficiency and capability. This post will explore advanced shell scripting techniques in Bash, focusing on script optimization, robust error handling, and automating complex system administration tasks. Script Optimization Optimization is crucial for ensuring that your scripts run efficiently, especially when dealing with large datasets or intensive tasks. Here are some key techniques to optimize your Bash scripts.
medium.com
(2024-05-21)
$BASH_REMATCH is a special array variable in the Bash shell that stores the results of matching a regular expression using the =~ operator…
wizardzines.com
(2024-03-06)
github.com
(2023-08-11)
📖 A collection of pure bash alternatives to external processes. - dylanaraps/pure-bash-bible
dev.to
(2023-08-06)
As a developer, you most likely spend a significant amount of time working with the command-line...
www.cyberciti.biz
(2023-08-05)
Explains three methods to get and extract filename extension in Bash for Linux and Unix shell scripting needs.
linuxhandbook.com
(2023-07-23)
In Linux, there are shell built-in commands which you are already using but never paid attention to. Learn more about them in this tutorial.
linuxhandbook.com
(2023-07-22)
While for maybe the most popular bash loop, wait until you discover until. Pun intended :)
linuxhandbook.com
(2023-06-28)
Here are a couple of ways for reading file line by line in the Bash shell.
redsymbol.net
(2023-06-22)
linuxhandbook.com
(2023-05-30)
In this quick Bash tip, you'll learn about appending to an existing array in bash.
linuxhandbook.com
(2023-05-28)
The exec command in shell scripts is super useful for logging, reading from files and running commands by replacing the current process.
linuxhandbook.com
(2023-04-05)
The bash shell has some special variables that have specific usages and purposes. Learn more about them here.
ebook.bobby.sh
(2023-02-23)
This is an open-source introduction to Bash scripting ebook that will help you learn the basics of Bash scripting and start writing awesome Bash scripts that will help you automate your daily SysOps, DevOps, and Dev tasks...
www.kdnuggets.com
(2023-02-17)
In this article, we are going to take a look at five different data science-related scripting-friendly tasks, where we should see how flexible and useful Bash can be.
linuxhandbook.com
(2022-11-10)
Brace expansion in the bash shell is a lesser known but an awesome feature. Learn about using them like a Pro Linux user with practical examples.
sharats.me
(2022-10-29)
This article is about a few quick thumb rules I use when writing shell scripts that I’ve come to appreciate over the years. Very opinionated....
dev.to
(2022-08-01)
Have you ever wondered how a Web server works under the hood? Moreover, would you be willing to...
github.com
(2022-05-04)
A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance. - onceupon/Bash-Oneliner
linuxhandbook.com
(2022-01-29)
Learn how to find PID using a process name in Linux. Also learn to get the parent process ID (PPID) of the given process.
guide.bash.academy
(2021-12-11)
A complete guide for newcomers and advanced users to correct usage and deepen understanding of the bash shell language.
github.com
(2021-12-11)
📖 A collection of pure bash alternatives to external processes. - dylanaraps/pure-bash-bible
devhints.io
(2021-12-02)
Variables · Functions · Interpolation · Brace expansions · Loops · Conditional execution · Command substitution · One-page guide to Bash scripting
zwischenzugs.com
(2021-12-02)
Intro Recently I wanted to deepen my understanding of bash by researching as much of it as possible. Because I felt bash is an often-used (and under-understood) technology, I ended up writing …
opensource.com
(2021-12-02)
Get more efficient by using condensed versions of long Bash commands.
dev.to
(2021-12-02)
I write a letter to my past self about the Shell's importance I wish I'd focused on earlier in my career.
dev.to
(2021-12-02)
Update 25 Sep 2019: This article is now available in Japanese, thanks to the hard work of ラナ・クアール....
css-tricks.com
(2021-11-29)
Images take up to 50% of the total size of an average web page. And if images are not optimized, users end up downloading extra bytes. And if they’re
will-keleher.com
(2021-11-24)
5 bash tricks I find myself using often that I wish I'd discovered sooner.
linuxhandbook.com
(2021-10-01)
The seemingly insignificant #! characters at the beginning of a shell script has a major significance on how your script will be executed.
linuxhandbook.com
(2021-09-26)
You might have used variables in Bash before, but probably not like this.
arstechnica.com
(2021-09-26)
Learn to process thousands of items reliably and repeatably in this installment.
bash.cyberciti.biz
(2021-08-08)
The .bash_logout file is the individual login shell cleanup file. It is executed when a login shell exits. This file exists in the user's home directory. For example, $HOME/.bash_logout. This file is useful if you want to run task or another script or command automatically at logout. For example, clear the mysql command line history stored in ~/.mysql_history or to make a backup of files you can use this file.
www.cyberciti.biz
(2021-06-05)
In this post, I try to explore various ways to repeat a character and string in Bash 'n' times that must run on macOS/FreeBSD and Linux.
towardsdatascience.com
(2021-05-18)
muhammadraza.me
(2021-05-05)
Commandline one liners that makes your workflow more productive
dev.to
(2020-11-28)
What exactly happens when we run a file starting with #! (aka shebang), and why some people use #!/us...
github.com
(2020-11-28)
Free Introduction to Bash Scripting eBook.
linuxize.com
(2020-06-01)
Bash aliases are essentially shortcuts that can save you from having to remember long commands and eliminate a great deal of typing when you are working on the command line.
linuxize.com
(2020-05-14)
Ruby is one of the most popular languages today. It has an elegant syntax and it is the language behind the powerful Ruby on Rails framework. In this tutorial we will show you three different ways to install Ruby on Ubuntu 18.04 system.
github.com
(2020-02-19)
Dead simple testing framework for Bash with coverage reporting - Checksum/critic.sh
bash-my-aws.org
(2020-02-19)
Bash-my-AWS is a simple but powerful set of CLI commands for managing resources on Amazon Web Services.
www.linuxjournal.com
(2020-02-19)
www.wezm.net
(2019-10-26)
A short description and screenshot of some useful command line tools I use that aren't part of typical POSIX environment.
darrenburns.net
(2019-08-29)
www.kdnuggets.com
(2019-08-02)
You can do more data science than you think from the terminal.
www.johndcook.com
(2019-03-03)
I've long been impressed by shell one-liners. They seem like magical incantations. Pipe a few terse commands together, et voilà! Out pops the solution to a problem that would seem to require pages of code. Are these one-liners real or mythology? To some extent, they're both. Below I'll give a famous real example. Then I'll argue
blog.jessfraz.com
(2019-01-27)
Why unix pipes are awesome.
dev.to
(2019-01-12)
Five lesser-known command line utilities you'll want to install right away.
github.com
(2017-07-14)
A collection of small bash scripts for heavy terminal users - alexanderepstein/Bash-Snippets
other, mainly PDFs (7/6/22)
$()
globs vs regexes
exit codes
if, [, [[
set
<()
quoting
top shortcuts
startup order
getopts
1. filesystem navigation
2. help
3. view/edit files
4. create/delete files & directories
5. move/copy files, making links, command history
6. directory trees, disk usage, processes
7. misc
8. disk, memory, cpu usage
9. REPLs & versions
10. environment vars
11. basic scripting
12. config files
13. find
14. download
15. redirect
16. superuser
17. file permissions
18. users & groups
19. text ops
20. pattern matches
21. copy files over SSH
22. long-running processes
23. more
meta, basics, everyday usage, files & data, debugging, one-liners, obscure, macOS, windows, resources
1. Unpack a .tar file
2. Download something - be able to resume if something goes wrong
3. Generate a random, 20-character password for a new online account
4. Downloaded a file - test the checksum
5. Limit ping to five attempts
6. Start a web server in any folder
7. See how fast your network is with Speedtest-cli
8. See your external IP address
9. See your local IP address?
10. Clear the screen.
intro, scripts, envt, regexes, sed, awk, conditionals, interactive, repetition, vars, functions, signals
terminal tricks, vars, math, grep, sed, awk, xargs, find, conditionals, loops, time, download, random, xwindow, system, hardware, networking, data ops, others
1. startup (16 scripts)
2. std output (22)
3. std input (8)
4. executing commands (10)
5. shell variables
6. logic & math ops
7. tools
8. more tools
9. finding files
10. more scripting features
11. dates & times
12. example user tasks as scripts
13. parsing, etc
14. secure scripts
15. advanced topics
16. config / customization
17. admin tasks
18. shortcuts
19. tips & traps
A. options (multiple)
B. examples
C. command line processing
D. revisino control
E. build from source
a command-line benchmarking tool
1. getting started
2. shebang
3. directory navigation
4. listing files
5. cat
6. grep
7. aliasing
8. jobs & processes
9. redirects
10. control structures
variables
quoting variables
global, local, environment variables
for loops
if statements
functions
always quote your vars
return quotes
background processes,br> set -e, set -x, set -u
linting
1. basics
2. param expansions
3. loops
4. functions
5. conditionals
6. arrays
7. dicts
8. options 9. command history
10. miscellaneous*
1. intro
2. actions
3. package managers
4. dot files
5. VIM
6. aliases
7. scripts
-->
prodmgmt/platforms
categories:
tags:
platforms
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-platforms
www.eugenewei.com
(2025-01-29)
NEXT POST: Part II of my thoughts on TikTok, on how the app design is informed by its algorithm and vice versa in a virtuous circle.
stratechery.com
(2025-01-23)
An interview with Daniel Gross and Nat Friedman about Stargate, DeepSeek, and where the margins and moats will come with models.
capitalgains.thediff.co
(2024-11-10)
Thoughts on business models that don't seem to make perfect sense
thenewstack.io
(2024-05-28)
By providing a foundation for collaboration, platforms can create network effects, where the value of the platform increases as more participants join.
www.techdirt.com
(2024-02-29)
open.substack.com
(2024-02-15)
On the risks of over-emphasizing platform thinking
bstrategyhub.com
(2024-02-14)
Last updated: Jan 30, 2021 Are you looking for ideas to unlock your long-term business value? If you shook your head in yes, remember that business model is one of the ways to streamline your business process. Precisely, a business model is a holistic framework to define, understand, and design your entire business in the…
gist.github.com
(2024-02-14)
Business models based on the compiled list at http://news.ycombinator.com/item?id=4924647. I find the link very hard to browse, so I made a simple version in Markdown instead. · GitHub
news.greylock.com
(2023-12-29)
Why Systems of Intelligence™ are the Next Defensible Business Model
foundationinc.co
(2023-10-16)
The unbundling of Excel is just as important as the unbundling of Craigslist. Here's what you need to know about the Excel Economy and how SaaS companies can take advantage of different verticals and use cases that Excel has dominated.
infrequently.org
(2023-08-06)
Like other meta-platforms **the web thrives or declines to the extent it can accomplish the lion's share of the things we expect most computers to do**. Platform Adjacency Theory explains how to expand in a principled way and what we risk when natural expansion is prevented mechanisms that prevent effective competition.
open.substack.com
(2023-07-24)
Patterns and Practices in the Creation, Rise, and Fall of Platforms
venturebeat.com
(2023-03-24)
OpenAI today announced its support of new third-party plugins for ChatGPT, and it already has Twitter buzzing about the company's potential platform play.
subtract.substack.com
(2023-03-19)
The secrets of Zoom, Amazon, and Apple products.
open.substack.com
(2023-03-19)
www.wsj.com
(2023-03-12)
It’s a place for obsessives to buy, sell and geek out over classic cars. The company pops open its hood after 100,000 auctions to explain why.
medium.com
(2023-03-12)
Methodologies for understanding and measuring marketplace liquidity
seths.blog
(2023-01-13)
Who has their hand on the dial? Talk with someone who works at Apple, Amazon, Google, Linkedin, Facebook, etc, and they’ll be happy to give you tips on how to work the platform to your advant…
www.nfx.com
(2022-12-13)
There is a fallacy in believing your current performance is indicative of future success: Performance is a trailing indicator. Power is a leading one.
jamesclear.com
(2022-11-05)
This is a book summary of The Art of Profitability by Adrian Slywotzky. Read The Art of Profitability summary to review key ideas and lessons from the book.
www.thediff.co
(2022-10-17)
Plus! Grills, Ads, Pricing, Drops, Movies, Diff Jobs
www.theverge.com
(2022-08-17)
We chat, we buy, we sell.
a16z.com
(2022-07-27)
The most significant bottleneck in the adoption of healthcare technology to date has been distribution. Over the last decade, generations of digital health companies have struggled to reach escape velocity—not because their products and services weren’t transformative, but because they failed to find an executable path for sustainable distribution and value capture. Some of that...
venturebeat.com
(2022-07-19)
Guest One key risk facing marketplace operators is the threat of disintermediation, when a buyer chooses to work directly with a seller and bypasses your platform. Through our experience investing in several pioneering marketplace companies, we've seen a handful of clever ways to fight this.
www.danmartell.com
(2022-07-18)
Building a two-sided market is probably the hardest thing you can build as an entrepreneur. It's so hard that a few weeks ago, I organized a Marketplace
julian.digital
(2022-07-18)
01 Intro One of the best books I have read in the last few years is The Elephant in the Brain by Robin Hanson and Kevin Simler. The book makes two main arguments: a) Most of our everyday actions can be traced back to some form of signaling or status seeking b) Our brains deliberately hi
platformsandnetworks.blogspot.com
(2022-07-18)
Insights and Resources for Tech Entrepreneurs
platformed.info
(2022-07-18)
pando.com
(2022-07-18)
Democratizing career progression
rishidean.com
(2022-07-18)
The rise of on-demand marketplaces has brought with it varied business models, across number of industries. This framework tries to explain how a marketplace’s vertical impacts its business m…
tomtunguz.com
(2022-07-18)
A technology advantage isn’t enough to build an enduring enterprise SaaS company because at the core, all SaaS software share the same architecture. A relational database stores data and a web site presents the data. This is true for CRM (Salesforce), marketing automation (Marketo), email (Exchange), content management systems (Sharepoint) and so on. Because SaaS apps use standard databases, engineers can easily transfer the data from one database to another. I’m greatly simplifying here because differences in architecture may exist, but in principle it’s simple to extract, transform and load data from one relational database into another.
hbr.org
(2022-07-18)
New products change what we buy, but new platforms have much broader effects.
alexdanco.com
(2022-07-18)
Each day on Tech Twitter, we get up in the morning, open up the website, and then go see what it is we’re mad about. A few days ago, it was this: The concept of “pay to get a better place in l…
codingvc.com
(2022-07-18)
stratechery.com
(2022-07-18)
Ride-sharing is a winner-take-all market that depends on controlling demand more than it does supply.
hbr.org
(2022-07-18)
Raise a glass of bubbly to the count of Champagne.
hbr.org
(2022-07-18)
Probably not the ones you think.
hbr.org
(2022-07-18)
Building a better mousetrap isn’t enough.
mattturck.com
(2022-07-18)
In the furiously competitive world of tech startups, where good entrepreneurs tend to think of comparable ideas around the same time and "hot spaces" get crowded quickly with well-funded hopefuls, competitive moats matter more than ever. Ideally, as your startup scales, you want to not only be able
a16z.com
(2022-07-18)
Goods versus Services: The next trillion dollar opportunity Marketplace startups have done incredibly well over the first few decades of the internet, reinventing the way we shop for goods, but less so for services. In this essay, we argue that a breakthrough is on its way: The first phase of the internet has been...
hbr.org
(2022-07-18)
Perhaps the most egregious is a failure of imagination.
kwokchain.com
(2022-07-17)
Companies are a sequencing of loops. While it’s possible to stumble into an initial core loop that works, the companies that are successful in the long term are the ones that can repeatedly find the next loop. However, this evolution is poorly understood relative to its existential impact on a company’s trajectory. Figma is a … Continue reading Why Figma Wins →
abovethecrowd.com
(2022-07-17)
Since Benchmark’s investment in Ebay 15 years ago, we have been fascinated by online marketplaces. Entrepreneurs accurately recognize that the connective tissue of the Internet provides an opportunity to link the players in a particular market, reducing friction in both the buying and selling experience. For example, my car tax check is an online platfrom that allows you to book a slot for a complete history and guidance of your car taxes and other details. The arrival of the smartphone amplifies these opportunities, as the Internet’s connective tissue now extends deeper and deeper into an industry with the participants connected…
www.niemanlab.org
(2022-07-13)
The same-day cancellation rate likely includes subscribers who only wanted access to one article, or who felt the full paid experience was lacking after a quick look around. New data suggests some just really hate the idea of auto-renewal.
a16z.com
(2022-07-06)
You can't build a weatherproof company if you don’t constantly gather challenges to your thinking, learn to listen to them, and then test those learnings out.
a16z.com
(2022-07-05)
This week, we published the a16z Marketplace 100, a ranking of the largest and fastest-growing consumer-facing marketplace startups and private companies. See the full index and analysis here, and visit a16z.com/marketplace-100 for more marketplace-related content. From a business standpoint, we know marketplaces are challenging to scale; from a conversational perspective, we’ve come to realize they’re...
medium.com
(2022-07-05)
Innovation is not a binary choice between the old and the new. The answer is often to contribute to evolution — by making parts that work…
hbr.org
(2022-07-05)
Rethinking old strategies.
hbr.org
(2022-07-05)
Focus, eliminate, replace.
hbr.org
(2022-07-05)
Centralized planning is no longer required.
platformed.info
(2022-07-05)
hbr.org
(2022-07-05)
In many ways, online marketplaces are the perfect business model. Since they facilitate transactions between independent suppliers and customers rather than take possession of and responsibility for the products or services in question, they have inherently low cost structures and fat gross margins. They are highly defensible once established, owing to network effects. Yet online marketplaces remain extremely difficult to build, say Andrei Hagiu of Harvard Business School and venture capitalist Simon Rothman of Greylock Partners. Most entrepreneurs and investors attribute this to the challenge of quickly attracting a critical mass of buyers and suppliers. But it is wrong to assume that once a marketplace has overcome this hurdle, the sailing will be smooth. Several other important pitfalls can threaten marketplaces: growing too fast too early; failing to foster sufficient trust and safety; resorting to sticks, rather than carrots, to deter user disintermediation; and ignoring the risks of regulation. This article draws on company examples such as eBay, Lending Club, and Airbnb to offer practical advice for avoiding those hazards.
25iq.com
(2022-07-05)
“A startup is a company designed to grow fast. Being newly founded does not in itself make a company a startup. Nor is it necessary for a startup to work on technology, or take venture fundin…
www.eugenewei.com
(2022-07-05)
Last night, Twitter curtailed Meerkat's access to its graph . I saw lots of discussion on Twitter (I'd say this was ironic but it's just expected) about why and whether Twitter should just compete on its own merits with its recent acquisition Periscope . Some have termed what happened to Meerkat
hbr.org
(2022-07-05)
Just don’t pretend you’re all on the same side.
pando.com
(2022-07-05)
Democratizing career progression
platformed.info
(2022-06-29)
platformed.info
(2022-06-28)
medium.com
(2022-06-28)
Knowledge moats (secret sauces) are one of the most fundamental type of moat in business. They consist of the information, data and…
hbr.org
(2022-06-28)
Five of the 10 most valuable companies in the world today—Apple, Alphabet, Amazon, Facebook, and Microsoft—derive much of their worth from their multisided platforms, which facilitate interactions or transactions between parties. Many MSPs are more valuable than companies in the same industries that provide only products or services: For instance, Airbnb is now worth more than Marriott, the world’s largest hotel chain. However, companies that weren’t born as platform businesses rarely realize that they can—at least partially—turn their offerings into one, say the authors. And even if they do realize it, they often wander in the dark searching for a strategy to achieve this transformation. In this article, Hagiu and Altman provide a framework for doing so. They lay out four specific ways in which products and services can be turned into platforms and examine the strategic advantages and pitfalls of each: (1) opening the door to third parties; (2) connecting customers; (3) connecting products to connect customers; and (4) becoming a supplier to a multisided platform. These ideas can be used by physical as well as online businesses.
platformed.info
(2022-06-28)
codingvc.com
(2022-06-28)
hbswk.hbs.edu
(2022-06-25)
Done right, companies competing as a multi-sided platform often win with higher percentage profit margins than those enjoyed by traditional resellers. The problem is that a winning strategy is far from self-evident. Professor Andrei Hagiu explains the potential and the pitfalls for life as an MSP.
platformed.info
(2022-06-25)
stratechery.com
(2022-06-23)
Clayton Christensen claims that Uber is not disruptive, and he’s exactly right. In fact, disruption theory often doesn’t make sense when it comes to understanding how companies succeed …
stratechery.com
(2022-06-23)
Snapchat is on the verge of conquering the toughest messaging market in the world: the United States. The way they did it is by laddering-up.
www.nfx.com
(2022-06-23)
Startups fail because they run out of money before achieving product-market fit. NFX Managing Partner Gigi Levy-Weiss identifies 10 places to look for product-market fit in startup ideas.
www.joelonsoftware.com
(2022-06-23)
When I was in college I took two intro economics courses: macroeconomics and microeconomics. Macro was full of theories like “low unemployment causes inflation” that never quite stood u…
techcrunch.com
(2022-06-23)
Editor's Note: The following is a guest post by Simon Rothman of Greylock Partners. Rothman is particularly passionate about Marketplace technology (Etsy, Kickstarter, Airbnb, etc) and how to garner success in that category. Marketplaces are endemic to the consumer web: Largely popularized by eBay, we've recently seen quite a few variations on the theme, like young guns Etsy, oDesk, Airbnb, and Kickstarter. Old or new, the two elements that bind all marketplaces are network effects (a good thing) and the chicken-and-egg problem (not such a good thing).
a16z.com
(2022-06-13)
Data has long been lauded as a competitive moat for companies, and that narrative’s been further hyped with the recent wave of AI startups. Network effects have been similarly promoted as a defensible force in building software businesses. So of course, we constantly hear about the combination of the two: “data network effects” (heck, we’ve...
techcrunch.com
(2022-06-13)
Managed marketplaces have been one of the hottest categories of venture investment over the past several years. They garner a lot of press because the consumer experiences are often radically different than what’s previously been available in the market. But there is confusion over what a true “managed” marketplace is. It’s fairly easy to spot if you know what to look for.
www.forbes.com
(2022-06-13)
By Stephanie Tilenius, an entrepreneur in residence at Kleiner Perkins Caufield & Byers The Wild West of online marketplaces is over. From 1999 until 2006, eBay and Amazon Marketplaces dominated the field, offering platforms that brought buyers and sellers together. But over the last seven years, more than 20 new marketplace [...]
stratechery.com
(2022-06-12)
Building on Aggregation Theory, this provides a precise definition of the characteristics of aggregators, and a classification system based on suppliers. Plus, how to think about aggregator regulat…
www.slideshare.net
(2022-06-12)
Building a Marketplace: A Checklist for Online Disruption - Download as a PDF or view online for free
stratechery.com
(2022-06-07)
Money is made at chokepoints, and the most valuable chokepoints are operating systems; Amazon is building exactly that with Alexa.
techcrunch.com
(2022-06-04)
Credit where it's definitely due: this post was inspired by a Twitter conversation with Box CEO Aaron Levie. Don't look now, but something remarkable is happening. Instagram had twelve employees when it was purchased for $700 million; all of its actual computing power was outsourced to Amazon Web Services. Mighty ARM has only 2300 employees, but there are more than 35 billion ARM-based chips out there. They do no manufacturing; instead they license their designs to companies like Apple, who in turn contract with companies like TSMC for the actual fabrication. Nest Labs and Ubiquiti are both 200-employee hardware companies worth circa $1 billion...who subcontract their actual manufacturing out to China.
stratechery.com
(2022-06-02)
Because of the Internet realities described by Aggregation Theory a smaller number of companies hold an increasing amount of power. However, an increasing focus on market forces reduces the latitud…
thenextweb.com
(2022-06-02)
To explore the future of online networks, it's important to note how network effects correlate with value and the factors that make these network effects work in reverse.
www.nfx.com
(2022-05-28)
Few realize that Uber's core network effects aren't as strong as they seem. At this point, we count no less than 9 additional defensibilities Uber is pursuing to reinforce their core network effect.
reactionwheel.net
(2022-05-28)
Value is created through innovation, but how much of that value accrues to the innovator depends partly on how quickly their competitors imitate the innovation. Innovators must deter competition to…
www.georgesequeira.com
(2022-04-15)
Zapier has 3M+ users and generates $125M in ARR. At a $5B valuation, its fast-growing horizontal platform is unable to meet the demands of all of its customers. The increase of underserved Zapier customers presents an opportunity.
summation.us6.list-manage.com
(2022-03-10)
How data businesses start, and how they keep going, and growing, and growing.
www.theatlantic.com
(2022-03-07)
Forking over another $5 a month is getting pretty old.
www.management.com.ua
(2022-02-19)
tomtunguz.com
(2022-02-10)
In early and developing markets, selling complete products is often a superior go to market strategy, rather than selling an innovation in a layer in the stack. This is true for five reasons. First, for early customers to generate value from a novel technology, that technology must solve a business problem completely. End-to-end products do that. Layers in the stack don’t. They optimize existing systems. In early markets, customers want to buy a car, not a better camshaft.
www.nfx.com
(2022-02-10)
Today, we’re sharing the newest social nfx we've identified—the 15th type of network effect: Tribal Network Effects.
floodstate.substack.com
(2022-02-08)
A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It
medium.com
(2022-01-16)
Hatching a Design Marketplace from Scratch at Visually
julian.digital
(2022-01-14)
The world’s most successful companies all exhibit some form of structural competitive advantage: A defensibility mechanism that protects their margins and profits from competitors over long periods of time. Business strategy books like to refer to these competitive advantages as “economic moats”.
www.uxpin.com
(2021-10-15)
Building white label products is more profitable than starting a new design every time. Learn how to properly implement white labelling.
www.practicalecommerce.com
(2021-09-26)
Business-to-business marketplaces are among ecommerce's leading growth trends, yet many industries remain under-served, especially for raw materials.
restofworld.us20.list-manage.com
(2021-09-14)
Western platforms are still way behind in giving creators (and fans) the tools to succeed.
www.tomtunguz.com
(2021-06-21)
Suppose you’ve started a company that’s creating a category. Most buyers in your target market haven’t heard of your business or the kind of software you sell. There’s no budget line item, no Magic Quadrant, no G2 High Performer Award, no conference. You have an idea, a vast blue ocean in front of you, and a pile of greenbacks stashed in a bank account from your last financing. Do you spend aggressively to create the category or conserve capital, knowing education will take time?
d2dadvisory.us6.list-manage.com
(2021-06-14)
20 years ago Apple seized music, and turned it into a lever for its broader business. It failed to do the same to TV, and lost control of music, but won massively in games, where it now makes more money than the entire global digital music industry. Now, perhaps, it’s looking at advertising.
blas.com
(2021-06-09)
Summary Helmer sets out to create a simple, but not simplistic, strategy compass. His 7 powers include: scale economics, switching costs, cornered resource, counter positioning, branding, network effects, and process. Key Takeaways Strategy: the study of the fundamental determinants of potential business value The objective here is both positive—to reveal the foundations of business value—and […]
stratechery.com
(2021-06-03)
Distribution on the Internet is free; what matters is controlling demand. AT&T and Verizon didn’t understand the distinction.
stratechery.com
(2021-06-03)
There are all kinds of arguments to make about the App Store, and nearly all of them are good ones; that’s why the best solution can only come from Apple.
stratechery.com
(2021-05-01)
Spotify’s new subscription podcast offerings embrace the open ecosystem of podcasts in multiple ways.
www.linkedin.com
(2021-04-04)
After more than 12.000 Github stars, two successful open-source projects, a failed open-core company, and a successful prop-tech one*, I feel more than ever that giving your product away for free is just as bad a business strategy as it sounds.
www.nfx.com
(2021-03-02)
The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.
kwokchain.com
(2021-02-06)
How Figma and Canva are taking on Adobe—and winning In 2010, Photoshop was ubiquitous. Whether you were editing a photo, making a poster, or designing a website, it happened in Photoshop. Today, Adobe looks incredibly strong. They’ve had spectacular stock performance, thanks to clear-eyed management who’ve made bold bets that have paid off. Their transition … Continue reading How to Eat an Elephant, One Atomic Concept at a Time →
www.gwern.net
(2021-01-03)
A classic pattern in technology economics, identified by Joel Spolsky, is layers of the stack attempting to become monopolies while turning other layers into perfectly-competitive markets which are commoditized, in order to harvest most of the consumer surplus; discussion and examples.
www.collaborativefund.com
(2021-01-02)
This article originally appeared on Fortune.com.
www.collaborativefund.com
(2021-01-02)
A few factors I’ve seen pull winners off the podium…
mcfunley.com
(2021-01-02)
divinations.substack.com
(2020-12-22)
stratechery.com
(2020-12-18)
Dave Chappelle has a new special about his old show that includes fundamental lessons about how the Internet has changed the content business.
www.theverge.com
(2020-11-03)
Platforms can build a business, but the businesses have to pay.
subpixel.space
(2020-08-10)
Paid groups, bespoke social networks, and the meaning of community for internet-native businesses.
www.ecommerceceo.com
(2020-07-26)
Our top ecommerce builders are based on objective performance data, feature set & value. Check out ecommerce platforms now.
news.ycombinator.com
(2020-06-01)
a16z.com
(2020-06-01)
In 2019, long before the outbreak of COVID-19, many lower gross margin tech companies were not being well-received by the public markets, and an excessive spotlight was cast by many on company gross margins. In the present moment, that attention has only grown for both public and private companies. We’ve observed a bifurcation in the...
marker.medium.com
(2020-03-18)
Inside the surreal and lucrative two-sided marketplace of mediocre famous people
a16z.com
(2020-02-24)
If you polled a cross-section of companies about their most important software, accounts payable and accounts receivable software would likely not rank high on their lists. It’s the kind of unglamorous, workhorse software that’s necessary, but often taken for granted. Then, late last year, the cloud-based b2b payments company Bill.com went public—and became the second...
a16z.com
(2019-12-23)
There might be no more beloved image of the American entrepreneurial spirit than that of neighborhood kids who open a sidewalk lemonade stand on a hot summer day. With a little bit of “capital” from their parents — lemons, water, sugar, a card table, some markers and paper — hard work, and good sidewalk placement,...
www.bbc.com
(2019-12-23)
One man's desire to create the perfect gun profoundly changed manufacturing.
500ish.com
(2019-11-02)
Apple TV+ is cheap and barren. HBO Max is expensive and cheapening their brand. Everyone is confused.
www.japantimes.co.jp
(2019-10-09)
Tokyo Ohka Kogyo Co., JSR Corp. and Shin-Etsu Chemical Co.: Three seemingly inconspicuous companies suddenly came into the spotlight in early July when Japan announced it would slap tightened export controls to South Korea on three key chemicals — photoresists, fluorinated polyimide and hydrogen fluoride...
hbr.org
(2019-08-30)
How does Netflix get away with releasing its movies in theaters on the same day it makes them available for “free” on its streaming platform? The answer is that Netflix is pursuing a fundamentally different business model from everyone else in the industry. Netflix is not in the business of selling individual movies to many different customers. Instead, it’s in the business of selling many different movies to individual customers—in bundles. Bundled subscriptions allow Netflix to practice a different kind of price discrimination from the movie studios. The company doesn’t have to figure out how much a consumer values any individual movie on the service. The bundle does that for them—very profitably.
medium.com
(2019-08-29)
A new battle is brewing to be the default of every choice we make. As modern interfaces like voice remove options, augmented reality…
medium.com
(2019-08-20)
Bird recently announced a new form factor for micromobility, the Bird Cruiser. It’s a cross between an electric scooter, a bicycle and a…
www.ben-evans.com
(2019-08-09)
Amazon is so new, and so dramatic in its speed and scale and aggression, that we can easily forget how many of the things it’s doing are actually very old.
a16z.com
(2019-08-02)
Many of the most consequential projects of the internet era — from Wikipedia to Facebook and bitcoin — have all been predicated on network effects, where the network becomes more valuable to users as more people use it. As a result, we’ve become really good at analyzing and measuring network effects. Whether it’s decreasing customer...
logicmag.io
(2019-07-25)
An inquiry into how young people are hanging out on the internet.
www.axios.com
(2019-07-09)
Art has always had a strange relationship with copying.
usefyi.com
(2019-04-21)
Evernote has been plagued by a series of managerial missteps and failed product launches. The company’s future is far from certain.
bothsidesofthetable.com
(2019-04-20)
There is a story arc of the electric scooter market that took the world by storm in 2018, was second-guessed late in the year and has…
robsobers.com
(2019-03-16)
Update 2016-10-18: This tutorial has been updated to reflect the latest version of my stack (now with Drip!). I’ve also updated pricing info (it’s technically a $0 stack now) and screenshots. The original outdated article is archived here. “Just tell me what to do so I can stop
a16z.com
(2018-12-24)
The most successful companies and products of the internet era have all been predicated on the concept of network effects, where the network becomes more valuable to users as more people use it. This is as true of companies like Amazon and Google as it is for open source projects like Wikipedia and some cryptocurrencies....
apps.shopify.com
(2018-12-22)
Shopify App Store: customize your online store and grow your business with Shopify-approved apps for marketing, store design, fulfillment, and more.
digiday.com
(2018-12-21)
Shopify is partnering with a network of more than 20,000 app developers and agency partners to build profitable businesses.
zandercutt.com
(2018-09-05)
Why every purchase is a performance “I am not who you think I am; I am not who I think I am; I am who I think you think I am.” — Thomas Cooley About a month ago, I published what has become my mo…
stratechery.com
(2018-05-20)
The Moat Map describes the correlation between the degree of supplier differentiation and the externalization (or internalization) of a company’s network effect.
-->
prodmgmt/ecommerce links
categories:
tags:
ecommerce
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-ecommerce
towardsdatascience.com
(2024-05-28)
How Google figures out the price of a product across websites
www.practicalecommerce.com
(2024-05-27)
Amazon's marketplace accounts for most of the revenue for thousands of merchants. Therein lies the fear.
www.wsj.com
(2024-04-18)
Staff went undercover on Walmart, eBay and other marketplaces as a third-party seller called ‘Big River.’ The mission: to scoop up information on pricing, logistics and other business practices.
hbr.org
(2024-03-19)
At most small and medium-sized e-commerce retailers, prices are typically set and updated in an ad hoc fashion without one clear owner. The process often starts by using a gross margin target, followed by some comparison with competitors, and then some adjustments from there. Many of these retailers would quickly admit that this isn’t an optimal strategy, and that they are likely leaving money on the table — and they’re often right. The authors’ experience with price testing has shown that there is actually a significant amount of money left on the table when pricing is left un-optimized.
www.practicalecommerce.com
(2024-01-23)
Identify and target personas of keywords, competitors, Reddit discussions, and more.
www.marktechpost.com
(2024-01-17)
Developing large-scale datasets has been critical in computer vision and natural language processing. These datasets, rich in visual and textual information, are fundamental to developing algorithms capable of understanding and interpreting images. They serve as the backbone for enhancing machine learning models, particularly those tasked with deciphering the complex interplay between visual elements in images and their corresponding textual descriptions. A significant challenge in this field is the need for large-scale, accurately annotated datasets. These are essential for training models but are often not publicly accessible, limiting the scope of research and development. The ImageNet and OpenImages datasets, containing human-annotated
www.practicalecommerce.com
(2024-01-01)
Open-source platforms are flexible, composable, and highly customizable. Here's the all-new update to our longstanding list.
searchengineland.com
(2023-10-15)
A deep dive into why the DOJ thinks RGSP makes ad auctions unfair, and why Google believes it creates a better user experience.
techcrunch.com
(2023-09-07)
eBay's new generative AI tool, rolling out on iOS first, can write a product listing from a single photo -- or so the company claims.
searchengineland.com
(2023-08-14)
These tools can help you analyze PPC competitors, track search trends or design ad creative – all without spending a dime.
www.retailtechnologyreview.com
(2023-08-06)
By Sam Cortez, managing editor and outreach specialist for Scalefluence.comMerchandising is the process and practice of displaying and arranging products for the best customer experience. The concept of merchandising is based on guiding prospective customers through the buyer’s journey and presenting them with the right products, at the right time and place, in the right quantity, and with the best prices.
www.practicalecommerce.com
(2023-05-25)
The benefits of Amazon's "Look inside" book label applies to many products. Apparel, bags, housewares, and more could experience more conversions with an inside peek.
phys.org
(2023-05-02)
One person's trash may well be another's "come up," or what the rapper Macklemore calls hidden treasures in the song "Thrift Shop," but only if secondhand shoppers follow the rapper's lead and dig through ...
a16z.com
(2023-03-24)
General Partner Connie Chan on how leading brands are using AI and other technology to combine the serendipitous discovery of offline shopping with the infinite options of online shopping. Today, most of the Western world revolves around search-based online commerce. This means that most shoppers type directly what they want into a store search bar,...
dev.to
(2023-03-22)
Optimizing your ecommerce checkout process is crucial to reduce cart abandonment rates, as it affects...
www.fastcompany.com
(2023-03-10)
Google's targeted ad initiative AdSense was initially launched as “content targeting advertising” 20 years ago this month. Here’s how it changed the internet.
inc.com
(2023-03-10)
Make it easy for your customers to do business with you.
www.practicalecommerce.com
(2023-02-16)
Meta descriptions do not influence organic rankings. But the descriptions appear in search snippets more often than not and thus impact clicks on organic listings.
clicks.getpocket.com
(2023-01-30)
Why does every store suddenly look the same?
www.practicalecommerce.com
(2023-01-22)
Cost-plus pricing on the surface seems straightforward. But then market forces intervene.
news.ycombinator.com
(2023-01-07)
www.vox.com
(2022-11-15)
Inside the under-the-radar business that makes more money than Amazon Prime.
www.theawl.com
(2022-10-29)
by John MahoneyThis is a bucket of chum. Chum is decomposing fish matter that elicits a purely neurological brain stem response in its target consumer: larger fish, like sharks. It signals that they should let go, deploy their nictitating ...
retailwire.com
(2022-10-05)
A new recommerce venture offers all of the benefits of buying second hand plus a means to help fund social service programs in local communities, such as job training and youth mentorship. Do you see retailers trying to raise the visibility of their secondhand offerings in light of rising prices?
bluepnume.medium.com
(2022-09-18)
Everything these days is a subscription. And honestly, on reflection, subscriptions are complete horseshit.
tech.ebayinc.com
(2022-09-13)
Determining which promoted auction items to display in a merchandising placement is a multi-sided customer challenge that presents opportunities to both surface amazing auction inventory to buyers and help sellers boost visibility on their auction listings.
searchengineland.com
(2022-09-10)
Software and tools not only help you manage your time better but provide helpful insights that you wouldn't otherwise see in a Google or Facebook interface.
searchengineland.com
(2022-08-24)
Use these tips to quickly analyze performance data and identify high-impact PPC optimizations that will move the needle.
www.toptal.com
(2022-08-17)
Microinteraction best practices that improve e-commerce UX.
searchengineland.com
(2022-08-05)
Amazon will continue to be highly competitive. Want to be successful? Optimize your product listings to the fullest with these tips.
hbr.org
(2022-07-19)
Whether or not you should pursue a catalog strategy is a question that deserves significant thought. As digital marketing becomes more complex, it may make a lot of sense to send out correctly designed catalogs to the right customers. For e-commerce retailers without physical stores, catalogs can effectively mimic stores’ sensory experiences to enhance customer affinity. For multichannel retailers, by understanding the channel preferences of current customers through transactional data, multichannel retailers can add an effective catalog marketing channel to their store and e-commerce channel strategies.
danielamitay.com
(2022-07-19)
www.practicalecommerce.com
(2022-07-18)
Today's consumers expect free shipping for most items. But it's not always obvious for merchants to know when and how to offer it. Here's our all-new update for analyzing shipping costs and free delivery.
makeawebsitehub.com
(2022-07-18)
When it comes to making money online you’re going to have a lot of options at your disposal. Frankly, it can be quite overwhelming just choosing an online
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
abovethecrowd.com
(2022-07-17)
Since Benchmark’s investment in Ebay 15 years ago, we have been fascinated by online marketplaces. Entrepreneurs accurately recognize that the connective tissue of the Internet provides an opportunity to link the players in a particular market, reducing friction in both the buying and selling experience. For example, my car tax check is an online platfrom that allows you to book a slot for a complete history and guidance of your car taxes and other details. The arrival of the smartphone amplifies these opportunities, as the Internet’s connective tissue now extends deeper and deeper into an industry with the participants connected…
christmas.musetechnical.com
(2022-07-07)
336 Vintage Christmas Catalogs & Holiday Wish Books with 302,605 total catalog pages from Sears, Montgomery Ward and JCPenney over the years.
hbr.org
(2022-07-05)
The Swiss pharmaceutical giant Roche is nothing if not determined in its quest to acquire Illumina, the San Diego-based leader in genetic-sequencing equipment. In January, after Illumina’s board rebuffed Roche’s initial overtures, Roche made a $5.7 billion tender offer directly to shareholders. When that didn’t succeed, it extended the offer to midnight last Friday. Now […]
www.postaffiliatepro.com
(2022-07-05)
readwrite.com
(2022-07-05)
Ecommerce is booming, and there’s no doubt about that. The numbers speak for themselves. After all, in 2017, ecommerce sales reached $2.3 trillion, and
www.tomtunguz.com
(2022-07-05)
Funnel optimization for web3 companies will become critical to their success. Token grants cost 4-7x than traditional customer acquisition techniques. Other techniques, like incentivized referral, improve the economics but still tally 19 month payback periods. A year-and-a-half might be fine for a SaaS company selling a $50k to $100k ARR product, but long-term viability demands achieving 3-6 month paybacks of modern web2 consumer companies. Why are the payback periods so high?
towardsdatascience.com
(2022-07-05)
The BG/NBD model explained.
muratbuffalo.blogspot.com
(2022-06-29)
This paper appeared in VLDB'19 and is authored by Maurice Herlihy, Barbara Liskov, and Liuba Shrira. How can autonomous, mutually-distrust...
www.practicalecommerce.com
(2022-06-28)
Reputation management is essential for any brand. Your company's future may depend on what’s been said about it in posts, comments, reviews, and rankings. Fortunately, there are affordable tools to help. Here is a list of tools to manage your brand’s reputation.
www.nngroup.com
(2022-06-27)
Luxury brands should use their digital channels to support and enhance their high-quality customer experiences. This requires providing product details that spark interest, balancing visual design with other priorities, and avoiding interruptions that risk cheapening the brand.
blog.kissmetrics.com
(2022-06-25)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
www.practicalecommerce.com
(2022-06-23)
www.practicalecommerce.com
(2022-06-23)
Video is increasingly impacting ecommerce. Consumers use it for purchase decisions. Influencers live-stream product endorsements. And brands deploy video for engagement and product offerings. Here is a list of platforms for shoppable video.
techcrunch.com
(2022-06-22)
As part of its ongoing efforts to expand into e-commerce, Twitter today announced a new partnership with Shopify. The deal will see Twitter launching a
www.practicalecommerce.com
(2022-06-21)
Shoppers' actions on an ecommerce site create opportunities for automated, triggered emails. Such behavior-based email automation is a sure-fire tactic to drive revenue.
www.shopify.com
(2022-06-13)
Increase customer loyalty and take advantage of an additional opportunity to connect with customers by using packaging inserts. Here's why and how to use them in every package you send out.
webdesignledger.com
(2022-06-13)
getpocket.com
(2022-06-12)
Constant bargain hunting makes us value all the wrong things about shopping.
www.practicalecommerce.com
(2022-06-12)
Need to spice up descriptions for bland products? Use these themes and examples the next time you’re describing a back-to-school backpack or plain white t-shirt. You’ll soon understand how to look at ordinary products differently.
www.adroll.com
(2022-06-12)
Boost brand awareness, increase site visitors, and drive conversions with personalized advertising. AdRoll's been trusted by 140,000+ brands for over 15 years.
techcrunch.com
(2022-06-07)
Ever wonder why after buying shoes online (or any other consumer goods), for the next few weeks or months, you can be sure to spot ads or promotions for those same shoes on nearly every website you visit? What’s more, you'll see which shoes your Facebook friends bought, which shoes their friends bought and which shoes “others like you” bought. You already bought shoes, so why are you still being bombarded with ads for them?
www.blossom.co
(2022-06-07)
www.fastcodesign.com
(2022-06-07)
Find the latest Design news from Fast company. See related business and technology articles, photos, slideshows and videos.
www.channeladvisor.com
(2022-06-02)
CommerceHub and ChannelAdvisor are now united as Rithum. We empower top brands, suppliers, and retailers with durable, profitable e-commerce solutions.
www.practicalecommerce.com
(2022-05-28)
Why does the ecommerce community have such a blind spot when it comes to unique product descriptions? Syndicated descriptions produce duplicate content. Why is duplicate product copy accepted so blindly? The answer depends on whether you’re the syndicator or the site using the syndicated content.
dataconomy.com
(2022-05-27)
The way we live our lives has an impact on our work. Long lists of typical chores may turn your
hbr.org
(2022-05-20)
Competitive poaching refers to the practice of bidding on ads for a competitor’s search terms, in order to poach customers searching for that brand. It’s a common tactic in the world of digital ads — but is it effective? The author shares results from the first-ever empirical study of this practice, which found that poaching can work well for higher-end brands, but may backfire for lower-end or mass market offerings. Specifically, the study found that when an ad poached customers who searched for a high-end brand, users clicked on it more, but when an ad poached a low-end or mass market target, users were less likely to click. Of course, the author notes that clickthrough rate is just one metric, and there may be other ways in which a poaching campaign could be harmful or beneficial. But these findings can help marketers add a bit of science to the art that is digital advertising, helping them to optimize campaigns for their unique products and customers.
www.practicalecommerce.com
(2022-05-12)
Optimizing content for organic rankings requires knowing how Google will interpret searchers' intent — informational, commercial, or navigational.
www.wired.com
(2022-05-09)
The Chinese company has become a fast-fashion juggernaut by appealing to budget-conscious Gen Zers. But its ultralow prices are hiding unacceptable costs.
tech.ebayinc.com
(2022-04-07)
Under the new machine learning model, buyers are recommended items that are more aligned to their shopping interests on eBay.
www.tomtunguz.com
(2022-02-19)
The most consistent sales leader I’ve worked with hit plan 27 consecutive quarters. How can a sales leader develop similar repeatability? Much goes into it here are the reports he used to manage his team at the board level. The PQR (pipeline-to-quota) funnel is first. Pipeline is the total value of the accounts within a stage or later. Quota is the aggregate quota on the street for the quarter. Divide P by Q to get PQR.
restofworld.org
(2022-02-18)
Ordering clothes from Chinese fast-fashion brands like Shein is easy. Sending them back is a lot more complicated
www.practicalecommerce.com
(2022-02-10)
Keywords are an important building block for ecommerce marketing. Developing and maintaining a keyword list may help an ecommerce business understand shoppers and do a better job of marketing to them. In the context of search engine optimization, searchers' words or phrases summarize their thoughts, questions, or needs. Those keywords represent the language people use to ask for help finding resources online.
www.practicalecommerce.com
(2021-11-29)
The final step in product photography is optimizing the images for search engines and page speed. This is the 14th installment in my series on helping ecommerce merchants create better product images. In this post, I'll address making your photos faster to download and more visible in Google's image search.
www.vox.com
(2021-11-03)
That cute dress you bought off Instagram could be found on Shein, AliExpress, or Amazon for much cheaper.
www.practicalecommerce.com
(2021-09-26)
Business-to-business marketplaces are among ecommerce's leading growth trends, yet many industries remain under-served, especially for raw materials.
restofworld.org
(2021-08-31)
One fintech veteran from India found out the hard way why “Mexicans love cash.”
retailtechinnovationhub.com
(2021-07-25)
In the modern business world, there are several businesses releasing similar products into the market.
www.practicalecommerce.com
(2021-07-20)
Reputation management is essential for any brand. Your company's future may depend on what’s been said about it in posts, comments, reviews, and rankings. Fortunately, there are affordable tools to help. Here is a list of tools to manage your brand’s reputation.
www.practicalecommerce.com
(2021-07-07)
Shoppers search an online store's policy pages for details on shipping, returns, and more. Rarely are these vital pages engaging. But they should be.
www.vox.com
(2021-07-07)
The video app is causing products to blow up — and flame out — faster than ever.
smashingmagazine.com
(2021-06-03)
Getting a good performance score from Google is hard for any website — but doing so for an online store is even harder. We achieved green scores — even several for mobile. Here is how we did it.
www.ben-evans.com
(2021-05-29)
Should we still be talking about online and offline retail, or about trucks versus boxes versus bikes?
www.practicalecommerce.com
(2021-05-21)
Writing product descriptions sounds simple. But it takes planning. The best descriptions address a broad audience, which is why many companies employ marketers to help. When writing descriptions for the masses, focus on the following three elements.
shopify.engineering
(2021-04-02)
The three-step framework Shopify's Data Science & Engineering team built for evaluating new search algorithms.
www.practicalecommerce.com
(2021-03-30)
A recurring subscription model is a powerful tool for growth and profit — if you can get subscribers. "A lot of brands install our subscription software
www.noupe.com
(2021-03-22)
Well, if you are planning to sell your stuff online and make money, then there are a few top eCommerce platforms that would help you out. Shopify is the
www.practicalecommerce.com
(2021-03-02)
You’ve downloaded TikTok and browsed the videos. Now you’re wondering what content to create for your ecommerce business. There are many types of videos to attract leads without dancing on camera. Here are 11 ideas for all types of merchants.
newsroom.haas.berkeley.edu
(2021-02-23)
There’s a reason that online ticket sellers hit you with those extra fees after you’ve picked your seats and are ready to click “buy.” Pure profit. A
www.npr.org
(2021-02-18)
Burlington shut down online sales in March right before coronavirus lockdowns. But it's among the discount retailers that have endured the pandemic surprisingly well, even opening new stores.
venturebeat.com
(2021-01-10)
Usage-based pricing can be incredibly powerful, particularly in cases where the SaaS solution handles the flow of money.
venturebeat.com
(2021-01-10)
Part 1 in this 3-part series: Find the pricing model that fits with your particular options for expansion once you've made that first sale.
medium.com
(2021-01-06)
Why Amazon Needs a Competitor and Why Walmart Ain’t It
www.gkogan.co
(2021-01-04)
Making things look nice can take a long time, either due to lack of resources or abundance of opinions. This could delay launches, frustrate people, and waste precious energy. Those are high costs for startups or companies hoping to move fast. Is it worth it? Long ago I got fed
neilpatel.com
(2021-01-02)
Looking to grow your affiliate marketing site but aren't sure which affiliate network is right for you? Here's everything you need to know.
www.coryzue.com
(2020-12-10)
Tips on running successful Black Friday sales for creators and Indie Hackers
neilpatel.com
(2020-11-20)
How can dropshipping tools give you the edge in the competitive world of e-commerce? We take a look at the 11 best dropshipping tools you should be using.
digiday.com
(2020-11-13)
Read more in the DTC Briefing, a weekly Modern Retail column about the biggest challenges and trends facing the DTC startup world.
digiday.com
(2020-11-10)
If e-commerce was a market for L’Oreal, then it would be the biggest in terms of market value, worth nearly €5 billion ($5.9 billion).
neilpatel.com
(2020-11-06)
What is behavioral marketing? Here's how email marketing, demographics, and upsells can be used to monitor and act on customer behavior.
www.retaildive.com
(2020-11-03)
To succeed in today’s e-commerce environment, companies must craft an online experience that meshes with the brick-and-mortar brand experience in their physical stores.
www.practicalecommerce.com
(2020-11-03)
Convenience and security increasingly impact online selling. That's especially the case for the upcoming holiday season, as consumers will likely seek flexible, seamless payment options. Here are four payment methods to consider for this year's holiday selling.
www.retaildive.com
(2020-11-03)
Checking out should be easier, especially now.
www.practicalecommerce.com
(2020-11-03)
Shopping on Facebook and Instagram is finally here. With the recent launches of Shops on both apps and Live Shopping, Facebook is facilitating easier commerce across its platform. Here is a list of tools to help you sell on Facebook and Instagram.
www.practicalecommerce.com
(2020-08-02)
Brick-and-mortar retail businesses are turning toward ecommerce to generate revenue — online and click-and-collect. As they make this digital transformation, those merchants will likely have questions about ecommerce platforms, themes, and design. While all of these are important, a company's focus should be on products and marketing first, in my experience.
www.ecommerceceo.com
(2020-07-26)
Our top ecommerce builders are based on objective performance data, feature set & value. Check out ecommerce platforms now.
www.practicalecommerce.com
(2020-06-23)
A ecosystem of buyers, sellers, and brokers creates a thriving M&A market for digital businesses.
www.propublica.org
(2020-06-08)
Brands have long been able to bid for the premier slot at the top left of Amazon’s listings, but during the pandemic the online retailer has begun using this position for its private-label items, raising antitrust concerns.
www.modernretail.co
(2020-05-15)
2020 was the year East Fork ceramics planned to become profitable. Now, that's likely no longer on the table, but the company is using a new model to better handle its balance sheet: pre-sales. Now, new product lines will all be for sale before they're manufactured, as a way to get capital in as early as possible.
dev.to
(2020-05-14)
Greetings, everyone. This post begins a series on Web Monetization and serves to document my learning...
www.aliexpress.com
(2020-05-02)
AliExpress lets you unlock top brands' bestselling electronics, clothing, homewares, toys, sporting equipment, auto parts and more so you can live better for less.
www.wired.co.uk
(2020-05-01)
In Bali, western immigrants are selling products they've never handled, from countries they've never visited, to consumers they've never met
searchengineland.com
(2020-03-09)
Packing an astonishing amount of information into an easy-to-digest visual, it's well worth the download.
www.supplychaindive.com
(2020-02-29)
Executives insist 2020 is the year Wayfair's logistics investments will show their worth.
www.supplychaindive.com
(2019-12-23)
Returns are on the rise – here’s what you can do to make it your competitive advantage.
t.co
(2019-12-23)
Learn the exact way that I perform keyword research that generates profitable, scalable ROI for eCommerce stores.
reallifemag.com
(2019-08-31)
Delivery robots will redefine the meaning of every object they transport
www.nngroup.com
(2019-08-30)
On ecommerce sites, saving shopping-cart items for possible later purchase must be discoverable and low-effort.
docs.google.com
(2019-08-30)
Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver
www.nngroup.com
(2019-08-30)
Unexpected service fees and special-delivery costs should be disclosed early in the shopping process to avoid losing customers.
www.nngroup.com
(2019-08-29)
Coupons and other discounts should be easy to apply and shopping carts should clearly display how the total was affected by the promotion.
www.entrepreneur.com
(2019-08-29)
Buying a domain at the asking price? That's like buying a used car at the asking price. Doing your homework pays off.
www.practicalecommerce.com
(2019-08-29)
Retailers seek to avoid markdowns and sell out of the season at full margin, but it isn’t easy to predict how much inventory to acquire. In this post, I'll address four online merchandising tactics that balance consumer demand with inventory levels, to maximize profits.
labs.openviewpartners.com
(2019-08-29)
A product qualified lead (PQL) is a lead who has experienced meaningful value using your product through a free trial or freemium model. Learn how to use them in your organization here.
openviewpartners.com
(2019-08-20)
SaaS products may be the future of how we work, but that future will only happen if we can learn how to build trust with your customers.
www.ben-evans.com
(2019-08-09)
Amazon is so new, and so dramatic in its speed and scale and aggression, that we can easily forget how many of the things it’s doing are actually very old.
canny.io
(2019-07-25)
Not every SaaS company has endless spare money. One of the biggest piggy bank breakers are the tools we use—and it adds up fast.
www.practicalecommerce.com
(2019-06-23)
Google Analytics is a powerful, free web analytics platform. However, it has gaps that are better served by other tools. I'll address those gaps and tools in this post.
www.retaildive.com
(2019-05-29)
Many attributes of the customer journey are very predictable and can be planned for to create and convert inbound store footfall.
www.fastcompany.com
(2019-05-08)
The box has never looked better.
www.supplychaindive.com
(2019-02-05)
Manufacturers are developing two packaging designs for the same product: those destined for the retail shelf and those sent directly to consumers.
digiday.com
(2019-01-22)
Untuckit is using Amazon to offload older styles -- preferring the marketplace as an alternative over the traditional outlet store.
www.practicalecommerce.com
(2019-01-13)
PopSockets opted not to be a direct vendor to Amazon. Instead, it chose one major reseller to represent it on the marketplace. But, Amazon would not allow it. So, PopSockets walked away.
apps.shopify.com
(2018-12-22)
Shopify App Store: customize your online store and grow your business with Shopify-approved apps for marketing, store design, fulfillment, and more.
digiday.com
(2018-12-21)
Shopify is partnering with a network of more than 20,000 app developers and agency partners to build profitable businesses.
sumo.com
(2018-11-26)
The biggest question in ecommerce A/B testing is not “how.”
www.adweek.com
(2018-11-13)
Express and Ann Taylor are just two of several established retailers that have launched clothing rental subscriptions in recent months.
www.toptal.com
(2018-08-23)
An illuminating infographic highlights 10 e-commerce pain points that ruin the user experience and lead to shopping cart abandonment.
a16z.com
(2018-08-21)
Editor’s note: This article by now-a16z general partner Alex Rampell was originally published in 2012 in TechCrunch. The biggest ecommerce opportunity today involves taking offline services and offering them for sale online (O2O commerce). The first generation of O2O commerce was driven by discounting, push-based engagements, and artificial scarcity. The still-unfulfilled opportunity in O2O today is tantamount to...
digiday.com
(2018-08-13)
PopSugar said it expects to have 20,000 subscribers by year's end to its text message program, which it's used to sell protein bars and housewares.
www.practicalecommerce.com
(2018-07-05)
I'm a longtime seller on Amazon's marketplace. I also mentor many sellers and help brands to improve their marketplace sales. And I belong to various
medium.learningbyshipping.com
(2018-06-05)
Building a product that connects to multiple third-party products is a common approach — an annotated twitter thread exploring strategic…
www.practicalecommerce.com
(2018-05-30)
Many online retailers unintentionally train consumers to expect discounts. Clothing stores are amongst the worst offenders. Constant discounting makes full-price shoppers believe they’re being overcharged. They often won’t shop until the next sale, which leads to a vicious cycle. It is a rare company that doesn’t get asked for discounts. In this post, I'll review 10 ways to offer clients a discount.
www.indiehackers.com
(2018-05-07)
Connect with developers sharing the strategies and revenue numbers behind their companies and side projects.
www.practicalecommerce.com
(2018-05-04)
I'm often asked why I started FringeSport. People inquire, "Of all the things to do, why sell barbells?" I tell them that if I wanted only to make money,
www.mckinsey.com
(2017-11-24)
Amazon turned an event into a blockbuster. Here’s a roadmap for retailers who want to replicate its success.
www.practicalecommerce.com
(2017-11-15)
Lessons learned from opening a brick-and-mortar retail store may apply to online merchants, providing insights about promoting products, driving sales,
-->
prodmgmt/pricing
categories:
tags:
pricing
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-pricing
www.practicalecommerce.com
(2025-01-09)
AI-powered platforms transform a decades-old pricing practice.
www.thediff.co
(2024-11-10)
And why you will never get Taylor Swift tickets at face value
capitalgains.thediff.co
(2024-11-02)
Thoughts on business models that don't seem to make perfect sense
pivotal.substack.com
(2024-07-30)
Everything you ever wanted to know about data pricing.
longform.asmartbear.com
(2024-07-15)
Dozens of founders have used this technique to transform the cash-flow of their businesses. Now it's your turn.
www.readmargins.com
(2024-06-30)
There is such a thing as a free lunch
eugeneyan.com
(2024-05-07)
Pushing back on the cult of complexity.
www.nytimes.com
(2024-05-04)
When Paris F.C. made its tickets free, it began an experiment into the connection between fans and teams, and posed a question about the value of big crowds to televised sports.
en.wikipedia.org
(2024-04-07)
The Price Sensitivity Meter (PSM) is a market technique for determining consumer price preferences. It was introduced in 1976 by Dutch economist Peter van Westendorp. The technique has been used by a wide variety of researchers in the market research industry. The PSM approach has been a staple technique for addressing pricing issues for the past 20 years. It historically has been promoted by many professional market research associations in their training and professional development programs. The PSM approach continues to be used widely throughout the market research industry and descriptions can be easily found in many market research websites.
hbr.org
(2024-03-19)
At most small and medium-sized e-commerce retailers, prices are typically set and updated in an ad hoc fashion without one clear owner. The process often starts by using a gross margin target, followed by some comparison with competitors, and then some adjustments from there. Many of these retailers would quickly admit that this isn’t an optimal strategy, and that they are likely leaving money on the table — and they’re often right. The authors’ experience with price testing has shown that there is actually a significant amount of money left on the table when pricing is left un-optimized.
www.news.aakashg.com
(2024-03-06)
The pricing models of the top B2B SaaS companies, the strategies to iterate on, case studies of successful changes, and everything else you need to know
www.techdirt.com
(2024-02-29)
towardsdatascience.com
(2023-08-19)
Applying Reinforcement Learning strategies to real-world use cases, especially in dynamic pricing, can reveal many surprises
businessday.ng
(2023-07-29)
On a flight from Paris to London in 1983 Jane Birkin, an Anglo-French chanteuse and actress, spilled the contents of her overstuffed straw...
www.thedrive.com
(2023-03-29)
Sometimes there is a replacement for name brand tools. Knowing who makes what is the best way to save big when building your tool collection.
retailwire.com
(2023-03-28)
Telfar has introduced a “Live Price” pricing model based on customer demand.
www.businessinsider.com
(2023-03-26)
The US thrift market has grown substantially in recent years as thrifting has become a popular pursuit of Gen Z shoppers.
www.wsj.com
(2023-03-12)
It’s a place for obsessives to buy, sell and geek out over classic cars. The company pops open its hood after 100,000 auctions to explain why.
theaccidentalpm.com
(2023-02-07)
hardware.slashdot.org
(2023-02-02)
tedium.co
(2023-01-26)
The legal decision that fostered the idea of the manufacturer’s suggested retail price, and why it still sticks around even though that decision was overturned.
dev.to
(2023-01-26)
This article was initially published on Lago's blog, an open-source billing API, and was ranked #1 on...
www.practicalecommerce.com
(2023-01-22)
Cost-plus pricing on the surface seems straightforward. But then market forces intervene.
hbr.org
(2022-10-01)
Some fans were outraged when man-of-the-people Bruce Springsteen charged more than $5,000 per seat for his upcoming concert. The high prices were the result of a dynamic pricing system, in which prices are adjusted upward in response to strong demand. This controversy illustrates seven lessons that managers should keep in mind when adjusting prices, including the need for clear communications, longtime customers’ expectation that they deserve a discount, and the fact that high prices will raise expectations about quality and service.
eng.lyft.com
(2022-09-24)
www.scientificamerican.com
(2022-08-22)
Left unchecked, pricing algorithms might unintentionally discriminate and collude to fix prices
koenfucius.medium.com
(2022-07-28)
Why might people decline an offer of up to $10,000 just to keep their feet on the ground?
blog.kissmetrics.com
(2022-07-19)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
www.neildavidson.com
(2022-07-19)
blog.evercontact.com
(2022-07-18)
This past week our Community / Growth Manager, Brad Patterson, spoke at the European Cloud Expo in London on the topic Try Before You Buy – Successes and Misgivings in the European Cloud Ecosystem. Also speaking were Jason Turner, director of Business development at Cedexis, António Ferreira, CEO at Luna Cloud, Lee […]
www.practicalecommerce.com
(2022-07-18)
Today's consumers expect free shipping for most items. But it's not always obvious for merchants to know when and how to offer it. Here's our all-new update for analyzing shipping costs and free delivery.
kevinlynagh.com
(2022-07-18)
hbr.org
(2022-07-18)
What consumers truly value can be difficult to pin down and psychologically complicated. But universal building blocks of value do exist, creating opportunities for companies to improve their performance in existing markets or break into new markets. In the right combinations, the authors’ analysis shows, those elements will pay off in stronger customer loyalty, greater consumer willingness to try a particular brand, and sustained revenue growth. Three decades of experience doing consumer research and observation for corporate clients led the authors—all with Bain & Company—to identify 30 “elements of value.” Their model traces its conceptual roots to Abraham Maslow’s “hierarchy of needs” and extends his insights by focusing on people as consumers: describing their behavior around products and services. They arrange the elements in a pyramid according to four kinds of needs, with “functional” at the bottom, followed by “emotional,” “life changing,” and then “social impact” at the peak. The authors provide real-world examples to demonstrate how companies have used the elements to grow revenue, refine product design to better meet customers’ needs, identify where customers perceive strengths and weaknesses, and cross-sell services.
iterativepath.wordpress.com
(2022-07-18)
Increasing price is not easyIt requires careful review of customers you want to serve, their needs and alternatives available to them. Increasing price of an extremely popular product is even harde…
blog.asmartbear.com
(2022-07-18)
hbr.org
(2022-07-18)
Antitrust law will have to evolve to cope.
hbswk.hbs.edu
(2022-07-18)
Are consumers more likely to buy if they see the price before the product, or vice versa? Uma Karmarkar and colleagues scan the brains of shoppers to find out.
medium.com
(2022-07-18)
How Letting People Choose Their Price Can Make You a Millionaire
ericsink.com
(2022-07-18)
conversionxl.com
(2022-07-18)
Pricing is hard. Make it too low and you miss out on profit; too high and you miss out on sales. These pricing experiments will help you get it right.
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
marcbarros.com
(2022-07-18)
This post originally appeared on Hackthings.com So you have a hardware product in the works? Before you can launch it, one of the most important things you need to figure out is pricing. Unlike software, you can’t AB test your pricing and change it for different customers, which means your product has one price and …
hbr.org
(2022-07-18)
Many businesses are managing a sharp decline in sales during the ongoing coronavirus crisis. An instinctive reaction may be to cut low-performing products from their menu of offerings — but this isn’t always the best way forward. The authors lay out a case for adding an ultra-expensive product to their portfolio. There are five reasons to do it: To increase sales across other products; to communicate expertise; to convey prestige; to garner publicity; and to move upmarket.
hbr.org
(2022-07-18)
Why stores like Trader Joe’s succeed.
hbr.org
(2022-07-18)
Technology has made it easier, but strategic rules still apply.
blog.asmartbear.com
(2022-07-18)
You can charge much more than you think, if you reposition your value-proposition. Here's how.
iterativepath.wordpress.com
(2022-07-18)
We are all too familiar with price unbundling. Remember the first time Airlines charged for checkin bags? Or a restaurant charged for salad dressing? The simple recipe for price unbundling is to s…
market-found.com
(2022-07-18)
hbr.org
(2022-07-18)
Reviewing how to calculate it and dispelling misconceptions.
hbr.org
(2022-07-18)
In a world of abundance, an authentic, meaning-rich story can drive a company’s margins up.
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
api.atlasobscura.com
(2022-07-13)
Follow the wine playbook.
labs.openviewpartners.com
(2022-07-11)
Pricing is a good place to make a few critical resolutions for businesses. Learn the 5 resolutions as you shape your pricing strategy for 2019.
hbswk.hbs.edu
(2022-07-10)
Consumer inertia is the tendency of some customers to buy a product, even when superior options exist. Alexander J. MacKay discusses how that habit affects competitive strategy and even regulatory oversight.
abovethecrowd.com
(2022-07-05)
In a casino, the term “rake” refers to the commission that the house earns for operating a poker game. With each hand, a small percentage of the pot is scraped off by the dealer, which in essence becomes the “revenue” for the casino. While casinos use the term “rake,” a plethora of interesting word choices exist which all describe the same thing – keeping a little bit of the revenue for the company that is running the service. Examples include “commission,” “fee,” “toll,” “tax,” “vig” or “vigorish,” “juice,” “the take”, and “graft” (although this last one is typically associated with…
hbr.org
(2022-07-05)
Focus, eliminate, replace.
hbr.org
(2022-07-05)
There is increased efficiency and other benefits to doing so.
tomtunguz.com
(2022-07-05)
Pricing is one of the most challenging decisions for any startup. One of the simplest ways of discovering customer willingness to pay is simply to ask them. At first blush, that might seem a reasonable and effective solution, it is prone to wild inaccuracy. Absolute pricing judgments are hard without reference points. For example: How much would you be willing to pay for a new iPhone? It’s a very challenging question to answer in the abstract.
blog.asmartbear.com
(2022-07-05)
abovethecrowd.com
(2022-07-05)
Over the course of the past year, many writers have offered their perspectives on Uber’s dynamic pricing strategy. Perhaps the only consistency is that people have deeply passionate views on this topic. However, there are still many misperceptions about how the model works, and the purpose of this post is to clarify some of those misperceptions. I am an Uber investor and board member, and therefore expect that many will dismiss these thoughts as naked bias. But consider that as a result of my role I have access to more information that might enable a deeper perspective. I also have…
onstartups.com
(2022-07-05)
The following is a guest post by Andy Singleton Andy is the founder and CEO of Assembla a company that provides bug tracking and hosted GIT and SVN
hbr.org
(2022-07-05)
Focus on the problem you’re trying to solve.
econsultancy.com
(2022-07-05)
From social media sentiment analysis to digital ad buying, faster is increasingly seen as better, or at least necessary. So it’s no surprise that the ability to generate lots of data and analyze it…
www.extendslogic.com
(2022-07-05)
Last month Bidsketch had the biggest increase in revenue it’s ever had. Before that, the biggest increase in revenue came when FreshBooks emailed a million people and mentioned Bidsketch as a new integration for sales proposals. I got so many new sales notifications that day, I thought someone had hacked my server. It was nuts.… Continue reading How to Increase SaaS Pricing (and Quickly Triple Your Growth) →
www.practicalecommerce.com
(2022-06-28)
In the 1950s, most products were built to last. Companies knew that manufacturing long-lasting products would spread word-of-mouth referrals, which meant
www.nytimes.com
(2022-06-28)
There’s a reason scalpers have confused economists for decades.
coda.io
(2022-06-28)
What everyone tends to get wrong about bundling
www.neurosciencemarketing.com
(2022-06-28)
Restaurants are great test labs for testing neuromarketing techniques. It's easy to change offerings, menus, and pricing, and one gets immediate feedback on what's working and what's not. Today, many eateries are employing sophisticated menu psychology to maximize sales and profits.
hbswk.hbs.edu
(2022-06-25)
Low-margin retailers argue they can't afford customer loyalty programs, but is that true? Rajiv Lal and Marcel Corstjens make the case that such programs are profit-enhancing differentiators.
arstechnica.com
(2022-06-25)
Selling software isn’t like selling cars or real estate. Don’t sell yourself short.
iterativepath.wordpress.com
(2022-06-25)
Take a look at these two coupons Target stores printed out at checkout at the same time. What is your take on the reasoning behind this? If you have the read the famous Target Big Data story about …
iterativepath.wordpress.com
(2022-06-24)
This quote comes to us from Ms. Allie Webb, the Founder and CEO of Drybar a blow dry only salon. A blow dry salon is not like any hair salon. It offers, just as name indicates, blow dry and styling…
iterativepath.wordpress.com
(2022-06-24)
Fences are never beautiful. May be the picket fences are. But when designed to keep two sides from moving easily from one side to the other they are not usually described as beautiful. Price fences…
news.ycombinator.com
(2022-06-24)
openviewpartners.com
(2022-06-24)
You’re probably not aware of it, but the price of your product includes a risk discount.
thehustle.co
(2022-06-23)
Take the same item to 4 different pawn shops and you might get offers that vary by hundreds of dollars. Here’s why.
techcrunch.com
(2022-06-23)
Have you ever bought sweet tickets for a ballgame, a concert or some other live event, only to find out that you couldn't make it? The internet certainly
www.wsj.com
(2022-06-23)
A growing number of new businesses are following in the footsteps of successful companies such as Dropbox and Skype, by giving away their products and services free to build a customer base. But for some, that 'freemium' strategy is turning out to be costly.
www.fastcoexist.com
(2022-06-23)
Proximity Designs is a for-profit design company whose goal is to create products cheap enough--and good enough--that they can be bought by poor farmers, instead of just giving them aid.
market-found.com
(2022-06-13)
www.priceintelligently.com
(2022-06-13)
See why evaluating your value metric and aligning it with your pricing strategy is the key to optimizing your SaaS business for profits and growth.
webdesignledger.com
(2022-06-13)
getpocket.com
(2022-06-12)
Constant bargain hunting makes us value all the wrong things about shopping.
www.sequoiacap.com
(2022-06-12)
sergionajera.com
(2022-06-10)
www.theatlantic.com
(2022-06-07)
At IHOP and Applebee's, menus are sales documents. And navigational guides. And explainers.
www.groovehq.com
(2022-05-28)
We thought we were being smart with innovative pricing models. We were wrong, but we finally righted the ship.
www.overdrive.com
(2022-05-28)
getAbstract Summary: Get the key points from this book in less than 10 minutes.Ronald J. Baker makes a sound economic case that the traditional method of generating prices by calculating costs and figuring in an acceptable profit is outdated and u...
www.nickkolenda.com
(2022-05-28)
Free Online Guide - Which digits to choose? How high should it be? Should it be rounded or precise? Plus other techniques.
limedaring.com
(2022-03-16)
openviewpartners.com
(2022-03-14)
I joined Datadog as VP Finance back in 2015 when the company was still very small. Back then, the company had about 100 employees, was making around $20
www.theatlantic.com
(2022-03-07)
Forking over another $5 a month is getting pretty old.
www.priceintelligently.com
(2022-02-24)
This week we teardown the pricing of Dollar Shave Club and Gillette. Will Dollar Shave Club win out by taking over the bathroom, or can Gillette fight back with over 100 years of brand awareness? We find out in this week's Pricing Page Teardown.
www.psychologytoday.com
(2022-02-10)
Driven by buyers' need for consistency and explanation, the most popular pricing method uses a surprisingly simple formula based on size.
www.newyorker.com
(2022-01-15)
The estate-sale industry is fragile and persistent in a way that doesn’t square with the story of the world as we have come to expect it.
hbr.org
(2021-11-11)
Profit desert customers — small, low-profit customers often numbering in the tens of thousands — are an important business segment in most companies. They often amount to about 50–80% of customers and consume about 40–60% of the company’s costs. In some companies, they’re assigned to territory reps as low-revenue “C” accounts, which distracts the reps from selling more lucrative business. In all companies, they create costly complexity in functions ranging from order-taking to fulfilment to after-sales service and returns because these customers are numerous and often inexperienced. The best way to manage your profit desert customers is to cluster them under a unified management structure — a profit desert customer team — rather than having them scattered in sales reps’ portfolios throughout the company. This team should be composed of specialized sales and marketing managers who are solely focused on this customer segment. The author presents three steps these managers should take to bring latent profits to the bottom line.
tips.ariyh.com
(2021-06-17)
3-min marketing recommendations from the latest scientific research. Join 30,000+ marketers, for $0.
thenextweb.com
(2021-03-15)
Earlier this year, GitLab got rid of a paid starter offering, trimming its product catalog from 4 subscription tiers to 3 — here's why it makes sense.
newsroom.haas.berkeley.edu
(2021-02-23)
There’s a reason that online ticket sellers hit you with those extra fees after you’ve picked your seats and are ready to click “buy.” Pure profit. A
news.ycombinator.com
(2021-02-18)
www.npr.org
(2021-02-18)
Burlington shut down online sales in March right before coronavirus lockdowns. But it's among the discount retailers that have endured the pandemic surprisingly well, even opening new stores.
venturebeat.com
(2021-01-10)
Usage-based pricing can be incredibly powerful, particularly in cases where the SaaS solution handles the flow of money.
venturebeat.com
(2021-01-10)
Part 1 in this 3-part series: Find the pricing model that fits with your particular options for expansion once you've made that first sale.
www.skmurphy.com
(2020-12-18)
Video and slides from Mark Stiving's talk on value based pricing and price segmentation at the Aug-26-2020 Lean Culture Online event.
www.theverge.com
(2020-11-03)
Platforms can build a business, but the businesses have to pay.
www.nytimes.com
(2020-11-03)
Prices for works by some relatively new artists have skyrocketed, seemingly overnight.
idiallo.com
(2020-11-03)
After I completed my first programming class, I went straight to Craigslist. I advertised my programming services. I called myself an experienced programmer who could code anything. I posted a link to
towardsdatascience.com
(2020-06-01)
www.bloomberg.com
(2020-01-21)
Breaking down the boldest bets in business
www.retaildive.com
(2019-12-31)
Polly Wong, managing partner at Belardi Wong, offers tips for crafting customer offers while avoiding discount fatigue and harm to the bottom line.
www.technologyreview.com
(2019-12-28)
If you shop on Amazon, an algorithm rather than a human probably set the price of the service or item you bought. Pricing algorithms have become ubiquitous in online retail as automated systems have grown increasingly affordable and easy to implement. But while companies like airlines and hotels have long used machines to set their…
openviewpartners.com
(2019-10-18)
Hired's Head of Global Revenue, John Kelly, explains how the company successfully transitioned from a transactional to a subscription model.
www.nngroup.com
(2019-08-29)
Coupons and other discounts should be easy to apply and shopping carts should clearly display how the total was affected by the promotion.
www.entrepreneur.com
(2019-08-29)
Buying a domain at the asking price? That's like buying a used car at the asking price. Doing your homework pays off.
labs.openviewpartners.com
(2019-08-29)
When you deliver value to your customer is as important as how you deliver value. The when becomes a critical input into designing your pricing model. Learn more here.
hbr.org
(2019-07-03)
Orbitz, the travel website, offers slightly different prices to customers who are shopping through its app or a computer, and even between two different users on the same platform. Some of this may be due to experimentation and testing, but it’s also a sign that web retailers are using technology to try to offer personalized pricing — a practice some might consider a form of price profiling. The goal of this practice is to try to identify an individual’s willingness to pay and adjust the price upward or downward to maximize profits. It’s something shoppers should be aware of as more purchases are made online.
www.mckinsey.com
(2019-05-29)
Rapid, customer-tailored dynamic pricing adjustments being made possible by new digital and advanced-analytics capabilities can generate substantial margin improvement for chemical companies.
labs.openviewpartners.com
(2018-12-20)
Pricing is a good place to make a few critical resolutions for businesses. Learn the 5 resolutions as you shape your pricing strategy for 2019.
www.strategy-business.com
(2018-10-17)
Customer segmentation is not just a revenue tool, but also a way to achieve excellence in execution.
www.mckinsey.com
(2018-08-27)
Faced with tough competition and uncertainty in raw-material prices, industrial companies must reset their pricing architecture.
hbr.org
(2018-07-17)
Cost-plus pricing is a lot like the romance novel genre, in that it’s widely ridiculed yet tremendously popular. The idea behind cost-plus pricing is straightforward. The seller calculates all costs, fixed and variable, that have been or will be incurred in manufacturing the product, and then applies a markup percentage to these costs to estimate the asking price. Though currently out of fashion among pricing experts (for good reason), there are sometimes strategic and pragmatic reasons to use cost-plus pricing. When implemented with forethought and prudence, cost-plus pricing can lead to powerful differentiation, greater customer trust, reduced risk of price wars, and steady, predictable profits for the company.
www.practicalecommerce.com
(2018-05-30)
Many online retailers unintentionally train consumers to expect discounts. Clothing stores are amongst the worst offenders. Constant discounting makes full-price shoppers believe they’re being overcharged. They often won’t shop until the next sale, which leads to a vicious cycle. It is a rare company that doesn’t get asked for discounts. In this post, I'll review 10 ways to offer clients a discount.
-->
prodmgmt/startups
categories:
tags:
prodmgmt
startups
date: 26 Mar 2025
slug:raindrop-prodmgmt-startups
www.readmargins.com
(2024-06-30)
There is such a thing as a free lunch
review.firstround.com
(2024-01-18)
The founders of Pilot have started three times over, starting with Ksplice (sold to Oracle in 2011) and then Zulip (acquired by Dropbox in 2014).
jacquesmattheij.com
(2023-07-18)
medium.com
(2023-03-12)
Methodologies for understanding and measuring marketplace liquidity
dev.to
(2023-01-26)
This article was initially published on Lago's blog, an open-source billing API, and was ranked #1 on...
github.com
(2022-12-10)
A curated and opinionated list of resources for Chief Technology Officers, with the emphasis on startups - kuchin/awesome-cto
www.axios.com
(2022-12-09)
Few things are more liberating or intoxicating than controlling your own fate.
blog.pragmaticengineer.com
(2022-10-22)
Two months after the startup went bankrupt, administrators have summarized the $80M+ debt the company has accumulated, most of which will not be paid. The highest offer to buy Pollen’s business assets - but without its liabilities - currently stands at only $250K. Details.
review.firstround.com
(2022-10-01)
Why does strategy tend to stall when the rubber hits the road? Nate Stewart, Chief Product Officer of Cockroach Labs, shares an essential guide for creating a resilient strategy that’s still standing next year.
www.thediff.co
(2022-09-15)
Plus! Watercooler Shows; Smart Thermostats; Substitutes and Complements; Monetization; Apple Ads; Diff Jobs
blossomstreetventures.medium.com
(2022-09-12)
www.nfx.com
(2022-09-05)
We work with our NFX Guild on this mental model for greatness from day 1. Now, we are sharing it with the rest of the startup community.
a16z.com
(2022-07-27)
The most significant bottleneck in the adoption of healthcare technology to date has been distribution. Over the last decade, generations of digital health companies have struggled to reach escape velocity—not because their products and services weren’t transformative, but because they failed to find an executable path for sustainable distribution and value capture. Some of that...
tomtunguz.com
(2022-07-19)
Though the industry is called venture capital, the goal of a VC isn’t to maximize every risk. Instead, we try to understand all the risks a business might face and weigh those risks with the reward - the exit. Here are the major risks that I typically review when a startup pitches. Market timing risk - Is now the right time for the business? It’s often hard to evaluate this risk, but nevertheless, it’s an important consideration.
readwrite.com
(2022-07-19)
Many startups scramble to create a "minimum viable product," or MVP, to get a version of their product to market quickly for testing. It’s a great way to cost-effectively test a website or app with real users. But be careful, if your MVP is too minimalist, it could torpedo your company's future.
blog.hubstaff.com
(2022-07-19)
Hubstaff founder Dave Nevogt shares how to test your startup idea by analyzing model, market and concept.
www.danmartell.com
(2022-07-18)
Building a two-sided market is probably the hardest thing you can build as an entrepreneur. It's so hard that a few weeks ago, I organized a Marketplace
firstround.com
(2022-07-18)
Molly Graham helped forge a work culture at Facebook that's withstood huge amounts of growth. Today, she's something of a rapid scaling expert. Here's the key to doing it right, she says.
platformed.info
(2022-07-18)
blog.asmartbear.com
(2022-07-18)
www.defmacro.org
(2022-07-18)
There are already very good lists of startup lessons written by really talented, experienced people (here and here). I’d like to add another one. I learned these lessons the hard way in the past four years. If you’re starting a company, I hope you have an easier path.
a16z.com
(2022-07-18)
Goods versus Services: The next trillion dollar opportunity Marketplace startups have done incredibly well over the first few decades of the internet, reinventing the way we shop for goods, but less so for services. In this essay, we argue that a breakthrough is on its way: The first phase of the internet has been...
medium.com
(2022-07-17)
I’m a startup product growth guy with a social gaming background. I currently work as VP of Growth at Relcy, a mobile search engine. A few companies I’ve worked with on growth in the past (HIRED $702…
blog.intercom.com
(2022-07-17)
There's lots written about how you should build software, but few concrete examples of the messy reality as implemented by startups. Here's our process.
medium.com
(2022-07-11)
The “unreasonable effectiveness” of data for machine-learning applications has been widely debated over the years (see here, here and…
mondaynote.com
(2022-07-05)
Apologies in advance: If you’re fluent in the language of accounting, please skip to the bonus Verizon iPhone feature at the end. What I’m about to describe will strike you as oversimplified and…
startupwin.kelsus.com
(2022-07-04)
What happens on the other side of the acquisition doesn't get much startup press
steveblank.com
(2022-06-28)
I just spent a day working with Bob, the Chief Innovation Officer of a very smart large company I’ll call Acme Widgets. Bob summarized Acme’s impediments to innovation. “At our company we have a cu…
eleganthack.com
(2022-06-28)
In the Creative Founder, students are paired semi-randomly, and then spend a semester trying to get to product-market fit. I always start them with market selection. A market has three key elements…
paulgraham.com
(2022-06-25)
www.engadget.com
(2022-06-23)
Dyson almost launched a robot vacuum. Back in 2001, after three years in development. Its first effort, shown to the British public in London looked nothing (and we mean nothing) like the eventual 360 Eye unveiled today. Sixteen years is a long time in tech. The DC06, as it was called, never made it past home-trial stages in 2012 -- apparently too pricey and heavy. Between then and now, technology got better. A lot better. At the Tokyo launch of its new robot vacuum, Sir James Dyson himself, told us how it all came together, and why it's not his native UK, but Japan, that'll get to buy it first.
www.slideshare.net
(2022-06-08)
Startup Metrics for Pirates - Download as a PDF or view online for free
www.georgesequeira.com
(2022-04-15)
Zapier has 3M+ users and generates $125M in ARR. At a $5B valuation, its fast-growing horizontal platform is unable to meet the demands of all of its customers. The increase of underserved Zapier customers presents an opportunity.
www.wave.com
(2022-03-27)
Before joining Wave four years ago, I spoke to a former employee about his experience. He said something that has stayed in my memory ever since: “Wave is really good at execution, so by working at Wave, you’ll learn how to execute very well.” Now that I’ve been here a while, I thought it would be good to write down what really good execution actually looks like in practice and the counterintuitive lessons I’ve learned along the way.
review.firstround.com
(2022-03-23)
From Stripe to Notion, Cristina Cordova has worked on some of the biggest products in tech. She shares tactical tidbits on what she’s learned about about scaling companies and shaping your career.
limedaring.com
(2022-03-16)
summation.us6.list-manage.com
(2022-03-10)
How data businesses start, and how they keep going, and growing, and growing.
thesample.ai
(2022-02-10)
I used to be very anti-advertising. Fast forward two years and several pivots, and my slightly-less-early-stage business is doing $900 per month in revenue... from ads.
jeffgothelf.com
(2021-11-13)
Every company makes decisions based on the highest paid person's opinion. It turns out it's just a hypothesis. Here's how to tame it.
open.spotify.com
(2021-07-24)
How I Built This with Guy Raz · Episode
open.spotify.com
(2021-07-24)
open.spotify.com
(2021-07-24)
How I Built This with Guy Raz · Episode
open.spotify.com
(2021-07-24)
How I Built This with Guy Raz · Episode
blog.aaronkharris.com
(2021-07-13)
I first wrote this essay a few years ago. A founder mentioned it to me over the weekend, and so I decided to re-publish it here. One thing that's bothered me in the time since I wrote it is the way...
caretaker.com
(2021-07-10)
Check the requirements, book the viewing, let yourself in, and submit your application, all without emails or phone tag.
review.firstround.com
(2021-07-05)
An open letter from a former Facebook and VMware engineering executive on how startups can best structure their release processes.
www.nfx.com
(2021-03-02)
The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.
entrepreneurshandbook.co
(2021-03-02)
www.readthegeneralist.com
(2021-03-01)
One of social media's oldest companies is also its most undervalued.
fibery.io
(2021-02-22)
The most popular products don’t become mass popular overnight. It’s a process. Usually they popularity is uneven, they are unknown in some niches, but very popular in another niches.
askgib.substack.com
(2021-02-19)
I learned from bosses & peers, including some famous peeps like Reed Hastings, Patty McCord, and Dan Rosensweig. But mainly I learned by doing, supercharged by feedback from many "Friends of Gib."
www.forbes.com
(2021-01-30)
Apoorva Mehta’s grocery delivery app is now an essential—and booming—business. Now the 34-year-old billionaire has to show he can outfox Bezos, dodge an avalanche of new competitors and calm his rebellious workers and restless partners.
tjcx.me
(2021-01-19)
When good ideas make bad business
commoncog.com
(2021-01-14)
Some careers can be made on the back of a single, wonderful idea. We take a look at what that looks like, through Bill Gurley's VC career.
www.starterscode.com
(2020-12-18)
thehustle.co
(2020-11-05)
The pandemic has boosted interest in vending machine ownership. We surveyed 20+ operators to find out how much they make.
www.nytimes.com
(2020-08-08)
Even before the pandemic, it had started to unravel. What happens now that no one has a reason to dress up?
secondbreakfast.co
(2020-05-14)
@mmcgrana: Patio11’s Law: The software economy is bigger than you think, even when you take into account Patio11’s Law.1 A few years ago, I woke up in Sunriver, OR, and went to make coffee. The house had one of those bed-and-breakfast-type coffee trays. Drip machine. A stack
kamerontanseli.ghost.io
(2020-05-10)
www.indiehackers.com
(2020-03-09)
It's been said that ideas don't matter, and that only execution does. I wholeheartedly disagree. You need both to succeed, but you can only get so good...
www.packym.com
(2020-02-19)
You probably think startups have nothing in common with a classical Chinese dance performance. You’re wrong.
www.geekwire.com
(2020-02-03)
Matt Meyers spent two decades at Weyerhaeuser dealing with product engineering, manufacturing, software engineering, product development, sales and
www.growthmanifesto.com
(2020-01-12)
Canva are one of Australia's most successfull startups. In this case study we analyse how they use digital channels to attract and acquire new users
blog.eladgil.com
(2020-01-12)
Most of the times, startup don't work. At some point it may make sense to either (1) give up on your original product and to sell the company, (2) shut down what you are doing and return money to investors, or (3) to pivot. You can read more on making the decision to give up in a future article. This post focuses on pivoting for small, early stage companies (e.g. 10 or fewer people).
www.vccafe.com
(2019-11-03)
I joked the other day that some of the best fairytales are written in Excel. While there isn’t a single magic number or set formula, understanding industry benchmarks can be really helpful to…
www.washingtonpost.com
(2019-08-31)
An MIT Sloan Ph.D. candidate discovered what turned skilled hobbyists into entrepreneurs.
openviewpartners.com
(2019-08-29)
The “traditional” user onboarding flows and walkthroughs are dead. Learn about the next era of user onboarding and how to adapt to the changes in your org.
medium.com
(2019-08-29)
This was first published on my mailing list The Looking Glass. Every week, I answer a reader’s question.
producthabits.com
(2019-08-05)
“We believe true equality is when spending more can’t buy you a better education.” – Duolingo founders When the language learning software company Rosetta Stone went public in 2009, they… Keep reading
www.todayifoundout.com
(2019-07-04)
Robert R. Taylor is a name you’ve probably never heard before. But this serial entrepreneur made his mark on the world of business by coming up with several products you are almost certainly very familiar with. Today we’re going to talk about, on the surface, the most boring of those- liquid hand soap. Something you can thank Mr. Taylor and [...]
500ish.com
(2019-05-12)
Your phone increasingly knows what you’re taking a picture of. And which apps you have installed. So…
medium.com
(2019-04-27)
Create strong culture, stay laser-focused on problems, and set wildly ambitious goals
bothsidesofthetable.com
(2019-04-20)
There is a story arc of the electric scooter market that took the world by storm in 2018, was second-guessed late in the year and has…
www.nfx.com
(2019-02-05)
A discussion of the 9 core operating principles that world class companies tend to embrace, by NFX Managing Partner James Currier.
www.kapwing.com
(2019-01-26)
Recently, a founder asked to chat with me about SEO. During our call, the founder - whose startup is backed by a top-tier VC - said to me “I assume that you acquired your first users through paid marketing.” Really? Is this an assumption nowadays? Since we’ve raised money
www.practicalecommerce.com
(2019-01-13)
PopSockets opted not to be a direct vendor to Amazon. Instead, it chose one major reseller to represent it on the marketplace. But, Amazon would not allow it. So, PopSockets walked away.
firstround.com
(2019-01-13)
All things being equal, speed will determine whether your company succeeds or not. Here's how to make it core to your culture.
blog.bench.co
(2016-10-03)
Accounting, bookkeeping, and tax tips to help you understand your small business finances.
-->
prodmgmt/analytics
categories:
tags:
analytics
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-analytics
www.precoil.com
(2024-10-21)
How to build upon a previous experiment, without throwing it all away.
commoncog.com
(2024-07-10)
The authoritative guide on how Amazon does WBRs (from former exec Colin Bryar): how it works, how to do it, and how Amazon uses it to win.
hbr.org
(2024-03-19)
At most small and medium-sized e-commerce retailers, prices are typically set and updated in an ad hoc fashion without one clear owner. The process often starts by using a gross margin target, followed by some comparison with competitors, and then some adjustments from there. Many of these retailers would quickly admit that this isn’t an optimal strategy, and that they are likely leaving money on the table — and they’re often right. The authors’ experience with price testing has shown that there is actually a significant amount of money left on the table when pricing is left un-optimized.
commoncog.com
(2023-10-04)
Two principles on collecting data, from the field of Statistical Process Control. As with most principles in SPC, this is both simpler and more important than you might think.
towardsdatascience.com
(2023-08-20)
An obsessively detailed guide to Customer Lifetime Value techniques and real-world applications
searchengineland.com
(2023-08-14)
These tools can help you analyze PPC competitors, track search trends or design ad creative – all without spending a dime.
medium.com
(2023-07-29)
8 stories · A guide to building an end-to-end marketing mix optimization solution for your organization.
towardsdatascience.com
(2023-07-23)
Applying causal machine learning to trim the campaign target audience
towardsdatascience.com
(2023-07-22)
How to compare and pick the best uplift model
thecleverprogrammer.com
(2023-05-04)
This article will take you through everything about Cohort Analysis that you should know. What is Cohort Analysis in Data Science?
towardsdatascience.com
(2023-03-19)
How to adjust CATE to consider costs associated with your treatments
towardsdatascience.com
(2023-01-26)
Questions on A/B testing are being increasingly asked in interviews but reliable resources to prepare for these are still far and few…
www.analyticbridge.datasciencecentral.com
(2022-11-05)
www.cenizal.com
(2022-09-24)
I recently rewatched "The Wire". The show's central theme is about counter-productive metrics and their corrupting influence on institutions. I've noticed hints of this pattern in software engineering, too
twitchard.github.io
(2022-09-03)
Software culture and the abuse of data
searchengineland.com
(2022-08-24)
Use these tips to quickly analyze performance data and identify high-impact PPC optimizations that will move the needle.
www.tomtunguz.com
(2022-08-19)
In many board rooms, the most important go-to-market number this quarter is pipeline health. For some companies, the pipeline may be less clear than a quarter or two ago. Summer seasonality may play a role. Macroeconomics might also be lurking within the numbers. Pipeline fluctuations are normal. But any meaningful & unexpected surprise warrants introspection. Pipeline analysis often has four parts: Craft the sales sandwich to predict your GTM conversion rates & determine if close rates have changed in parallel.
searchengineland.com
(2022-08-05)
Amazon will continue to be highly competitive. Want to be successful? Optimize your product listings to the fullest with these tips.
css-tricks.com
(2022-07-29)
There is a huge and ever-widening gap between the devices we use to make the web and the devices most people use to consume it. It’s also no secret
lukethomas.com
(2022-07-19)
Over the past few years, marketing on the web has become way too much fun. I remember trying to figure out what “hits” on awstats [http://awstats.sourceforge.net/] meant in high school, and I distinctly can recall how disappointed I was when I found out the true meaning. Nowadays,
searchengineland.com
(2022-07-18)
Analyzing the SERPs for these micro intents will help you create the right content that a searcher will want to find.
conversionxl.com
(2022-07-18)
Pricing is hard. Make it too low and you miss out on profit; too high and you miss out on sales. These pricing experiments will help you get it right.
blog.keen.io
(2022-07-18)
mattishness.blogspot.com
(2022-06-28)
“My biggest surprise was when we launched the Facebook app and it didn’t go viral” -Startup CEO quote “The month after we ...
searchengineland.com
(2022-06-25)
Knowing what to test and how to interpret the results based on nuances and oddities of experiments is an important skill for people, not automations.
www.slideshare.net
(2022-06-23)
Startup Metrics, a love story. All slides of an 6h Lean Analytics workshop. - Download as a PDF or view online for free
www.nngroup.com
(2022-06-23)
Multivariate tests indicate how various UI elements interact with each other and are a tool for making incremental improvements to a design.
www.practicalecommerce.com
(2022-06-21)
Shoppers' actions on an ecommerce site create opportunities for automated, triggered emails. Such behavior-based email automation is a sure-fire tactic to drive revenue.
www.reforge.com
(2022-06-13)
trafficiscurrency.com
(2022-06-13)
online.hbs.edu
(2022-06-11)
Conjoint analysis is a highly effective means of market research, capable of informing a company’s pricing strategy and product development.
www.qualtrics.com
(2022-06-11)
Conjoint analysis is the optimal market research approach for measuring the value that consumers place on features of a product or service. Learn more!
www.slideshare.net
(2022-06-08)
Startup Metrics for Pirates - Download as a PDF or view online for free
dataconomy.com
(2022-05-27)
The way we live our lives has an impact on our work. Long lists of typical chores may turn your
hbr.org
(2022-05-20)
Competitive poaching refers to the practice of bidding on ads for a competitor’s search terms, in order to poach customers searching for that brand. It’s a common tactic in the world of digital ads — but is it effective? The author shares results from the first-ever empirical study of this practice, which found that poaching can work well for higher-end brands, but may backfire for lower-end or mass market offerings. Specifically, the study found that when an ad poached customers who searched for a high-end brand, users clicked on it more, but when an ad poached a low-end or mass market target, users were less likely to click. Of course, the author notes that clickthrough rate is just one metric, and there may be other ways in which a poaching campaign could be harmful or beneficial. But these findings can help marketers add a bit of science to the art that is digital advertising, helping them to optimize campaigns for their unique products and customers.
searchengineland.com
(2022-03-19)
It's time to optimize for People Also Asked questions asked around and about your brand in Google's SERPs. Here's why.
www.tomtunguz.com
(2022-02-19)
The most consistent sales leader I’ve worked with hit plan 27 consecutive quarters. How can a sales leader develop similar repeatability? Much goes into it here are the reports he used to manage his team at the board level. The PQR (pipeline-to-quota) funnel is first. Pipeline is the total value of the accounts within a stage or later. Quota is the aggregate quota on the street for the quarter. Divide P by Q to get PQR.
www.nngroup.com
(2022-01-17)
Elaborate usability tests are a waste of resources. The best results come from testing no more than 5 users and running as many small tests as you can afford.
link.medium.com
(2021-12-09)
Common mistakes to avoid when you’re getting started with experimentation
www.evanmiller.org
(2021-10-17)
www.ben-evans.com
(2021-05-29)
Should we still be talking about online and offline retail, or about trucks versus boxes versus bikes?
news.crunchbase.com
(2021-05-18)
Net dollar churn is a more value-driven way of looking at churn.
oliverpalmer.com
(2021-03-22)
The best way to optimise your website is usually the simplest.
newsroom.haas.berkeley.edu
(2021-02-23)
There’s a reason that online ticket sellers hit you with those extra fees after you’ve picked your seats and are ready to click “buy.” Pure profit. A
px6vg4ekvl21gtxs836x5jyx-wpengine.netdna-ssl.com
(2020-11-03)
mixpanel.com
(2020-11-03)
The Guide to Product Analytics taps dozens of product leaders (from companies like Google, Twitter, and LinkedIn) to break down how PMs can use product analytics to drive product-led growth.
conversionxl.com
(2019-12-23)
Big success. Bigger failure. And lots of lessons. Learn why building a growth team may be a multi-million dollar mistake.
www.smashingmagazine.com
(2019-12-23)
Every website or PWA you build should automate as much prospecting and selling as possible. The only thing is that visitors enter websites with various mindsets, depending on which part of the buying stage they’re at. This means that you can’t just take every person who enters the site through the same path. You have to design a custom sales funnel (or pathway) for each kind of buyer. In this article, Suzanna Scacca will tell you what you need to keep in mind.
hbr.org
(2019-08-30)
Increasingly, companies are using experiments to guide them in their decision making—but many are still missing opportunities, or are failing to implement experiments well. When it comes to the rollout of new products, one particularly effective new kind of experiment involves randomizing the introduction of new products across a set of markets. Uber used this strategy before rolling out its Express Pool service, and Airbnb did the same before rollout out a new landing-page design. In both cases, the companies gathered data that allowed them to roll out their products with confidence that they would succeed—as indeed they did. Many companies, even those not in the tech sector, can benefit from this kind of experimentation, especially if they follow a few basic guidelines.
www.practicalecommerce.com
(2019-06-23)
Google Analytics is a powerful, free web analytics platform. However, it has gaps that are better served by other tools. I'll address those gaps and tools in this post.
robsobers.com
(2019-03-16)
Update 2016-10-18: This tutorial has been updated to reflect the latest version of my stack (now with Drip!). I’ve also updated pricing info (it’s technically a $0 stack now) and screenshots. The original outdated article is archived here. “Just tell me what to do so I can stop
www.nngroup.com
(2019-03-12)
“That’s just one person” and “Our real users aren’t like that” are common objections to findings from qualitative usability testing. Address these concerns proactively to ensure your research is effective.
medium.com
(2019-02-06)
Finding and building the next big idea is the holy grail of any tech company. Unfortunately the statistics are against us: when subjected…
sumo.com
(2018-11-26)
The biggest question in ecommerce A/B testing is not “how.”
www.insightpartners.com
(2018-09-05)
dataconomy.com
(2017-11-24)
At some point, almost every company faces questions like How good are the customers that we acquire? How do they
-->
prodmgmt/marketing
categories:
tags:
marketing
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-marketing
www.cstoredive.com
(2023-10-19)
Proprietary items work best if retailers differentiate them through either cost or innovation and are thoughtful about choosing categories, experts say.
a16z.com
(2023-03-24)
General Partner Connie Chan on how leading brands are using AI and other technology to combine the serendipitous discovery of offline shopping with the infinite options of online shopping. Today, most of the Western world revolves around search-based online commerce. This means that most shoppers type directly what they want into a store search bar,...
www.dictionary.com
(2023-03-19)
The world's leading online dictionary: English definitions, synonyms, word origins, example sentences, word games, and more. A trusted authority for 25+ years!
hbr.org
(2022-07-19)
Whether or not you should pursue a catalog strategy is a question that deserves significant thought. As digital marketing becomes more complex, it may make a lot of sense to send out correctly designed catalogs to the right customers. For e-commerce retailers without physical stores, catalogs can effectively mimic stores’ sensory experiences to enhance customer affinity. For multichannel retailers, by understanding the channel preferences of current customers through transactional data, multichannel retailers can add an effective catalog marketing channel to their store and e-commerce channel strategies.
getpocket.com
(2022-07-19)
Not every business needs to have habit-forming products. Here's how two companies hooked customers and formed habits with products they rarely used.
makeawebsitehub.com
(2022-07-18)
When it comes to making money online you’re going to have a lot of options at your disposal. Frankly, it can be quite overwhelming just choosing an online
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
hbr.org
(2022-07-05)
The Swiss pharmaceutical giant Roche is nothing if not determined in its quest to acquire Illumina, the San Diego-based leader in genetic-sequencing equipment. In January, after Illumina’s board rebuffed Roche’s initial overtures, Roche made a $5.7 billion tender offer directly to shareholders. When that didn’t succeed, it extended the offer to midnight last Friday. Now […]
www.nytimes.com
(2022-07-05)
As consumers skip ads and streaming content balloons, brands aim to be everywhere all at once.
searchengineland.com
(2022-06-25)
Knowing what to test and how to interpret the results based on nuances and oddities of experiments is an important skill for people, not automations.
www.economist.com
(2022-06-23)
Other than slashing prices
www.entrepreneur.com
(2022-06-23)
Tips from successful campaigns promoting everything from shapewear to prostate health.
www.poweredbysearch.com
(2022-06-14)
A deep dive into our process for identifying the optimal B2B SaaS Marketing Channels for our clients, or Customer-Channel Fit.
dataconomy.com
(2022-05-27)
The way we live our lives has an impact on our work. Long lists of typical chores may turn your
hbr.org
(2022-05-20)
Competitive poaching refers to the practice of bidding on ads for a competitor’s search terms, in order to poach customers searching for that brand. It’s a common tactic in the world of digital ads — but is it effective? The author shares results from the first-ever empirical study of this practice, which found that poaching can work well for higher-end brands, but may backfire for lower-end or mass market offerings. Specifically, the study found that when an ad poached customers who searched for a high-end brand, users clicked on it more, but when an ad poached a low-end or mass market target, users were less likely to click. Of course, the author notes that clickthrough rate is just one metric, and there may be other ways in which a poaching campaign could be harmful or beneficial. But these findings can help marketers add a bit of science to the art that is digital advertising, helping them to optimize campaigns for their unique products and customers.
email.getpocket.com
(2021-11-29)
American consumers can’t resist the lure of a well-designed container. Of all the things I’ve purchased during the pandemic, the most useful has been a box cutter.
www.theatlantic.com
(2021-11-29)
European stores like Marks & Spencer and Monoprix, and U.S. chains like Whole Foods, understand the powerful "appetite appeal" of grocery labels.
review.firstround.com
(2021-11-17)
After more than a decade of running B2B growth teams at PayPal and investing at 500 Startups, Matt Lerner now spends his days helping early-stage startups with growth. He's seen firsthand how changes in a handful of words can yield jaw-dropping differences in conversion — and accelerate a startup's course to product/market fit. Here, he makes the case for starting with language/market fit first, and offers up his 4-step process for getting there.
www.aprildunford.com
(2021-10-21)
Want to improve your product's positioning but not sure where to start? This article is going to give you everything you need to get started including what positioning is, why it matters, and how to improve it.
www.uxpin.com
(2021-10-15)
Building white label products is more profitable than starting a new design every time. Learn how to properly implement white labelling.
www.smithsonianmag.com
(2021-10-14)
Not open to the public, this expansive archive schools marketers in the art of pitchmanship
www.bbc.com
(2021-07-10)
The true star of the Akutagawa Prize-winning novel Convenience Store Woman is the convenience store itself. But what is it that makes these shops so magical?
tips.ariyh.com
(2021-06-17)
3-min marketing recommendations from the latest scientific research. Join 30,000+ marketers, for $0.
www.academia.edu
(2021-06-12)
Although the protection of secrets is often vital to the survival of organizations, at other times organizations can benefit by deliberately leaking secrets to outsiders. We explore how and why this is the case. We identify two dimensions of leaks:
www.huffingtonpost.ca
(2021-06-12)
Although there may be risks for companies in leaking secrets, the researchers make a strong case for doing so when appropriate. It appears that some of the most prolific and careful leakers are also among the most profitable companies in the world.
www.centercode.com
(2021-06-12)
You’re a few weeks into managing a beta test for a new product your company plans to release soon. You get an email from someone on your beta team that there has been a leak online. One of your testers took a picture of your company’s new gadget fresh out of the box and posted […]
thehustle.co
(2021-05-10)
Today’s films are brimming with products from big-name brands. How exactly do these partnerships work? And is the payoff worth it?
www.yankodesign.com
(2021-01-07)
In today's consumer-centric world, packaging designs hold a very important place! A unique and attractive packaging design is what captures the interest and attention of your consumer. It pulls the consumer towards the product and even drives them to purchase it. Hence, allocating time, effort, and energy to create an appealing packaging design is extremely
neilpatel.com
(2021-01-02)
Looking to grow your affiliate marketing site but aren't sure which affiliate network is right for you? Here's everything you need to know.
www.coryzue.com
(2020-12-10)
Tips on running successful Black Friday sales for creators and Indie Hackers
searchengineland.com
(2020-03-09)
Packing an astonishing amount of information into an easy-to-digest visual, it's well worth the download.
www.cooper.com
(2019-05-29)
digiday.com
(2019-03-07)
Dollar Tree has struggled to grow Family Dollar because of its different business model.
digiday.com
(2018-08-13)
PopSugar said it expects to have 20,000 subscribers by year's end to its text message program, which it's used to sell protein bars and housewares.
www.gsb.stanford.edu
(2018-03-05)
gaps.com
(2017-12-28)
We explain how we came to spend $20,000 on this domain, and the incredible business opportunities that exist, waiting for someone to bring them to life.
www.charleswmanuel.com
(2016-10-03)
hbr.org
(2016-10-03)
To build word of mouth, try these strategies.
www.theatlantic.com
(2016-10-03)
Consumers are primed to see ".99," but prices that deviate from that format can affect the way they interpret the cost.
-->
prodmgmt/discovery
categories:
tags:
discovery
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-discovery
www.nngroup.com
(2024-11-26)
Discovery is challenging; it can be hard to know what to research, how to do discovery as a team, and how to get buy-in. Follow these 7 tips for smoother discovery efforts.
thoughtbot.com
(2024-05-28)
This is a series where we delve into the world of product management. This week we discuss the art of understanding your users.
bitbytebit.substack.com
(2024-01-23)
Lessons learned from a year of startup life.
techbooks.substack.com
(2024-01-01)
And how can you figure it out what they really need
www.dataknowsall.com
(2023-04-09)
How Data Scientists can learn from how a Product Manager prioritizes features and requirements to build a successful product.
a16z.com
(2023-03-24)
General Partner Connie Chan on how leading brands are using AI and other technology to combine the serendipitous discovery of offline shopping with the infinite options of online shopping. Today, most of the Western world revolves around search-based online commerce. This means that most shoppers type directly what they want into a store search bar,...
steveblank.com
(2022-09-24)
A journey of a thousand miles begins with a single step Lǎozi 老子 I just had lunch with Shenwei, one of my ex-students who had just taken a job in a mid-sized consulting firm. After a bit of catch…
www.productplan.com
(2022-07-31)
What is an Opportunity Solution Tree? Learn more about opportunity solution trees and the 4 steps involved in creating them.
www.talkingtohumans.com
(2022-07-19)
blog.cauvin.org
(2022-07-19)
The product management and startup worlds are buzzing about the importance of "validation". In this entry, I'll explain how this idea orig...
www.futurelab.net
(2022-07-19)
Criticizing Voice of the Customer (VOC) programs is like speaking out against motherhood and apple pie. The last time I criticized VOC programs, someone left a comment chastising me for presuming that a bank could know what its customers wanted without asking them.
blog.hubstaff.com
(2022-07-19)
Hubstaff founder Dave Nevogt shares how to test your startup idea by analyzing model, market and concept.
blog.intercom.com
(2022-07-19)
Conversations with customers are valuable, but they have to be the right type of conversations – not merely questions about forgotten passwords and the like. They have to add value, for you, and them.
sethgodin.typepad.com
(2022-07-18)
Hits are more valuable than ever, mostly because they're more rare than ever. The Zipf Distribution, also described in Chris Anderson's Long Tail, helps us understand just how valuable hi…
blogs.wsj.com
(2022-07-18)
This copy is for your personal, non-commercial use only. Distribution and use of this material are governed by
our Subscriber Agreement and by copyright law. For non-personal use or to order multiple copies, please contact
Dow Jones Reprints at 1-800-843-0008 or visit www.djreprints.com.
mfishbein.com
(2022-07-18)
www.skmurphy.com
(2022-07-18)
It's OK to ask a B2B prospect if they would use your product during customer discovery. Just don't to stop at "Yes" and assume validation or a likely sale.
steveblank.com
(2022-07-18)
Teams that build continuous customer discovery into their DNA will become smarter than their investors, and build more successful companies. — Awhile back I blogged about Ashwin, one of my ex…
www.marketplace.org
(2022-07-17)
An online Game of Thrones quiz got a million online hits for HBO.
tomtunguz.com
(2022-07-05)
Pricing is one of the most challenging decisions for any startup. One of the simplest ways of discovering customer willingness to pay is simply to ask them. At first blush, that might seem a reasonable and effective solution, it is prone to wild inaccuracy. Absolute pricing judgments are hard without reference points. For example: How much would you be willing to pay for a new iPhone? It’s a very challenging question to answer in the abstract.
seths.blog
(2022-07-05)
Apple has carefully guarded the podcast directory, persuading podcasters that ‘winning’ here is the shortcut to building a popular podcast. But they’re terrible at introducing pod…
danshipper.com
(2022-06-25)
Preface: the assumption for this essay is that you're building a B2B app, and you have something built but you're having trouble getting people to pay for it There are three problems with getting your first few customers: You (probably) don't know how to sell things You don't know who you're selling to You don't even really know what you're selling Nobody tells you how to answers these questions, and so most people go out
firstround.com
(2022-06-24)
Michael Sippey has been building tech products for over 20 years. His most valuable ideas, though? They came from speaking with customers. Here's how.
qualitysafety.bmj.com
(2022-06-24)
‘The Problem with…’ series covers controversial topics related to efforts to improve healthcare quality, including widely recommended but deceptively difficult strategies for improvement and pervasive problems that seem to resist solution. The ‘5 whys’ technique is one of the most widely taught approaches to root-cause analysis (RCA) in healthcare. Its use is promoted by the WHO,1 the English National Health Service,2 the Institute for Healthcare Improvement,3 the Joint Commission4 and many other organisations in the field of healthcare quality and safety. Like most such tools, though, its popularity is not the result of any evidence that it is effective.5–8 Instead, it probably owes its place in the curriculum and practice of RCA to a combination of pedigree, simplicity and pedagogy. In terms of pedigree, ‘5 whys’ traces its roots back to the Toyota Production System (TPS).9 It also plays a key role in Lean10 (a generic version of TPS) as well as Six Sigma,11 another popular quality improvement (QI) methodology. Taiichi Ohno describes ‘5 whys’ as central to the TPS methodology:The basis of Toyota's scientific approach is to ask why five times whenever we find a problem … By repeating why five times, the nature of the problem as well as its solution becomes clear. The solution, or the how-to, is designated as ‘1H.’ Thus, ‘Five whys equal one how’ (5W=1H). (ref. 9, p. 123) This quote also makes the case for the technique's simplicity. Asking ‘why’ five times allows users to arrive at a single root cause that might not have been obvious at the outset. It may also inspire a single solution to address that root cause (though it is not clear that the ‘1H’ side of the equation has been adopted as widely). The pedagogical argument for …
purde.net
(2022-06-24)
I’ve been working on a marketing automation tool (more on that at the end of the post). Or rather, I’ve been working on an idea for a marketing automation tool as I don’t want a single line of code written before I’d experienced a notable pull from target customers. (This may sound like I am clever/…
www.quora.com
(2022-06-23)
www.skmurphy.com
(2022-06-23)
A conversation with Bruce La Fetra on customer interviews. We compare notes on how to organize findings and take best advantage of the insights gleaned.
blog.kissmetrics.com
(2022-06-23)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
www.rockstarcoders.com
(2022-06-23)
www.fastcompany.com
(2022-06-23)
Great insight moves your career, organization, or business forward. The problem? Most people are terrible at asking questions. Learn from the pros how to do it right.
www.siriusdecisions.com
(2022-06-23)
Forrester is a leading global market research company that helps organizations exceed customer demands and excel with technology. Learn how Forrester can help.
momtestbook.com
(2022-06-13)
www.usersknow.com
(2022-06-13)
There has been a lot of discussion in the design world recently about "change aversion." Most of the articles about it seem to be targeting the new Google redesign, but I've certainly seen this same discussion happen at many companies when big changes aren't universally embraced by users.
www.smashingmagazine.com
(2022-06-12)
If you are building a product, you should always speak with customers and test your idea before. But you probably don’t know that *you *might be making some of the most common mistakes when running your experiments. Mistakes include testing the wrong aspect of your business, asking the wrong questions and neglecting to define a criterion for success. In this article, Grace Ng will show you a guide to designing quick, effective, low-cost experiments.
link.medium.com
(2021-12-09)
Common mistakes to avoid when you’re getting started with experimentation
review.firstround.com
(2021-12-08)
From the high-level perspective of what makes for a great design leader, to the tactical suggestions around the slide that needs to be in your portfolio presentation, Twilio & Segment's Hareem Mannan shares useful advice for every stage of a designer's career.
cushychicken.github.io
(2021-07-29)
Almost exactly a year ago, I started a little boutique software company called Report Card Writer. As the name suggests, my flagship software product does pretty much one thing: it helps teachers write report card comments faster. Its core technical functionality is part survey form, part template-filler-inner, with a few extra bolt-on features that make it easy to create and populate the form and template, respectively.
www.mironov.com
(2021-05-25)
Every week, I talk with CEOs who tell me they want to speed up innovation. In fact, they want to schedule it. Recently a product leader shared with me an OKR to ship one major innovation each quarter, measured as “users will give each innovative feature a top rating.” This
getpocket.com
(2021-03-04)
How to ask better questions.
amanjain.substack.com
(2020-11-29)
medium.com
(2020-11-03)
It’s so important to test your new product idea long before you feel ready.
engineering.zenduty.com
(2020-07-26)
Unlock valuable insights for effective discovery by decoding product metrics. Learn how to leverage these metrics to make informed decisions and optimize your product development process.
www.retaildive.com
(2020-05-29)
After more than 45 years as an off-pricer, the retailer hit the skids when COVID-19 forced its doors shut and zeroed out revenue. Now it hopes to slim down in Chapter 11.
www.oreilly.com
(2020-03-27)
We should invest at least as much time in understanding our customers as we do in optimizing our product development process.
www.digitalrepublik.com
(2019-12-26)
sloanreview.mit.edu
(2019-02-21)
Confirming what people already believe can sometimes help organizations overcome barriers to change.
studiofellow.com
(2018-12-18)
Dear designers/marketers (and innocent person reading this note), So, you’re doing customer interviews and user research, good for you! You’ve joined the fold of responsible, empathetic, and effective product design and marketing professionals. But you sound like a robot when you email me. Here are some questions from user testing emails & surveys I’ve received […]
-->
prodmgmt/behavior
categories:
tags:
behaviors
prodmgmt
date: 26 Mar 2025
slug:raindrop-prodmgmt-behaviors
www.thedial.world
(2024-06-11)
A day at Shanghai Disneyland.
getpocket.com
(2024-06-01)
Correction fluids have improbably outlasted the typewriter and survived the rise of the digital office.
www.choicehacking.com
(2024-03-25)
Learn how to create customer habits using powerful triggers like time, mood, location, and social influences. Discover techniques to boost product usage.
effectiviology.com
(2024-02-29)
www.nngroup.com
(2024-01-17)
Unsure where to start? Use this collection of links to our articles and videos to learn about some principles of human psychology and how they relate to UX design.
businessday.ng
(2023-07-29)
On a flight from Paris to London in 1983 Jane Birkin, an Anglo-French chanteuse and actress, spilled the contents of her overstuffed straw...
www.theawl.com
(2022-10-29)
by John MahoneyThis is a bucket of chum. Chum is decomposing fish matter that elicits a purely neurological brain stem response in its target consumer: larger fish, like sharks. It signals that they should let go, deploy their nictitating ...
koenfucius.medium.com
(2022-07-28)
Why might people decline an offer of up to $10,000 just to keep their feet on the ground?
getpocket.com
(2022-07-19)
Not every business needs to have habit-forming products. Here's how two companies hooked customers and formed habits with products they rarely used.
hbswk.hbs.edu
(2022-07-18)
Many new products fail because their creators use an ineffective market segmentation mechanism, according to HBS professor Clayton Christensen. It's time for companies to look at products the way customers do: as a way to get a job done.
hbr.org
(2022-07-18)
It can be more important than word of mouth.
julian.digital
(2022-07-18)
01 Intro One of the best books I have read in the last few years is The Elephant in the Brain by Robin Hanson and Kevin Simler. The book makes two main arguments: a) Most of our everyday actions can be traced back to some form of signaling or status seeking b) Our brains deliberately hi
behavioralscientist.org
(2022-07-18)
New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.
www.gainsight.com
(2022-07-18)
Your product can’t suck. That’s a given. But it’s also not enough to be a good product that doesn’t hook your customer and connect to their pain points.
hbswk.hbs.edu
(2022-07-18)
Are consumers more likely to buy if they see the price before the product, or vice versa? Uma Karmarkar and colleagues scan the brains of shoppers to find out.
ideas.ted.com
(2022-07-18)
Hello, my name is Andrew, and I can’t stop disagreeing.
hbr.org
(2022-06-28)
From ATMs to automated checkouts to fast food.
hbr.org
(2022-06-25)
The ability to get issues on the table and work through them constructively is critical to having a healthy culture. Managers can normalize productive conflict on your team by using an exercise to map out the unique value of each role and the tensions that should exist among them. Draw a circle and divide that circle into enough wedges to represent each role on your team. For each role, ask: What is the unique value of this role on this team? On which stakeholders is this role focused? What is the most common tension this role puts on team discussions? Answer those questions for each member of the team, filling in the wedges with the answers. As you go, emphasize how the different roles are supposed to be in tension with one another. With heightened awareness and a shared language, your team will start to realize that much of what they have been interpreting as interpersonal friction has actually been perfectly healthy role-based tension.
www.entrepreneur.com
(2022-06-23)
Tips from successful campaigns promoting everything from shapewear to prostate health.
www.usersknow.com
(2022-06-13)
There has been a lot of discussion in the design world recently about "change aversion." Most of the articles about it seem to be targeting the new Google redesign, but I've certainly seen this same discussion happen at many companies when big changes aren't universally embraced by users.
www.psychologytoday.com
(2022-02-10)
Driven by buyers' need for consistency and explanation, the most popular pricing method uses a surprisingly simple formula based on size.
floodstate.substack.com
(2022-02-08)
A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It
unintendedconsequenc.es
(2022-01-29)
The history of technology is one of subtracting humans and replacing them with machines. Do the unintended consequences include creating shoplifters?
psyche.co
(2021-04-22)
The best detectives seem to have almost supernatural insight, but their cognitive toolkit is one that anybody can use
variety.com
(2021-04-18)
As Spotify turns 15 this month, we look at 15 ways the streaming giant has changed, reinvented and reshaped music and the music business.
getpocket.com
(2021-02-21)
Think you got a good deal? Look again.
www.deprocrastination.co
(2021-02-19)
Imagine you could work more and be wildly productive. And you wouldn’t need to force yourself to work.
medium.com
(2020-11-03)
An introduction to forming hypothesis statements for product experimentation.
getpocket.com
(2020-11-03)
Some products sell themselves, but habits don’t. They require a bit of finesse.
getpocket.com
(2020-10-28)
Hello, my name is Andrew, and I can’t stop disagreeing.
thenextweb.com
(2020-04-20)
Leaders need to lead by example using OKRs, showing that they are equally as committed to successful outcomes as anyone on the front lines of the business.
www.thinkwithgoogle.com
(2020-02-19)
Consumer needs spark consumer journeys. How can marketers identify those needs and address them? The latest consumer research from Google will help.
medium.com
(2019-08-31)
Nir Eyal’s Hooked Model explains how games keep players coming back.
ui-patterns.us10.list-manage.com
(2019-03-22)
Understanding user behavior is key to understanding how users interact with your product. Here are 15 steps to analyze & change their interactions to your benefit.
www.vox.com
(2018-09-12)
The mysteries of consumer behavior, explained by ice cream and independent bookstores.
www.gsb.stanford.edu
(2018-03-05)
-->
prodmgmt/programming
categories:
tags:
prodmgmt
programming
date: 26 Mar 2025
slug:raindrop-prodmgmt-programming
dev.to
(2023-03-29)
By choosing open-source alternatives to commercial proprietary software, it not only save money but...
sidsaladi.substack.com
(2023-03-20)
Quote "ChatGPT is like a genie in a bottle, but instead of granting you three wishes, it gives you endless responses until you realize you've been chatting with a machine for hours." 😂
www.practicalecommerce.com
(2023-02-16)
Meta descriptions do not influence organic rankings. But the descriptions appear in search snippets more often than not and thus impact clicks on organic listings.
retailtechinnovationhub.com
(2023-01-31)
If you got to here, it means your project is moving forwards. That is great! As you probably know, organisation is vital in mobile apps development. That is why the development process includes important tools and concepts, such as roadmaps and prioritisation, that help developers build valuable pro
searchengineland.com
(2022-11-06)
Having a psychological approach to creating content helps you craft more effective messages to the right audience.
searchengineland.com
(2022-09-10)
Software and tools not only help you manage your time better but provide helpful insights that you wouldn't otherwise see in a Google or Facebook interface.
www.tomtunguz.com
(2022-08-19)
In many board rooms, the most important go-to-market number this quarter is pipeline health. For some companies, the pipeline may be less clear than a quarter or two ago. Summer seasonality may play a role. Macroeconomics might also be lurking within the numbers. Pipeline fluctuations are normal. But any meaningful & unexpected surprise warrants introspection. Pipeline analysis often has four parts: Craft the sales sandwich to predict your GTM conversion rates & determine if close rates have changed in parallel.
docs.google.com
(2022-07-19)
Go-to-Market Plan [Product Name] [author1@, author2@...] Last Updated: [ _/_/_ ]
medium.com
(2022-07-19)
I was recently talking with Mark Roberge, CRO at Hubspot, for a podcast we’re launching soon. I asked him, “What is a common question that…
robsobers.com
(2022-07-19)
One of my favorite things about Ruby on Rails is that it’s a very opinionated framework. It makes key decisions up and down the technology stack so that I don’t have to. As DHH puts it, Rails is omakase: A team of chefs picked out the ingredients, designed
sethgodin.typepad.com
(2022-07-18)
Hits are more valuable than ever, mostly because they're more rare than ever. The Zipf Distribution, also described in Chris Anderson's Long Tail, helps us understand just how valuable hi…
medium.com
(2022-07-17)
I’m a startup product growth guy with a social gaming background. I currently work as VP of Growth at Relcy, a mobile search engine. A few companies I’ve worked with on growth in the past (HIRED $702…
docs.google.com
(2022-07-05)
[Project Name] [one-line description] Team: [Awesome] Contributors: [PM], [Designer], [Engineer], [Analyst] Resources: [Designs], [Analytics], [Notes] Status: Draft / Problem Review / Solution Review / Launch Review / Launched Last Updated: Thursday, May 21, 2020 Problem Alignment Describe...
www.productmanagerhq.com
(2022-06-23)
We compiled this official guide based on conversations with hundreds of product managers in our PMHQ community who revealed the most popular product management tools and product management tools that they currently use on the job. 64 Best Product Management Tools 2024 The following are the best tools for product management according to their main functions. They are divided into different categories such as collaboration, product roadmap, product management, etc. Product Management...
www.quora.com
(2022-06-23)
www.practicalecommerce.com
(2022-06-23)
www.indicative.com
(2022-06-13)
Like CEOs, data-driven product managers need a variety of different tools, skills, and capabilities. Here's the tools product managers need to succeed.
www.nngroup.com
(2022-06-07)
Use a flexible responsibility-assignment matrix to clarify UX roles and responsibilities, anticipate team collaboration points, and maintain productivity in product development.
thenextweb.com
(2022-06-02)
Check this unique list of handy apps that can help you multiply your website’s visitor or paying customer count without bleeding too much cash.
www.channeladvisor.com
(2022-06-02)
CommerceHub and ChannelAdvisor are now united as Rithum. We empower top brands, suppliers, and retailers with durable, profitable e-commerce solutions.
boringtechnology.club
(2022-06-01)
dataconomy.com
(2022-05-27)
The way we live our lives has an impact on our work. Long lists of typical chores may turn your
www.practicalecommerce.com
(2022-05-12)
Optimizing content for organic rankings requires knowing how Google will interpret searchers' intent — informational, commercial, or navigational.
www.indicative.com
(2022-02-10)
Like CEOs, data-driven product managers need a variety of different tools, skills, and capabilities. Here's the tools product managers need to succeed.
www.focalboard.com
(2021-03-18)
kwokchain.com
(2021-02-06)
How Figma and Canva are taking on Adobe—and winning In 2010, Photoshop was ubiquitous. Whether you were editing a photo, making a poster, or designing a website, it happened in Photoshop. Today, Adobe looks incredibly strong. They’ve had spectacular stock performance, thanks to clear-eyed management who’ve made bold bets that have paid off. Their transition … Continue reading How to Eat an Elephant, One Atomic Concept at a Time →
zapier.com
(2020-08-18)
With a great landing page builder, you can get results. We tested dozens of apps, and here are our picks for the 7 best.
stackshare.io
(2020-05-17)
Search and browse cloud infrastructure services such as PaaS, IaaS, log management, exception monitoring, realtime backend APIs, and more. Find the right tools and services to build your next app.
news.ycombinator.com
(2020-03-09)
productcraft.com
(2019-12-23)
Purpose-built tools have emerged to help product managers do their jobs more effectively. These make up the product management stack, composed of more than a dozen categories. But what is the actual function of each category? We drill down on everything from roadmapping to onboarding.
www.intercom.com
(2019-08-30)
As your sales team grows, your tech stack almost always does too. But figuring out which sales tools you should buy can be a daunting task.
labs.openviewpartners.com
(2019-08-29)
OpenView's Kyle Poyar presents an inclusive guide featuring the best resources available to help you execute a successful product-led growth strategy.
github.com
(2019-08-22)
The simple and open source user story mapping tool. - amborle/featmap
canny.io
(2019-07-25)
Not every SaaS company has endless spare money. One of the biggest piggy bank breakers are the tools we use—and it adds up fast.
-->
prodmgmt/ui-ux
categories:
tags:
prodmgmt
ui-ux
date: 26 Mar 2025
slug:raindrop-prodmgmt-uiux
www.nngroup.com
(2024-10-25)
Use this glossary to quickly clarify key terms and concepts related to product management and UX.
www.nngroup.com
(2024-01-17)
Unsure where to start? Use this collection of links to our articles and videos to learn about some principles of human psychology and how they relate to UX design.
www.thediff.co
(2022-12-06)
Plus! Market-Making; Poaching and Equity Currency; China's Covid Economy; The Cost of AI; Friendshoring; Diff Jobs
www.uxpin.com
(2022-09-14)
What is pattern library, UI kit, and brand voice? Learn all the terms that you need to build and use a long-lasting design system.
zenorocha.com
(2022-08-17)
The Japanese define quality in two ways — atarimae hinshitsu and miryokuteki hinshitsu. Understanding the difference between them is the key to building products that users love.
www.toptal.com
(2022-08-17)
Microinteraction best practices that improve e-commerce UX.
productcoalition.com
(2022-07-05)
How to tell your product’s tale
uxdesign.cc
(2022-07-02)
What we can learn from technology that’s designed to be stepped on
firstround.com
(2022-06-25)
It's not always true that simplicity makes the best product. Sometimes making things less simple will get you the users you truly want.
www.nngroup.com
(2022-06-07)
Use a flexible responsibility-assignment matrix to clarify UX roles and responsibilities, anticipate team collaboration points, and maintain productivity in product development.
www.nngroup.com
(2022-05-30)
Until recently, a lack of digital prioritization and desire to control access have led to sub-par luxury ecommerce experiences. Many luxury brands are struggling to improve.
creativemarket.com
(2022-02-24)
If you’re a creative entrepreneur who understands the power of branding in your packaging design, you’re already
floodstate.substack.com
(2022-02-08)
A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It
thenextweb.com
(2022-01-29)
So you like our media brand Growth Quarters? You should join our Growth Quarters event track at TNW2020, where you’ll hear how the most successful founders kickstarted and grew their companies. This article was originally published by Buil
thereader.mitpress.mit.edu
(2022-01-29)
The best designers employ specific habits, learned practices, and observed principles when they work. Here are a few of them.
stratechery.com
(2022-01-29)
SAP’s acquisition of Qualtrics shows how the shift in technology has changed business; it is a perfect example of using the Internet to one’s advantage.
skyclerk.com
(2022-01-29)
As a rule of thumb business owners should be primarily focused on delighting their customers in any way possible. Every subtle interaction should be closely optimized for customer enchantment, and a decision as simple as where to park your car can subconsciously attract or detract a customer.
unintendedconsequenc.es
(2022-01-29)
The history of technology is one of subtracting humans and replacing them with machines. Do the unintended consequences include creating shoplifters?
uxdesign.cc
(2022-01-17)
When feature bloat can hurt more than help your business goals.
gist.github.com
(2022-01-17)
'Users hate change' · GitHub
www.retaildive.com
(2022-01-17)
Coming out of a banner year, Marvin Ellison discusses how initiatives put in place years ago contributed to the retailer's success.
www.nngroup.com
(2021-12-12)
Be a strategic thinker by recognizing opportunities at scale with seemingly small and insignificant data.
hbswk.hbs.edu
(2021-11-29)
If listeners today can stream just about any song they want, why are so many music aficionados still buying records? Ryan Raffaelli and Gold Rush Vinyl CEO Caren Kelleher discuss the resurgence of vinyl.
www.niemanlab.org
(2021-11-17)
Most U.S. news organizations won't let readers cancel online. The Federal Trade Commission wants that to change.
www.uxpin.com
(2021-10-15)
Building white label products is more profitable than starting a new design every time. Learn how to properly implement white labelling.
threader.app
(2021-03-15)
Get a selection of good threads from Twitter every day
newsletter.bringthedonuts.com
(2021-03-15)
t.co
(2020-12-22)
These were my favorite product management and UX articles of 2020, which is the 5th year I’ve compiled this list. Though 2020 was a…
www.thinkwithgoogle.com
(2020-02-19)
Consumer needs spark consumer journeys. How can marketers identify those needs and address them? The latest consumer research from Google will help.
docs.google.com
(2019-08-30)
Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver
medium.com
(2019-08-29)
A new battle is brewing to be the default of every choice we make. As modern interfaces like voice remove options, augmented reality…
medium.com
(2019-04-21)
How a user-first culture led to a decade of eureka moments at Google UX
www.nngroup.com
(2019-03-12)
“That’s just one person” and “Our real users aren’t like that” are common objections to findings from qualitative usability testing. Address these concerns proactively to ensure your research is effective.
www.gsb.stanford.edu
(2018-03-05)
-->
goodreads/history
categories:
tags:
goodreads
history
date: 26 Mar 2025
slug:raindrop-goodreads-history
www.thecollector.com
(2025-01-21)
Alan Lomax was a legendary collector of folk music, author, broadcaster, oral historian, musicologist, and filmmaker who raised the profile of folk music worldwide.
militaryhistorynow.com
(2024-06-16)
“As a doctor, she had already faced misogyny in the French medical corps. But she persevered. It would be no different for her as a rescue pilot.” By Charles Morgan Evans AT A remote French...
www.newyorker.com
(2024-03-29)
On a calm, clear day, USAir Flight 427 suddenly nosedived and smashed into the earth, killing everyone on board. A team of investigators quickly assembled to sift through the rubble.
hakaimagazine.com
(2024-02-03)
Rats are less pestilent and more lovable than we think. Can we learn to live with them?
www.bbc.com
(2024-02-01)
Claims that a recent undersea discovery may be Amelia Earhart’s long-lost aeroplane raise questions. Experts weigh in on the mystery that continues to captivate us.
www.neatorama.com
(2024-01-19)
Ada Blackjack was an Iñupiaq woman who married at 16 and had three children before her husband abandoned her. Only one child survived infancy, and he suffered from tuberculosis. Blackjack walked 40 miles to Nome, Alaska, carrying her son Bennett in order to place him in an orphanage, because she couldn't afford his medical treatment. She desperately wanted him back, and that's why she signed on to the doomed 1921 expedition that Vilhjalmur Stefansson organized to explore the possibility of a colon...
www.gq.com
(2023-09-29)
A lifetime after the Holocaust, a few of its perpetrators remain at large. German detectives are making a final push to hunt them down.
www.laphamsquarterly.org
(2023-08-27)
www.atlasobscura.com
(2023-08-05)
A classic ghost story has something to say about America—200 years ago, 100 years ago, and today.
www.newyorker.com
(2023-05-23)
There was a flash of blue and a surge of radioactive heat. Nine days later, Louis Slotin was dead.
magazine.atavist.com
(2023-05-03)
A tale of disaster, survival, and ghosts.
www.atlasobscura.com
(2023-04-13)
The fragrant fruit hid a dark secret.
www.todayifoundout.com
(2023-04-02)
On November 28, 1787, His Majesty’s Armed Vessel Bounty set sail from England with 46 men aboard, bound for the island of Tahiti in the South Pacific. Commanded by Lieutenant William Bligh, her mission was to collect and deliver breadfruit plants to the West Indies, where they would serve as cheap food for slaves on British plantations. After a long [...]
nymag.com
(2023-03-19)
Tomb raiders, crooked art dealers, and museum curators fed billionaire Michael Steinhardt’s addiction to antiquities. Many also happened to be stolen.
www.lrb.co.uk
(2023-03-19)
Kaminsky bought chemistry books from bouquinistes along the Seine and taught himself to make explosives. But when a man...
theconversation.com
(2023-03-17)
Paul Laurence Dunbar became the first Black writer to earn international acclaim through his poetry, essays and musical lyrics.
www.bbc.com
(2023-03-11)
Most mammals, including our closest living relatives, have fur. So why did we lose ours?
constructionphysics.substack.com
(2023-02-25)
The modern world uses shocking amounts of steel.
www.thediff.co
(2023-01-22)
The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and the Scientific Discovery That Fed the World but Fueled the Rise of Hitler [Hager, Thomas] on Amazon.com. *FREE* shipping on qualifying offers. The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and the Scientific Discovery That Fed the World but Fueled the Rise of Hitler
www.smithsonianmag.com
(2022-12-16)
His daring raids in World War I made him a legend. But in the Middle East today, the desert warrior’s legacy is written in sand
www.nytimes.com
(2022-10-21)
Scientists are grasping for any example that could help anticipate the future of Covid, even a mysterious respiratory pandemic that spread in the late 19th century.
getpocket.com
(2022-10-16)
Over the course of his chariot racing career, Gaius Appuleius Diocles won almost 60,000 lbs of gold. What did he do with it? Who knows.
www.smithsonianmag.com
(2022-09-17)
A new film stars Viola Davis as the leader of the Agojie, the all-woman army of the African kingdom of Dahomey
erikexamines.substack.com
(2022-09-05)
Before the industrial revolution, there had been a significant increase in machinery use in Europe. Why not in China?
www.smithsonianmag.com
(2022-09-05)
The story of Camelot and the Knights of the Round Table has captivated us for a thousand years. But is there any truth behind the tales?
www.collaborativefund.com
(2022-08-27)
The most important lessons from history are the takeaways that are so broad they can apply to other fields, other…
www.trulyadventure.us
(2022-08-22)
The story of Josephine Baker.
getpocket.com
(2022-08-14)
It has often been described as a “miracle” that most of Denmark’s Jews escaped the Holocaust. Now it seems that the country’s Nazi rulers deliberately sabotaged their own operation.
www.texasmonthly.com
(2022-07-30)
Fifty years ago, a minor league game in Midland was postponed for the rarest of reasons—a swarm of grasshoppers biblical in its proportions.
www.cryptomuseum.com
(2022-07-05)
clicks.getpocket.com
(2022-06-30)
Hidden in the tusk of a 34-year-old mastodon was a record of time and space that helped explain his violent death.
www.nytimes.com
(2022-06-21)
Jumbo Floating Restaurant, which closed in 2020, capsized in the South China Sea after being towed from the city. The sinking triggered nostalgia for a happier period of Hong Kong history.
www.theatlantic.com
(2022-06-18)
An ex-Soviet state’s national myths—as well as the forces of nationalism, economics, culture, and religion—all pull it away from Moscow. Can Russia really compete?
www.theguardian.com
(2022-05-12)
Recorded during several hedonistic months in a fabulous Cote d’Azur villa, Exile on Main St is seen as the Stones’ epic, creative peak. As the classic album turns 50, stars tell us how it got their rocks off
nymag.com
(2022-03-31)
How the impeccably credentialed, improbably charming economic historian supplanted the dirtbag left.
www.bbc.com
(2022-03-17)
A strong national identity is essential for any country's survival – and the easiest route to acquiring one is to unite behind a common enemy.
thecritic.co.uk
(2022-03-14)
This article is taken from the March 2022 issue of The Critic. To get the full magazine why not subscribe? Right now we’re offering five issue for just £10. If you’ve ever wondered how letters were…
www.bbc.com
(2022-01-25)
In 1944, the USS Johnston sank after a battle against the world's largest battleship. More than 75 years later, her wreck was finally located, 6km (3.7 miles) below the waves.
en.wikipedia.org
(2022-01-23)
The Divine Comedy is an Italian narrative poem by Dante Alighieri, begun c. 1308 and completed around 1321, shortly before the author's death. It is widely considered the pre-eminent work in Italian literature and one of the greatest works of Western literature. The poem's imaginative vision of the afterlife is representative of the medieval worldview as it existed in the Western Church by the 14th century. It helped establish the Tuscan language, in which it is written, as the standardized Italian language. It is divided into three parts: Inferno, Purgatorio, and Paradiso.
www.theguardian.com
(2022-01-21)
Did the iconic three-note sequence come from Stravinsky, the Muppets or somewhere else? Our writer set out to – dun, dun duuuun! – reveal the mystery
www.vanityfair.com
(2022-01-21)
In 1708, the Spanish galleon San José sank in a deadly battle against English warships, taking with it billions in treasure. Centuries passed until a secretive archaeologist found the wreck, but now nations are again warring over who may claim the gold and glory.
www.bbc.com
(2022-01-12)
For millennia, people slept in two shifts – once in the evening, and once in the morning. But why? And how did the habit disappear?
bittersoutherner.com
(2022-01-07)
Biscuit-whisperer Erika Council honors the women who taught her to bake a perfect biscuit.
www.smithsonianmag.com
(2022-01-06)
The year's most exciting discoveries include a Viking "piggy bank," a lost Native American settlement and a secret passageway hidden behind a bookshelf
www.seriouseats.com
(2021-12-12)
Due in large part to Glenn Roberts of Anson Mills, a Georgia optometrist, and several members of what's known as the Carolina Gold Rice Foundation (yes, that exists), Carolina Gold rice is back, allowing a new generation of home cooks to experience what real Lowcountry cooking was meant to taste like.
getpocket.com
(2021-12-11)
Hulu’s “The Great” offers an irreverent, ahistorical take on the Russian empress’ life. This is the real history behind the period comedy.
www.latimes.com
(2021-11-29)
Josephine Baker next week will become the first Black woman and first American to be honored with enshrinement in Paris' Pantheon.
www.theatlantic.com
(2021-11-23)
Inside the Manhattan DA’s Antiquities Trafficking Unit
www.cbsnews.com
(2021-11-04)
58 musicians showed up for a picture that captured the giants of jazz
psyche.co
(2021-11-03)
From the docks of 12th-century Genoa to the gambling tables of today, risk is a story that we tell ourselves about the future
getpocket.com
(2021-10-15)
A whistleblower puts his life on the line to defy Soviet aggression. Over sixty years later, this forgotten story of subterfuge, smears and suspicious death has never felt more timely.
www.bbc.com
(2021-09-19)
Heinrich Himmler sent a team of five Germans to Tibet in 1938 to pursue the Aryan race myth.
www.damninteresting.com
(2021-08-26)
From the depths of poverty, Du Yuesheng rose through Shanghai’s underworld to become one of the most influential, and overlooked, figures in modern China.
www.historytoday.com
(2021-07-10)
narratively.com
(2021-07-03)
Behind the American Museum of Natural History’s most venerable artifact is the shameful tale of a relentless explorer and a young boy’s torturous journey from Greenland to New York.
aeon.co
(2021-06-21)
European ideas of African illiteracy are persistent, prejudiced and, as the story of Libyc script shows, entirely wrong
www.npr.org
(2021-06-04)
In 1721, London was in the grips of a deadly smallpox epidemic. One woman learned how to stop it, but her solution sowed political division.
www.atlasobscura.com
(2021-06-04)
Tom Brown's retirement hobby is a godsend for chefs, conservationists, and cider.
getpocket.com
(2021-06-04)
Dubbed the Ravens, misfit American pilots in Vietnam learned they could fly, fight, and drink as they pleased in a CIA-sponsored secret war. Just one catch: They answered to General Vang Pao.
petapixel.com
(2021-05-12)
Doesn’t look like much, does it? But, depending upon your definition, this photograph, a team effort by 9 men, is the most honored picture in U. S.
www.sfgate.com
(2021-05-12)
The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...
www.politico.com
(2021-05-07)
The plan to kill Osama bin Laden—from the spycraft to the assault to its bizarre political backdrop—as told by the people in the room.
www.washingtonpost.com
(2021-04-24)
In 1970, an image of a dead protester at Kent State became iconic. But what happened to the 14-year-old kneeling next to him?
99percentinvisible.org
(2021-04-12)
Since the mid-1970s, almost every jazz musician has owned a copy of the same book. It has a peach-colored cover, a chunky, 1970s-style logo, and a black plastic binding. It’s delightfully homemade-looking—like it was printed by a bunch of teenagers at a Kinkos. And inside is the sheet music for hundreds of common jazz tunes—also
www.smithsonianmag.com
(2021-03-27)
Scholar Monica Green combined the science of genetics with the study of old texts to reach a new hypothesis about the plague
supchina.com
(2021-03-27)
www.artnews.com
(2021-03-03)
What are the greatest art heists of all time? See a list of the 25 most memorable thefts from museums.
www.smithsonianmag.com
(2021-02-28)
America’s bold response to the Soviet Union depended on an unknown spy agency operative whose story can at last be told
www.thedriftmag.com
(2021-02-09)
After Kenya declared independence from British rule in 1963, there came a flood of renamings. Schools, suburbs, and roads were rechristened in ways that spoke to a new idea of what it meant to be…
www.chemistryworld.com
(2020-12-29)
The skills behind the legendary sharpness of wootz steel were once forgotten, but Andy Extance talks to the researchers unsheathing its secrets
www.collectorsweekly.com
(2019-09-21)
[caption id="attachment_80535" align="aligncenter" width="576"] The Tahiti, seen here sailing on San Francisco Bay, was a 124-foot brigantine built by Tur...
lithub.com
(2019-08-29)
Alexander the Great’s death is an unsolved mystery. Was he a victim of natural causes, felled by some kind of fever, or did his marshals assassinate him, angered by his tyrannical ways? An autopsy…
getpocket.com
(2019-08-15)
This quixotic colonial barrier was meant to enforce taxes.
www.nytimes.com
(2019-08-12)
Robert Ballard has found the Titanic and other famous shipwrecks. This month his crew started trying to solve one of the 20th century’s greatest mysteries.
lithub.com
(2019-07-30)
On August 23rd, the day after Dietrich von Choltitz dispatched Rolf Nordling to contact the Allies, Hitler sent a message to Field Marshal Walther Model and von Choltitz demanding that Paris be hel…
www.theatlantic.com
(2019-07-20)
A short story by Arna Bontemps Hemenway
stories.californiasunday.com
(2019-06-30)
www.smithsonianmag.com
(2019-05-12)
The International Spy Museum details the audacious plan that involved a reclusive billionaire, a 618-foot-long ship, and a great deal of stealth
www.1843magazine.com
(2019-03-16)
Kahve was a favourite drink of the Ottoman Empire’s ruling class. Little did they know it would one day hasten the empire’s demise
psmag.com
(2019-02-10)
Thanks in part to the work of Hanns Scharff and a slew of studies on interrogation techniques, we know it's best to be genuinely friendly no matter who you're trying to get information out of.
www.smithsonianmag.com
(2019-01-26)
In The First Conspiracy, thriller writer Brad Meltzer uncovers a real-life story too good to turn into fiction
www.smithsonianmag.com
(2018-12-21)
Charged with manslaughter, the owners were acquitted in December 1911. A Smithsonian curator reexamines the labor and business practices of the era
allthatsinteresting.com
(2018-12-16)
"The dogs and cats fled in terror at his aspect, as if they had anticipated the kind of fate he was preparing for them."
medium.californiasun.co
(2018-12-03)
We’ve all seen Ansel Adams’ luscious black-and-white images of Yosemite. Lesser known are his pictures of life in World War II-era Los…
www.atlasobscura.com
(2018-11-17)
From cold cuts to cold case.
www.laphamsquarterly.org
(2018-11-16)
How to make the trip from Sijilmasa to Oualata, circa 1352.
www.hoover.org
(2018-11-07)
The most consequential military engagement in Southeast Asia in the 20th century is the 1954 Battle of Dien Bien Phu. It was fought ostensibly between the French and the communist-led Vietmin at Dien Bien Phu, an obscure valley bordering China, in the remote northwestern part of what was then French Indochina. The battle ended with a humiliating defeat for the French, which brought down the French government, ended French colonial rule in Asia, ushered in America’s epic military involvement in the region for decades to come, and fundamentally changed the global geostrategic landscape.
www.texasmonthly.com
(2018-08-28)
When the Great Depression put Plennie Wingo’s bustling Abilene cafe out of business, he tried to find fame, fortune, and a sense of meaning the only way he knew how: by embarking on an audacious trip around the world on foot. In reverse.
www.openculture.com
(2018-08-23)
Many of us now use the word hobo to refer to any homeless individual, but back in the America of the late 19th and early 20th century, to be a hobo meant something more.
www.smithsonianmag.com
(2018-08-15)
Did members of a powerful society of warlocks actually murder their enemies and kidnap children?
www.retaildive.com
(2018-07-01)
Cost cuts, stressed employees, intercompany rivalries, dirty floors, dusty rafters, glitchy IT, fudged metrics: The people who ran the failed toy retailer's stores know what went wrong.
www.smithsonianmag.com
(2018-07-01)
A strange and bittersweet ballad of kidnapping, stolen identity and unlikely stardom
www.atlasobscura.com
(2018-02-12)
Many Indian dishes can be traced back, indirectly, to a 16th-century, food-obsessed ruler named Babur.
www.texasmonthly.com
(2017-11-24)
A peek inside the revelry and rivalry of Texas's fat men's clubs.
www.cantgetmuchhigher.com
(2017-09-24)
Because sometimes you have to fact-check your grandmother
-->
goodreads/animals
categories:
tags:
animals
goodreads
date: 26 Mar 2025
slug:raindrop-goodreads-animals
www.nytimes.com
(2024-10-23)
The entire world’s population of Przewalski’s horses once dwindled to a mere dozen. So how did a pair named Fiona and Shrek end up in livestock auctions in the West?
hakaimagazine.com
(2024-02-03)
Rats are less pestilent and more lovable than we think. Can we learn to live with them?
www.newyorker.com
(2023-07-19)
A conservation N.G.O. infiltrates wildlife-trafficking rings to bring them down.
wired.com
(2023-06-11)
Ocean creatures soak up huge amounts of humanity’s carbon mess. Should we value them like financial assets?
emergencemagazine.org
(2023-05-19)
In the woods near her home, Lucy Jones discovers the magic of slime molds and becomes entangled in their fluid, nonbinary way of being.
longreads.com
(2023-05-15)
Language lessons with an extraordinary ape.
www.newyorker.com
(2023-03-27)
What can elephants, birds, and flamenco players teach a neuroscientist-composer about music?
www.theatlantic.com
(2023-03-04)
Pets left behind when people fled the disaster in 1986 seem to have seeded a unique population.
magazine.atavist.com
(2023-03-04)
A woman, an elephant, andan uncommon love story spanningnearly half a century.
slate.com
(2023-02-07)
The story of Lacey, and why I had to kill her.
catapult.co
(2023-01-10)
Catapult publishes literary fiction and artful narrative nonfiction that engages with our Perception Box, the powerful metaphor we use to define the structure and boundaries of how we see others in th
www.noemamag.com
(2022-12-08)
Advanced technologies like A.I. are enabling scientists to learn that the world is full of intelligent creatures with sophisticated languages, like honeybees. What might they tell us?
punchdrink.com
(2022-11-15)
Master falconer Alina Blankenship and her mélange of raptors have become the protectors of some of Oregon's top vineyards.
www.theatlantic.com
(2022-10-01)
Behold choanoflagellates, tiny creatures that can be one body and many bodies all at once.
www.outsideonline.com
(2022-09-22)
People say farmers aren’t supposed to get emotionally attached to livestock. Uh-huh. When fate sent our writer two newborn sheep with life-threatening birth defects, that kind of thinking was banished from the barn.
hakaimagazine.com
(2022-09-20)
To save endangered eels, researchers have been working for decades to figure out where they reproduce.
www.newyorker.com
(2022-09-05)
In the Panhandle, where swarms of lionfish gobble up native species, a tournament offers cash prizes to divers skilled at spearing one predator after another.
www.nytimes.com
(2022-08-30)
Scientists are using machine learning to eavesdrop on naked mole rats, fruit bats, crows and whales — and to communicate back.
getpocket.com
(2022-08-13)
Meet the footballing bees, optimistic pigs and alien-like octopuses that are shaking up how we think about minds.
www.wnycstudios.org
(2022-07-30)
Oceans also have their vigilantes.
www.smithsonianmag.com
(2022-07-29)
Famed American biologist Patricia Wright explores an astonishing breadth of biodiversity in the wilderness of Madagascar
hakaimagazine.com
(2022-07-28)
They’ve roamed free for hundreds of years, but is that freedom harming the ecosystem they call home?
clicks.getpocket.com
(2022-06-30)
Hidden in the tusk of a 34-year-old mastodon was a record of time and space that helped explain his violent death.
backreaction.blogspot.com
(2022-06-25)
Science News, Physics, Science, Philosophy, Philosophy of Science
www.npr.org
(2022-06-25)
In his new book, An Immense World, science writer Ed Yong explores the diversity of perception in the animal world — including echolocation, magnetic fields and ultraviolet vision.
www.theguardian.com
(2022-06-23)
Meet the footballing bees, optimistic pigs and alien-like octopuses that are shaking up how we think about minds
www.theatlantic.com
(2022-06-21)
Every creature lives within its own sensory bubble, but only humans have the capacity to appreciate the experiences of other species. What we’ve learned is astounding.
www.nytimes.com
(2022-06-21)
Three sisters braved lions, crocodiles, poachers, raging rivers and other dangers on a 1,300-mile transnational effort to forge a new dynasty.
harpers.org
(2022-06-21)
What happens when we talk to animals?
www.npr.org
(2022-05-16)
In December 1997, a tiger prowled the outskirts of a small town in Russia's Far East. In his book The Tiger, John Vaillant re-creates the events of that terrifying winter in an environment where man and tiger live side-by-side.
thewalrus.ca
(2021-11-29)
You might consider them flying rats, but their odysseys stump scientists
www.hakaimagazine.com
(2021-10-30)
An ambitious project is attempting to interpret sperm whale clicks with artificial intelligence, then talk back to them.
www.bloomberg.com
(2021-07-13)
Conservationists saw the 6-year-old brown bear as a symbol of hope. Villagers saw him as a menace. Then he turned up dead.
www.hakaimagazine.com
(2021-07-10)
Your obnoxious neighbor or just a misunderstood, displaced seabird?
www.plough.com
(2021-06-17)
Zito Madu in pursuit of London’s wildlife.
www.theguardian.com
(2021-06-08)
The long read: Dumba has spent her life performing in circuses around Europe, but in recent years animal rights activists have been campaigning to rescue her. When it looked like they might succeed, Dumba and her owners disappeared
www.newyorker.com
(2021-05-03)
Deer can regrow their antlers, and humans can replace their liver. What else might be possible?
www.smithsonianmag.com
(2021-05-02)
While captive in a Navy program, a beluga whale named Noc began to mimic human speech. What was behind his attempt to talk to us?
www.newyorker.com
(2021-04-28)
Artificial intelligence may help us decode animalese. But how much will we really be able to understand?
fiftytwo.in
(2021-04-23)
Millions suffered through terror and upheaval in the turbulent years following the Soviet occupation of Afghanistan. One of them was a baby elephant from India — A new story from India to the world, each week on FiftyTwo.in
www.bbc.com
(2021-04-23)
The descendants of pets abandoned by those fleeing the Chernobyl disaster are now striking up a curious relationship with humans charged with guarding the contaminated area.
getpocket.com
(2021-04-22)
The microscopic animals can withstand extreme conditions that would kill humans, and may one day help in the development of Covid vaccines. How do they do it?
narratively.com
(2021-04-16)
As a reptile-obsessed teen, I ran away to hunt lizards in the Everglades, then hatched a plan to milk venom from deadly snakes. It went even more comically wrong than you're thinking.
www.newyorker.com
(2021-04-04)
Birds do it. Bees do it. Learning about the astounding navigational feats of wild creatures can teach us a lot about where we’re going.
www.smithsonianmag.com
(2021-03-20)
Nearly a century after the last wolf was eradicated in the state, a lone female arrived and established a pack. Not everyone is cheering
www.hakaimagazine.com
(2021-01-10)
In Alaska, one of the longest-running and most comprehensive seabird monitoring projects is equal parts tedium, adventure, truth, and beauty.
www.nytimes.com
(2021-01-07)
What will we lose when Najin and Fatu die?
www.newyorker.com
(2021-01-01)
The giant squid has taken on a near-mythical status for generations of sailors, explorers, and writers. How could something so big remain unseen—or be less understood than dinosaurs?
www.hakaimagazine.com
(2020-12-30)
It’s dangerous to blame the decline of one species on a single predator. We humans like to do it anyway.
www.overcomingbias.com
(2020-02-19)
The book Honeybee Democracy, published in 2010, has been sitting on my shelf for many years.
getpocket.com
(2019-12-15)
Despite their wacky brains, these intelligent animals seem to respond to the drug in a very similar way to humans.
altaonline.com
(2019-12-09)
They’re tiny and they hover, and they’re one of only three groups of birds that are vocal learners. They sing with their mouths andtheir feathers. No wonder UC Riverside researcher Chris Clark is obsessed with hummingbirds.
getpocket.com
(2019-11-20)
He was the alpha male of the first pack to live in Oregon since 1947. For years, a state biologist tracked him, collared him, counted his pups, weighed him, photographed him, and protected him. But then the animal known as OR4 broke one too many rules.
getpocket.com
(2019-11-14)
My father always pampered his pets. So when he fell ill and moved in with us, it was no surprise that his corgi came to rule our home. What I didn’t expect was for Trilby to care for me after Dad was gone.
story.californiasunday.com
(2019-10-06)
"She's missing. I’m not going to quit her."
lithub.com
(2019-09-30)
Self-replicating, bacterial life first appeared on Earth about 4 billion years ago. For most of Earth’s history, life remained at the single-celled level, and nothing like a nervous system existed …
www.guernicamag.com
(2019-09-16)
In an era of climate change, everything feels strange. Even the places we call home.
altaonline.com
(2019-08-15)
Wild mustang populations are out of control, competing with cattle and native wildlife for resources. If the federal government doesn’t rein them in, ranchers may take matters into their own hands.
gardenandgun.com
(2019-08-05)
Go behind the scenes at the South Carolina Aquarium's Sea Turtle Care Center during a nearly yearlong journey to get a massive injured loggerhead back home
www.theatlantic.com
(2019-07-15)
A tour of a graveyard for beloved animals.
perspicacity.xyz
(2019-07-09)
Technology can displace the cow and save the climate. But we will need to think beyond the bun
narratively.com
(2019-05-02)
Kathi Lynn Austin is on a global chase to stop the flow of guns threatening to wipe the rhinoceros off the face of the Earth.
lithub.com
(2019-04-18)
Human hunters moved north into what would become Montana on the heels of the receding ice, coming into the Mission Valley when the land was yet raw and studded with erratics. Only the first scrim o…
www.dailymail.co.uk
(2019-04-16)
The female brown Aspin was found drifting in the Gulf of Thailand on Friday. It is unknown whether the dog swam the astonishing distance from the shore, or jumped off a boat at sea.
www.bbc.com
(2019-04-09)
When foxes nearly wiped out a colony of little penguins, a sheepdog saved the day.
medium.com
(2019-04-02)
When a massive Caribbean volcano erupts, the island’s residents flee, leaving their beloved animals behind. As pets and livestock are…
www.smithsonianmag.com
(2019-01-07)
I brought a seasoned veteran of the conflict in Afghanistan into my home—and then things got wild
www.nytimes.com
(2018-12-21)
Attacks by elephants on villages, people and other animals are on the rise. Some researchers are pointing to a species-wide trauma and the fraying of the fabric of pachyderm society.
www.knowablemagazine.org
(2018-12-16)
They worm into snails and infect the brains of fish. They’ve also found their way into Kevin Lafferty’s heart. He sees them as beautiful examples of sophisticated evolution, and as keys to ecosystem balance.
www.rbth.com
(2018-12-10)
longform.org
(2018-10-28)
Behold the marvel of the animal’s fabrication.
aeon.co
(2018-10-24)
Elephants might have the necessary capacities for personhood – we just need to help them acquire the cognitive scaffolding
www.texasmonthly.com
(2018-10-20)
Without a good shoeing, a horse can indeed be lost. Enter the farrier.
www.audubon.org
(2018-10-07)
Multimillion-dollar sales of songbirds heap pressure on species already in decline. We go inside the covert investigation to capture traffickers.
longform.org
(2018-09-28)
A quest for tigers in India.
www.theatlantic.com
(2018-09-21)
A new book from Christopher Skaife is a beguiling, fascinating, and highly amusing account of the strangely magical birds.
www.knowablemagazine.org
(2018-09-15)
Can we use the tools of psychology to understand how colonies of social insects make decisions?
www.theguardian.com
(2018-08-29)
The long read: Abandoned as a child, Marcos Rodríguez Pantoja survived alone in the wild for 15 years. But living with people proved to be even more difficult
longform.org
(2018-08-18)
longform.org
(2018-08-05)
Glory, grief, and the race for the Triple Crown.
www.nytimes.com
(2018-07-06)
Rob Wielgus was one of America’s pre-eminent experts on large carnivores. Then he ran afoul of the enemies of the wolf.
longform.org
(2018-01-28)
Fishing gear can pose a deadly threat to whales—and to those who try to save them.
-->
goodreads/food-drink
categories:
tags:
food-drink
goodreads
date: 26 Mar 2025
slug:raindrop-goodreads-food-drink
longreads.com
(2024-11-12)
On the insatiable hunger for belonging.
longreads.com
(2024-06-16)
American food supplies are increasingly channeled through a handful of big companies: Amazon, Walmart, FreshDirect, Blue Apron. What do we lose when local supermarkets go under? A lot -- and Kevin Kelley wants to stop that.
melmagazine.com
(2024-05-10)
I also helped undress him so he could lie down
www.atlasobscura.com
(2023-04-13)
The fragrant fruit hid a dark secret.
worksinprogress.substack.com
(2023-02-02)
No great stagnation in home espresso
longreads.com
(2022-11-17)
Olivia Potts | Longreads | November 2022 | 16 minutes (4,649 words) It’s six in the morning, and Robert Booth has already been on the road for three hours. Sitting alongside him in the cab of his lorry (the British term for a truck) is Louis, Robert’s small dog, a Jack Russell-chihuahua mix, and a washing-up bowl […]
www.vice.com
(2022-09-17)
Why do so many accomplished chefs call Popeyes their favorite fried chicken?
erikexamines.substack.com
(2022-09-05)
Before the industrial revolution, there had been a significant increase in machinery use in Europe. Why not in China?
www.texasmonthly.com
(2022-08-17)
The tons of contraband lunch meat seized at the U.S.-Mexico border tell us something about the market value of nostalgia.
www.npr.org
(2022-08-15)
Eight radio stations in Southern Louisiana still broadcast partially in French as they try to keep alive a dying language in the area. French has been spoken there since the mid-1700s.
www.thenewatlantis.com
(2022-08-12)
Cheese, curry, beer: We can thank our ancestors who put food scraps to creative use. What we’re leaving our children is garbage.
www.afar.com
(2022-07-28)
www.seriouseats.com
(2022-07-19)
Lately, something has changed. Lately, I've been reacting to fancy coffee the same way a child reacts to an accidental sip of red wine mistaken for grape juice. I don't know when it happened, but I've devolved into an unexpected love affair with bad coffee. It's not just instant coffee that I hanker for each morning, either, it's any subpar coffee I can get my hands on.
www.newyorker.com
(2022-06-16)
Tartine, a beloved San Francisco bakery, wanted to grow. Partnering with a developer was one way to rise.
thehustle.co
(2022-05-15)
The story of See’s Candies reminds us of the importance of consistency, quality, and long-term growth in investing.
narratively.com
(2022-03-04)
The new owner of Argentina’s de facto national treat stopped paying his majority-female workforce — so they seized control of the entire operation.
hazlitt.net
(2022-01-07)
Julia Child's collaborator Simone Beck has lingered as an object of pity in public memory. But maybe Beck didn’t want stardom at all.
bittersoutherner.com
(2022-01-07)
Biscuit-whisperer Erika Council honors the women who taught her to bake a perfect biscuit.
nautil.us
(2021-12-27)
The fig is an ecological marvel. Although you may never want to eat one again.
bittersoutherner.com
(2021-12-26)
Beekeeping helped Gary Adkison pull his life together. Now he's among the tenacious harvesters of tupelo honey.
www.atvbt.com
(2021-12-18)
For a long time, I thought MSG was a food additive more like "Red 40", that it had some obscure food-science use and junk food companies were either too lazy or callous to replace it. It turns out it's more like salt. Good luck taking that out of your Cheetos.
www.seriouseats.com
(2021-12-12)
Due in large part to Glenn Roberts of Anson Mills, a Georgia optometrist, and several members of what's known as the Carolina Gold Rice Foundation (yes, that exists), Carolina Gold rice is back, allowing a new generation of home cooks to experience what real Lowcountry cooking was meant to taste like.
www.eater.com
(2021-12-08)
The painstaking process of picking piñon makes for a booming roadside economy for the Navajo Nation and other Indigenous Americans
www.the-angry-chef.com
(2021-11-23)
It is deadly, invisible and shapes much of the food we eat. A teaspoon of it could kill millions of people, and it is probably the most expensive material on earth. Yet you probably have some stuck to the bottom of you shoe.
www.baltimoresun.com
(2021-11-02)
It flurried all day Sunday in Vermont. Ekiben co-founder Steve Chu watched the flakes with dread. Snow in the fryer would be trouble. This is the story of how the owners of Baltimore’s most p…
www.hcn.org
(2021-10-26)
Growers of New Mexico’s iconic crop wrestle with drought, water rights and labor shortages.
www.theatlantic.com
(2021-09-05)
With his stubborn disregard for the hierarchy of wines, Robert Parker, the straight-talking American wine critic, is revolutionizing the industry -- and teaching the French wine establishment some lessons it would rather not learn.
www.nytimes.com
(2021-08-21)
While big-name chefs take up Appalachian cooking, a farm couple are using old seeds and recipes to tell a more complex story and lift up their region.
getpocket.com
(2021-08-05)
The world’s most obsessive breakfast-food fans demonstrate just how far humans will go for the sweet taste of nostalgia.
www.bbc.com
(2021-07-10)
The true star of the Akutagawa Prize-winning novel Convenience Store Woman is the convenience store itself. But what is it that makes these shops so magical?
www.atlasobscura.com
(2021-07-03)
A study digs up the origin of the single species that gives us turnips, bok choy, broccoli rabe, and more.
www.bbc.com
(2021-06-19)
When a Russian scientist identified the Malus sieversii as the progenitor of the domestic apple, harvests in Kazakhstan’s forests were bountiful; now this wild fruit is threatened.
www.atlasobscura.com
(2021-06-04)
Tom Brown's retirement hobby is a godsend for chefs, conservationists, and cider.
www.hakaimagazine.com
(2021-04-26)
From unappetizing “fishbricks” to cultural darlings, the 1950s convenience food has enjoyed a winning streak—no less so than during the COVID-19 pandemic.
www.wired.com
(2021-04-23)
Secret codes. Legal threats. Betrayal. How one couple built a device to fix McDonald’s notoriously broken soft-serve machines—and how the fast-food giant froze them out.
www.hakaimagazine.com
(2021-03-14)
Skipjack are the world’s most abundant tuna. They’re resilient, but can they outswim our demand for this pantry staple?
longreads.com
(2021-01-02)
Where culinary bliss meets environmental peril, and how to solve America’s poke problem.
www.grubstreet.com
(2020-12-30)
What the hole is going on?
www.eater.com
(2020-12-26)
Sonoma County’s SingleThread has been hailed as the apotheosis of high-end, farm-to-table dining. The perpetual threat of wildfires and once-in-a-generation flooding also make it a case study in the challenges that climate change will soon pose to restaurants everywhere.
www.newyorker.com
(2020-11-27)
Burkhard Bilger’s 2005 piece on the short-order cooks at the Flamingo hotel, who crack well over a million eggs a year, in a city built by breakfast specials.
getpocket.com
(2020-07-24)
In this remote Swiss town, residents spent a lifetime aging a wheel for their own funeral.
www.newyorker.com
(2020-04-06)
For a newcomer to the city, a boulangerie apprenticeship reveals a way of life.
getpocket.com
(2020-03-11)
But maybe not for your stomach.
www.tastecooking.com
(2020-02-23)
If you've ever cooked a recipe from the back of one of the company's 400+ products, you have one very busy pastry chef to thank.
www.smithsonianmag.com
(2020-02-19)
Thanks to the successful “Kurisumasu ni wa kentakkii!” (Kentucky for Christmas!) marketing campaign in 1974, Japan can't get enough KFC on Christmas Day
getpocket.com
(2020-01-22)
The best place to eat in Germany is in a little village in a forest.
www.grubstreet.com
(2020-01-12)
The mob saw an opportunity. Local 338 had other ideas.
www.atlasobscura.com
(2020-01-10)
A coal fortune is fueling the revival of a cuisine it nearly destroyed.
longreads.com
(2019-12-02)
An Oxford grad learns to navigate boiling sugar, sleep deprivation, and exacting pastry chefs with whom she can barely communicate.
getpocket.com
(2019-11-27)
Working summers at an authentically quaint roadside produce stand, a teenage salesperson is schooled in the not-so-subtle art of how to con a foodie from the big city.
getpocket.com
(2019-11-27)
On Saturdays Tootsie Tomanetz cooks barbecue the old-fashioned way for legions of loyal fans. That doesn’t mean she’ll ever give up her day job.
getpocket.com
(2019-11-26)
Retail giants turn to bitcoin technology to combat food-fraud that costs the global food industry up to $40 billion every year.
www.1843magazine.com
(2019-11-18)
Kahve was a favourite drink of the Ottoman Empire’s ruling class. Little did they know it would one day hasten the empire’s demise
getpocket.com
(2019-11-03)
John Mueller was the heir to one of the great Texas barbecue dynasties. Aaron Franklin was an unknown kid from College Station who worked his counter. John had it all and then threw it all away. Aaron came out of nowhere to create the state’s most coveted brisket. Then John rose from the ashes.
getpocket.com
(2019-10-31)
The grim traveler sampled the offerings with a heavy heart.
getpocket.com
(2019-10-21)
Step into the private kitchens of Basque country’s sociedades gastronómicas, where everything revolves around food
getpocket.com
(2019-09-10)
Delicate and impossible to replicate, su filindeu (or the “threads of God”) is a pasta made of hundreds of tiny strands by a single woman in a hillside town in Sardinia. She’ll make it for you too—if you’re willing to walk 20 miles overnight
getpocket.com
(2019-07-31)
As a cuke deckhand, your job first and foremost consists of making sure your diver survives
www.bloomberg.com
(2019-07-27)
From celebrity seating warfare to dogs sipping Champagne, there’s never a dull moment at America’s most famous sushi joint.
getpocket.com
(2019-07-21)
In Ireland, few things are black and white, especially the law—and the tales of men who break it to dive for treasure under cover of darkness
www.nytimes.com
(2019-04-27)
One man wanted to change the raisin industry for the better. He got more than he bargained for.
longreads.com
(2019-04-25)
The unsung heroes of the food world battle against time and chaos, cooking haute cuisine over lit cans of Sterno in the gloomy back hallways of New York's civic landmarks.
www.1843magazine.com
(2019-03-16)
Kahve was a favourite drink of the Ottoman Empire’s ruling class. Little did they know it would one day hasten the empire’s demise
www.atlasobscura.com
(2019-03-09)
But can it be grown anywhere else?
www.newyorker.com
(2019-03-06)
From 2019: How Niki Nakayama’s kaiseki restaurant became a highly coveted reservation in L.A.
www.nytimes.com
(2019-01-28)
A controversial chef has created a sort of sushi speakeasy in a hotel room. It’s not easy to get a reservation. For one thing, there are only four seats at the bar.
www.burlingtonfreepress.com
(2018-11-20)
Some consider him a master. That takes work.
www.thrillist.com
(2018-11-17)
www.boulderweekly.com
(2018-11-16)
When it comes to grain, the future looks like the past. Go back a half-century in Boulder County, and there’s Old Man Webber coming into town with his portable combine. Word gets passed around and Webber goes to every farm, home and plot growing wheat and chops it. Then Beth near Valmont gets her seed […]
www.curbed.com
(2018-10-28)
www.scmp.com
(2018-10-23)
David R. Chan’s love of lists and determination never to eat at the same place twice has seen him become an accidental expert on Chinese-American history. Just don’t call him a foodie
munchies.vice.com
(2018-10-21)
When you exist outside of regular society, when the nine-to-five gig is as foreign to you as going somewhere hot for a vacation, it makes it easier to indulge in the wilder, untamed side of things.
www.politico.com
(2018-07-02)
A millennial entrepreneur hires from inmates and homeless people who struggle to find work even in a strong economy.
www.theringer.com
(2018-03-07)
Dave’s Killer Bread has become a cult favorite across the nation, drawing in both health-conscious consumers and those who root for an unlikely success story. But you won’t find the full story on the bread packaging.
arstechnica.com
(2017-11-21)
After crops failed, botanist Kathleen Drew-Baker realized that nori wasn’t what it seemed.
www.texasmonthly.com
(2017-10-10)
Posters that come high in protein.
-->
goodreads/music
categories:
tags:
goodreads
music
date: 26 Mar 2025
slug:raindrop-goodreads-music
longreads.com
(2025-02-18)
"Maybe it's only when you don’t know what you are listening for that you find what you were waiting all along to discover."
www.thecollector.com
(2025-01-21)
Alan Lomax was a legendary collector of folk music, author, broadcaster, oral historian, musicologist, and filmmaker who raised the profile of folk music worldwide.
getpocket.com
(2024-04-03)
Friends and family of late singer Nicolette Larson remember her brilliant voice, and the ups and downs of a life that ended far too soon.
www.theatlantic.com
(2024-04-03)
What is it about the once virtually unknown song that inspires so many musicians to make it their own?
www.newyorker.com
(2023-07-18)
Tennessee’s government has turned hard red, but a new set of outlaw songwriters is challenging Music City’s conservative ways—and ruling bro-country sound.
newrepublic.com
(2023-04-24)
A writer of haunting, uncategorizable songs, she once seemed poised for runaway fame. But only decades after she disappeared has her music found an audience.
www.newyorker.com
(2023-04-15)
Emahoy Tsegué-Maryam Guèbrou, who died recently, wrote pieces that were elegiac, but suffused with a sense of survival: we are broken, we are wounded, we carry on.
www.newyorker.com
(2023-03-27)
What can elephants, birds, and flamenco players teach a neuroscientist-composer about music?
www.newyorker.com
(2023-03-24)
A legendary singer on faith, loss, and a family legacy.
www.chicagomag.com
(2023-01-27)
He’s trusted to repair some of the world’s most fabled — and expensive — instruments. How does John Becker manage to unlock the sound of a Stradivarius?
www.newyorker.com
(2022-11-28)
On the road with the band in its forty-first year.
www.theringer.com
(2022-10-31)
On October 30, 2002, a cancer-stricken Warren Zevon returned to the ‘Late Show With David Letterman’ stage for one last performance. Twenty years later, Letterman and more remember the gravitas and emotion of that stunning night.
www.latimes.com
(2022-08-24)
Plant and Krauss discuss their first album together in 15 years, their 'happily incompatible' friendship and, of course, the chances of a Led Zeppelin reunion.
www.nytimes.com
(2022-08-17)
As he approaches 90, even brushes with death can’t keep him off the road — or dim a late-life creative burst.
www.npr.org
(2022-08-15)
Eight radio stations in Southern Louisiana still broadcast partially in French as they try to keep alive a dying language in the area. French has been spoken there since the mid-1700s.
theness.com
(2022-07-05)
From a neurological and evolutionary perspective, music is fascinating. There seems to be a deeply rooted biological appreciation for tonality, rhythm, and melody. Not only can people find certain sequences of sounds to be pleasurable, they can powerfully evoke emotions. Music can be happy, sad, peaceful, foreboding, energetic or comical. Why is this? Music is
clicks.getpocket.com
(2022-07-03)
In a new documentary, fans and experts explore the legacy of a song that was originally shunned before becoming a timeless classic
www.theguardian.com
(2022-05-12)
Recorded during several hedonistic months in a fabulous Cote d’Azur villa, Exile on Main St is seen as the Stones’ epic, creative peak. As the classic album turns 50, stars tell us how it got their rocks off
www.smithsonianmag.com
(2022-04-09)
Exotic lumber salvaged from a remote forest in Belize is the world’s most coveted tonewood
www.newyorker.com
(2022-01-29)
The musicians were diabolically bad as people, and satanically good as performers.
www.theguardian.com
(2022-01-21)
Did the iconic three-note sequence come from Stravinsky, the Muppets or somewhere else? Our writer set out to – dun, dun duuuun! – reveal the mystery
www.latimes.com
(2021-11-29)
Josephine Baker next week will become the first Black woman and first American to be honored with enshrinement in Paris' Pantheon.
nautil.us
(2021-11-08)
After a chunk of his brain was removed, guitarist Pat Martino got his groove back.
www.cbsnews.com
(2021-11-04)
58 musicians showed up for a picture that captured the giants of jazz
www.openculture.com
(2021-11-03)
Nenad Georgievski writes at All About Jazz, though the world knew little about Malian music until American musicians began partnering with players from West Africa. In the 1980s, Stevie Wonder began touring with Amadou and Mariam, helping to popularize their form of Malian blues.
www.gq.com
(2021-11-03)
A lifetime of brutal injuries and misfortune robbed the world-renowned pianist João Carlos Martins of the ability to play his instrument. And then along came an eccentric designer and his bionic gloves.
www.latimes.com
(2021-08-24)
After years apart, the Black Crowes perform at the Forum on Thursday, part of a tour celebrating the 30th anniversary of the group’s breakthrough debut.
unherd.com
(2021-08-21)
Why does a genre obsessed with death attract the kindest people?
www.npr.org
(2021-06-20)
How do we understand Blue in the 21st century? Can we think of Mitchell's 1971 album, long considered the apex of confessional songwriting, as a paradigm not of raw emotion, but of care and craft?
samenright.com
(2021-06-19)
t.co
(2021-06-04)
Discover extraordinary true stories celebrating the diversity of humanity. Click to read Narratively, a Substack publication with tens of thousands of subscribers.
www.theringer.com
(2021-05-29)
Thirty years ago, Billboard changed the way it tabulated its charts, turning the industry on its head and making room for genres once considered afterthoughts to explode in the national consciousness
www.theringer.com
(2021-05-10)
Fifty years after their first release, the country-rock titans led by Don Henley and the late Glenn Frey still loom large in American music. Their hits still get play and their sound is a precursor to modern Nashville. But has this biggest of bands aged well? A panel of experts weigh the case.
99percentinvisible.org
(2021-04-12)
Since the mid-1970s, almost every jazz musician has owned a copy of the same book. It has a peach-colored cover, a chunky, 1970s-style logo, and a black plastic binding. It’s delightfully homemade-looking—like it was printed by a bunch of teenagers at a Kinkos. And inside is the sheet music for hundreds of common jazz tunes—also
getpocket.com
(2021-03-28)
What does a crew of talented musicians do when forced to serve at the pleasure of a notoriously cruel dictator? They play like their lives depend on it.
narratively.com
(2021-03-25)
In 1978 he was music’s next big thing. Then his album bombed, he began a long slide into obscurity, and a bizarre fraud sent him to prison. Will Dane Donohue finally get his encore?
www.theringer.com
(2021-03-19)
After a turbulent decade, the Gary, Indiana, native has cemented himself as one of the greatest rappers of his—or any—generation. And on Sunday, he’s up for a Grammy award.
www.washingtonpost.com
(2021-01-22)
The hard life and overlooked brilliance of Zane Campbell.
www.rollingstone.com
(2021-01-20)
For the first time since the passing of Rush's drum god, Neil Peart, Geddy Lee and Alex Lifeson speak about his legacy.
longreads.com
(2020-12-26)
Generations of musicians got their start busking the streets of the Deep Ellum neighborhood of Dallas, Texas. After a decade of 'hobo-ing' around cities like New Orleans, Paris, and New York, Charley Crockett discovered it was his turn.
longreads.com
(2020-11-03)
On Syd Barrett's time with Pink Floyd and making an album with household objects and found sounds.
getpocket.com
(2020-06-10)
We look back on the many chapters of Leonard Cohen's long, remarkable life, from teenage poet to midlife monk and beyond.
bittersoutherner.com
(2020-05-16)
How Single Lock Records unites the hometown legends of Muscle Shoals, Alabama, music with the new generation.
www.nytimes.com
(2020-02-20)
The jazz musician’s impeccably maintained home in a modest New York City neighborhood is a testament to his — and midcentury design’s — legacy.
getpocket.com
(2020-02-01)
This down-on-his-luck headbanger fabricated a persona, faked a tour and promoted himself as a hard-rock savior
getpocket.com
(2020-01-05)
Fifty years ago, a plane carrying Buddy Holly crashed in a remote Iowa cornfield. This month, hundreds of fans will gather at the ballroom where he played his final show to sing, dance, and mourn the greatest rock star ever to come out of Texas.
getpocket.com
(2020-01-01)
How the American music legends behind 'The Lion Sleeps Tonight' made millions off the work of a Zulu tribesman named Solomon Linda who died a pauper.
getpocket.com
(2019-11-13)
Most guitars don’t have names. This one has a voice and a personality, and bears a striking resemblance to his owner.
melmagazine.com
(2019-11-11)
In 2001, the internet’s premier file-sharing service Napster was shut down after just two years, leaving a giant vacuum in the ever-expanding peer-to-peer file-sharing space....
getpocket.com
(2019-11-08)
History makes no mention of what was one of the most popular all-female country acts ever. Yet the story of the Goree Girls—inmates who banded together in the forties at Texas’ sole penitentiary for women—is worth a listen.
www.newyorker.com
(2019-11-07)
A new short film captures some of Cohen’s reflections on creativity and spirituality, and on preparing for the end of life.
www.nytimes.com
(2019-10-24)
In a new memoir, the bassist describes how he expanded his consciousness, found his muse and landed in a storied rock band.
getpocket.com
(2019-08-05)
After a chunk of his brain was removed, guitarist Pat Martino got his groove back.
www.rollingstone.com
(2019-07-27)
Few embodied the spirit of New Orleans, or helped take its music to strange new places, the way the man born Mac Rebennack did.
longreads.com
(2019-06-18)
Mac Rebennack devoted himself to New Orleans culture.
www.newyorker.com
(2019-05-29)
He was falsely cast as Mozart’s murderer and music’s sorest loser. Now he’s getting a fresh hearing.
qz.com
(2019-03-25)
“Dakar was where everyone came to make music.”
www.nytimes.com
(2019-03-12)
A quiet Sunday night in 1953. The Dodgers had just won the pennant. J.F.K. and Jacqueline Bouvier had just married. And four titans of bebop came together in a dive bar for a rare jam session.
www.nytimes.com
(2019-03-05)
A writer never knew her family’s house on St. Thomas, in the U.S. Virgin Islands, but discovering it, and her history, became an obsession.
www.texasmonthly.com
(2019-03-03)
Plus, explosive photography from Austin, instrumentals from Billy Preston, and a podcast investigation of Anna Nicole Smith.
www.nytimes.com
(2019-02-28)
Thousands of French people are coming to live in Quebec and discovering that a common language doesn’t necessarily mean a common culture.
motherboard.vice.com
(2019-02-27)
Color constancy continues to confound us.
melmagazine.com
(2019-02-15)
Seated at a table on the rear deck with Lindsay Lohan and her entourage, I spotted Alex Jimenez — a professional yacht influencer.
www.openculture.com
(2019-02-07)
Seems there was a time when the dominant story of punk was the story of British punk. If you knew nothing else, you knew the name Sid Vicious, and that seemed to sum it up.
features.propublica.org
(2019-02-07)
Investigation finds officials ignored warnings for years before one of the deadliest crashes in decades.
www.vanityfair.com
(2018-11-18)
They made music together, took drugs, and slept together. But none of the legends of Laurel Canyon, including Joni Mitchell and David Crosby, remember it the same way.
www.nytimes.com
(2018-09-29)
John Lydon, the 62-year-old punk legend, was in New York for a new documentary about Public Image Ltd. But first, he wanted to shop and smoke in a bar.
john-millikin.com
(2018-08-05)
www.smithsonianmag.com
(2018-07-01)
A strange and bittersweet ballad of kidnapping, stolen identity and unlikely stardom
www.texasmonthly.com
(2018-01-24)
Launched by two of the biggest names in Texas business, Clear Channel was once the most powerful—and feared—player in radio. Now rebranded as iHeartMedia, it’s on the brink of bankruptcy.
aeon.co
(2017-11-16)
Take the rough with the smooth: how the sound of a voice is multisensory, and creates interior meaning through metaphor
-->
goodreads/exercise-health-medicine
categories:
tags:
exercise-health-medicine
goodreads
date: 26 Mar 2025
slug:raindrop-goodreads-exercise-health-medicine
getpocket.com
(2024-03-12)
A case study digs into the medical records of a lost diver’s incredible survival story.
www.thecut.com
(2024-01-15)
“I was all of the things people are when they’re 14 or 15” — except a decade younger.
nautil.us
(2023-09-25)
Could a theory from the science of perception help crack the mysteries of psychosis?
time.com
(2023-07-25)
In a series of emotional interviews, the unconventional senator opens up about his battle with depression.
www.bbc.com
(2023-03-14)
A surprising number of people experience symptoms of this curious condition, which is named after Lewis Carroll's heroine, who changed size after eating and drinking.
www.theguardian.com
(2023-03-03)
The long read: What do you say to someone whose wife prefers photographs of deceased authors to him?
www.theguardian.com
(2023-02-24)
The long read: For the ultra-wealthy and the super-famous, regular therapy won’t do
www.bbc.com
(2023-02-18)
Humanity's engineering achievements have been extraordinary, so why has building an artificial heart has proved to be more challenging than expected.
www.thecut.com
(2023-02-07)
Until people started breaking out into hideous rashes.
www.propublica.org
(2022-10-30)
The Wuhan lab at the center of suspicions about the pandemic’s onset was far more troubled than known, documents unearthed by a Senate team reveal. Tracing the evidence, Vanity Fair and ProPublica give the clearest view yet of a biocomplex in crisis.
www.nytimes.com
(2022-10-21)
Scientists are grasping for any example that could help anticipate the future of Covid, even a mysterious respiratory pandemic that spread in the late 19th century.
www.nytimes.com
(2022-09-20)
Physicians suffer one of the highest burnout rates among professionals. Dr. Kimberly Becher, one of two family practitioners in Clay County, West Virginia, learned the hard way.
betterhumans.pub
(2022-08-16)
It’s time to ditch the biological clock, run to the nearest fair and jump back on that metaphoric roller-coaster known as your life
www.newyorker.com
(2022-05-28)
“I know how lucky I am, and secretly tap wood, greet the day, and grab a sneaky pleasure from my survival at long odds.”
www.newyorker.com
(2022-02-21)
The first successful transplantation may solve a donor shortage, but this major scientific advancement is not without challenges.
www.the-angry-chef.com
(2021-11-23)
It is deadly, invisible and shapes much of the food we eat. A teaspoon of it could kill millions of people, and it is probably the most expensive material on earth. Yet you probably have some stuck to the bottom of you shoe.
nautil.us
(2021-11-08)
After a chunk of his brain was removed, guitarist Pat Martino got his groove back.
trevorklee.com
(2021-11-04)
www.theguardian.com
(2021-10-28)
Does your internal monologue play out on a television, in an attic, as a bickering Italian couple – or is it entirely, blissfully silent?
www.tampabay.com
(2021-09-10)
On this ward at Morton Plant Hospital, nurses are overwhelmed by the number of new, desperate cases.
www.technologyreview.com
(2021-09-04)
Discovered more than a decade ago, a remarkable compound shows promise in treating everything from Alzheimer’s to brain injuries—and it just might improve your cognitive abilities.
www.technologyreview.com
(2021-08-26)
One patient in a pioneering trial describes his “life-changing” experience with the psychoactive drug.
www.nytimes.com
(2021-08-15)
Scientists discovered a previously unidentified genetic mutation in a Scottish woman. They hope it could lead to the development of new pain treatment.
tmrwedition.com
(2021-06-22)
What deep brain stimulation surgery feels like.
www.wired.com
(2021-06-17)
No one could deny that Timothy was sick. But when doctors can’t agree on the cause of an illness, what happens to the patients trapped in limbo?
www.thestar.com
(2021-06-05)
www.theguardian.com
(2021-06-05)
Suzanne O’Sullivan’s excellent book reveals that medicine remains as much an art as a science
www.npr.org
(2021-06-04)
In 1721, London was in the grips of a deadly smallpox epidemic. One woman learned how to stop it, but her solution sowed political division.
www.newyorker.com
(2021-05-31)
When a private-equity firm bought a Philadelphia institution, the most vulnerable patients bore the cost.
www.wired.com
(2021-05-18)
All pandemic long, scientists brawled over how the virus spreads. Droplets! No, aerosols! At the heart of the fight was a teensy error with huge consequences.
getpocket.com
(2021-04-28)
Just before Alex Godfrey’s grandmother died from dementia, she snapped back to lucidity and regaled him with stories of her youth. Could moments like this teach us more about the human brain?
undark.org
(2021-04-26)
Sewage epidemiology has been embraced in other countries for decades, but not in the U.S. Will Covid change that?
www.smithsonianmag.com
(2021-03-27)
Scholar Monica Green combined the science of genetics with the study of old texts to reach a new hypothesis about the plague
www.outsideonline.com
(2021-03-16)
In her quest to master a quintessential cool-kid trick, Outside contributor Kim Cross found the sweet spot at the crossroads of work and play
www.newyorker.com
(2021-03-05)
Millions of hearts fail each year. Why can’t we replace them?
narratively.com
(2021-01-28)
Dr. Donald Johnson has spent his career making crime scene blood stains spill their secrets. His next mission: bringing forensic science into the iPad age.
www.dmagazine.com
(2021-01-02)
Plano surgeon Christopher Duntsch left a trail of bodies. The shocking story of a madman with a scalpel.
www.newyorker.com
(2020-12-29)
The mistakes and the struggles behind America’s coronavirus tragedy.
www.bloomberg.com
(2020-12-26)
Cancer surgery for $700, a heart bypass for $2,000. Pretty good, but under India’s new health-care system, it’s not good enough.
www.vox.com
(2020-12-26)
The boutique fitness phenomenon sold exclusivity with a smile, until a toxic atmosphere and a push for growth brought the whole thing down.
www.knowablemagazine.org
(2020-07-22)
Pathogens that switch to a new host species have some adapting to do. How does that affect the course of a pandemic like Covid-19?
www.knowablemagazine.org
(2020-02-19)
“N of 1” studies aim to answer medical questions one person at a time
narratively.com
(2019-12-23)
One man's unlikely journey from servant and prisoner of war to bodybuilding champion—with an epic, trans-continental love story along the way.
www.nytimes.com
(2019-12-22)
In the typical emergency room, demand far outpaces the care that workers can provide. Can the E.R. be fixed?
www.theatlantic.com
(2019-12-11)
A phage that resists all forms of the antiviral defense known as CRISPR has an unusual means of survival.
getpocket.com
(2019-11-13)
A controversial disease revives the debate about the immune system and mental illness.
www.information.dk
(2019-10-24)
Forensic scientists, the police and crime scene investigators master horror with a steady hand. This article gives a rare insight into the post-mortem examination of a homicide.
granta.com
(2019-10-09)
‘Each box was like the distillation of all that we have learned as a species about our bodies and their infirmities, a time capsule of medicine.’
www.washingtonpost.com
(2019-10-03)
Three decades ago, a young man murdered his girlfriend and killed himself. What happened next to his heart was extraordinary.
thereader.mitpress.mit.edu
(2019-10-01)
A survey of trepanation, or trephination, the oldest surgical procedure known to humanity.
longreads.com
(2019-09-03)
When a promising student left a neighborhood full of heroin for the University of Pennsylvania, it should have been a moving story. But what does an at-risk student actually need to thrive — or even just to survive?
www.latimes.com
(2019-08-29)
Omar Salgado defied the odds in Room 20. But his is not a story about a miracle — it’s a story about medicine’s inability to accurately diagnose consciousness.
www.latimes.com
(2019-08-04)
Finding out his name turned out to be the easy part. The tough part was navigating the blurred lines that separate consciousness from unconsciousness — and figuring out whether his smile was really a smile.
www.texasmonthly.com
(2019-07-25)
With a new gene therapy center almost completed, the medical center is providing hope for families who previously had little.
www.pbs.org
(2019-07-01)
Humans and other mammals and birds would have been killed many times over by Chernobyl's radiation that plants in the most contaminated areas received. So why is plant life so resilient to radiation and nuclear disaster?
www.quantamagazine.org
(2019-06-16)
Mathematical insights into how RNA helps viruses pull together their protein shells could guide future studies of viral behavior and function.
digest.bps.org.uk
(2019-06-16)
www.wired.com
(2019-06-01)
Jim Allison is an iconoclastic scientist who toiled in obscurity for years. Then he helped crack a mystery that may save millions of lives: Why doesn’t the immune system attack cancer?
lithub.com
(2019-05-31)
The Oman Desert Marathon was my first ultra marathon. It was just over 100 miles (165km) across the baking sand. I didn’t really want to do it. It only came up as an idea when an editor from The Fi…
www.atlantamagazine.com
(2019-04-27)
After multiple rare cancers have been diagnosed in Waycross, Georgia, the city grapples with a profound question: What if the industries that gave us life are killing us?
www.scientificamerican.com
(2019-04-03)
A once abandoned drug compound shows an ability to rebuild organs damaged by illness and injury
onezero.medium.com
(2019-04-01)
Doctors removed one-sixth of this boy’s brain — and what was left did something incredible
www.npr.org
(2019-02-10)
Joshua Mezrich has performed hundreds of kidney, liver and pancreas transplants. He shares stories from the operating room in his book, When Death Becomes Life.
curiosity.com
(2019-01-31)
www.collectorsweekly.com
(2019-01-10)
[caption id="attachment_78739" align="aligncenter" width="483"] Close-up of an Auzoux anatomic male manikin, made of hand-painted papier mâché, circa 18...
boingboing.net
(2018-12-16)
Prior to 1976, the FDA did not regulate medical implants, and so shoddy and even deadly devices proliferated, inserted into Americans' body. When the FDA finally decided to regulate implants,…
nautil.us
(2018-10-28)
From trauma to arrhythmia, and back again.
www.newsweek.com
(2018-08-31)
After suffering a stroke, a woman was left blinded, only able to see movement.
www.texasmonthly.com
(2018-08-17)
In this exclusive excerpt from 'Ticker: The Quest to Create an Artificial Heart,' world-renowned Houston surgeon Bud Frazier races to help an ailing patient by implanting a revolutionary device that may one day save millions of lives.
www.nationalgeographic.com
(2018-08-16)
At 18, Katie Stubblefield lost her face. At 21, she became the youngest person in the U.S. to undergo the still experimental surgery. Follow her incredible story.
www.wired.com
(2018-08-15)
The world record stands at 24 minutes 3 seconds. How much can it improve?
motherboard.vice.com
(2018-07-30)
The Four Thieves Vinegar Collective is a network of tech-fueled anarchists taking on Big Pharma with DIY medicines.
www.scmp.com
(2018-02-20)
Analgesic balm in a hexagonal jar, launched in Rangoon by the Aw brothers in 1924, was a staple of Chinese families’ medicine cabinets for a generation. Today, Tiger Balm products have fans around the world, including Lady Gaga
www.nytimes.com
(2017-12-24)
There’s an illusion that if you want something enough, even something as fantastical as avoiding death, you might just get it.
-->
goodreads/sports
categories:
tags:
goodreads
sports
date: 26 Mar 2025
slug:raindrop-goodreads-sports
www.bicycling.com
(2024-11-06)
They led a cycling revolution in a country where women were forbidden to ride. When the Taliban returned to power, their only hope was a harrowing escape to an uncertain future.
www.theguardian.com
(2024-06-27)
The long read: I was once Ireland’s No 1 player, and tried for years to climb the global ranks. But life at the bottom of the top can be brutal
www.espn.com
(2024-03-24)
She overcame trust issues and chartered a yacht. Now Caitlin Clark is ready for March.
www.newyorker.com
(2024-03-24)
The Netflix series “Sunderland ’Til I Die” serves as a thesis both for fandom and for the inevitability of its disappointments.
www.espn.com
(2023-10-20)
After the 2022 All-Star Game, Morant's misconduct became more frequent -- and dangerous. Since then, serious allegations have emerged. Lawsuits and subpoenas remain open. And a 24-year-old superstar's career is on the brink.
www.sbnation.com
(2023-07-22)
Once the next big thing in American sports, Jai Alai has all but completely disappeared over the past 20 years. But in Miami, the game is still played for much smaller crowds and stakes.
www.theguardian.com
(2023-04-25)
The long read: A series of financial scandals have rocked Italy’s most glamorous club. But is the trouble at Juventus symptomatic of a deeper rot in world football?
www.nytimes.com
(2023-03-06)
Stolz, the 18-year-old from Wisconsin, won three gold medals at the speedskating world championships, finishing his turns in a way that seemed like something out of a storybook.
www.nytimes.com
(2023-02-26)
Erik Sowinski is a professional pacer, a talented runner who is in high demand on starting lines, and nowhere to be found at the finish.
www.nytimes.com
(2023-02-25)
When the top teams in Greece meet, the story lines, and the rivalries, regularly extend far beyond the soccer field.
www.theguardian.com
(2023-02-16)
Gary Hunt is an enigma. He trains with the intensity of a modern athlete, but relaxes like a sportsman of a bygone era. He is fiercely competitive but unbelievably laid-back. How did he become the greatest cliff diver of all time?
www.espn.com
(2023-02-12)
He won four Super Bowls and retired as the undisputed greatest. What came next was turning a legacy into a life.
medium.com
(2023-01-13)
Eleven-year-old Victoria has her sights set on playing Little League with the boys. She goes through tryouts and is told to learn to cook…
getpocket.com
(2023-01-11)
Dave Bresnahan never made it past AA, but, thanks to a specially prepared potato, he holds a place in baseball lore
www.si.com
(2022-08-05)
The legendary Dodgers broadcaster, who died Tuesday at age 94, was a modern Socrates, only more revered. He was simultaneously a giant and our best friend.
nl.nytimes.com
(2022-07-11)
Football in Russia was booming after the 2018 World Cup - now, thanks to the invasion of Ukraine, it promises to keep on shrinking
www.theguardian.com
(2022-07-01)
Participants in the Tennessee race must negotiate extreme temperatures, wild terrain and more than 50,000 feet of accumulated ascent
www.theatlantic.com
(2021-11-24)
In 2019, Charles Conwell unintentionally ended Patrick Day’s life with his fists. Now he’s trying to make sense of his life, and boxing itself.
www.irishexaminer.com
(2021-11-11)
He’s the greatest marathoner in history, a national hero in Kenya, and an icon for runners around the world. But despite his fame and wealth, Eliud Kipchoge chooses to live the most basic lifestyle. Cathal Dennehy travels to the highlands of Kenya for an inside look at his training camp and to meet a champion with a quiet, complex personality
lithub.com
(2021-09-22)
James A. Garfield High School in Seattle is a place where you can feel the history thrum throughout the hallways. Quincy Jones and Jimi Hendrix were students here. Dr. Martin Luther King Jr. spoke …
www.espn.com
(2021-08-21)
In 2002, Kobe Bryant's surprise arrival at Harlem's legendary court caused a stir. This is the oral history of what happened when the Lakers great put his streetball cred on the line.
melmagazine.com
(2021-08-21)
‘He was just out there drilling long threes in his shades and hitting cutters. It was really incredible.’
longform.org
(2021-05-29)
On the Long Island Inferno, two fathers, both with complicated pasts took it all too far. Neither man was ever the same.
www.espn.com
(2021-03-30)
Valdosta might be a 24-time state football champ, but lately its program has been rocked by a racial discrimination lawsuit filed by a former coach, the hiring of controversial coach Rush Propst and a secret recording that alleged cheating by SEC powers.
www.si.com
(2021-03-19)
Indiana is set to host a Big Dance unlike any other, evoking the madness—from buzzer beaters to bourbon-soaked basketball—of the state's fabled high school tournament.
www.mlb.com
(2021-03-09)
The Official Site of Major League Baseball
www.nytimes.com
(2021-02-09)
Iga Swiatek of Poland came out of nowhere to win the French Open in October. A sports psychologist was with her all the way.
deadspin.com
(2020-12-26)
reprints.longform.org
(2019-12-13)
www.espn.com
(2019-11-24)
How did an executive in one of the league's smallest markets steal millions of dollars -- and get away with it for years?
www.washingtonpost.com
(2019-11-10)
For many female wrestlers, the toughest challenge is finding opponents.
getpocket.com
(2019-10-22)
In suburban Fort Worth the frail psyche of a football prodigy collided with the crazed ambition of his dad, who himself had been a high school football star way back when. The consequences were deadly.
www.esquire.com
(2019-07-26)
How Stan Smith went from a "decent" tennis player to the most popular trainer on the planet
nytimes.com
(2019-05-04)
As the son of African immigrants, Antetokounmpo was unwelcome in Athens. Then he showed promise as a basketball star.
espn.com
(2019-04-21)
Over the past 20 years, Gregg Popovich has sliced an exclusive culinary trail across America -- all for a singular purpose. This is the story of his legendary team dinners, and how they have served as a pillar of the Spurs' decadeslong dynasty.
story.californiasunday.com
(2019-03-15)
Why the world was wrong about the "worst Olympian ever."
longform.org
(2019-03-06)
In 2017, the Hall of Fame Louisville coach’s career collapsed under a string of scandals, leading to his firing from the school he had coached for 16 years. Now, Pitino is finding himself in Greece, coaching Panathinaikos, working for a self-styled Bond
www.theplayerstribune.com
(2019-01-16)
Any idiot can get married. Any idiot can be a father. An NBA title? That’s work. That’s worth crying over.
www.theplayerstribune.com
(2019-01-13)
You didn’t think this was one of those fairytales where the kid gets some pep talk, and everything changes right? It REALLY isn’t that.
www.reuters.com
(2019-01-07)
The Portuguese super-agent Jorge Mendes joined forces with investors from Shanghai and planned to cash in on buying and selling athletes, documents show.
www.espn.com
(2018-12-10)
Unlikely comrades Diana Taurasi and Brittney Griner play overseas for the money. As it turns out, they also simplify their lives.
www.nytimes.com
(2018-12-06)
Courtney Dauwalter specializes in extremely long races. But her success in winning them has opened a debate about how men’s innate strength advantages apply to endurance sports.
www.texasmonthly.com
(2018-11-29)
On the football field, one team went from six to eleven. Another went from eleven to six. And both faced challenges they didn’t expect.
www.theplayerstribune.com
(2018-10-28)
Dudes like me ain’t supposed to talk about this type of stuff. I’m about to tell you some real shit. Things I haven’t told anybody.
longform.org
(2018-09-15)
A long-dormant police investigation gives the case new life.
longreads.com
(2018-09-05)
Dining out with courtsiders, a rogue, impish species in the tennis ecosystem.
narrative.ly
(2018-08-31)
Discover extraordinary true stories celebrating the diversity of humanity. Click to read Narratively, a Substack publication with tens of thousands of subscribers.
longform.org
(2018-08-13)
Nothing can match Cuban post-season baseball fever.
www.nytimes.com
(2018-06-08)
Sammy Gelfand is the numbers guy behind the Golden State Warriors’ success. Some pretty good players help, too.
longform.org
(2018-04-08)
On Montana’s Flathead Indian Reservation, basketball is about much more than winning.
longform.org
(2018-03-30)
A profile of UConn basketball coach Geno Auriemma, who has not found peace despite unprecedented success.
longform.org
(2018-03-12)
“The reason women-only billiards tournaments exist is not because the players can’t beat men. It’s because they can.”
www.nytimes.com
(2009-09-24)
'God's Quarterback' was the archetype American success story, but the triumphs everyone saw masked the inner turmoil no one knew about.
-->
goodreads/crime
categories:
tags:
crime
goodreads
date: 26 Mar 2025
slug:raindrop-goodreads-crime
roadsandkingdoms.com
(2025-03-14)
Among the vineyards and fruit farms of South Africa’s Western Cape, the mysterious death of a farmworker reveals a violent history.
www.theguardian.com
(2025-03-06)
Noah Musingku made a fortune with a Ponzi scheme and then retreated to a remote armed compound in the jungle, where he still commands the loyalty of his Bougainville subjects
magazine.atavist.com
(2024-12-31)
How I (possibly) solved a cold case on my summer vacation.
www.newyorker.com
(2024-11-28)
No one in my family wanted to talk about Harold’s life as a contract killer for the Mob. Then one day he called me.
magazine.atavist.com
(2024-06-01)
Two scammers, a web of betrayal, and Europe’s fraud of the century.
www.newyorker.com
(2024-05-28)
Zach Horwitz came to Los Angeles hoping to make it in the movies. He ended up running a seven-hundred-million-dollar scam, defrauding a sprawling group of investors, starting with his best friends.
magazine.atavist.com
(2024-05-22)
A friendship born out of the ruins of a nation, a dangerous journey home, and a 40-year search for the truth.
getpocket.com
(2024-05-12)
Is the killer behind the 1982 Tylenol poisonings still on the loose? Exclusive revelations by investigators yield the first authoritative account of what happened and who likely did it.
longreads.com
(2024-04-04)
"For years, a mysterious figure preyed on gay men in Atlanta. People on the streets called him the Handcuff Man—but the police knew his real name."
www.newyorker.com
(2024-02-06)
After Zac Brettler mysteriously plummeted into the Thames, his grieving parents discovered that he’d been posing as an oligarch’s son. Would the police help them solve the puzzle of his death?
www.vanityfair.com
(2023-09-04)
Kyle de Rothschild Deschanel was an instant New York sensation who seemed to live on a 24/7 carousel of mega-dollar deals and raucous parties. Then his best friend found an ID marked “Aryeh Dodelson.”
getpocket.com
(2023-07-22)
For some of us, dark times call for dark reads.
getpocket.com
(2023-07-22)
Venture inside the minds of some of the greatest scammers.
www.chicagomag.com
(2023-05-14)
Ken Eto rose through the ranks of the Chicago mob, and then it tried to kill him. The underworld would never be the same.
crimereads.com
(2023-03-26)
In the spring of 1961, Georges Lemay, a dapper thirty-six-year-old French Canadian, spent his days holed up in his cottage on a private island on a river in the Laurentian Mountains north of Montre…
nymag.com
(2023-03-19)
Tomb raiders, crooked art dealers, and museum curators fed billionaire Michael Steinhardt’s addiction to antiquities. Many also happened to be stolen.
getpocket.com
(2023-03-16)
The comedian and podcast host—and bonafide scam expert—shares her favorite capers, along with what makes them so irresistible.
www.newyorker.com
(2023-02-28)
The tech company Wirecard was embraced by the German élite. But a reporter discovered that behind the façade of innovation were lies and links to Russian intelligence.
crimereads.com
(2023-02-16)
George Stebbins was tearing down a stone wall in the cellar of his home in Northfield, Massachusetts when he uncovered the bones. A skull emerged first, then the spine and the bones of the arms and…
www.latimes.com
(2023-02-15)
Local sleuths help find a suspect in gay porn actor Bill Newton's murder. His dismembered head and feet were found in a Hollywood dumpster in 1990.
www.theguardian.com
(2023-02-15)
The long read: In 2016, artist César Aréchiga talked one of Mexico’s most dangerous maximum security prisons into letting him run art classes for its inmates, many of them violent gang members. Could he really change their lives?
www.cnn.com
(2023-02-15)
Wolfgang and Helene Beltracchi’s forgeries infiltrated museums, auction houses and private collections. A decade after their conviction, psychoanalyst Jeannette Fischer asks: Why did they do it?
www.spiegel.de
(2023-01-26)
Anne-Elisabeth Hagen, 68, was married to one of the wealthiest men in Norway. But four years ago, she disappeared, and police still have no solid leads. The entire country has been obsessed by the case ever since.
www.nature.com
(2023-01-22)
Nature - A boost to the ratings.
www.dmagazine.com
(2022-10-30)
Suzanne Wooten did the impossible and became the first candidate to defeat a sitting judge in Collin County. What followed is the unbelievable, epic tale of the craziest case in the history of jurisprudence.
annehelen.substack.com
(2022-07-19)
You can't make this shit up
torontolife.com
(2022-06-23)
www.wired.com
(2022-04-10)
Welcome to Video’s customers thought their payments were untraceable. They couldn’t have been more wrong. The untold story of the case that shredded the myth of Bitcoin’s anonymity.
www.newyorker.com
(2022-03-27)
Suddenly, a New York cop remembered a long-ago double murder.
nymag.com
(2022-01-23)
It was the deadliest U.S. transportation disaster in a decade. The man behind it was one of the most notorious confidential informants in FBI history.
www.theguardian.com
(2021-12-22)
Mandy Matney kept a harsh spotlight trained on South Carolina’s Murdaugh family until they became impossible for anyone to ignore
www.esquire.com
(2021-12-10)
On a remote island in Maine, a group of friends thought they witnessed one man killing another with an ax. But no one was ever arrested. In a small town far out at sea, justice sometimes works a little differently.
www.vulture.com
(2021-11-30)
For five years, a mysterious figure has been stealing books before their release. Is it espionage? Revenge? A trap? Or a complete waste of time?
email.getpocket.com
(2021-11-28)
In the mid-sixties, Candace Mossler was one of the most widely known socialites in Houston. She was in her forties, vivacious and full of charm, with wavy blond hair, deep-blue eyes, and a surgically enhanced figure that was often remarked upon in the many newspaper columns written about her.
www.theatlantic.com
(2021-11-23)
Inside the Manhattan DA’s Antiquities Trafficking Unit
www.theguardian.com
(2021-11-13)
The long read: An intrepid expert with dozens of books to his name, Stéphane Bourgoin was a bestselling author, famous in France for having interviewed more than 70 notorious murderers. Then an anonymous collective began to investigate his past
www.theguardian.com
(2021-09-13)
Billed as the most secure phone on the planet, An0m became a viral sensation in the underworld. There was just one problem for anyone using it for criminal means: it was run by the police
www.texasmonthly.com
(2021-09-08)
It was the most shocking crime of its day, 27 boys from the same part of town kidnapped, tortured, and killed by an affable neighbor named Dean Corll. Forty years later, it remains one of the least understood—or talked about—chapters in Houston's history.
www.damninteresting.com
(2021-08-26)
From the depths of poverty, Du Yuesheng rose through Shanghai’s underworld to become one of the most influential, and overlooked, figures in modern China.
www.deseret.com
(2021-08-09)
Fifty years ago, a shooting that nearly killed police officer Daril Cinquanta set in motion a decadeslong chase across the American West
www.bloomberg.com
(2021-07-13)
Conservationists saw the 6-year-old brown bear as a symbol of hope. Villagers saw him as a menace. Then he turned up dead.
www.vanityfair.com
(2021-07-07)
Dozens of people were killed, died by suicide, or went missing from the Texas military base last year alone. What is behind the violence and tragedy at Fort Hood?
www.texasmonthly.com
(2021-06-14)
The young woman who mysteriously drowned in the Ropers Motel pool in 1966 might have remained anonymous forever, if not for cutting-edge genetics, old-fashioned genealogy—and the kindness of a small West Texas town.
magazine.atavist.com
(2021-06-03)
In Scott Kimball, the FBI thought it had found a high-value informant who could help solve big cases. What it got instead was lies, betrayal, and murder.
getpocket.com
(2021-05-27)
A man returns home from the army and gets a surprising offer from his father: Join the family business and help mom & pop pull off a string of daring cross-country heists. No one expects the betrayals coming.
www.bbc.com
(2021-05-16)
How did Ruja Ignatova make $4bn selling her fake cryptocurrency to the world - and where did she go?
getpocket.com
(2021-05-09)
When nearly $3.5M of rare books were stolen in an audacious heist at Feltham in 2017, police wondered, what’s the story?
www.theatlantic.com
(2021-04-16)
In 1974, John Patterson was abducted by the People’s Liberation Army of Mexico—a group no one had heard of before. The kidnappers wanted $500,000, and insisted that Patterson’s wife deliver the ransom.
aeon.co
(2021-02-18)
‘It’s a trip just being out’: at the local Greyhound bus station with newly released men from the Texas State Penitentiary
www.sun-sentinel.com
(2021-01-19)
In Sept. 9, 1975, William Osterhoudt, a local school principal, looked out at an implausible scene unfolding at the pink house belonging to his neighbor on United Street. Key West Fire Chief Joseph…
www.topic.com
(2021-01-01)
www.indystar.com
(2020-12-26)
John Franzese Jr. helped send his father, notorious Colombo family mobster Sonny Franzese, to prison. Then he turned up in Indianapolis.
stories.californiasunday.com
(2019-06-30)
www.theguardian.com
(2019-04-19)
The long read: In my career, I have investigated many of the UK’s worst disasters. Few cases were as harrowing as the sinking of the Marchioness in 1989, which left scores dead and almost impossible to identify
www.texasmonthly.com
(2019-04-01)
The feds knew him as a prolific bank robber. But the bearded man who eluded them for so long was not who they imagined him to be. And absolutely no one expected the story to end the way it did.
www.wired.co.uk
(2018-12-26)
Hitman-for-hire darknet sites are all scams. But some people turn up dead nonetheless
www.bloomberg.com
(2018-11-21)
How an obscure legal document turned New York’s court system into a debt-collection juggernaut.
longform.org
(2018-11-10)
Two people went for a hike on the Appalachian Trail. Only one made it out.
longform.org
(2018-10-25)
Last December, a Canadian pharmaceuticals executive and his wife were found strangled in their home. No one knows who did it or why, but everyone has a theory.
longform.org
(2018-10-11)
The shooting of a civilian exposes the underbelly of a small town police department.
longform.org
(2018-10-08)
The author spent a day with three men in a high-end security detail to find out how it feels to be safe.
t.co
(2018-10-06)
Discover extraordinary true stories celebrating the diversity of humanity. Click to read Narratively, a Substack publication with tens of thousands of subscribers.
longform.org
(2018-09-15)
A long-dormant police investigation gives the case new life.
longform.org
(2018-09-15)
A father took his 10-year-old fishing. She fell in the water and drowned. It was a tragic accident—then he was charged with murder.
longform.org
(2018-09-09)
Mexico’s drug cartels are moving into the gasoline industry—infiltrating the national oil company, selling stolen fuel on the black market and engaging in open war with the military.
longform.org
(2018-09-09)
Andrew Goldstein’s crime set in motion a dramatic shift in how we care for the violent mentally ill. Including for himself—when he’s released this month.
longform.org
(2018-08-18)
Is the Chinese government behind one of the boldest art-crime waves in history?
longform.org
(2018-05-20)
Having fallen on hard times, a former football star and the pride of his small town decides to rob the local bank. His weapons of choice: Craigslist, bear mace, and an inner tube.
www.texasmonthly.com
(2018-05-19)
Earlier this spring, Jeff Pike, the head of the infamous Texas-based Bandidos motorcycle club, went on trial in federal court for racketeering. Prosecutors called him a ruthless killer, the man behind one of the deadliest biker shoot-outs in American history, at the Twin Peaks restaurant in Waco. Pike, however, said he was just a good family man. On Thursday, jurors announced their verdict.
longform.org
(2018-05-09)
Can Mark Gonzalez change the system?
longform.org
(2018-05-01)
The inside story of the first homicide in America’s most secure prison.
magazine.atavist.com
(2018-05-01)
The inside story of the first homicide in America’s most secure prison.
www.theguardian.com
(2018-03-24)
The long read: Under Vladmir Putin, gangsterism on the streets has given way to kleptocracy in the state
longform.org
(2018-01-14)
She keeps watch over one of the largest databases of missing persons in the country. For Meaghan Good, the disappeared are still out here, you just have to know where to look.
longform.org
(2017-11-10)
In Northern Albania, vengeance is as likely a form of restitution as anything the criminal-justice system can offer.
-->
goodreads/expat-travel
categories:
tags:
expat-travel
goodreads
date: 26 Mar 2025
slug:raindrop-goodreads-expat-travel
www.theguardian.com
(2023-03-28)
In 1976, Suzanne Heywood’s father decided to take the family on a three-year sailing ‘adventure’ – and then just kept going. It was a journey into fear, isolation and danger …
www.nytimes.com
(2023-03-27)
Every winter, Ivrea erupts into a ferocious three-day festival where its citizens pelt one another with 900 tons of oranges. (Yes, oranges.)
www.0x58ed.com
(2023-02-04)
In September 2022, after watching many YouTube videos of other people on long-distance Amtrak trips, I finally embarked on a journey of my own. I took the Amtrak Southwest Chief train from Chicago to Los Angeles. Continue reading to learn more about it and why I'll do it again on another route.
www.newyorker.com
(2022-10-19)
The explorer’s grandfather travelled higher than anyone; his father went deeper. Now it was his turn to make a mark.
www.theatlantic.com
(2022-06-18)
An ex-Soviet state’s national myths—as well as the forces of nationalism, economics, culture, and religion—all pull it away from Moscow. Can Russia really compete?
www.nytimes.com
(2022-05-09)
In December, a photographer set off on a 2,600-mile road trip, traveling from the Yemeni border to the Strait of Hormuz. Here’s what she saw.
www.nytimes.com
(2022-01-18)
The stretch of coastline in southwest Africa is a strange and beautiful reminder that, in the end, we are powerless against nature and time.
www.theguardian.com
(2022-01-16)
The long read: In 2014, an American dad claimed a tiny parcel of African land to make his daughter a princess. But Jack Shenker had got there first – and learned that states and borders are volatile and delicate things
www.bbc.com
(2021-08-12)
From ancient Egypt to the Persian Empire, an ingenious method of catching the breeze kept people cool for millennia. Now, it could come to our aid once again.
www.abandonedberlin.com
(2021-06-10)
West Berlin's lifeline during the Soviet Blockade, Tempelhof Airport has since become the city’s biggest park. Berliners will fight to keep it that way.
longform.org
(2021-06-03)
Climate change is bringing tourism and tension to Longyearbyen on the Norwegian archipelago of Svalbard.
www.texasmonthly.com
(2021-04-16)
The hills are alive with socially distant adventures.
www.afar.com
(2021-04-16)
supchina.com
(2021-03-27)
www.smithsonianmag.com
(2021-01-08)
Debunking the myth that the great national park was a wilderness untouched by humans
www.hcn.org
(2021-01-02)
How a group of nonresident homeowners tried to influence a rural Colorado election.
www.thedrive.com
(2021-01-01)
Oh, you hit the fire road again with your lifted Wrangler? Cute.
www.smithsonianmag.com
(2020-02-19)
The Museum of Arts and Crafts is a trove of cunning inventions
getpocket.com
(2020-02-12)
Colombia is on a mission to make sense of its rich biodiversity, isolated thanks to years of war. For researchers, it is a golden opportunity – and a breathtaking adventure.
www.texasmonthly.com
(2020-01-22)
What happens when a wealthy patron wears out his welcome?
getpocket.com
(2020-01-22)
The best place to eat in Germany is in a little village in a forest.
www.outsideonline.com
(2020-01-20)
For decades, the Old Forge was the holy grail of the British outdoors community. The UK's remotest pub, it could only be reached via boat or a three-day walk through one of Britain's last true wildernesses, the Knoydart peninsula in Scotland. A dispute between some locals and a new owner threatened the legend—until they decided to open up a pub of their own.
getpocket.com
(2020-01-01)
To be an off-season caretaker of Bodie, California (winter population: 5), you need a high tolerance for cold, solitude, and two-hour grocery runs.
qz.com
(2019-10-26)
The town hasn't yet become the promised global-trade nexus. Nonetheless the shopping zone has lured entrepreneurs hoping to get rich and shoppers trying to get a bargain.
getpocket.com
(2019-10-21)
Step into the private kitchens of Basque country’s sociedades gastronómicas, where everything revolves around food
getpocket.com
(2019-09-10)
Delicate and impossible to replicate, su filindeu (or the “threads of God”) is a pasta made of hundreds of tiny strands by a single woman in a hillside town in Sardinia. She’ll make it for you too—if you’re willing to walk 20 miles overnight
mymodernmet.com
(2019-08-17)
These desert libraries have been around for centuries and they hold sacred texts from ancient times.
www.washingtonpost.com
(2019-08-01)
www.outsideonline.com
(2019-07-30)
Last winter, Moroccan officials found two hikers dead on the trail to the highest peak in the Atlas Mountains. The international investigation that followed revealed the fragility of the adventure travel economy, as well as what happens when a small tourist hub is suddenly made strange by violence.
www.1843magazine.com
(2019-07-27)
Nomads have been central to the country’s history for centuries. Anthony Sattin joins the roaming empire
www.atlasobscura.com
(2019-06-16)
The legend of the Sourtoe Cocktail continues.
youtube.com
(2019-05-21)
Follow my adventures on Instagram! http://instagram.com/Jeffrey.hk
Dropped new timelapse! https://www.youtube.com/watch?v=9JBMpzW_B58
Hi all, i built a 24K resolution 360 camera specifically for upcoming 360 timelapse project. Check it out: https://www.youtube.com/watch?v=fseH9Kd5ooM
If you'd like to support my camera work so I can continue timelapse (this piece used up more than half of my D750 Shutter Life. Rain and camera also don't get along) please check out my patreon:
https://www.patreon.com/YTJeffHK
30 Days of Timelapse, about 80,000 photos combined. 1500GB of Project files. Sailing in the open ocean is a unique feeling and experience.I hope to capture and share it for everyone to see.
Support my photo/videography by buying through my affiliate links!
Best Value Fullframe for timelapse https://amzn.to/2MYk2vX
Fisheye lens used in 30 days timelapse https://amzn.to/30uE4Aw
360 camera I use https://amzn.to/2Qfgcku
Drone https://amzn.to/2Qhxk98
BIG JUICE powerbank for everything https://amzn.to/304fKJq
Gaffer Tape (no residue) https://amzn.to/2LCRLYq
Silica Gel Packs https://amzn.to/2N083xJ
Good intervalometer https://amzn.to/2N1ETOS
Good Entry Tripod https://amzn.to/2ZWp8e7
Pro Tripod https://amzn.to/2NYSlCH
Budget Time lapse Motion Control https://amzn.to/2A4H7Vd
Advance time lapse Motion control https://amzn.to/2PQ5ctn
Route was from Red Sea -- Gulf of Aden -- Indian Ocean -- Colombo -- Malacca Strait -- Singapore -- South East China Sea -- Hong Kong
Camera used: D750, Rokinon 12mm f/2.8
0:32 Milky Way
0:53 Sirius Star (I think) Correction: Jupiter the planet according to some viewers
1:17 Approaching Port of Colombo
1:45 Cargo Operation
2:08 Departure Colombo with Rainstorm
2:29 Beautiful Sunrise
3:13 Lightning Storm at Malacca Strait and Singapore Strait
3:29 Clear night sky Milky Way with lightning storm
4:01 Camera getting soaked
5:09 Arrival Singapore
5:56 Departure Singapore
6:20 Moon-lit night sky
6:48 Another Sunrise
8:30 Headed due north and you can see Ursa Major rotating neatly around Polaris.
8:36 Squid Boats
8:54 Chaotic Traffic
9:15 Arrival Hong Kong
Music:
Philip G Anderson - Winter (from 0:00 to 4:37 and 8:00 to 10:00)
Buy Winter here:
https://philipganderson.bandcamp.com/album/winter
Stellardrone - Billions And Billions (from 4:37 to 8:00)
=====10 Reasons Why Maritime is AWESOME =====
https://www.youtube.com/watch?v=0U18AHZbS_M
=====10 Reasons Why Maritime SUCKS =====
https://www.youtube.com/watch?v=tdMYEKwxTyo
=====How To Anchor a Mega-Ship =====
https://www.youtube.com/watch?v=62O7KYfb4GA
=====Where did I go last 2 months?? Cancun Adventure======
https://www.youtube.com/watch?v=nsizwRUXoa0
=====Navigation Bridge of a Mega Ship=====
https://www.youtube.com/watch?v=Bj3_peT4u9M
=====A Tour of Mega Ship's Engine Room=====
https://www.youtube.com/watch?v=s7BhBsVigZw
=====HEAVY SEAS! Bad Weather in Atlantic Ocean=====
https://www.youtube.com/watch?v=OZA6gNeZ5G4
=====Cargo Operations on Ship=====
https://www.youtube.com/watch?v=kj7ixi2lqF4
=====Top 6 Questions about Merchant Marine=====
https://www.youtube.com/watch?v=wBpQ9Y4jEfg
www.vox.com
(2019-04-02)
From artists to advocates, a new book highlights women in the outdoors.
www.bbc.com
(2019-03-22)
In 1765, an English explorer gave two islands a rather unfortunate name that has sheltered them from the world and preserved one of Earth’s last paradises.
mymodernmet.com
(2019-03-21)
For the past 100 years, a box of never-before-seen negatives has been preserved in a block of ice in Antarctica. Recently, Conservators of the New Zealand
longform.org
(2019-02-20)
Greed, gringos, diesel, drugs, shamans, seaweed, and a disco ball in the jungle.
www.afar.com
(2019-02-02)
An insider's guide to the riads of Morocco—and whether they're right for you.
www.thrillist.com
(2018-11-17)
roadsandkingdoms.com
(2018-10-28)
In February 2015, a cryptic email reached former NPR correspondent Ann Cooper from around the globe and across 28 years. It would pull her back into one of the most extraordinary reporting jobs in her career.
aeon.co
(2018-08-31)
Careening through the desert, a massive railway sustains life in northwest Africa
nautil.us
(2018-08-09)
Surveying muskoxen in the Russian far north.
www.nytimes.com
(2017-12-22)
In Wonder Valley, the silence makes its own kind of noise. And Twentynine Palms makes its own kind of music.
-->
behaviors/influence-persuasion
categories:
tags:
behaviors
influence-persuasion
date: 26 Mar 2025
slug:raindrop-behaviors-influence-persuasion
effectiviology.com
(2025-04-08)
www.grahammann.net
(2024-04-16)
Detailed notes and summary for The Laws of Human Nature by Robert Greene. Another in-depth book with timeless principles to better understand and navigate life.
www.ggd.world
(2024-03-04)
East Asian businesses often go out drinking.
www.artofmanliness.com
(2024-02-05)
Discover the power of examples in shaping our lives. Explore quotes on example and how they inspire us to reach new heights.
sociological-eye.blogspot.com
(2023-10-06)
The word “friends” has at least five different meanings: Allies Backstage intimates Fun friends Mutual interests friends Soc...
getpocket.com
(2023-07-24)
How do you convince someone who, for one reason or another, doesn’t see eye-to-eye with you?
noemamag.com
(2023-07-24)
How our culture, politics and technology became infused with a mysterious social phenomenon that everyone can feel but nobody can explain.
www.psychologicalscience.org
(2023-06-18)
Lab-based research shows that adults can be convinced, over the course of a few hours, that as teens they perpetrated crimes that never actually occurred.
greatergood.berkeley.edu
(2023-05-06)
New research suggests that body postures can reveal our emotions to other people—and maybe even change how we feel inside.
effectiviology.com
(2023-04-12)
theconversation.com
(2023-03-20)
Two concepts can help explain why society seems increasingly unable to agree on basic facts.
bigthink.com
(2023-02-03)
Bonhoeffer's "theory of stupidity" posits that we have more to fear from stupidity than evil. The latter is easier to defeat than the former.
effectiviology.com
(2023-02-02)
www.fatherly.com
(2022-11-22)
Talking to someone who gets defensive can be frustrating. So, what can you do? Here's how to sidestep someone's personal fortifications.
bigthink.com
(2022-11-21)
By exposing people to small doses of misinformation and encouraging them to develop resistance strategies, "prebunking" can fight fake news.
www.scientificamerican.com
(2022-11-18)
When people argue, a kind of frustration called persuasion fatigue can cloud their judgment and harm relationships
www.bps.org.uk
(2022-10-30)
The magazine of the British Psychological Society - in print and online.
effectiviology.com
(2022-10-18)
psyche.co
(2022-10-01)
Arguing well isn’t just about winning. A philosophical approach will help you and the other person get much more out of it
hbr.org
(2022-09-01)
When you join a new organization, it’s important to understand who holds the power because they directly impact how work gets done, but it’s not always perfectly clear. In this piece, the author offers strategies to better identify where the true power exists. “At first glance across your company, it’s natural to assume that those who have ‘chief’ or ‘senior’ in their titles are the ones that dominate the power landscape,” the author writes. “But this isn’t always the case.”
betterhumans.pub
(2022-08-31)
As someone who researches American religion, I find myself in impassioned conversations quite often. Religion is a beautiful element that…
bedrock.substack.com
(2022-08-14)
One of my pastimes is listening to interviews with accused corporate fraudsters before and after they got caught.
www.playmakersystems.com
(2022-08-08)
www.scientificamerican.com
(2022-07-29)
Amid COVID, studies in Denmark suggest that crowds do not always engage in bad behavior—and that mass-gatherings sometimes offer meaningful connection
medium.com
(2022-07-19)
Knowing when not to talk is an art.
www.inc.com
(2022-07-19)
Sometimes facts, logic, and reasoning aren't enough. Here's how the most persuasive people make a great argument even more convincing.
betterhumans.coach.me
(2022-07-19)
www.nickkolenda.com
(2022-07-19)
Free Online Guide - What drives online purchases? And how can you apply this information to boost conversions?
www.farnamstreetblog.com
(2022-07-19)
Have you ever wondered about internal organization dynamics and why some groups of people (who aren’t on the same team) are more successful than others? Why different “tribes” inside the organization seem to be at war with one another lowering performance in increasing politics? Why certain groups of people never seem to do anything? Or why …
www.farnamstreetblog.com
(2022-07-19)
The Primary Tactics Used to Influence Others —The number one thing to understand about influence is that people make decisions for their reasons, not yours.
lifehacker.com
(2022-07-19)
There are lots of techniques for becoming more persuasive , but perhaps the simplest, most practical technique is the But You Are Free me
cdn2.hubspot.net
(2022-07-18)
www.fastcompany.com
(2022-07-18)
www.slideshare.net
(2022-07-18)
Summary of Nudge, presented to IxDA LA - Download as a PDF or view online for free
effectiviology.com
(2022-07-18)
conversionsciences.com
(2022-07-18)
Powerful communicators employ these persuasion techniques when designing online experiences that convert visitors into leads and sales.
militaryreadinglists.com
(2022-07-18)
U.S. Army Engineer School Commandant’s Reading List
hbr.org
(2022-07-18)
How to minimize the drama and keep your team on track.
www.reddit.com
(2022-07-18)
76 votes, 15 comments. Some context: At marketing meetups, we've always heard people namedropping Dr. Robert Cialdini's 6 Principles Of Influence…
medium.com
(2022-07-18)
I’ve found the following to be common (and not easily taught) in people whose product skills I admire.
www.americanexpress.com
(2022-07-18)
John Farrell took his team from the bottom of their division last year to the 2013 World Series with a set of tactics every manager should learn.
hbr.org
(2022-07-18)
Five things you need instead.
hbr.org
(2022-07-18)
Simple, direct requests get better results.
effectiviology.com
(2022-07-18)
getpocket.com
(2022-07-18)
In the West, “rational propaganda” has become the primary form of political discourse.
techcrunch.com
(2022-07-18)
“I’ve probably revised this investor pitch deck 200 times,” a founder told me recently. She’d met with more than 50 potential investors before closing a seed round last month. This might sound excessive to some, but her experience is not unusual. Entrepreneurs often spend hundreds of hours raising funds from angel and venture capital investors. While these activities are clearly important, analysis of new data on startups suggests that founders should also dedicate significant time to something that many people overlook: recruiting great mentors. This simple strategy can increase a company’s odds of success more than almost anything else.
behavioralscientist.org
(2022-07-18)
When people discover that they don’t know as much as they thought they did, something interesting happens: their political attitudes become less extreme.
www.businessinsider.com
(2022-07-18)
Good body language is a crucial part of making an excellent first impression.
github.com
(2022-07-18)
Awesome List of resources on leading people and being a manager. Geared toward tech, but potentially useful to anyone. - LappleApple/awesome-leading-and-managing
www.processexcellencenetwork.com
(2022-07-18)
The home of Process Excellence covers topics from Business Process Management (BPM) to Robotic Process Automation (RPA), AI, Lean Six Sigma and more. Latest news, freshest insight and upcoming events and webinars.
hbr.org
(2022-07-18)
Apple is famous for not engaging in the focus-grouping that defines most business product and marketing strategy. Which is partly why Apples products and advertising are so insanely great. They have the courage of their own convictions, instead of the opinions of everyone else’s whims. On the subject, Steve Jobs loves to quote Henry Ford […]
conversionsciences.com
(2022-07-18)
Here are 14 persuasive writing techniques that will make your website appeal to visitors and increase your conversion rates.
www.leadershipnow.com
(2022-07-18)
Leadership Now is a leading source for leadership development and analysis. We believe that anyone can make a difference by leading from where they are.
mattermark.com
(2022-07-18)
"The success of your startup is determined before you ship a single line of code." Okay, you’re right, Sun Tzu, the ancient Chinese war general and author
hbr.org
(2022-07-18)
We all know that leaders need vision and energy, but after an exhaustive review of the most influential theories on leadership–as well as workshops with thousands of leaders and aspiring leaders–the authors learned that great leaders also share four unexpected qualities. The first quality of exceptional leaders is that they selectively reveal their weaknesses (weaknesses, not fatal flaws). Doing so lets employees see that they are approachable. It builds an atmosphere of trust and helps galvanize commitment. The second quality of inspirational leaders is their heavy reliance on intuition to gauge the appropriate timing and course of their actions. Such leaders are good “situation sensors”–they can sense what’s going on without having things spelled out for them. Managing employees with “tough empathy” is the third quality of exceptional leadership. Tough empathy means giving people what they need, not what they want. Leaders must empathize passionately and realistically with employees, care intensely about the work they do, and be straightforward with them. The fourth quality of top-notch leaders is that they capitalize on their differences. They use what’s unique about themselves to create a social distance and to signal separateness, which in turn motivates employees to perform better. All four qualities are necessary for inspirational leadership, but they cannot be used mechanically; they must be mixed and matched to meet the demands of particular situations. Most important, however, is that the qualities encourage authenticity among leaders. To be a true leader, the authors advise, “Be yourself–more–with skill.”
behavioralscientist.org
(2022-07-18)
New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.
www.gainsight.com
(2022-07-18)
Your product can’t suck. That’s a given. But it’s also not enough to be a good product that doesn’t hook your customer and connect to their pain points.
fourminutebooks.com
(2022-07-18)
The Tipping Point summary shows you why ideas spread like viruses, which 3 kinds of people are responsible for it & why no bad idea will ever spread.
www.theatlantic.com
(2022-07-18)
Mini pizza bagels? Now we're talking.
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
effectiviology.com
(2022-07-18)
www.nytimes.com
(2022-07-18)
A company study found that a manager’s technical skills were far less valued by employees than people skills.
mfbt.ca
(2022-07-18)
Tastes great, less filling
marcbarros.com
(2022-07-18)
“Reality is merely an illusion, albeit a very persistent one.” ~ Albert Einstein It was well past 5pm and we were still at the office debating about how we should inspire our customers. We were debating the strategy to ‘be like Mike‘ or to ‘be like Joe.’ To be like Mike, meant we would only …
www.farnamstreetblog.com
(2022-07-18)
Fight the Good Fight The probability that we may fall in the struggle ought not to deter us from the support of a cause we believe to be just. Try Honey Before Vinegar If you would win a man to your cause, first convince him that you are his sincere friend. On the contrary … …
www.blog.theteamw.com
(2022-07-18)
fs.blog
(2022-07-18)
The Primary Tactics Used to Influence Others —The number one thing to understand about influence is that people make decisions for their reasons, not yours.
www.fastcompany.com
(2022-07-18)
qz.com
(2022-07-18)
The job of a good storyteller, marketer, or writer is to pull one over on you. To make you believe what they’re saying, no matter how farfetched it might be.
www.smashingmagazine.com
(2022-07-18)
How do you make decisions? If you're like most people, you'll probably answer that you pride yourself on weighing the pros and cons of a situation carefully and then make a decision based on logic. You know that other people have weak personalities and are easily swayed by their emotions, but this rarely happens to you. You've just experienced the [fundamental attribution error](https://en.wikipedia.org/wiki/Fundamental_attribution_error) — the tendency to believe that other people's behaviour is due to their personality (“Josh is late because he's a disorganised person”) whereas our behaviour is due to external circumstances (“I'm late because the directions were useless”). Cognitive biases like these play a significant role in the way we make decisions so it's not surprising that people are now examining these biases **to see how to exploit them in the design of web sites**. I'm going to use the term ‘persuasion architects' to describe designers who knowingly use these techniques to influence the behaviour of users. (Many skilled designers already use some of these psychological techniques intuitively — but they wouldn't be able to articulate why they have made a particular design choice. The difference between these designers and persuasion architects is that persuasion architects use these techniques intentionally).
hbr.org
(2022-07-18)
The subtle signals you have to master.
hgimnetwork.org
(2022-07-18)
secretpmhandbook.com
(2022-07-18)
Use these 7 persuasion tips to instantly make your presentations, roadmaps, marketing and sales materials more compelling, engaging, and influential.
www.jamesaltucher.com
(2022-07-18)
In 2002 I was driving to a hedge fund manager’s house to hopefully raise money from him. I was two hours late. This was pre-GPS and I had no cell phone. I was totally lost. If you’ve never driven around Connecticut you need to know one thing: all the roads are parallel and they […]
ideas.ted.com
(2022-07-18)
Politicians and other public figures deploy particular rhetorical devices to communicate their ideas and to convince people, and it’s time that we all learned how to use them, says speechwriter Sim…
jamesaltucher.com
(2022-07-18)
You’re on the most important elevator ride of your life. You have ten seconds to pitch- the classic “elevator pitch”. Love or Hate. Money or Despair. And you may never get this chance again. As PM Dawn says, “I feel for you. I really do.” There are books about this. But don’t waste your time. […]
blog.wishpond.com
(2022-07-18)
Follow this guide for everything you need to know about conversion rate optimization, how it works, and how to use it.
www.farnamstreetblog.com
(2022-07-18)
The Ten Golden Rules of Leadership explores the classical figures to determine the ten crucial axioms of leadership. Rule 1. Know Theyself. Rule 2 ...
liamrosen.com
(2022-07-18)
How to turn arguments from vicious battles into productive dialogues.
hbr.org
(2022-07-18)
The American tendency to fill up quiet space is not a good strategy with the Chinese.
blogs.scientificamerican.com
(2022-07-05)
Market research can extract plenty of data, but its greatest value is in evoking reactions
www.artofmanliness.com
(2022-06-26)
In a classic experiment conducted by the psychologist Solomon Asch, participants were placed in a group, shown a “target” line alongside a set of comparison lines of varying lengths, and asked which was closest in length to the target. The answer was always obvious, but unbeknownst to the study’s actual participants, they had been placed […]
changingminds.org
(2022-06-25)
There are words which have special meaning within each culture and carry power where they are used.
georg-grey.blogspot.mx
(2022-06-25)
hbr.org
(2022-06-25)
What does it take to become a more convincing communicator? New research suggests that linguistic mirroring — that is, adjusting your communication style to match that of your audience — is an effective tool to increase your ability to influence others. In this piece, the authors describe four key dimensions of linguistic mirroring, as well as several tactical strategies for leaders looking to win over a client, judge, or other important evaluator. Ultimately, they argue that building genuine relationships with key evaluators is the best way to gain insight into their linguistic preferences — but it’s up to all of us to make sure that we use the power of linguistic mirroring for good.
effectiviology.com
(2022-06-25)
aeon.co
(2022-06-15)
How our toothy modern smile was invented by a confluence of French dentistry and Parisian portrait-painting in the 1780s
medium.com
(2022-06-11)
The advantages of being attractive are exorbitant. Beauty might be the single greatest physical advantage you can have in life. And yet…
codecapsule.com
(2022-05-28)
Learn the street epistemology conversation technique and how you can apply it at work.
consilienceproject.org
(2022-04-13)
thehipperelement.com
(2022-01-29)
My mission for 2014 was to get more people started in User Experience (UX) Design. In January, hundreds of thousands of people did the original UX Crash Course and it was translated into Spanish, Portuguese and Korean by amazing volunteers. In May we continued with a User Psychology lesson every day.
zenmoments.org
(2022-01-13)
“It's my intention to work into each lecture one lie...” Remembering a favourite teacher whose unorthodox methods got his students' attention
www.economist.com
(2022-01-09)
It’s not what you do. It’s how ostentatiously you do it
www.themarginalian.org
(2021-12-27)
“Nothing in the world is more exciting than a moment of sudden discovery or invention, and many more people are capable of experiencing such moments than is sometimes thought.”
behavioralscientist.org
(2021-12-23)
Take a moment to dive into the pieces your fellow behavioral science enthusiasts read most this year.
effectiviology.com
(2021-11-03)
psyche.co
(2021-07-17)
You can’t stop people making demands on your time and energy, but you can develop assertiveness skills to protect yourself
www.entrepreneur.com
(2021-07-17)
Entrepreneurs must become experts at connecting with anyone-and with a few simple strategies, you can. Here's what happened when I tried them myself.
durmonski.com
(2021-07-13)
Regardless of where you are in the pathway of understanding how the human psyche works, this list of must-read psychology books will upgrade your personal library.
fivethirtyeight.com
(2021-06-17)
You might not believe in QAnon, but you could still fall down the rabbit hole.
arstechnica.com
(2021-06-05)
People who overrate their media savviness share more misleading material.
ideas.ted.com
(2021-05-31)
When we want people to change, we typically tell them what to do. But what if we flipped the script and asked them for their wisdom instead? Behavioral scientist Katy Milkman PhD explains the power…
www.chicagomaroon.com
(2021-05-30)
link.medium.com
(2021-05-27)
Being a calming influence when things go south is a seriously attractive quality
paulgraham.com
(2021-05-18)
theness.com
(2021-05-18)
The term "bullshitting" (in addition to its colloquial use) is a technical psychological term that means, "communication characterised by an intent to be convincing or impressive without concern for truth." This is not the same as lying, in which one knows what they are saying is false. Bullshitters simply are indifferent to whether or not
hbr.org
(2021-04-18)
It’s important to understand that when you, as a leader, communicate with your team, using weaker words weakens your message and blunts your ability to inspire people. It’s not enough to just throw thoughts out there and hope for the best. You need to actively recommend ideas and assert their worthiness in all of your communications. For example, consider these “power words”: “I’m proposing (not “sharing”) an idea that will make our process more efficient.” “I’m suggesting (not “sharing”) a new logo that better conveys our brand message.” “I’m recommending (not “sharing”) a campaign to make our workplace more diverse.” Ultimately, audiences respond more actively to big points than to small words, but thoughtful leaders need to assess both, knowing that the more powerfully they come across — even in small ways — the greater impact they have on the people they hope to inspire.
www.behavioraleconomics.com
(2021-04-13)
Color can affect judgment and decision making, and its effects may vary across cultures. Research reported in this article shows that cross-cultural color effects on risk preferences are influenced by personal associations of color-gain/loss. Our research finds a cultural reactance effect, a phenomenon in which people who hold culturally incongruent (vs. cultural mainstream) color associations
getpocket.com
(2021-04-02)
Assertive communication is about compromise.
www.businessinsider.com
(2021-03-21)
Using responses like "tell me more" and "thanks for understanding" helps shift the focus from yourself to others and leads to better conversations.
hbr.org
(2021-02-20)
We live in an age of polarization. Many of us may be asking ourselves how, when people disagree with or discount us, we can persuade them to rethink their positions. The author, an organizational psychologist, has spent time with a number of people who succeeded in motivating the notoriously self-confident Steve Jobs to change his mind and has analyzed the science behind their techniques. Some leaders are so sure of themselves that they reject good opinions and ideas from others and refuse to abandon their own bad ones. But, he writes, “it is possible to get even the most overconfident, stubborn, narcissistic, and disagreeable people to open their minds.” He offers some approaches that can help you encourage a know-it-all to recognize when there’s something to be learned, a stubborn colleague to make a U-turn, a narcissist to show humility, and a disagreeable boss to agree with you.
www.nytimes.com
(2021-01-31)
Don’t try to change someone else’s mind. Instead, help them find their own motivation to change.
getpocket.com
(2021-01-31)
The goal should not be conversion but doubt.
www.farnamstreetblog.com
(2021-01-30)
Industrial genius Carl Braun believed that clear thinking and clear communication go hand in hand. Here the guide on writing productively to get things done.
getpocket.com
(2021-01-25)
Bridge the divide with thoughtful conversation techniques, next-level listening, and a dip into the science of changing minds.
www.openculture.com
(2020-10-20)
Do you like being right? Of course, everyone does. Are you successful at convincing others? That’s a tougher one. We may politely disagree, avoid, or scream bloody murder at each other, but whatever our conflict style, no one is born, and few are raised, knowing how to persuade.
getpocket.com
(2020-08-10)
Developing user habits is not the same as demanding compliance. But sometimes that’s the task at hand.
www.nytimes.com
(2020-03-09)
Some people have a knack for buying products that flop, supporting political candidates who lose and moving to neighborhoods that fail to thrive.
effectiviology.com
(2020-02-19)
getpocket.com
(2019-12-31)
How to bend people to your will.
getpocket.com
(2019-12-31)
Choose your words carefully and you can get someone to change their mind, or see you in a new light.
hbr.org
(2019-12-23)
More than 2,000 years ago Aristotle outlined a formula on how to become a master of persuasion in his work Rhetoric . To successfully sell your next idea, try using these five rhetorical devices that he identified in your next speech or presentation: The first is egos or “character.” In order for your audience to trust you, start your talk by establishing your credibility. Then, make a logical appeal to reason, or “logos.” Use data, evidence, and facts to support your pitch. The third device, and perhaps the most important, is “pathos,” or emotion. People are moved to action by how a speaker makes them feel. Aristotle believed the best way to transfer emotion from one person to another is through storytelling. The more personal your content is the more your audience will feel connected to you and your idea.
poseidon01.ssrn.com
(2019-12-23)
nesslabs.com
(2019-12-23)
The holiday season is around the corner. For most of us, it means we need to get gifts for our loved ones—our family, our friends, maybe even for people we don’t know all that well, such as clients and coworkers. The holiday season is notoriously stressful. Surveys show that nearly 7 people out of 10 ... Read More
nesslabs.com
(2019-12-05)
The three modes of persuasion — ethos, pathos, logos — are useful skills to master to persuade people and to understand how you’re being persuaded yourself.
link.medium.com
(2019-11-10)
Takedowns and clever quips are easy, but empathy and persuasion are better
www.lesspenguiny.com
(2019-08-30)
Why some people are constantly approached by friendly nearbys whereas others might as well be invisible
effectiviology.com
(2019-08-29)
effectiviology.com
(2019-08-29)
ui-patterns.us10.list-manage.com
(2019-03-22)
Understanding user behavior is key to understanding how users interact with your product. Here are 15 steps to analyze & change their interactions to your benefit.
seths.blog
(2019-01-11)
If you want someone to help, you’ll do better with a spec. It lists just four things: What is the problem to be solved? How are we going to solve it? How can we test that the thing we built m…
www.bbc.com
(2018-01-27)
Supermarkets have always played tricks on your mind. Can they help you to eat better?
-->
behaviors/emotions
categories:
tags:
behaviors
emotions
date: 26 Mar 2025
slug:raindrop-behaviors-emotions
theconversation.com
(2024-03-27)
In the US, smiling is a reflexive gesture of goodwill, but Russians view it as a sign of stupidity. Social psychology research could help explain this cultural contrast.
www.nngroup.com
(2024-01-17)
Unsure where to start? Use this collection of links to our articles and videos to learn about some principles of human psychology and how they relate to UX design.
theness.com
(2023-09-17)
There is a lot of social psychology out there providing information that can inform our everyday lives, and most people are completely unaware of the research. Richard Wiseman makes this point in his book, 59 Seconds - we actually have useful scientific information, and yet we also have a vast self-help industry giving advice that
aeon.co
(2023-07-24)
The fear of being duped is ubiquitous, but excessive scepticism makes it harder to trust one another and cooperate
effectiviology.com
(2023-04-24)
collabfund.com
(2023-04-08)
Former General Electric CEO Jack Welch once nearly died of a heart attack.
www.raptitude.com
(2023-03-28)
Much of what you’ve read on this blog has been written in pajama pants. Writing directly follows meditation in my morning routine, so I’ve often gone right from the cushion to the coffeepot to the desk. Occasionally life would remind me that there are practical reasons to put on socially acceptable pants before beginning the workday. Someone could knock on
www.quantamagazine.org
(2023-03-02)
Feelings of loneliness prompt changes in the brain that further isolate people from social contact.
www.theatlantic.com
(2023-02-22)
Disgust is surprisingly common across nature.
www.npr.org
(2023-02-17)
Happiness can sometimes feel just out of reach. But having more fun? You've got this — and those giggles and playful moments can make a big difference to your health and well-being.
experimentalhistory.substack.com
(2023-01-02)
Hacking the happiness treadmill
www.bps.org.uk
(2022-10-30)
The magazine of the British Psychological Society - in print and online.
nesslabs.com
(2022-10-05)
All fears can be divided into four broad categories which psychologists refer to as the four horsemen of fear: bodily, interpersonal, cognitive and behavioral fears. And each of the four horsemen of fear can be addressed by applying simple strategies.
yalereview.org
(2022-10-04)
What does the state of online shaming reveal about our democracy?
www.theatlantic.com
(2022-09-09)
Some cats do it, but others can’t—and researchers still don’t fully understand why.
psyche.co
(2022-09-09)
Do you feel perpetually bad, broken or unlovable? These tools will help you relate to yourself in a fairer, gentler way
www.theatlantic.com
(2022-08-28)
A secure attachment style can help people initiate and maintain friendships.
getpocket.com
(2022-08-17)
People who feel shame readily are at risk for depression and anxiety disorders
hiddenbrain.org
(2022-07-18)
Have you ever gotten into a heated argument about politics? Maybe you’ve said something you're not proud of during game night with friends, or booed the opposing team at a sporting event. Psychologist Mina Cikara studies what happens in these moments — when our mindset shifts from “you and me” to “us and them.” This week on the show, Mina shares the profound ways that becoming a part of a group shapes our thoughts, feelings and behaviors.
getpocket.com
(2022-07-18)
Here’s why hiring managers say they often value emotional intelligence more highly than IQ.
www.bbc.com
(2022-07-05)
Most of us are subjected to insults, sarcastic comments or bad feedback in our everyday lives. But we weren't built to deal with torrents of criticism.
www.theatlantic.com
(2022-07-03)
Instead, befriend people who inspire awe in you.
www.bbc.com
(2022-06-10)
From a young age we are primed to choose a favourite colour, but strangely as we grow up our preference often changes – and it's largely due to influences outside our control.
psyche.co
(2022-05-17)
How does hating someone compare with anger, contempt or disgust? A clearer picture of what makes it unique is emerging
consilienceproject.org
(2022-04-13)
psyche.co
(2022-01-17)
Ditch the tough talk, it won’t help. Instead cultivate your mental flexibility so you can handle whatever comes your way
www.collaborativefund.com
(2022-01-06)
getpocket.com
(2021-10-27)
There’s growing evidence that signals sent from our internal organs to the brain play a major role in regulating emotions and fending off anxiety and depression.
durmonski.com
(2021-07-13)
Regardless of where you are in the pathway of understanding how the human psyche works, this list of must-read psychology books will upgrade your personal library.
www.chicagomaroon.com
(2021-05-30)
www.visualcapitalist.com
(2021-04-03)
getpocket.com
(2021-02-12)
Fans of this violent music report feelings of transcendence and positive emotions; psychologists want to learn why.
www.eckerd.edu
(2021-02-12)
[vc_row type=”full_width_background” full_screen_row_position=”middle” column_margin=”default” column_direction=”default” column_direction_tablet=”default” column_direction_phone=”default” scene_position=”center” top_padding=”48″ text_color=”dark” text_align=”left” row_border_radius=”none” row_border_radius_applies=”bg” overflow=”visible” overlay_strength=”0.3″ gradient_direction=”left_to_right” shape_divider_position=”bottom” bg_image_animation=”none”][vc_column column_padding=”no-extra-padding” column_padding_tablet=”inherit” column_padding_phone=”inherit” column_padding_position=”all” column_element_direction_desktop=”default” column_element_spacing=”default” desktop_text_alignment=”default” tablet_text_alignment=”default” phone_text_alignment=”default” background_color_opacity=”1″ background_hover_color_opacity=”1″ column_backdrop_filter=”none” column_shadow=”none” column_border_radius=”none” column_link_target=”_self” column_position=”default” gradient_direction=”left_to_right” overlay_strength=”0.3″ width=”1/1″ tablet_width_inherit=”default” animation_type=”default” bg_image_animation=”none” border_type=”simple” column_border_width=”none” column_border_style=”solid”][vc_column_text] Interpersonal Reactivity...
www.fastcompany.com
(2021-02-12)
Think about your life like an x-y axis, with four quadrants.
psyche.co
(2021-02-07)
Anger is a fuel that’s dangerous when out of control. But managed well, it can energise you to identify and confront problems
meltingasphalt.com
(2020-12-26)
psychologenie.com
(2020-11-29)
When we are feeling something, we don't really stop to define that emotion or think about the exact emotion that we are experiencing. We just feel and go through it; may it be sadness, anger or happiness. As human beings, we experience a plethora of feelings and emotions in our lifetime that range over several forms and types. This article is an attempt to list down an extensive list of those emotions.
www.scienceofpeople.com
(2020-11-29)
Could you make a list of all the emotions you feel in a day? Emotions play a fascinating
getpocket.com
(2020-02-12)
How well do you recognize and understand your emotions? What about the emotions of those around you?
getpocket.com
(2020-01-05)
Not only is ‘Je suis excité’ not the appropriate way to convey excitement in French, but there seems to be no real way to express it at all.
aeon.co
(2019-10-26)
One emotion inspired our greatest achievements in science, art and religion. We can manipulate it – but why do we have it?
tomtunguz.com
(2019-10-18)
Dr. Daniel Kahneman features on the latest Farnam Street podcast and it’s a surprising episode. Kahneman wrote Thinking Fast and Slow. I admire Kahneman a great deal. Not for his Nobel or for his work, which are both impressive, but for his humility. Some of the key tenets of Kahneman’s work in his famous book were disproved. And he owned up to it, both in print and on the podcast. That’s the hallmark of someone with great integrity, and it’s a sign to trust someone more.
aeon.co
(2019-10-09)
Being ‘good’ need not take years of ethical analysis: just a few moments of gratitude can set you on the path to virtue
getpocket.com
(2019-09-16)
Look like you‘re trusting your gut and others will trust you.
aeon.co
(2019-09-12)
Immanuel Kant held that moral education is hydraulic: shame squashes down our vices, making space for virtue to rise up
thenextweb.com
(2019-08-31)
What happens when machines learn to manipulate us by faking our emotions? Judging by the rate at which researchers are developing human-like AI agents, we’re about to find out. Researchers around the world are trying to create more human-li
nautil.us
(2019-07-25)
Is Rick Deckard a replicant, an advanced bioengineered being? The jury concerning the character in 1982’s Blade Runner is still out. Harrison Ford, who plays Deckard in the film, thinks he’s human. Ridley Scott, the film’s director, is adamant that he’s not.* Hampton Fancher, the screenwriter for the original film and the sequel, Blade Runner […]
www.vox.com
(2018-09-12)
The mysteries of consumer behavior, explained by ice cream and independent bookstores.
aeon.co
(2006-10-24)
Rather than being a cringey personal failing, awkwardness is a collective rupture – and a chance to rewrite the social script
-->
behaviors/leadership
categories:
tags:
behaviors
leadership
date: 26 Mar 2025
slug:raindrop-behaviors-leadership
www.fastcompany.com
(2024-10-18)
These two principles are equally powerful and critical to manage behavior, but the order matters.
www.artofmanliness.com
(2024-02-05)
Discover the power of examples in shaping our lives. Explore quotes on example and how they inspire us to reach new heights.
hbr.org
(2023-02-16)
What exactly is psychological safety? It’s a term that’s used a lot but is often misunderstood. In this piece, the author answers the following questions with input from Harvard Business School professor Amy Edmondson, who coined the phrase “team psychological safety”: 1) What is psychological safety? 2) Why is psychological safety important? 3) How has the idea evolved? 4) How do you know if your team has it? 5) How do you create psychological safety? 6) What are common misconceptions?
readwrite.com
(2022-07-19)
Corporate leadership today is more public than ever before thanks to digital communication and the web. The status quo has been upended by the ease with
www.farnamstreetblog.com
(2022-07-19)
Have you ever wondered about internal organization dynamics and why some groups of people (who aren’t on the same team) are more successful than others? Why different “tribes” inside the organization seem to be at war with one another lowering performance in increasing politics? Why certain groups of people never seem to do anything? Or why …
www.fastcompany.com
(2022-07-18)
techcrunch.com
(2022-07-18)
Editor’s note: Scott Weiss is a partner at Andreessen Horowitz and the former co-founder and CEO of IronPort Systems, which was acquired by Cisco in 2007. An approachable and authentic CEO is essential to fostering a high-performance, open communications culture.
getpocket.com
(2022-07-18)
Here’s what the best leaders do.
militaryreadinglists.com
(2022-07-18)
U.S. Army Engineer School Commandant’s Reading List
hbr.org
(2022-07-18)
How to minimize the drama and keep your team on track.
medium.com
(2022-07-18)
I’ve found the following to be common (and not easily taught) in people whose product skills I admire.
www.americanexpress.com
(2022-07-18)
John Farrell took his team from the bottom of their division last year to the 2013 World Series with a set of tactics every manager should learn.
techcrunch.com
(2022-07-18)
“I’ve probably revised this investor pitch deck 200 times,” a founder told me recently. She’d met with more than 50 potential investors before closing a seed round last month. This might sound excessive to some, but her experience is not unusual. Entrepreneurs often spend hundreds of hours raising funds from angel and venture capital investors. While these activities are clearly important, analysis of new data on startups suggests that founders should also dedicate significant time to something that many people overlook: recruiting great mentors. This simple strategy can increase a company’s odds of success more than almost anything else.
github.com
(2022-07-18)
Awesome List of resources on leading people and being a manager. Geared toward tech, but potentially useful to anyone. - LappleApple/awesome-leading-and-managing
www.processexcellencenetwork.com
(2022-07-18)
The home of Process Excellence covers topics from Business Process Management (BPM) to Robotic Process Automation (RPA), AI, Lean Six Sigma and more. Latest news, freshest insight and upcoming events and webinars.
hbr.org
(2022-07-18)
Apple is famous for not engaging in the focus-grouping that defines most business product and marketing strategy. Which is partly why Apples products and advertising are so insanely great. They have the courage of their own convictions, instead of the opinions of everyone else’s whims. On the subject, Steve Jobs loves to quote Henry Ford […]
www.leadershipnow.com
(2022-07-18)
Leadership Now is a leading source for leadership development and analysis. We believe that anyone can make a difference by leading from where they are.
mattermark.com
(2022-07-18)
"The success of your startup is determined before you ship a single line of code." Okay, you’re right, Sun Tzu, the ancient Chinese war general and author
hbr.org
(2022-07-18)
We all know that leaders need vision and energy, but after an exhaustive review of the most influential theories on leadership–as well as workshops with thousands of leaders and aspiring leaders–the authors learned that great leaders also share four unexpected qualities. The first quality of exceptional leaders is that they selectively reveal their weaknesses (weaknesses, not fatal flaws). Doing so lets employees see that they are approachable. It builds an atmosphere of trust and helps galvanize commitment. The second quality of inspirational leaders is their heavy reliance on intuition to gauge the appropriate timing and course of their actions. Such leaders are good “situation sensors”–they can sense what’s going on without having things spelled out for them. Managing employees with “tough empathy” is the third quality of exceptional leadership. Tough empathy means giving people what they need, not what they want. Leaders must empathize passionately and realistically with employees, care intensely about the work they do, and be straightforward with them. The fourth quality of top-notch leaders is that they capitalize on their differences. They use what’s unique about themselves to create a social distance and to signal separateness, which in turn motivates employees to perform better. All four qualities are necessary for inspirational leadership, but they cannot be used mechanically; they must be mixed and matched to meet the demands of particular situations. Most important, however, is that the qualities encourage authenticity among leaders. To be a true leader, the authors advise, “Be yourself–more–with skill.”
www.nytimes.com
(2022-07-18)
A company study found that a manager’s technical skills were far less valued by employees than people skills.
mfbt.ca
(2022-07-18)
Tastes great, less filling
www.farnamstreetblog.com
(2022-07-18)
Fight the Good Fight The probability that we may fall in the struggle ought not to deter us from the support of a cause we believe to be just. Try Honey Before Vinegar If you would win a man to your cause, first convince him that you are his sincere friend. On the contrary … …
www.fastcompany.com
(2022-07-18)
hgimnetwork.org
(2022-07-18)
www.farnamstreetblog.com
(2022-07-18)
The Ten Golden Rules of Leadership explores the classical figures to determine the ten crucial axioms of leadership. Rule 1. Know Theyself. Rule 2 ...
hbr.org
(2022-06-25)
The ability to get issues on the table and work through them constructively is critical to having a healthy culture. Managers can normalize productive conflict on your team by using an exercise to map out the unique value of each role and the tensions that should exist among them. Draw a circle and divide that circle into enough wedges to represent each role on your team. For each role, ask: What is the unique value of this role on this team? On which stakeholders is this role focused? What is the most common tension this role puts on team discussions? Answer those questions for each member of the team, filling in the wedges with the answers. As you go, emphasize how the different roles are supposed to be in tension with one another. With heightened awareness and a shared language, your team will start to realize that much of what they have been interpreting as interpersonal friction has actually been perfectly healthy role-based tension.
hbr.org
(2021-04-18)
It’s important to understand that when you, as a leader, communicate with your team, using weaker words weakens your message and blunts your ability to inspire people. It’s not enough to just throw thoughts out there and hope for the best. You need to actively recommend ideas and assert their worthiness in all of your communications. For example, consider these “power words”: “I’m proposing (not “sharing”) an idea that will make our process more efficient.” “I’m suggesting (not “sharing”) a new logo that better conveys our brand message.” “I’m recommending (not “sharing”) a campaign to make our workplace more diverse.” Ultimately, audiences respond more actively to big points than to small words, but thoughtful leaders need to assess both, knowing that the more powerfully they come across — even in small ways — the greater impact they have on the people they hope to inspire.
www.farnamstreetblog.com
(2021-01-30)
Industrial genius Carl Braun believed that clear thinking and clear communication go hand in hand. Here the guide on writing productively to get things done.
www.fastcompany.com
(2021-01-08)
"Unconscious leadership happens when we aren't self-aware, which puts fear in the driver's seat."
www.fastcompany.com
(2020-12-06)
The soft skills are what matter most.
www.outsideonline.com
(2020-04-23)
The military's toughest training challenges have a lot in common with outdoor sufferfests like the Barkley Marathons and the Leadville Trail 100: you have to be fit and motivated to make the starting line, but your mind and spirit are what carry you to the end. A Ranger graduate breaks down an ordeal that shapes some of the nation's finest soldiers.
effectiviology.com
(2020-02-19)
www.wsj.com
(2020-02-18)
Airline pilot Alfred Haynes and other leaders who’ve saved lives show that modest people can achieve miracles under pressure.
getpocket.com
(2019-12-31)
How to bend people to your will.
hbr.org
(2019-08-29)
Why do issues remain open secrets in organizations, where multiple employees know about a problem or a concern, but no one publicly brings it up? Researchers recently explored this in a set of studies. They found that as issues become more common knowledge among frontline employees, the willingness of any individual employee to bring those issues to the attention of the top-management decreased. Instead of speaking up, what they observed among their participants was something like the bystander effect, a psychological phenomena describing how people stay on the sidelines as passive bystanders, waiting for others to act rather than do something themselves. If managers want to avoid the bystander effect so that problems don’t go unresolved, they should tell employees that their voices are not redundant and that they need to share their opinions even if others have the same information.
www.openculture.com
(2018-07-07)
The most successful outlaws live by a code, and in many ways John Perry Barlow was an archetypal American outlaw all of his life.
-->
behaviors/prodmgmt
categories:
tags:
behaviors
prodmgmt
date: 26 Mar 2025
slug:raindrop-behaviors-prodmgmt
www.thedial.world
(2024-06-11)
A day at Shanghai Disneyland.
getpocket.com
(2024-06-01)
Correction fluids have improbably outlasted the typewriter and survived the rise of the digital office.
www.choicehacking.com
(2024-03-25)
Learn how to create customer habits using powerful triggers like time, mood, location, and social influences. Discover techniques to boost product usage.
effectiviology.com
(2024-02-29)
www.nngroup.com
(2024-01-17)
Unsure where to start? Use this collection of links to our articles and videos to learn about some principles of human psychology and how they relate to UX design.
businessday.ng
(2023-07-29)
On a flight from Paris to London in 1983 Jane Birkin, an Anglo-French chanteuse and actress, spilled the contents of her overstuffed straw...
www.theawl.com
(2022-10-29)
by John MahoneyThis is a bucket of chum. Chum is decomposing fish matter that elicits a purely neurological brain stem response in its target consumer: larger fish, like sharks. It signals that they should let go, deploy their nictitating ...
koenfucius.medium.com
(2022-07-28)
Why might people decline an offer of up to $10,000 just to keep their feet on the ground?
getpocket.com
(2022-07-19)
Not every business needs to have habit-forming products. Here's how two companies hooked customers and formed habits with products they rarely used.
hbswk.hbs.edu
(2022-07-18)
Many new products fail because their creators use an ineffective market segmentation mechanism, according to HBS professor Clayton Christensen. It's time for companies to look at products the way customers do: as a way to get a job done.
hbr.org
(2022-07-18)
It can be more important than word of mouth.
julian.digital
(2022-07-18)
01 Intro One of the best books I have read in the last few years is The Elephant in the Brain by Robin Hanson and Kevin Simler. The book makes two main arguments: a) Most of our everyday actions can be traced back to some form of signaling or status seeking b) Our brains deliberately hi
behavioralscientist.org
(2022-07-18)
New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.
www.gainsight.com
(2022-07-18)
Your product can’t suck. That’s a given. But it’s also not enough to be a good product that doesn’t hook your customer and connect to their pain points.
hbswk.hbs.edu
(2022-07-18)
Are consumers more likely to buy if they see the price before the product, or vice versa? Uma Karmarkar and colleagues scan the brains of shoppers to find out.
ideas.ted.com
(2022-07-18)
Hello, my name is Andrew, and I can’t stop disagreeing.
hbr.org
(2022-06-28)
From ATMs to automated checkouts to fast food.
hbr.org
(2022-06-25)
The ability to get issues on the table and work through them constructively is critical to having a healthy culture. Managers can normalize productive conflict on your team by using an exercise to map out the unique value of each role and the tensions that should exist among them. Draw a circle and divide that circle into enough wedges to represent each role on your team. For each role, ask: What is the unique value of this role on this team? On which stakeholders is this role focused? What is the most common tension this role puts on team discussions? Answer those questions for each member of the team, filling in the wedges with the answers. As you go, emphasize how the different roles are supposed to be in tension with one another. With heightened awareness and a shared language, your team will start to realize that much of what they have been interpreting as interpersonal friction has actually been perfectly healthy role-based tension.
www.entrepreneur.com
(2022-06-23)
Tips from successful campaigns promoting everything from shapewear to prostate health.
www.usersknow.com
(2022-06-13)
There has been a lot of discussion in the design world recently about "change aversion." Most of the articles about it seem to be targeting the new Google redesign, but I've certainly seen this same discussion happen at many companies when big changes aren't universally embraced by users.
www.psychologytoday.com
(2022-02-10)
Driven by buyers' need for consistency and explanation, the most popular pricing method uses a surprisingly simple formula based on size.
floodstate.substack.com
(2022-02-08)
A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It
unintendedconsequenc.es
(2022-01-29)
The history of technology is one of subtracting humans and replacing them with machines. Do the unintended consequences include creating shoplifters?
psyche.co
(2021-04-22)
The best detectives seem to have almost supernatural insight, but their cognitive toolkit is one that anybody can use
variety.com
(2021-04-18)
As Spotify turns 15 this month, we look at 15 ways the streaming giant has changed, reinvented and reshaped music and the music business.
getpocket.com
(2021-02-21)
Think you got a good deal? Look again.
www.deprocrastination.co
(2021-02-19)
Imagine you could work more and be wildly productive. And you wouldn’t need to force yourself to work.
medium.com
(2020-11-03)
An introduction to forming hypothesis statements for product experimentation.
getpocket.com
(2020-11-03)
Some products sell themselves, but habits don’t. They require a bit of finesse.
getpocket.com
(2020-10-28)
Hello, my name is Andrew, and I can’t stop disagreeing.
thenextweb.com
(2020-04-20)
Leaders need to lead by example using OKRs, showing that they are equally as committed to successful outcomes as anyone on the front lines of the business.
www.thinkwithgoogle.com
(2020-02-19)
Consumer needs spark consumer journeys. How can marketers identify those needs and address them? The latest consumer research from Google will help.
medium.com
(2019-08-31)
Nir Eyal’s Hooked Model explains how games keep players coming back.
ui-patterns.us10.list-manage.com
(2019-03-22)
Understanding user behavior is key to understanding how users interact with your product. Here are 15 steps to analyze & change their interactions to your benefit.
www.vox.com
(2018-09-12)
The mysteries of consumer behavior, explained by ice cream and independent bookstores.
www.gsb.stanford.edu
(2018-03-05)
-->
behaviors/bias
categories:
tags:
behaviors
bias
date: 26 Mar 2025
slug:raindrop-behaviors-bias
effectiviology.com
(2024-10-22)
www.choicehacking.com
(2024-03-03)
What is Maslow's Hammer? Maslow's Hammer says that we rely too much on familiar tools (not because they're good - only because they're familiar). As the saying goes, “When you have a hammer, everything’s a nail.” It's why doctors are more likely to recommend surgery for back pain than alternative treatments like massage or chiro.
www.choicehacking.com
(2024-03-03)
What is the Concorde Fallacy? 🧠 The Concorde Fallacy describes how we will continue to defend a bad investment, even when that defense costs more than just giving up. In 1956, discussions started in England to create a supersonic airliner that would get people from London to NYC in under 3 hours (that's less than
effectiviology.com
(2023-08-09)
effectiviology.com
(2023-04-24)
theconversation.com
(2023-03-20)
Two concepts can help explain why society seems increasingly unable to agree on basic facts.
betterhumans.coach.me
(2022-07-19)
measureofdoubt.com
(2022-07-19)
effectiviology.com
(2022-07-18)
effectiviology.com
(2022-07-18)
invertedpassion.com
(2022-07-18)
One of the major findings in last 50 years has been what people had suspected all along: human thinking and judgment often isn’t rational. By this, I mean given a situation where someone has to make a decision, she will often take a decision that “leaps” to her immediately rather taking than a decision that… Read More
blog.usejournal.com
(2022-07-18)
There used to be a generic belief that humans are completely rational. It is easily understandable why a belief like this was popular…
getpocket.com
(2022-07-18)
Research shows how attractive employees can rub some customers the wrong way.
effectiviology.com
(2022-07-18)
www.investopedia.com
(2022-07-18)
Prospect theory argues that if given the option, people prefer more certain gains rather than the prospect of larger gains with more risk.
getpocket.com
(2022-07-18)
The popular idea that avoiding losses is a bigger motivator than achieving gains is not supported by the evidence
www.gsb.stanford.edu
(2022-07-18)
www.farnamstreetblog.com
(2022-07-18)
If we really want to understand how we can nudge people into making better choices, it’s important to understand why they often make such poor ones.
phys.org
(2022-07-18)
(Phys.org)—Under ancient Jewish law, if a suspect on trial was unanimously found guilty by all judges, then the suspect was acquitted. This reasoning sounds counterintuitive, but the legislators of ...
www.ted.com
(2022-06-25)
There's an angry divisive tension in the air that threatens to make modern politics impossible. Elizabeth Lesser explores the two sides of human nature within us (call them "the mystic" and "the warrior”) that can be harnessed to elevate the way we treat each other. She shares a simple way to begin real dialogue -- by going to lunch with someone who doesn't agree with you, and asking them three questions to find out what's really in their hearts.
www.visualcapitalist.com
(2022-05-22)
www.visualcapitalist.com
(2022-02-10)
Here are 18 of the most common mental mistakes in business and investing. Make sure to learn from these cognitive bias examples to make better decisions.
uxdesign.cc
(2022-01-29)
Short analysis on the current state of affairs and a few tips to keep in mind.
www.uxpin.com
(2022-01-17)
Human brain processes information as well as how it forms certain patterns of behavior. Discover cognitive psychology tips for UX.
undark.org
(2021-12-02)
A principle that explains decision-making — from investor behavior to insurance markets — isn't ironclad, experts argue.
fs.blog
(2021-06-07)
We tend to judge the likelihood and significance of things based on how easily they come to mind. The more “available” a piece of information is to us, the more important it seems. The result is that we give greater weight to information we learned recently because a news article you read last night comes to mind easier than a science class you took years ago. It’s too much work to try to comb through every piece of information that might be in our heads.
www.behavioraleconomics.com
(2021-04-13)
Color can affect judgment and decision making, and its effects may vary across cultures. Research reported in this article shows that cross-cultural color effects on risk preferences are influenced by personal associations of color-gain/loss. Our research finds a cultural reactance effect, a phenomenon in which people who hold culturally incongruent (vs. cultural mainstream) color associations
commoncog.com
(2021-02-10)
Five ways to do noise reduction, from the field of judgment and decision making.
getpocket.com
(2021-01-31)
The goal should not be conversion but doubt.
www.vox.com
(2021-01-28)
Inside the distinctive, largely unknown ideology of American policing — and how it justifies racist violence.
www.niemanlab.org
(2021-01-23)
Conspiracy theories seem to meet psychological needs and can be almost impossible to eradicate. One remedy: Keep them from taking root in the first place.
creativesamba.substack.com
(2020-08-10)
Why Informing your customers of a sunk cost can actually help you increase your sales.
fs.blog
(2020-04-07)
When certain events need to take place to achieve a desired outcome, we’re overly optimistic that those events will happen. Here’s why we should temper those expectations.
peoplescience.maritz.com
(2018-10-01)
www.bbc.com
(2017-11-22)
Great thought and effort go into creating restaurant menus – and there are some very powerful psychological tricks employed to make you choose.
betterhumans.coach.me
(2017-10-23)
Here’s a simple practice that can boost your intelligence, help you avoid cognitive bias, and maybe even be happy to prove your own ideas…
-->
semiconductors/chip-design
categories:
tags:
chip-design
semiconductors
date: 26 Mar 2025
slug:raindrop-semiconductors-chip-design
www.righto.com
(2025-03-31)
Most people think of machine instructions as the fundamental steps that a computer performs. However, many processors have another layer of ...
semiengineering.com
(2025-03-27)
Number of designs that are late increases. Rapidly rising complexity is the leading cause, but tools, training, and workflows need to improve.
chipsandcheese.com
(2025-03-15)
Hello you fine Internet folks,
cerebras.ai
(2025-01-16)
[vc_row][vc_column column_width_percent=”90″ gutter_size=”3″ overlay_alpha=”50″ shift_x=”0″ shift_y=”0″ shift_y_down=”0″ z_index=”0″ medium_width=”0″ mobile_width=”0″ width=”1/1″ uncode_shortcode_id=”158708″][vc_column_text uncode_shortcode_id=”154284″] Conventional wisdom in semiconductor manufacturing has long […]
hothardware.com
(2025-01-08)
After persistent rumors refused to recede, AMD steps in with a clear explanation why dual-CCD V-Cache doesn't exist.
www.righto.com
(2024-12-29)
In 1993, Intel released the high-performance Pentium processor, the start of the long-running Pentium line. The Pentium had many improvement...
www.marktechpost.com
(2024-12-21)
Large Language Models (LLMs) have become a cornerstone of artificial intelligence, driving advancements in natural language processing and decision-making tasks. However, their extensive power demands, resulting from high computational overhead and frequent external memory access, significantly hinder their scalability and deployment, especially in energy-constrained environments such as edge devices. This escalates the cost of operation while also limiting accessibility to these LLMs, which therefore calls for energy-efficient approaches designed to handle billion-parameter models. Current approaches to reduce the computational and memory needs of LLMs are based either on general-purpose processors or on GPUs, with a combination of weight quantization and
open.substack.com
(2024-12-01)
A loop buffer sits at a CPU's frontend, where it holds a small number of previously fetched instructions.
asap.asu.edu
(2024-11-25)
www.righto.com
(2024-11-24)
I was studying the silicon die of the Pentium processor and noticed some puzzling structures where signal lines were connected to the silico...
open.substack.com
(2024-07-31)
Transducer, Unilateral, Available and Power Gain; what they mean and how to calculate them.
open.substack.com
(2024-07-30)
Basic concepts required to understand classes of operation in power amplifiers.
chipsandcheese.com
(2024-07-27)
When I recently interviewed Mike Clark, he told me, “…you’ll see the actual foundational lift play out in the future on Zen 6, even though it was really Zen 5 that set the table for that.” And at that same Zen 5 architecture event, AMD’s Chief Technology Officer Mark Papermaster said, “Zen 5 is a ground-up redesign of the Zen architecture,” which has brought numerous and impactful changes to the design of the core.
www.righto.com
(2024-07-10)
Intel released the powerful Pentium processor in 1993, a chip to "separate the really power-hungry folks from ordinary mortals." The origin...
semiengineering.com
(2024-05-20)
A technical paper titled “Basilisk: Achieving Competitive Performance with Open EDA Tools on an Open-Source Linux-Capable RISC-V SoC” was published by researchers at ETH Zurich and University of Bologna. Abstract: “We introduce Basilisk, an optimized application-specific integrated circuit (ASIC) implementation and design flow building on the end-to-end open-source Iguana system-on-chip (SoC). We present enhancements to... » read more
ieeexplore.ieee.org
(2023-10-07)
This paper aims to provide insights into the thermal, analog, and RF attributes, as well as a novel modeling methodology, for the FinFET at the industry standard 5nm CMOS technology node. Thermal characterization shows that for a 165K change in temperature, the Sub-threshold Slope (SS) and threshold voltage vary by 69 % and ~70 mV, respectively. At room temperature, a single gate contacted n-FinFET RF device exhibits a cutoff and maximum oscillation frequency of ~100 GHz and ~170 GHz, respectively. Analog and RF Figures of Merit (FoMs) for 5 nm technology at a device level and their temperature sensitivity are also reported. The industry standard BSIM-CMG model is modified to capture the impact of self-heating (SH) and parasitics. The SH model is based on measured data, and the modeling approach renders it independent of other model parameters. To the authors’ knowledge, an iteration free approach to develop a model-card for RF applications is explained for the very first time. Excellent agreement between the measured data and the model indicates that our methodology is accurate and can be used for faster PDK development.
anysilicon.com
(2023-10-02)
In semiconductor design, “sign-off” during the tape-out (tapeout) of a chip refers to the formal approval process to ensure that the chip design is error-free, meets all specifications, and is ready for manufacturing at the foundry. It is essential because it minimizes the risk of costly errors, ensures compliance with foundry requirements, and validates that
skywater-pdk.readthedocs.io
(2023-08-19)
www.semianalysis.com
(2023-04-08)
Planar to FinFET to Nanosheet to Complementary FET to 2D
spectrum.ieee.org
(2023-04-06)
Study tries to settle a bitter disagreement over Google’s chip design AI
semiengineering.com
(2023-04-05)
While terms often are used interchangeably, they are very different technologies with different challenges.
link.springer.com
(2023-04-05)
RDL, an abbreviation for Redistribution Layer, that is, to make one or more layers of metal on the active chip side to redistribute the pins of the chip.
www.nextplatform.com
(2023-04-05)
Historically Intel put all its cumulative chip knowledge to work advancing Moore's Law and applying those learnings to its future CPUs. Today, some of
www.intel.com
(2023-04-05)
Intel's multi-die interconnect bridge (EMIB) is an approach to in-package high-density interconnect of heterogeneous chips.
www.intel.com
(2023-04-05)
Powered by the promises of the CHIPS Act, Intel is investing more than $100 billion to increase domestic chip manufacturing capacity and capabilities.
tinytapeout.com
(2023-03-31)
From idea to chip design in minutes! TT09 Closes in TT09 Closes in 44 DAYS 44 HOURS 44 MINS 44 SECS Tiles PCBs Tiny Tapeout is an educational project that makes it easier and cheaper than ever to get your designs manufactured on a real chip! Read the paper here. See what other people are making by taking a look at what was submitted on our previous shuttles.
semiengineering.com
(2023-03-05)
A new technical paper titled “APOSTLE: Asynchronously Parallel Optimization for Sizing Analog Transistors Using DNN Learning” was published by researchers at UT Austin and Analog Devices. Abstract “Analog circuit sizing is a high-cost process in terms of the manual effort invested and the computation time spent. With rapidly developing technology and high market demand, bringing... » read more
www.extremetech.com
(2023-02-09)
AI firm Synopsys has announced that its DSO.ai tool has successfully aided in the design of 100 chips, and it expects that upward trend to continue.
github.com
(2023-01-17)
Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages
forum.allaboutcircuits.com
(2023-01-14)
The following is a list of my articles on various topics. Besides technical articles, news pieces that might have useful technical information are also included. You can find my articles on FPGA...
www.allaboutcircuits.com
(2023-01-14)
Learn about voltage waves and how they relate to an important basic concept of radio frequency (RF) circuit design: transmission lines.
spectrum.ieee.org
(2023-01-02)
Interconnects—those sometimes nanometers-wide metal wires that link transistors into circuits on an IC—are in need of a major overhaul. And as chip fabs march toward the outer reaches of Moore’s Law, interconnects are also becoming the industry’s choke point.
github.com
(2022-12-31)
Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages
anysilicon.com
(2022-09-24)
A vast majority of modern digital integrated circuits are synchronous designs. They rely on storage elements called registers or flip-flops, all of which change their stored data in a lockstep manner with respect to a control signal called the clock. In many ways, the clock signal is like blood flowing through the veins of a
easyperf.net
(2022-09-05)
semiengineering.com
(2022-06-23)
The high frequencies and data rates involved in 5G designs makes layout verification all the more important.
semiengineering.com
(2022-06-21)
New technical paper titled “Bridging the Gap between Design and Simulation of Low-Voltage CMOS Circuits” from researchers at Federal University of Santa Catarina, Brazil. Abstract “This work proposes a truly compact MOSFET model that contains only four parameters to assist an integrated circuits (IC) designer in a design by hand. The four-parameter model (4PM) is... » read more
semiengineering.com
(2022-06-21)
New technical paper titled “A Review on Transient Thermal Management of Electronic Devices” from researchers at Indian Institute of Technology Bombay. Abstract “Much effort in the area of electronics thermal management has focused on developing cooling solutions that cater to steady-state operation. However, electronic devices are increasingly being used in applications involving time-varying workloads. These... » read more
www.nytimes.com
(2022-05-02)
The researchers are considered a key to the company’s future. But they have had a hard time shaking infighting and controversy over a variety of issues.
spectrum.ieee.org
(2022-04-30)
When you’re baking a cake, it’s hard to know when the inside is in the state you want it to be. The same is true—with much higher stakes—for microelectronic chips: How can engineers confirm that what’s inside has truly met the intent of the designers? How can a semiconductor design company tell wh
bsim.berkeley.edu
(2021-12-11)
github.com
(2021-12-11)
An integrated cache and memory access time, cycle time, area, leakage, and dynamic power model - HewlettPackard/cacti
spectrum.ieee.org
(2021-12-08)
rakeshk.crhc.illinois.edu
(2021-12-07)
opencircuitdesign.com
(2021-12-05)
Magic VLSI: Resource Page
theopenroadproject.org
(2021-12-03)
www.nangate.com
(2021-12-03)
Silvaco provides standard cell library design and optimization services
semiwiki.com
(2021-12-03)
I have written a lot of articles looking at leading…
anysilicon.com
(2021-12-01)
SoC clock tree overview, metrics that help qualify a clock tree and most commonly used clock tree distribution methodologies.
en.wikipedia.org
(2021-12-01)
File formats used by EDA tools.
semiengineering.com
(2021-08-17)
Some things will get better from a design perspective, while others will be worse.
semiengineering.com
(2021-06-23)
New interconnects offer speed improvements, but tradeoffs include higher cost, complexity, and new manufacturing challenges.
anysilicon.com
(2021-02-03)
Clock Gating is defined as: “Clock gating is a technique/methodology to turn off the clock to certain parts of the digital design when not needed”. The Need for Clock Gating With most of the SoCs heavily constrained by power budgets, it is of utmost importance to reduce power consumption as much as possible
www.allaboutcircuits.com
(2021-02-02)
Leakage current can contribute to power dissipation, especially at lower threshold voltages. Learn about six types of leakage current that can be found in MOS transistors.
semiengineering.com
(2021-01-25)
Gate-all-around FETs will replace finFETs, but the transition will be costly and difficult.
anysilicon.com
(2021-01-15)
How can you calculate the number of dies per wafer? A free online tool, DPW equation and reference to two other DPW calculators. Trusted by Amkor and GF.
anysilicon.com
(2021-01-15)
Static Timing Analysis? Read here the best overview to STA, including theory, real examples, ilustrations, tips and tricks.
www.allaboutcircuits.com
(2021-01-15)
In this article, we’ll discuss another group of thermal data, called thermal characterization parameters denoted by the Greek letter Psi (Ψ).
www.isine.com
(2021-01-15)
DIE YIELD CALCULATOR Use this online calculator to figure out die yield using Murphy’s model. You’ll need to know the die size, wafer diameter, and defect density. iSine is your complete resource for ASIC design – from concept to manufacturing and testing. We have expertise in system architecture, VHDL, Verilog, gate arrays, mixed signal, full...
www.allaboutcircuits.com
(2021-01-02)
Learn about an important thermal metric for designing the interface between an IC package and a heat sink.
www.allaboutcircuits.com
(2021-01-02)
Watch the thermal measurement, junction-to-case thermal resistance, in action as we use it to calculate the thermal considerations for a given system.
www.electronicproducts.com
(2020-12-29)
Engineers must keep pace with advanced IC packaging technology as it evolves rapidly, starting with understanding the basic terms.
www.allaboutcircuits.com
(2020-12-27)
Assessing the thermal performance of an IC package becomes easier if you understand this common, but often misapplied, parameter known as theta JA.
www.allaboutcircuits.com
(2020-12-18)
In this article, we will learn how to find the optimal size of a transistor/logic gate present in a larger circuit to provide the desired performance using the linear delay model.
blog.lamresearch.com
(2020-11-19)
When they were first commercialized at the 22 nm node, finFETs represented a revolutionary change to the way we build transistors, the tiny switches in the “brains” of a chip. As compared to...
www.allaboutcircuits.com
(2020-11-12)
In this article, we'll discuss the Elmore delay model, which provides a simplistic delay analysis that avoids time-consuming numerical integration/differential equations of an RC network.
semiwiki.com
(2020-11-03)
The semiconductor industry growth is increasing exponentially with high speed…
semiwiki.com
(2020-11-03)
Looking at a typical SoC design today it's likely to…
semiengineering.com
(2020-11-03)
Single-clock design is not always as easy as it seems.
www.fierceelectronics.com
(2020-03-31)
SPICE (Simulation Program with Integrated Circuit Emphasis) is an open-source analog electronic circuit simulator. | SPICE is undoubtedly one of the most popular modeling libraries available, and Japanese e-commerce company MoDeCH is seeking to make the power of SPICE available to everyone.
semiengineering.com
(2018-12-22)
Accurately determine parasitic effects with the proper set up of two different methods.
semiengineering.com
(2018-09-15)
Process Corner Explosion, At 7nm and below, modeling what will actually show up in silicon is a lot more complicated.
www.gpleda.org
(2018-05-06)
www.silvaco.com
(2018-02-02)
www.paripath.com
(2017-10-18)
Post date: Sep 19, 2014 10:01:08 PM
open.substack.com
(2002-10-24)
Fab Cost, WFE Implications, Backside Power Details
-->
semiconductors/cpus
categories:
tags:
cpus
semiconductors
date: 26 Mar 2025
slug:raindrop-semiconductors-cpus
www.righto.com
(2025-03-31)
Most people think of machine instructions as the fundamental steps that a computer performs. However, many processors have another layer of ...
chipsandcheese.com
(2025-03-15)
Hello you fine Internet folks,
www.nextplatform.com
(2025-01-30)
It is often said that companies – particularly large companies with enormous IT budgets – do not buy products, they buy roadmaps. No one wants to go to
hothardware.com
(2025-01-08)
After persistent rumors refused to recede, AMD steps in with a clear explanation why dual-CCD V-Cache doesn't exist.
www.righto.com
(2024-12-29)
In 1993, Intel released the high-performance Pentium processor, the start of the long-running Pentium line. The Pentium had many improvement...
wccftech.com
(2024-12-21)
The CCD stack with 3D V-Cache on the AMD Ryzen 7 9800X3D is only 40-45µm in total, but the rest of the layers add up to a whopping 750µm.
open.substack.com
(2024-12-01)
A loop buffer sits at a CPU's frontend, where it holds a small number of previously fetched instructions.
www.righto.com
(2024-11-24)
I was studying the silicon die of the Pentium processor and noticed some puzzling structures where signal lines were connected to the silico...
www.slashgear.com
(2024-11-23)
Intel was a dominant leader in the CPU market for the better part of a decade, but AMD has seen massive success in recent years thanks to its Ryzen chips.
www.semianalysis.com
(2024-11-04)
Nitro, Graviton, EFA, Inferentia, Trainium, Nvidia Cloud, Microsoft Azure, Google Cloud, Oracle Cloud, Handicapping Infrastructure, AI As A Service, Enterprise Automation, Meta, Coreweave, TCO
chipsandcheese.com
(2024-07-27)
When I recently interviewed Mike Clark, he told me, “…you’ll see the actual foundational lift play out in the future on Zen 6, even though it was really Zen 5 that set the table for that.” And at that same Zen 5 architecture event, AMD’s Chief Technology Officer Mark Papermaster said, “Zen 5 is a ground-up redesign of the Zen architecture,” which has brought numerous and impactful changes to the design of the core.
techcrunch.com
(2024-06-12)
A Finnish startup called Flow Computing is making one of the wildest claims ever heard in silicon engineering: by adding its proprietary companion chip,
hardware.slashdot.org
(2024-03-31)
Anton Shilov reports via Tom's Hardware: About half of the processors packaged in Russia are defective. This has prompted Baikal Electronics, a Russian processor developer, to expand the number of packaging partners in the country, according to a report in Vedomosti, a Russian-language business dai...
arstechnica.com
(2023-08-10)
Researchers also disclosed a separate bug called “Inception” for newer AMD CPUs.
downfall.page
(2023-08-09)
Downfall attacks targets a critical weakness found in billions of modern processors used in personal and cloud computers.
chipsandcheese.com
(2023-07-16)
www.semianalysis.com
(2023-06-22)
Micron $MU looks very weak in AI
spectrum.ieee.org
(2023-06-09)
The company’s PowerVia interconnect tech demonstrated a 6 percent performance gain
spectrum.ieee.org
(2023-06-02)
GPUs may dominate, but CPUs could be perfect for smaller AI models
chipsandcheese.com
(2023-05-28)
Tech enthusiasts probably know ARM as a company that develops reasonably performant CPU architectures with a focus on power efficiency.
jprahman.substack.com
(2023-05-28)
Over the past 10-15 years, per-core throughput increases have slowed, and in response CPU designers have scaled up core counts and socket counts to continue increasing performance across generations of new CPU models.
arxiv.org
(2023-04-06)
While microprocessors are used in various applications, they are precluded from the use in high-energy physics applications due to the harsh radiation present. To overcome this limitation a...
semiwiki.com
(2023-04-06)
In the march to more capable, faster, smaller, and lower…
www.nextplatform.com
(2023-04-05)
It was only a matter of time, perhaps, but the skyrocketing costs of designing chips is colliding with the ever-increasing need for performance,
www.scmp.com
(2023-03-19)
Chinese chip designer Loongson, which has tried to reduce the country’s reliance on Intel and AMD, is developing its own general-purpose GPU despite being added to a US trade blacklist.
www.deusinmachina.net
(2023-03-12)
Just one instruction at a time!
www.nextplatform.com
(2023-01-20)
If a few cores are good, then a lot of cores ought to be better. But when it comes to HPC this isn’t always the case, despite what the Top500 ranking –
easyperf.net
(2022-10-19)
www.angstronomics.com
(2022-09-29)
easyperf.net
(2022-09-05)
arstechnica.com
(2022-07-12)
Both companies are rolling out mitigations, but they add overhead of 12 to 28 percent.
arstechnica.com
(2022-06-23)
Hertzbleed attack targets power-conservation feature found on virtually all modern CPUs.
randomascii.wordpress.com
(2022-01-13)
In 2004 I was working for Microsoft in the Xbox group, and a new console was being created. I got a copy of the detailed descriptions of the Xbox 360 CPU and I read it through multiple times and su…
rakeshk.crhc.illinois.edu
(2021-12-07)
cacm.acm.org
(2021-12-04)
easyperf.net
(2021-12-03)
www.agner.org
(2021-12-02)
medium.com
(2021-12-02)
A detailed, critical, technical essay on upcoming CPU architectures.
www.agner.org
(2021-12-01)
Software optimization manuals for C++ and assembly code. Intel and AMD x86 microprocessors. Windows, Linux, BSD, Mac OS X. 16, 32 and 64 bit systems. Detailed descriptions of microarchitectures.
www.anandtech.com
(2021-09-07)
www.anandtech.com
(2021-09-04)
www.nextplatform.com
(2021-07-13)
There are some features in any architecture that are essential, foundational, and non-negotiable. Right up to the moment that some clever architect shows
fuse.wikichip.org
(2021-06-12)
AMD recently unveiled 3D V-Cache, their first 3D-stacked technology-based product. Leapfrogging contemporary 3D bonding technologies, AMD jumped directly into advanced packaging with direct bonding and an order of magnitude higher wire density.
seekingalpha.com
(2021-06-08)
Although competition from Arm is increasing, AMD remains Intel’s biggest competitor, as concerns of losing market share weigh on Intel’s valuation.
www.extremetech.com
(2021-05-25)
A new CPU design has won accolades for defeating the hacking efforts of nearly 600 experts during a DARPA challenge. Its approach could help us close side-channel vulnerabilities in the future.
www.extremetech.com
(2021-04-24)
Apple is positioning its M1 quite differently from any CPU Intel or AMD has released. The long-term impact on the PC market could be significant.
www.extremetech.com
(2021-04-09)
Sapphire Rapids, Intel's next server architecture, looks like a large leap over the just-launched Ice Lake SP.
devblogs.microsoft.com
(2021-03-30)
Technically legal, but strange.
www.nextplatform.com
(2021-03-26)
The “Milan” Epyc 7003 processors, the third generation of AMD’s revitalized server CPUs, is now in the field, and we await the entry of the “Ice Lake”
www.techspot.com
(2021-03-19)
AMD is one of the oldest designers of large scale microprocessors and has been the subject of polarizing debate among technology enthusiasts for nearly 50 years. Its...
www.nextplatform.com
(2021-03-15)
With every passing year, as AMD first talked about its plans to re-enter the server processor arena and give Intel some real, much needed, and very direct
www.extremetech.com
(2021-02-11)
www.intel.com
(2021-02-04)
Understanding Intel® processor names and numbers helps identify the best laptop, desktop, or mobile device CPU for your computing needs.
www.moritz.systems
(2020-11-03)
In this article, I would like to shortly describe the methods used to dump and restore the different kinds of registers on 32-bit and 64-bit x86 CPUs. The first part will focus on General Purpose Registers, Debug Registers and Floating-Point Registers up to the XMM registers provided by the SSE extension. I will explain how their values can be obtained via the ptrace(2) interface.
dev.to
(2020-11-03)
They say "performance is king'... It was true a decade ago and it certainly is now. With more and mor...
gist.github.com
(2020-11-01)
danlark.org
(2020-08-10)
When it comes to hashing, sometimes 64 bit is not enough, for example, because of birthday paradox — the hacker can iterate through random $latex 2^{32}$ entities and it can be proven that wi…
en.wikipedia.org
(2020-06-02)
The x86 instruction set refers to the set of instructions that x86-compatible microprocessors support. The instructions are usually part of an executable program, often stored as a computer file and executed on the processor.
www.fujitsu.com
(2020-05-14)
Fujitsu Limited today announced that it began shipping the supercomputer Fugaku, which is jointly developed with RIKEN and promoted by the Ministry of Education, Culture, Sports, Science and Technology with the aim of starting general operation between 2021 and 2022. The first machine to be shipped this time is one of the computer units of Fugaku, a supercomputer system comprised of over 150,000 high-performance CPUs connected together. Fujitsu will continue to deliver the units to RIKEN Center for Computational Science in Kobe, Japan, for installation and tuning.
www.cattius.com
(2020-03-09)
spectrum.ieee.org
(2020-02-19)
www.anandtech.com
(2020-02-16)
www.anandtech.com
(2019-11-25)
hothardware.com
(2019-11-04)
Recent leaks may shed some light on Intel's upcoming mainstream desktop Comet Lake-S CPUs.
hothardware.com
(2019-10-26)
Intel's Tremont CPU microarchitecture will be the foundation of a next-generation, low-power processors that target a wide variety of products across
www.anandtech.com
(2019-10-26)
twilco.github.io
(2019-08-28)
A post describing how C programs get to the main function. Devicetree layouts, linker scripts, minimal C runtimes, GDB and QEMU, basic RISC-V assembly, and other topics are reviewed along the way.
pdziepak.github.io
(2019-06-24)
Excessive instruction cache misses are the kind of a performance problem that's going to appear only in larger codebases. In this article, I'm describing some ideas on how to deal with this issue.
github.com
(2019-02-12)
Repository for the tools and non-commercial data used for the "Accelerator wall" paper. - PrincetonUniversity/accelerator-wall
www.phoronix.com
(2019-01-30)
Monday night Amazon announced the new 'A1' instance type for the Elastic Compute Cloud (EC2) that is powered by their own 'Graviton' ARMv8 processors.
www.nextplatform.com
(2019-01-30)
It might have been difficult to see this happening a mere few years ago, but the National Nuclear Security Administration and one of its key
cpudb.stanford.edu
(2018-01-24)
wccftech.com
(2013-09-24)
Intel's Core Ultra 200 "Arrow Lake" Desktop CPU specifications have now been finalized and we are just a month away from the official launch.
-->
semiconductors/gpus
categories:
tags:
gpus
semiconductors
date: 26 Mar 2025
slug:raindrop-semiconductors-gpus
www.linkedin.com
(2025-03-26)
The Future of AI Accelerators: A Roadmap of Industry Leaders
The AI hardware race is heating up, with major players like NVIDIA, AMD, Intel, Google, Amazon, and more unveiling their upcoming AI accelerators. Here’s a quick breakdown of the latest trends:
Key Takeaways:
NVIDIA Dominance: NVIDIA continues to lead with a robust roadmap, extending from H100 to future Rubin and Rubin Ultra chips with HBM4 memory by 2026-2027.
AMD’s Competitive Push: AMD’s MI300 series is already competing, with MI350 and future MI400 models on the horizon.
Intel’s AI Ambitions: Gaudi accelerators are growing, with Falcon Shores on track for a major memory upgrade.
Google & Amazon’s Custom Chips: Google’s TPU lineup expands rapidly, while Amazon’s Trainium & Inferentia gain traction.
Microsoft & Meta’s AI Expansion: Both companies are pushing their AI chip strategies with Maia and MTIA projects, respectively.
Broadcom & ByteDance Join the Race: New challengers are emerging, signaling increased competition in AI hardware.
What This Means:
With the growing demand for AI and LLMs, companies are racing to deliver high-performance AI accelerators with advanced HBM (High Bandwidth Memory) configurations. The next few years will be crucial in shaping the AI infrastructure landscape.
$NVDA $AMD $INTC $GOOGL $AMZN $META $AVGO $ASML $BESI
chipsandcheese.com
(2025-03-15)
Hello you fine Internet folks,
open.substack.com
(2025-01-28)
Getting 'low level' with Nvidia and AMD GPUs
wccftech.com
(2024-11-23)
Intel's first Arc B580 GPUs based on the Xe2 "Battlemage" architecture have been leaked & they look quite compelling.
www.anandtech.com
(2024-07-20)
www.theregister.com
(2024-04-17)
Datacenter GPUs and some consumer cards now exceed performance limits
www.theregister.com
(2024-04-17)
Beijing will be thrilled by this nerfed silicon
open.substack.com
(2024-04-12)
GPT-4 Profitability, Cost, Inference Simulator, Parallelism Explained, Performance TCO Modeling In Large & Small Model Inference and Training
www.nextplatform.com
(2024-04-05)
While a lot of people focus on the floating point and integer processing architectures of various kinds of compute engines, we are spending more and more
wccftech.com
(2024-03-29)
Lenovo, the firm emerging as a driving force behind AI computing, has expressed tremendous optimism about AMD's Instinct MI300X accelerator.
www.nytimes.com
(2024-02-07)
Chafing at their dependence, Amazon, Google, Meta and Microsoft are racing to cut into Nvidia’s dominant share of the market.
chipsandcheese.com
(2023-07-28)
AMD, Nvidia, and Intel have all diverged their GPU architectures to separately optimize for compute and graphics.
www.semianalysis.com
(2023-07-09)
Quarterly Ramp for Nvidia, Broadcom, Google, AMD, AMD Embedded (Xilinx), Amazon, Marvell, Microsoft, Alchip, Alibaba T-Head, ZTE Sanechips, Samsung, Micron, and SK Hynix
www.tomshardware.com
(2023-06-30)
GDDR7 is getting closer, says Micron.
www.extremetech.com
(2023-06-30)
Though it'll arrive just in time for mid-cycle refresh from AMD, Nvidia, and Intel, it's unclear if there will be any takers just yet.
www.semianalysis.com
(2023-06-22)
Micron $MU looks very weak in AI
www.anandtech.com
(2023-06-19)
www.nextplatform.com
(2023-06-14)
The great thing about the Cambrian explosion in compute that has been forced by the end of Dennard scaling of clock frequencies and Moore’s Law lowering
spectrum.ieee.org
(2023-06-02)
GPUs may dominate, but CPUs could be perfect for smaller AI models
venturebeat.com
(2023-05-12)
Google's new machines combine Nvidia H100 GPUs with Google’s high-speed interconnections for AI tasks like training very large language models.
www.tomshardware.com
(2023-03-21)
Faster masks, less power.
www.cnbc.com
(2023-02-25)
The $10,000 Nvidia A100has become one of the most critical tools in the artificial intelligence industry,
timdettmers.com
(2023-01-20)
Here, I provide an in-depth analysis of GPUs for deep learning/machine learning and explain what is the best GPU for your use-case and budget.
www.nextplatform.com
(2022-01-06)
There are two types of packaging that represent the future of computing, and both will have validity in certain domains: Wafer scale integration and
www.nextplatform.com
(2021-12-08)
Nvidia has staked its growth in the datacenter on machine learning. Over the past few years, the company has rolled out features in its GPUs aimed neural
www.anandtech.com
(2021-12-07)
www.nextplatform.com
(2021-12-07)
The modern GPU compute engine is a microcosm of the high performance computing datacenter at large. At every level of HPC – across systems in the
blog.riseml.com
(2021-12-02)
www.graphcore.ai
(2021-12-01)
www.nextplatform.com
(2021-06-26)
Like its U.S. counterpart, Google, Baidu has made significant investments to build robust, large-scale systems to support global advertising programs. As
www.eetimes.com
(2021-06-26)
Its second analog AI chip is optimized for different card sizes, but still aimed at computer vision workloads at the edge.
www.nextplatform.com
(2021-06-24)
Current custom AI hardware devices are built around super-efficient, high performance matrix multiplication. This category of accelerators includes the
tedium.co
(2021-03-30)
What makes a GPU a GPU, and when did we start calling it that? Turns out that’s a more complicated question than it sounds.
www.techspot.com
(2021-03-19)
AMD is one of the oldest designers of large scale microprocessors and has been the subject of polarizing debate among technology enthusiasts for nearly 50 years. Its...
www.nextplatform.com
(2021-03-18)
One of the main tenets of the hyperscalers and cloud builders is that they buy what they can and they only build what they must. And if they are building
rocmdocs.amd.com
(2021-03-15)
hardware.slashdot.org
(2021-01-04)
Long-time Slashdot reader UnknowingFool writes: AMD filed a patent on using chiplets for a GPU with hints on why it has waited this long to extend their CPU strategy to GPUs. The latency between chiplets poses more of a performance problem for GPUs, and AMD is attempting to solve the problem with a ...
venturebeat.com
(2020-09-16)
Micron's GDDR6X is one of the star components in Nvidia's RTX 3070, 3080, and 3080 video cards. It's so fast it should boost gaming past the 4K barrier.
www.nextplatform.com
(2020-06-01)
When you have 54.2 billion transistors to play with, you can pack a lot of different functionality into a computing device, and this is precisely what
www.anandtech.com
(2020-05-14)
www.pyimagesearch.com
(2020-03-11)
In this tutorial, you will learn how to get started with your NVIDIA Jetson Nano, including installing Keras + TensorFlow, accessing the camera, and performing image classification and object detection.
www.reddit.com
(2019-12-23)
363 votes, 25 comments. This post has been split into a two-part series to work around Reddit’s per-post character limit. Please find Part 2 in the…
semiengineering.com
(2016-10-12)
Making Waves in Deep Learning How deep learning applications will map onto a chip.
www.nextplatform.com
(2016-10-10)
A new crop of applications is driving the market along some unexpected routes, in some cases bypassing the processor as the landmark for performance and
-->
semiconductors/semiconductor-memory
categories:
tags:
semiconductor-memory
semiconductors
date: 26 Mar 2025
slug:raindrop-semiconductors-memory
semiengineering.com
(2024-12-12)
It hasn’t achieved commercial success, but there is still plenty of development happening; analog IMC is getting a second chance.
www.techpowerup.com
(2024-11-17)
While Intel's primary product focus is on the processors, or brains, that make computers work, system memory (that's DRAM) is a critical component for performance. This is especially true in servers, where the multiplication of processing cores has outpaced the rise in memory bandwidth (in other wor...
hothardware.com
(2024-07-13)
HBM4 is going to double the bandwidth of HBM3, but not through the usual increase in clock rate.
asia.nikkei.com
(2024-05-11)
Demand for high-bandwidth memory is driving competition -- and prices -- higher
wccftech.com
(2024-04-23)
Rambus has unveiled its next-gen GDDR7 memory controller IP, featuring PAM3 Signaling, and up to 48 Gbps transfer speeds.
blocksandfiles.com
(2024-01-09)
Micron’s NVDRAM chip could be a proving ground for technologies used in other products – and not become a standalone product itself. The 32Gb storage-class nonvolatile random-access memory chip design was revealed in a Micron paper at the December IEDM event, and is based on ferroelectricRAM technology with near-DRAM speed and longer-than-NAND endurance. Analysts we […]
hothardware.com
(2023-10-21)
We're getting a first glimpses of Samsung's next-generation HBM3E and GDDR7 memory chips.
www.semianalysis.com
(2023-07-09)
Quarterly Ramp for Nvidia, Broadcom, Google, AMD, AMD Embedded (Xilinx), Amazon, Marvell, Microsoft, Alchip, Alibaba T-Head, ZTE Sanechips, Samsung, Micron, and SK Hynix
www.tomshardware.com
(2023-06-30)
GDDR7 is getting closer, says Micron.
www.extremetech.com
(2023-06-30)
Though it'll arrive just in time for mid-cycle refresh from AMD, Nvidia, and Intel, it's unclear if there will be any takers just yet.
www.semianalysis.com
(2023-06-22)
Micron $MU looks very weak in AI
blocksandfiles.com
(2023-06-20)
Panmnesia has devised CXL-based vector search methods that are much faster than Microsoft’s Bing and Outlook.
blocksandfiles.com
(2023-05-05)
We asked memory semiconductor industry analyst Jim Handy of Objective Analysis how he views 3D DRAM technology.
www.allaboutcircuits.com
(2023-04-25)
New memory technologies have emerged to push the boundaries of conventional computer storage.
semiengineering.com
(2023-04-19)
A new technical paper titled “Fundamentally Understanding and Solving RowHammer” was published by researchers at ETH Zurich. Abstract “We provide an overview of recent developments and future directions in the RowHammer vulnerability that plagues modern DRAM (Dynamic Random Memory Access) chips, which are used in almost all computing systems as main memory. RowHammer is the... » read more
www.allaboutcircuits.com
(2023-04-04)
USC researchers have announced a breakthrough in memristive technology that could shrink edge computing for AI to smartphone-sized devices.
blocksandfiles.com
(2023-03-17)
blocksandfiles.com
(2023-03-16)
ReRAM startup Intrinsic Semiconductor Technologies has raised $9.73 million to expand its engineering team and bring its product to market.
semiengineering.com
(2023-01-25)
New applications require a deep understanding of the tradeoffs for different types of DRAM.
semiengineering.com
(2022-12-18)
A technical paper titled “Beware of Discarding Used SRAMs: Information is Stored Permanently” was published by researchers at Auburn University. The paper won “Best Paper Award” at the IEEE International Conference on Physical Assurance and Inspection of Electronics (PAINE) Oct. 25-27 in Huntsville. Abstract: “Data recovery has long been a focus of the electronics industry... » read more
blocksandfiles.com
(2022-12-08)
SK hynix boosts DDR5 DRAM speed
www.nextplatform.com
(2022-12-06)
Conventional wisdom says that trying to attach system memory to the PCI-Express bus is a bad idea if you care at all about latency. The further the memory
www.allaboutcircuits.com
(2022-10-13)
Using new materials, UPenn researchers recently demonstrated how analog compute-in-memory circuits can provide a programmable solution for AI computing.
semiengineering.com
(2022-09-29)
A new technical paper titled “HiRA: Hidden Row Activation for Reducing Refresh Latency of Off-the-Shelf DRAM Chips” was published by researchers at ETH Zürich, TOBB University of Economics and Technology and Galicia Supercomputing Center (CESGA). Abstract “DRAM is the building block of modern main memory systems. DRAM cells must be periodically refreshed to prevent data... » read more
semiengineering.com
(2022-09-26)
Changes are steady in the memory hierarchy, but how and where that memory is accessed is having a big impact.
easyperf.net
(2022-09-05)
www.eetimes.com
(2021-12-11)
EE Times Compares SRAM vs. DRAM, Common Issues With Each Type Of Memory, And Takes A Look At The Future For Computer Memory.
www.nextplatform.com
(2021-12-08)
Nvidia has staked its growth in the datacenter on machine learning. Over the past few years, the company has rolled out features in its GPUs aimed neural
www.eetimes.com
(2021-12-06)
PARIS — If you’ve ever seen the U.S. TV series “Person of Interest,” during which an anonymous face in the Manhattan crowd, highlighted inside a digital
semiengineering.com
(2021-12-03)
Innovative new clocking schemes in the latest LPDDR standard enable easier implementation of controllers and PHYs at maximum data rate as well as new options for power consumption.
semiengineering.com
(2021-12-03)
Getting data in and out of memory faster is adding some unexpected challenges.
www.hpcwire.com
(2021-12-03)
PALO ALTO, Calif., August 19, 2019 — UPMEM announced today a Processing-in-Memory (PIM) acceleration solution that allows big data and AI applications to run 20 times faster and with 10 […]
semiengineering.com
(2021-12-03)
Experts at the Table: Which type of DRAM is best for different applications, and why performance and power can vary so much.
semiengineering.com
(2021-12-02)
Emerging memory technologies call for an integrated PVD process system capable of depositing and measuring multiple materials under vacuum.
www.allaboutcircuits.com
(2021-12-02)
This article will take a closer look at the commands used to control and interact with DRAM.
www.nextplatform.com
(2021-12-01)
Over the last two years, there has been a push for novel architectures to feed the needs of machine learning and more specifically, deep neural networks.
www.anandtech.com
(2021-09-04)
www.wired.com
(2021-05-30)
A full fix for the “Half-Double” technique will require rethinking how memory semiconductors are designed.
semiengineering.com
(2021-05-13)
Pushing AI to the edge requires new architectures, tools, and approaches.
www.coventor.com
(2021-03-19)
www.anandtech.com
(2021-03-18)
semiengineering.com
(2021-03-18)
SRAM cell architecture introduction: design and process challenges assessment.
semiengineering.com
(2020-12-10)
How side-band, inline, on-die, and link error correcting schemes work and the applications to which they are best suited.
semiwiki.com
(2020-11-03)
Looking at a typical SoC design today it's likely to…
www.allaboutcircuits.com
(2020-11-03)
With no definitive release date for DDR5, DDR4 is making significant strides.
venturebeat.com
(2020-09-16)
Micron's GDDR6X is one of the star components in Nvidia's RTX 3070, 3080, and 3080 video cards. It's so fast it should boost gaming past the 4K barrier.
www.anandtech.com
(2020-01-13)
www.eetimes.com
(2019-12-23)
Good inferencing chips can move data very quickly
semiengineering.com
(2019-10-17)
Why MRAM is so attractive.
arstechnica.com
(2019-08-12)
“Industry 4.0” is already here for some companies—especially silicon foundries.
semiengineering.com
(2019-07-25)
How much power is spent storing and moving data.
rambleed.com
(2019-06-12)
semiengineering.com
(2019-04-04)
Comparing different machine learning use-cases and the architectures being used to address them.
thememoryguy.com
(2018-11-28)
The previous post in this series (excerpted from the Objective Analysis and Coughlin Associates Emerging Memory report) explained why emerging memories are necessary. Oddly enough, this series will explain bit selectors before defining all of the emerging memory technologies themselves. The reason why is that the bit selector determines how small a bit cell can
semiengineering.com
(2018-09-06)
Processing In Memory Growing volume of data and limited improvements in performance create new opportunities for approaches that never got off the ground.
hothardware.com
(2018-06-04)
Micron notes that GDDR6 has silicon changes, channel enhancements, and talks a bit about performance measurements of the new memory.
spectrum.ieee.org
(2018-03-26)
New computing architectures aim to extend artificial intelligence from the cloud to smartphones
-->
semiconductors/ideas
categories:
tags:
ideas
semiconductors
date: 28 Mar 2025
slug:raindrop-prodmgmt-ideas
www.practicalecommerce.com
(2024-02-22)
The commerce technology stack is changing. And the ability to move information from one system or platform to another is, perhaps, the essential feature mid-sized or enterprise businesses should look for in software providers.
gist.github.com
(2024-02-14)
Business models based on the compiled list at http://news.ycombinator.com/item?id=4924647. I find the link very hard to browse, so I made a simple version in Markdown instead. · GitHub
foundationinc.co
(2023-10-16)
The unbundling of Excel is just as important as the unbundling of Craigslist. Here's what you need to know about the Excel Economy and how SaaS companies can take advantage of different verticals and use cases that Excel has dominated.
www.tomtunguz.com
(2023-10-04)
Eliciting product feedback elegantly is a competitive advantage for LLM-software. Over the weekend, I queried Google’s Bard, & noticed the elegant feedback loop the product team has incorporated into their product. I asked Bard to compare the 3rd-row leg room of the leading 7-passenger SUVs. At the bottom of the post is a little G button, which double-checks the response using Google searches. I decided to click it. This is what I would be doing in any case ; spot-checking some of the results.
medium.com
(2023-03-12)
Methodologies for understanding and measuring marketplace liquidity
dynomight.net
(2022-08-17)
On asking people to consider stuff that sounds crazy
www.inc.com
(2022-08-14)
Tap into people's unspoken needs to create breakthrough innovations.
www.danmartell.com
(2022-07-18)
Building a two-sided market is probably the hardest thing you can build as an entrepreneur. It's so hard that a few weeks ago, I organized a Marketplace
platformed.info
(2022-07-18)
www.sidehustlenation.com
(2022-06-12)
Reselling software can mean recurring revenue and great profit margins. But how do you choose a niche and find your first customers?
www.georgesequeira.com
(2022-04-15)
Zapier has 3M+ users and generates $125M in ARR. At a $5B valuation, its fast-growing horizontal platform is unable to meet the demands of all of its customers. The increase of underserved Zapier customers presents an opportunity.
summation.us6.list-manage.com
(2022-03-10)
How data businesses start, and how they keep going, and growing, and growing.
www.smithsonianmag.com
(2022-02-10)
Two inventors turned a failed experiment into an irresistibly poppable product that revolutionized the shipping industry
stratechery.com
(2022-01-29)
SAP’s acquisition of Qualtrics shows how the shift in technology has changed business; it is a perfect example of using the Internet to one’s advantage.
www.mentalfloss.com
(2021-09-29)
From blood banks and barcodes to the Super Soaker and the pizza box, here are the fascinating stories behind inventions that changed the world.
www.nfx.com
(2021-03-02)
The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.
commoncog.com
(2021-01-14)
Some careers can be made on the back of a single, wonderful idea. We take a look at what that looks like, through Bill Gurley's VC career.
medium.com
(2020-11-03)
An introduction to forming hypothesis statements for product experimentation.
techreflect.net
(2020-08-10)
dropbox.design
(2020-06-01)
Curious about product design at Dropbox? Here’s a look at tools we use for solving problems, making decisions, and communicating ideas.
blog.samaltman.com
(2020-06-01)
The most common question prospective startup founders ask is how to get ideas for startups. The second most common question is if you have any ideas for their startup. But giving founders an idea...
secondbreakfast.co
(2020-05-14)
@mmcgrana: Patio11’s Law: The software economy is bigger than you think, even when you take into account Patio11’s Law.1 A few years ago, I woke up in Sunriver, OR, and went to make coffee. The house had one of those bed-and-breakfast-type coffee trays. Drip machine. A stack
kamerontanseli.ghost.io
(2020-05-10)
getpocket.com
(2020-05-03)
Working backwards and breaking free from the norm exposes new and unique opportunities you probably haven’t considered.
www.indiehackers.com
(2020-03-09)
It's been said that ideas don't matter, and that only execution does. I wholeheartedly disagree. You need both to succeed, but you can only get so good...
www.geekwire.com
(2020-02-03)
Matt Meyers spent two decades at Weyerhaeuser dealing with product engineering, manufacturing, software engineering, product development, sales and
www.washingtonpost.com
(2019-08-31)
An MIT Sloan Ph.D. candidate discovered what turned skilled hobbyists into entrepreneurs.
www.todayifoundout.com
(2019-07-04)
Robert R. Taylor is a name you’ve probably never heard before. But this serial entrepreneur made his mark on the world of business by coming up with several products you are almost certainly very familiar with. Today we’re going to talk about, on the surface, the most boring of those- liquid hand soap. Something you can thank Mr. Taylor and [...]
500ish.com
(2019-05-12)
Your phone increasingly knows what you’re taking a picture of. And which apps you have installed. So…
a16z.com
(2018-08-21)
Editor’s note: This article by now-a16z general partner Alex Rampell was originally published in 2012 in TechCrunch. The biggest ecommerce opportunity today involves taking offline services and offering them for sale online (O2O commerce). The first generation of O2O commerce was driven by discounting, push-based engagements, and artificial scarcity. The still-unfulfilled opportunity in O2O today is tantamount to...
-->
goodreads/spycraft
categories:
tags:
goodreads
spycraft
date: 28 Mar 2025
slug:raindrop-goodreads-spycraft
www.newyorker.com
(2024-06-10)
Its agents are often depicted as malevolent puppet masters—or as bumbling idiots. The truth is even less comforting.
www.cjr.org
(2023-04-21)
Runa Sandvik has made it her life’s work to protect journalists against cyberattacks. Authoritarian regimes are keeping her in business.
www.trulyadventure.us
(2022-08-22)
The story of Josephine Baker.
www.cryptomuseum.com
(2022-07-05)
getpocket.com
(2021-05-31)
This is the previously classified story of a Hail Mary plan, a Dirty Dozen crew of lowlifes, and a woman who wouldn’t bow to authority as she fought to bring three captured CIA agents home from Cuba.
www.newsweek.com
(2021-05-22)
Thousands of soldiers, civilians and contractors operate under false names, on the ground and in cyberspace. A Newsweek investigation of the ever-growing and unregulated world of "signature reduction."
www.sfgate.com
(2021-05-12)
The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...
www.politico.com
(2021-05-07)
The plan to kill Osama bin Laden—from the spycraft to the assault to its bizarre political backdrop—as told by the people in the room.
thewalrus.ca
(2021-04-26)
Cameron Ortis was an RCMP officer privy to the inner workings of Canada's national security—and in a prime position to exploit them
www.damninteresting.com
(2021-03-26)
Noor Khan, a pacifist descendant of Indian Royalty became a famed World War II spy for Britain’s Special Operations Executive.
www.smithsonianmag.com
(2021-02-28)
America’s bold response to the Soviet Union depended on an unknown spy agency operative whose story can at last be told
www.technologyreview.com
(2021-01-29)
How a team of spies in Mexico got their hands on Russia's space secrets—and tried to change the course of the Cold War.
www.washingtonpost.com
(2021-01-06)
He wanted to learn about the Miami drug world and had been told I could help.
www.bellingcat.com
(2020-12-21)
Bellingcat and its partners reported that Russia’s Federal Security Service (FSB) was implicated in the near-fatal nerve-agent poisoning of Alexey Navalny on 20 August 2020. The report identified eight clandestine operatives with medical and chemical/biological warfare expertise working under the guise of the FSB’s Criminalistics Institute who had tailed Alexey Navalny on more than 30 […]
getpocket.com
(2019-10-26)
This is the story of a little-known FBI forensics lab and how it changed the war on terror.
www.wired.com
(2019-10-22)
The untold story of how digital detectives unraveled the mystery of Olympic Destroyer—and why the next big cyberattack will be even harder to crack.
www.wired.com
(2019-06-16)
www.history.com
(2019-06-09)
Find out more about the shows on Sky HISTORY's TV channel, with plenty to read and watch on your favourite historical topics.
www.bloomberg.com
(2019-05-24)
Thirty-two-year-old French economist Gabriel Zucman scours spreadsheets to find secret offshore accounts.
www.smithsonianmag.com
(2019-05-12)
The International Spy Museum details the audacious plan that involved a reclusive billionaire, a 618-foot-long ship, and a great deal of stealth
longform.org
(2018-08-15)
Last week, as America’s top national security experts convened in Aspen, a strangely inquisitive Uber driver showed up, too.
longform.org
(2018-08-13)
The hit on Sergei Skripal.
www.washingtonian.com
(2018-02-24)
The home phone of FBI special agent Michael Rochford rang in the middle of the night on August 2, 1985. He grabbed it and heard the voice of his FBI supervisor. “There’s a plane coming in, a high-level defector.” The day before, a Soviet man had walked into the US consulate in Rome. He had
-->
goodreads/mysteries
categories:
tags:
goodreads
mysteries
date: 28 Mar 2025
slug:raindrop-goodreads-mysteries
www.newyorker.com
(2024-11-04)
Nigel Pickford has spent a lifetime searching for sunken treasure—without leaving dry land.
getpocket.com
(2024-05-12)
A multicultural, interfaith family in 1970s San Francisco reported a series of unexplained phenomena. Then a priest with a dark past stepped up.
www.atlasobscura.com
(2024-05-04)
Some say the true death worm has already been found—slithering beneath the sands of the Gobi.
slate.com
(2024-04-12)
The two disappearances of Tom Phillips and his children.
www.atlasobscura.com
(2023-08-05)
A classic ghost story has something to say about America—200 years ago, 100 years ago, and today.
newrepublic.com
(2023-04-24)
A writer of haunting, uncategorizable songs, she once seemed poised for runaway fame. But only decades after she disappeared has her music found an audience.
www.latimes.com
(2023-02-15)
Local sleuths help find a suspect in gay porn actor Bill Newton's murder. His dismembered head and feet were found in a Hollywood dumpster in 1990.
longreads.com
(2022-06-23)
Tales of odd phenomena stoke our imagination even as they tease us.
www.theatlantic.com
(2022-06-23)
Five years ago, the flight vanished into the Indian Ocean. Officials on land know more about why than they dare to say.
www.vanityfair.com
(2022-01-21)
In 1708, the Spanish galleon San José sank in a deadly battle against English warships, taking with it billions in treasure. Centuries passed until a secretive archaeologist found the wreck, but now nations are again warring over who may claim the gold and glory.
email.getpocket.com
(2021-11-28)
In the mid-sixties, Candace Mossler was one of the most widely known socialites in Houston. She was in her forties, vivacious and full of charm, with wavy blond hair, deep-blue eyes, and a surgically enhanced figure that was often remarked upon in the many newspaper columns written about her.
www.texasmonthly.com
(2021-10-10)
The North Texas teenager went missing in the late eighties. For years, no one knew where she was, or even if she was still alive-no one, that is, except a mysterious young woman two thousand miles away.
magazine.atavist.com
(2021-10-03)
For eight years, a man without a memory lived among strangers at a hospital in Mississippi. But was recovering his identity the happy ending he was looking for?
www.newyorker.com
(2021-09-18)
What can hyperpolyglots teach the rest of us?
www.texasmonthly.com
(2021-09-08)
It was the most shocking crime of its day, 27 boys from the same part of town kidnapped, tortured, and killed by an affable neighbor named Dean Corll. Forty years later, it remains one of the least understood—or talked about—chapters in Houston's history.
www.texasmonthly.com
(2021-06-14)
The young woman who mysteriously drowned in the Ropers Motel pool in 1966 might have remained anonymous forever, if not for cutting-edge genetics, old-fashioned genealogy—and the kindness of a small West Texas town.
www.nytimes.com
(2021-05-23)
This week the police disinterred a body, found on a beach in 1948, that has puzzled investigators for decades. “There’s lots of twists and turns in this case, and every turn is pretty weird,” one said.
getpocket.com
(2021-05-12)
www.sfgate.com
(2021-05-12)
The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...
www.theguardian.com
(2021-04-16)
The long read: In 2019, the body of a man fell from a passenger plane into a garden in south London. Who was he?
strangeco.blogspot.com
(2020-12-22)
A walk on the weird side of history
mysteriousuniverse.org
(2019-07-24)
The Russian ship called the Ivan Vassili began its life in St. Petersburg in 1897, where it was built as a civilian steam
theconversation.com
(2018-08-31)
We know how to stop solid minerals converting to a liquid state mid voyage – so why does it still happen?
mikedashhistory.com
(2018-02-01)
Breaking news: a credible solution to the Bouvet Island lifeboat mystery has been found. See comments for 22-27 May 2011, 12 November 2011, 17-20 March & 9 April 2016, and 28 December 2023. The…
-->
behaviors/motivation
categories:
tags:
behaviors
motivation
date: 28 Mar 2025
slug:raindrop-behaviors-motivation
www.experimental-history.com
(2024-04-16)
OR: The secret geniuses of Wisconsin
www.experimental-history.com
(2024-04-06)
OR: The demise of the Optimize Guys
www.behavioraleconomics.com
(2023-10-24)
Some apps or websites are beautiful, stylish, and well thought out in terms of UX, but have one problem: they are boring. These products can trigger both desire and resistance in the user at the same time. Here are a few tricks that will help solve this problem not from a rational, but from an
www.wisdomination.com
(2023-02-08)
If you want to get anything done, there are two basic ways to get yourself to do it. The first, more popular and devastatingly wrong option is to try to motivate yourself. The second, somewhat unpo…
www.samuelthomasdavies.com
(2022-07-18)
This is a book summary of Spark by Dr. Jeremy Dean. Read this Spark summary to review key takeaways and lessons from the book.
hbr.org
(2022-07-18)
Reprint: R1405G Even in an age of relentless self-promotion, some extremely capable professionals prefer to avoid the spotlight. “Invisibles” work in fields ranging from engineering to interpreting to perfumery, but they have three things in common: They are ambivalent about recognition, seeing any time spent courting fame as time taken away from the work at hand. They are meticulous. And they savor responsibility, viewing even high pressure as an honor and a source of fascination. Something else unites Invisibles: They represent a management challenge. The usual carrots don’t motivate them; however, managers can take several steps to ensure their satisfaction. Leaders should recognize who their Invisibles are; decide if they want more Invisibles on the team; reward them fairly, soliciting reports on their accomplishments; make the work more intrinisically interesting; and talk to the Invisibles about what works best for them. These actions are well worth taking, as Invisibles not only bring exceptional levels of achievement to an organization but quietly improve the work of those around them, elevating performance and tone across the board.
changingminds.org
(2022-07-18)
Here are the 16 human needs as defined by professor Steven Reiss.
lesswrong.com
(2022-07-18)
[PDF of this article updated Aug. 23, 2011] • [skip to preface] …
elephantinthebrain.com
(2022-07-18)
changingminds.org
(2022-06-25)
These are psychological theories about motivation.
ideas.ted.com
(2021-05-31)
When we want people to change, we typically tell them what to do. But what if we flipped the script and asked them for their wisdom instead? Behavioral scientist Katy Milkman PhD explains the power…
hbr.org
(2021-04-18)
It’s important to understand that when you, as a leader, communicate with your team, using weaker words weakens your message and blunts your ability to inspire people. It’s not enough to just throw thoughts out there and hope for the best. You need to actively recommend ideas and assert their worthiness in all of your communications. For example, consider these “power words”: “I’m proposing (not “sharing”) an idea that will make our process more efficient.” “I’m suggesting (not “sharing”) a new logo that better conveys our brand message.” “I’m recommending (not “sharing”) a campaign to make our workplace more diverse.” Ultimately, audiences respond more actively to big points than to small words, but thoughtful leaders need to assess both, knowing that the more powerfully they come across — even in small ways — the greater impact they have on the people they hope to inspire.
getpocket.com
(2021-04-18)
Feeling safe is the magic ingredient to a healthy work environment. In this article Nir discusses novel research on how to eliminate toxic work culture.
getpocket.com
(2021-03-20)
The goal is to use extrinsic and intrinsic motivation in concert.
www.sapiens.org
(2021-02-03)
A study on team loyalty among fans shows that club ranking plays an important role in how they identify with one another.
www.nytimes.com
(2021-01-31)
Don’t try to change someone else’s mind. Instead, help them find their own motivation to change.
www.deprocrastination.co
(2020-08-14)
B J Fogg is a Stanford professor who came up with a simple model of behavior that helps us understand why we take action or not take action at any given moment.
www.nytimes.com
(2019-09-21)
It’s more than just ticket sales. Rich Luker, a social psychologist, studies fandom and why, for example, someone might get a tattoo of their favorite team.
nesslabs.com
(2019-08-20)
Self-motivation isn’t some mysterious force that you’re born with or without. It’s a skill that can be learned and developed. By understanding the science behind it, you can master the tools you need to stay motivated and make progress on the projects that matter to you.
medium.com
(2018-08-25)
What Apple, Samsung, and Starbucks learned from Pepsi
-->
behaviors/habits
categories:
tags:
behaviors
habits
date: 28 Mar 2025
slug:raindrop-behaviors-habits
www.choicehacking.com
(2024-03-25)
Learn how to create customer habits using powerful triggers like time, mood, location, and social influences. Discover techniques to boost product usage.
www.nirandfar.com
(2022-07-19)
Companies utilize the Habit Zone to create user habits and influence user behavior. By creating habits, products become a part of users’ lives and minds.
jamesclear.com
(2022-07-19)
blogs.wsj.com
(2022-07-18)
Some managers keep diaries of their on-the-job mistakes, partly to avoid repeating errors, and partly to make employees comfortable with failure. At least one added cartoons.
thepowermoves.com
(2022-07-18)
In This Made To Stick summary you will learn exactly how to make your ideas persuade people and "stick" into their minds.
www.farnamstreetblog.com
(2022-07-18)
Learn the secret behind how we can use tiny habits and habit stacking to build new habits that actually stick and are more than the sum of their parts.
getpocket.com
(2022-07-18)
One thing leads to another and before you know it, you've got a routine.
thenextweb.com
(2022-07-18)
Larry Page, CEO of Alphabet (the company formerly known as Google), has a quirky way of deciding which companies he likes. It’s called “The Toothbrush Test.” According to the New York Times, when Page looks at a potential company to acquire
techcrunch.com
(2022-07-18)
Face it; you’re hooked. It’s your uncontrollable urge to check for email notifications on your phone. It’s your compulsion to visit Facebook or Twitter for just a few minutes, but somehow find yourself still scrolling after an hour. It’s the fact that if I recommended a book to purchase, your mind would flash “Amazon” like a gaudy neon sign. If habits are defined as repeated and automatic behaviors, then technology has wired your brain so you behave exactly the way it wants you to. In an online world of ever-increasing distractions, habits matter. In fact, the economic value of web businesses increasingly depends on the strength of the habitual behavior of their users. These habits ultimately will be a deciding factor in what separates startup winners and losers.
www.gainsight.com
(2022-07-18)
Your product can’t suck. That’s a given. But it’s also not enough to be a good product that doesn’t hook your customer and connect to their pain points.
www.instigatorblog.com
(2022-07-18)
betterhumans.coach.me
(2022-07-18)
zsoltbabocsai.org
(2022-07-18)
www.nirandfar.com
(2022-07-18)
This week I chat with Ryan Holiday, an author and hacker, about habits, obstacles, and media manipulation.
www.bakadesuyo.com
(2022-07-18)
You want the good things technology brings. You also want to know how to stop checking your phone so much. Here's what a behavior expert says is the answer.
jamesclear.com
(2022-07-18)
Understanding how to build new habits is essential for making progress. Read this guide right now to learn 5 easy, powerful strategies for changing habits.
www.artofmanliness.com
(2021-02-03)
We all want to be better than we are today. And that often requires pushing yourself beyond your comfort zone, even when you don’t feel like it. It requires getting back up and trying again and again when you fail. It requires sticking with a path long enough to see it through. In short, becoming […]
getpocket.com
(2020-03-09)
What really motivates you more, the promise of a reward if you succeed or a debt if you don’t?
www.openculture.com
(2019-08-26)
Each and every day we eat, we sleep, we read, we brush our teeth. So why haven't we all become world-class masters of eating, sleeping, reading, and teeth-brushing?
-->
behaviors/grit-hustle-perseverence
categories:
tags:
behaviors
grit-hustle-perseverence
date: 28 Mar 2025
slug:raindrop-behaviors-grit-hustle-perseverence
collabfund.com
(2024-06-16)
On his way to be sworn in as the most powerful man in the world, Franklin Delano Roosevelt had to…
www.raptitude.com
(2024-02-01)
Imagine two friends, Steve and Fred, chatting at a New Year’s party. Both of them resolve to abstain from alcohol for January, and attend the gym regularly. They shake on it. They don’t want to let each other down, and they both fulfill their commitments. Afterward, Steve keeps up his routine, and Fred soon drifts back to too much beer
usefulfictions.substack.com
(2024-01-16)
On a supposedly difficult thing
asnewman.github.io
(2023-03-16)
www.wisdomination.com
(2023-02-08)
If you want to get anything done, there are two basic ways to get yourself to do it. The first, more popular and devastatingly wrong option is to try to motivate yourself. The second, somewhat unpo…
www.bakadesuyo.com
(2022-07-18)
Navy SEAL platoon leader James Waters explains what keeps elite operators going and how you can apply this type of grit to your own challenges.
www.spikelab.org
(2022-07-18)
There's an increasing amount of talk around failure and the fear of it, but it's largely missing the point. Here's why
www.farnamstreetblog.com
(2022-07-18)
Don't set goals. Passion is bullshit. Mediocre skills are valuable. These are just a few of the unexpected truths you'll discover in Scott Adams' new book. Here are 10 more takeaways.
www.drmaciver.com
(2022-07-18)
priceonomics.com
(2022-07-18)
Sliced bread: the greatest thing since...sliced bread.
25iq.com
(2022-07-18)
“The absolute certainty that nobody was going to care about, read or buy Kitchen Confidential was what allowed me to write it. I didn’t have to think about what people expected. I didn’t car…
www.skmurphy.com
(2022-07-17)
Many entrepreneurs are naturally optimistic and discouraging pessimistic thinking, but the clever use of constructive pessimism is key to success
www.newyorker.com
(2022-06-25)
Born nearly two thousand years before Darwin and Freud, Epictetus seems to have anticipated a way out of their prisons.
dariusforoux.com
(2022-06-13)
I landed on a documentary about a guy who had a headache for years and never had a check-up. They found out later he had a brain tumor.
psyche.co
(2022-01-17)
Ditch the tough talk, it won’t help. Instead cultivate your mental flexibility so you can handle whatever comes your way
www.artofmanliness.com
(2021-02-03)
We all want to be better than we are today. And that often requires pushing yourself beyond your comfort zone, even when you don’t feel like it. It requires getting back up and trying again and again when you fail. It requires sticking with a path long enough to see it through. In short, becoming […]
www.outsideonline.com
(2020-04-23)
The military's toughest training challenges have a lot in common with outdoor sufferfests like the Barkley Marathons and the Leadville Trail 100: you have to be fit and motivated to make the starting line, but your mind and spirit are what carry you to the end. A Ranger graduate breaks down an ordeal that shapes some of the nation's finest soldiers.
medium.com
(2018-12-14)
“Anyone who lives within their means suffers from a lack of imagination.” — Oscar Wilde
-->
behaviors/confidence
categories:
tags:
behaviors
confidence
date: 28 Mar 2025
slug:raindrop-behaviors-confidence
getpocket.com
(2024-05-14)
Narcissism and self-esteem have very different developmental pathways and outcomes.
greatergood.berkeley.edu
(2023-05-06)
New research suggests that body postures can reveal our emotions to other people—and maybe even change how we feel inside.
priceonomics.com
(2022-07-18)
How ignorance and a little ego threat can make us ridiculously over-confident.
www.axios.com
(2022-06-24)
Never underestimate the power your own insecurities can generate.
www.nytimes.com
(2022-06-21)
Whether you want to find joy in your body, or just greater self-acceptance, these four strategies from psychologists and activists — and, yes, nudists — might help.
getpocket.com
(2022-02-24)
Can ‘confidence-whisperer’ Nate Zinsser help Jamie Waters boost his wavering self-belief?
www.theguardian.com
(2022-01-12)
Can ‘confidence-whisperer’ Nate Zinsser help Jamie Waters boost his wavering self-belief?
psyche.co
(2021-07-17)
You can’t stop people making demands on your time and energy, but you can develop assertiveness skills to protect yourself
ideas.ted.com
(2021-05-31)
When we want people to change, we typically tell them what to do. But what if we flipped the script and asked them for their wisdom instead? Behavioral scientist Katy Milkman PhD explains the power…
www.entrepreneur.com
(2021-03-11)
Five tactics to silence the person trying to make you squirm.
www.theguardian.com
(2021-02-18)
The long read: The troubled times we live in, and the rise of social media, have created an age of endless conflict. Rather than fearing or avoiding disagreement, we need to learn to do it well
getpocket.com
(2021-01-25)
Bridge the divide with thoughtful conversation techniques, next-level listening, and a dip into the science of changing minds.
www.fastcompany.com
(2021-01-08)
"Unconscious leadership happens when we aren't self-aware, which puts fear in the driver's seat."
nerdygirl.com
(2020-08-10)
dev.to
(2020-03-13)
How to turn Ignorance into Power
getpocket.com
(2020-02-21)
We often undervalue what we inherently do well.
psmag.com
(2019-12-23)
The trouble with ignorance is that it feels so much like expertise. A leading researcher on the psychology of human wrongness sets us straight.
www.theschooloflife.com
(2018-10-11)
We publish articles around emotional education: calm, fulfilment, perspective and self-awareness. | What to Do at Parties If You Hate Small Talk — Read now
-->
machine-learning/python
categories:
tags:
machine-learning
python
date: 28 Mar 2025
slug:raindrop-machine-learning-python
www.kdnuggets.com
(2025-02-11)
In this article, I will introduce you to 10 little-known Python libraries every data scientist should know.
thecleverprogrammer.com
(2025-02-07)
In this article, I'll take you through a list of 50+ Data Analysis Projects you should try to learn Data Analysis.
thecleverprogrammer.com
(2025-01-31)
In this article, I'll take you through a list of 80+ hands-on Data Science projects you should try to learn everything in Data Science.
thecleverprogrammer.com
(2025-01-24)
In this article, I'll take you through a list of 50+ AI & ML projects solved & explained with Python that you should try.
sebastianraschka.com
(2025-01-18)
This is a standalone notebook implementing the popular byte pair encoding (BPE) tokenization algorithm, which is used in models like GPT-2 to GPT-4, Llama 3,...
www.kdnuggets.com
(2024-12-10)
Popular MLOps Python tools that will make machine learning model deployment a piece of cake.
towardsdatascience.com
(2024-10-16)
Learn which variables you should and should not take into account in your model.
towardsdatascience.com
(2024-01-18)
Insanely fast and reliable smoothing and interpolation with the Whittaker-Eilers method.
thecleverprogrammer.com
(2023-10-30)
In this article, I'll take you through the task of Market Basket Analysis using Python. Market Basket Analysis using Python.
towardsdatascience.com
(2023-07-24)
Understand survival analysis, its use in the industry, and how to apply it in Python
towardsdatascience.com
(2023-07-23)
Applying causal machine learning to trim the campaign target audience
towardsdatascience.com
(2023-05-31)
Master Sklearn pipelines for effortless and efficient machine learning. Discover the art of building, optimizing, and scaling models with ease. Level up your data preprocessing skills and supercharge your ML workflow today
towardsdatascience.com
(2023-04-05)
Create insights from frequent patterns using market basket analysis with Python
moez-62905.medium.com
(2023-03-31)
Exploring the Latest Enhancements and Features of PyCaret 3.0
towardsdatascience.com
(2023-03-19)
A quick guide on how to make clean-looking, interactive Python plots to validate your data and model
towardsdatascience.com
(2023-03-12)
Use natural language to test the behavior of your ML models
towardsdatascience.com
(2023-02-09)
Discover how to effectively detect multivariate outliers in machine learning with PyOD in Python. Learn to convert anomaly scores to probability confidence, choose the best outlier classifier and determine the right probability threshold for improved model accuracy.
www.kdnuggets.com
(2023-02-02)
There are various challenges in MLOps and model sharing, including, security and reproducibility. To tackle these for scikit-learn models, we've developed a new open-source library: skops. In this article, I will walk you through how it works and how to use it with an end-to-end example.
www.kdnuggets.com
(2023-01-27)
Become familiar with some of the most popular Python libraries available for hyperparameter optimization.
towardsdatascience.com
(2023-01-24)
Circular data can present unique challenges when it comes to analysis and modeling
towardsdatascience.com
(2023-01-13)
Tips for taking full advantage of this machine learning package
geometric-kernels.github.io
(2023-01-01)
A cross-framework package for kernels and Gaussian processes on manifolds, graphs, and meshes
github.com
(2022-12-25)
Python Feature Engineering Cookbook Second Edition, published by Packt - PacktPublishing/Python-Feature-Engineering-Cookbook-Second-Edition
towardsdatascience.com
(2022-11-07)
Mathematical Modeling, Solution, and Visualization Using PuLP and VeRoViz
towardsdatascience.com
(2022-10-14)
How to compress and fit a humongous set of vectors in memory for similarity search with asymmetric distance computation (ADC)
buff.ly
(2022-10-14)
Learn how to build MMMs for different countries the right way
www.einblick.ai
(2022-09-08)
towardsdatascience.com
(2022-08-08)
Creating eye-catching graphs with Python to use instead of bar charts.
towardsdatascience.com
(2022-08-04)
Graph partitioning has been a long-lasting problem and has a wide range of applications. This post shares the methodology for graph…
towardsdatascience.com
(2022-08-04)
Reduce time in your data science workflow with these libraries.
towardsdatascience.com
(2022-07-18)
Capturing non-linear advertising saturation and diminishing returns without explicitly transforming media variables
towardsdatascience.com
(2022-07-13)
How to forecast with scikit-learn and XGBoost models with sktime
towardsdatascience.com
(2022-07-13)
Brain-inspired unsupervised machine learning through competition, cooperation and adaptation
towardsdatascience.com
(2022-07-11)
Use linear programming to minimize the difference between required and scheduled resources
bair.berkeley.edu
(2022-06-24)
towardsdatascience.com
(2022-06-22)
Using the Folium Package to Create Stunning Choropleths
towardsdatascience.com
(2022-06-22)
How to use Python libraries like Open3D, PyVista, and Vedo for neighborhood analysis of point clouds and meshes through KD-Trees/Octrees
bytepawn.com
(2022-05-28)
I show toy implementations of Python decorator patterns that may be useful for Data Scientists.
towardsdatascience.com
(2022-05-27)
The introduction of the intel sklearn extension. Make your Random Forest even faster than XGBoost.
towardsdatascience.com
(2022-05-27)
Which is the best algorithm?
towardsdatascience.com
(2022-04-09)
link.medium.com
(2022-04-08)
Apply Louvain’s Algorithm in Python for Community Detection
towardsdatascience.com
(2022-03-10)
As a data analyst at Microsoft, I must investigate and understand time-series data every day. Besides looking at some key performance…
www.toptal.com
(2022-02-11)
Topic modeling can bring NLP to the next level. Here’s how.
towardsdatascience.com
(2022-02-02)
Because Graph Analytics is the future
github.com
(2022-01-29)
based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks
towardsdatascience.com
(2022-01-21)
A Quick Guide to The Weibull Analysis
github.com
(2022-01-17)
Prophet (FB time series prediction package) docs to Python code. - bjpcjp/fb-prophet
github.com
(2022-01-16)
based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks
towardsdatascience.com
(2022-01-16)
Easily and efficiently optimize your model’s hyperparameters with Optuna with a mini project
towardsdatascience.com
(2021-12-07)
Master usecols, chunksize, parse_dates in pandas read_csv().
link.medium.com
(2021-12-04)
Here is my take on this cool Python library and why you should give it a try
builtin.com
(2021-12-03)
Dimensionality reduction is a vital tool for data scientists across industries. Here is a guide to getting started with it.
www.mihaileric.com
(2021-11-03)
In this first post in a series on how to build a complete machine learning product from scratch, I describe how to setup your project and tooling.
link.medium.com
(2021-10-17)
Low-code Machine Learning with a Powerful Python Library
venturebeat.com
(2021-10-12)
Streamlit releases v1.0 of its DataOps platform for data science apps to make it easier for data scientists to share code and components.
towardsdatascience.com
(2021-09-28)
Hands-on tutorial to effectively use different Regression Algorithms
towardsdatascience.com
(2021-07-30)
OpenCV is not the only one
pypi.org
(2021-07-20)
Intel(R) Extension for Scikit-learn is a seamless way to speed up your Scikit-learn application.
towardsdatascience.com
(2021-07-04)
What companies can learn from employee turnover data
towardsdatascience.com
(2021-07-03)
In this article, I’ll show you five ways to load data in Python. Achieving a speedup of 3 orders of magnitude.
github.com
(2021-06-25)
Combining tree-boosting with Gaussian process and mixed effects models - fabsig/GPBoost
towardsdatascience.com
(2021-05-30)
Scroll down to see how to interpret a plot created by a great tool for comparing two classes and their corpora.
towardsdatascience.com
(2021-05-18)
Word on the street is that PyTorch lightning is a much better version of normal PyTorch. But what could it possibly have that it brought such consensus in our world? Well, it helps researchers scale…
facebook.github.io
(2021-05-05)
Prophet is a forecasting procedure implemented in R and Python. It is fast and provides completely automated forecasts that can be tuned by hand by data scientists and analysts.
towardsdatascience.com
(2021-05-01)
As Data Science continues to grow and develop, it’s only natural for new tools to emerge, especially considering the fact that data…
towardsdatascience.com
(2021-04-28)
If you are dealing with a classification task, I recommend the modAL. As for the sequence labeling task, the AlpacaTag is the only choice for you. Active learning could decrease the number of labels…
www.kdnuggets.com
(2021-04-22)
PyCaret is an alternate low-code library that can be used to replace hundreds of lines of code with few lines only. See how to use PyCaret's Regression Module for Time Series Forecasting.
towardsdatascience.com
(2021-04-13)
XGBoost explained as well as gradient boosting method and HP tuning by building your own gradient boosting library for decision trees.
towardsdatascience.com
(2021-03-23)
GPU vs CPU training speed comparison for xgboost
developer.nvidia.com
(2021-03-22)
towardsdatascience.com
(2021-03-21)
for beginners as well as advanced users
towardsdatascience.com
(2021-03-06)
Train, visualize, evaluate, interpret, and deploy models with minimal code.
github.com
(2021-03-01)
Simple and reliable optimization with local, global, population-based and sequential techniques in numerical discrete search spaces. - SimonBlanke/Gradient-Free-Optimizers
pycaret.readthedocs.io
(2021-02-25)
pycaret.org
(2021-02-25)
[et_pb_section fb_built=”1″ admin_label=”Header” _builder_version=”4.12.0″ background_color=”#01012C” collapsed=”on” global_colors_info=”{}”][et_pb_row column_structure=”1_2,1_2″ _builder_version=”4.12.0″ collapsed=”on” global_colors_info=”{}”][et_pb_column type=”1_2″ _builder_version=”4.12.0″ z_index=”10″ custom_padding=”18%||||false|false” global_colors_info=”{}”][et_pb_text _builder_version=”4.14.7″ text_font=”Montserrat|800|||||||” text_text_color=”#01012C” text_font_size=”470px” text_line_height=”1em” positioning=”absolute” custom_margin=”|-30%||-10%|false|false” custom_margin_tablet=”|0%||-5%|false|false” custom_margin_phone=”|0%|||false|false” custom_margin_last_edited=”on|desktop” text_font_size_tablet=”40vw” text_font_size_phone=”40vw” text_font_size_last_edited=”on|tablet” text_text_shadow_style=”preset5″ text_text_shadow_horizontal_length=”-1.5px” text_text_shadow_vertical_length=”-1.5px” text_text_shadow_color=”#DB0EB7″ global_colors_info=”{}”] pc [/et_pb_text][et_pb_text _builder_version=”4.14.7″ header_font=”Barlow Condensed|500|||||||” header_text_color=”#FFFFFF” header_font_size=”122px” custom_margin=”||0px||false|false” header_font_size_tablet=”42px” header_font_size_phone=”26px” header_font_size_last_edited=”on|tablet” global_colors_info=”{}”] low-code machine learning [/et_pb_text][et_pb_button button_url=”https://pycaret.gitbook.io” url_new_window=”on” button_text=”GET STARTED” _builder_version=”4.14.7″ […]
www.kdnuggets.com
(2021-02-24)
Concluding this three-part series covering a step-by-step review of statistical survival analysis, we look at a detailed example implementing the Kaplan-Meier fitter based on different groups, a Log-Rank test, and Cox Regression, all with examples and shared code.
towardsdatascience.com
(2021-02-10)
A comprehensive guide on standard generative graph approaches with implementation in NetworkX
towardsdatascience.com
(2021-01-28)
How to identify and segregate specific blobs in your image
towardsdatascience.com
(2021-01-19)
A complete explanation of the inner workings of Support Vector Machines (SVM) and Radial Basis Function (RBF) kernel
towardsdatascience.com
(2021-01-08)
An Overview of the Most Important Features in Version 0.24
towardsdatascience.com
(2020-12-23)
Demystifying the inner workings of BFGS optimization
towardsdatascience.com
(2020-12-18)
A simple introduction to matching in bipartite graphs with Python code examples
towardsdatascience.com
(2020-11-19)
Learn which of the 9 most prominent automatic speech recognition engines is best for your needs, and how to use it in Python programs.
towardsdatascience.com
(2020-11-19)
towardsdatascience.com
(2020-11-03)
A step-by-step guide to apply perspective transformation on images
towardsdatascience.com
(2020-11-03)
I come from the world of MATLAB and numerical computing, where for loops are shorn and vectors are king. During my PhD at UVM, Professor…
towardsdatascience.com
(2020-11-03)
A tour of one of the most popular topic modelling techniques and a guide to implementing and visualising it using pyLDAvis
towardsdatascience.com
(2020-11-02)
Python 3.9 New Feature Guide
towardsdatascience.com
(2020-08-10)
Overview of the latest developments in version 0.23
towardsdatascience.com
(2020-06-02)
Do you know about these packages?
towardsdatascience.com
(2020-06-01)
Not enough data for Deep Learning? Try Eigenfaces.
towardsdatascience.com
(2020-06-01)
www.kdnuggets.com
(2020-06-01)
Check out these 5 cool Python libraries that the author has come across during an NLP project, and which have made their life easier.
towardsdatascience.com
(2020-06-01)
Building up the intuition for how matrices help to solve a system of linear equations and thus regressions problems
towardsdatascience.com
(2020-06-01)
Explaining outlier detection with PyCaret library in python
machinelearningmastery.com
(2020-06-01)
Recursive Feature Elimination, or RFE for short, is a popular feature selection algorithm. RFE is popular because it is easy to configure and use and because it is effective at selecting those features (columns) in a training dataset that are more or most relevant in predicting the target variable. There are two important configuration options when using RFE: the choice…
towardsdatascience.com
(2020-05-15)
This new Python package accelerates notebook-based machine learning experimentation
towardsdatascience.com
(2020-05-15)
Using q-learning for sequential decision making and therefore learning to play a simple game.
towardsdatascience.com
(2020-05-15)
I came across Pycaret while I was browsing on a slack for data scientists. It's a versatile library in which you can apply/evaluate/tune…
towardsdatascience.com
(2020-04-19)
Learn matrix multiplication for machine learning by following along with Python examples
towardsdatascience.com
(2020-04-15)
How does pivot work? What is the main pandas building block? And more …
towardsdatascience.com
(2020-04-01)
5 lesser-known pandas tricks that help you be more productive
www.reddit.com
(2020-04-01)
https://github.com/sepandhaghighi/pycm https://www.pycm.ir custom_rounder function added #279 complement function added sparse_matrix attribute added…
towardsdatascience.com
(2020-04-01)
Extract data from different sources
towardsdatascience.com
(2020-03-31)
Expedite your data analysis process
towardsdatascience.com
(2020-03-31)
Why and How to use with examples of Keras/XGBoost
www.machinelearningplus.com
(2019-08-30)
Using ARIMA model, you can forecast a time series using the series past values. In this post, we build an optimal ARIMA model from scratch and extend it to Seasonal ARIMA (SARIMA) and SARIMAX models. You will also see how to build autoarima models in python
www.datasciencecentral.com
(2019-08-29)
jakevdp.github.io
(2019-08-28)
github.com
(2019-07-25)
A Python Library for Outlier and Anomaly Detection, Integrating Classical and Deep Learning Techniques - yzhao062/pyod
eigenfoo.xyz
(2018-08-31)
Recently I’ve started using PyMC3 for Bayesian modelling, and it’s an amazing piece of software! The API only exposes as much of heavy machinery of MCMC as you need — by which I mean, just the pm.sample() method (a.k.a., as Thomas Wiecki puts it, the Magic Inference Button™). This really frees up your mind to think about your data and model, which is really the heart and soul of data science! That being said however, I quickly realized that the water gets very deep very fast: I explored my data set, specified a hierarchical model that made sense to me, hit the Magic Inference Button™, and… uh, what now? I blinked at the angry red warnings the sampler spat out.
towardsdatascience.com
(2018-08-30)
Using the FeatureSelector for efficient machine learning workflows
pbpython.com
(2018-06-08)
Using mlxtend to perform market basket analysis on online retail data set.
pypi.python.org
(2018-06-08)
An easy-to-use library for recommender systems.
thecleverprogrammer.com
(2011-10-24)
In this article, I'll take you through a list of guided projects to master AI & ML with Python. AI & ML Projects with Python.
www.gradio.app
(2010-09-24)
Documentation, tutorials and guides for the Gradio ecosystem..
-->
wordclouds
categories:
tags:
wordclouds
date: 28 Mar 2025
slug:raindrop-wordclouds
www.marktechpost.com
(2025-03-09)
A Step by Step Guide to Build a Trend Finder Tool with Python: Web Scraping, NLP (Sentiment Analysis & Topic Modeling), and Word Cloud Visualization
seths.blog
(2024-06-08)
Consider building a word cloud of your writing. It might be all the text on your website, or the last 50 emails you sent. It might be your new book or the speech you’re going to give at Rice …
tagcrowd.com
(2022-02-20)
Create your own word cloud from any text to visualize word frequency.
-->
python (all)
categories:
tags:
python
date: 28 Mar 2025
slug:raindrop-python-all
github.com
(2025-04-06)
tags: mcp, python
Agent Framework / shim to use Pydantic with LLMs
www.statology.org
(2025-04-02)
tags: python
In this article, we will explore different vectorized operations with examples.
machinelearningmastery.com
(2025-03-26)
tags: python, llms
In this article, we explore 10 of the Python libraries every developer should know in 2025.
www.statology.org
(2025-03-19)
tags: pandas, python, excel
In this article, we'll explore when and why you might want to use openpyxl directly, and understand its relationship with pandas.
linuxhandbook.com
(2025-03-18)
tags: linux, python, packages
I am sharing how I packaged my python application into an executable .deb package in this tutorial.
thecleverprogrammer.com
(2025-03-15)
tags: python
In this article, I'll walk you through a list of 50 Data Analytics projects on various domains to help you gain practical expertise.
www.kdnuggets.com
(2025-03-12)
tags: python
Check out this guide to learn how you can use asyncio for asynchronous programming in Python.
www.marktechpost.com
(2025-02-17)
tags: llms, tokens, python
A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer with Tiktoken for Advanced NLP Applications in Python
www.kdnuggets.com
(2025-02-11)
tags: python, machine-learning
In this article, I will introduce you to 10 little-known Python libraries every data scientist should know.
simonwillison.net
(2025-02-07)
tags: sqlite, aws, python
Neat open source project on the GitHub organisation for the UK government's Department for Business and Trade: a "Python virtual filesystem for SQLite to read from and write to S3." …
simonwillison.net
(2025-02-07)
tags: llms, pip, python
I just released llm-smollm2, a new plugin for LLM that bundles a quantized copy of the SmolLM2-135M-Instruct LLM inside of the Python package. This means you can now pip install …
thecleverprogrammer.com
(2025-02-07)
tags: python, machine-learning
In this article, I'll take you through a list of 50+ Data Analysis Projects you should try to learn Data Analysis.
thecleverprogrammer.com
(2025-01-31)
tags: machine-learning, python
In this article, I'll take you through a list of 80+ hands-on Data Science projects you should try to learn everything in Data Science.
www.kdnuggets.com
(2025-01-27)
tags: python
Master cleaner, faster code with these essential techniques to supercharge your data workflows.
thecleverprogrammer.com
(2025-01-24)
tags: python, machine-learning
In this article, I'll take you through a list of 50+ AI & ML projects solved & explained with Python that you should try.
www.kdnuggets.com
(2025-01-18)
tags: python
A not-to-be-missed list of elegant Python solutions to perform common programming and processing tasks in a single line of code.
sebastianraschka.com
(2025-01-18)
tags: llms, nlp, machine-learning, python
This is a standalone notebook implementing the popular byte pair encoding (BPE) tokenization algorithm, which is used in models like GPT-2 to GPT-4, Llama 3,...
realpython.com
(2025-01-08)
tags: python, images
In this step-by-step tutorial, you'll learn how to use the Python Pillow library to deal with images and perform image processing. You'll also explore using NumPy for further processing, including to create animations.
towardsdatascience.com
(2025-01-02)
tags: python, forecasting-predictions
A hands-on tutorial with Python and Darts for demand forecasting, showcasing the power of TiDE and TFT
www.marktechpost.com
(2024-12-30)
tags: python, chip-design
Designing neuromorphic sensory processing units (NSPUs) based on Temporal Neural Networks (TNNs) is a highly challenging task due to the reliance on manual, labor-intensive hardware development processes. TNNs have been identified as highly promising for real-time edge AI applications, mainly because they are energy-efficient and bio-inspired. However, available methodologies lack automation and are not very accessible. Consequently, the design process becomes complex, time-consuming, and requires specialized knowledge. It is through overcoming these challenges that one can unlock the full potential of TNNs for efficient and scalable processing of sensory signals. The current approaches to TNN development are fragmented workflows, as
flask.palletsprojects.com
(2024-12-24)
tags: python, flask
thecleverprogrammer.com
(2024-12-20)
tags: python
In this article, I’ll take you through a list of 75 guided projects to master Data Science with Python. 75 Data Science Projects with Python.
www.kdnuggets.com
(2024-12-16)
tags: dask, python
Ever wondered how to handle large data without slowing down your computer? Let’s learn about Dask, a tool that helps you work with large data quickly.
www.kdnuggets.com
(2024-12-10)
tags: python, machine-learning
Popular MLOps Python tools that will make machine learning model deployment a piece of cake.
janifaangla-473.medium.com
(2024-11-25)
tags: python, github
Photo by Luke Chesser on Unsplash
machinelearningmastery.com
(2024-11-25)
tags: python
www.kdnuggets.com
(2024-10-31)
tags: python
The richness of Python’s ecosystem has one downside – it makes it difficult to decide which libraries are the best for your needs. This article is an attempt to amend this by suggesting ten (and some more, as a bonus) libraries that are an absolute must in data science.
thenewstack.io
(2024-10-24)
tags: python
When you need to assign a value to a variable, based on a single condition, and you want to keep your code short and sweet, a ternary operator might be your best option.
thecleverprogrammer.com
(2024-10-21)
tags: python
In this article, I'll take you through the task of document analysis using LLMs with Python. Document Analysis using LLMs with Python.
drew.silcock.dev
(2024-10-19)
tags: python, cpython
All you need to know about the latest Python release including Global Interpreter Lock and Just-in-Time compilation.
thenewstack.io
(2024-10-19)
tags: python
This tutorial explains the Python global interpreter lock (GIL), which prevents multiple threads from executing Python code at the same time.
towardsdatascience.com
(2024-10-16)
tags: analytics, machine-learning, python
Learn which variables you should and should not take into account in your model.
www.answer.ai
(2024-09-24)
tags: python
Re-ranking is an integral component of many retrieval pipelines; however, there exist numerous approaches to it, all with different implementation methods. To mitigate this, we propose rerankers, a Python library which provides a simple, easy-to-use interface to all commonly used re-ranking approaches.
medium.com
(2024-08-02)
tags: gaussian, python
Understanding and coding Gaussian Splatting from a Python Engineer’s perspective
medium.com
(2024-08-02)
tags: gaussian, python
Understanding and coding how Gaussian’s are used within 3D Gaussian Splatting
towardsdatascience.com
(2024-08-02)
tags: gaussian, python
Part 3 of our Gaussian Splatting tutorial, showing how to render splats onto a 2D image.
github.com
(2024-08-02)
tags: books, graphs, python
Modern Graph Theory Algorithms with Python, published by Packt - PacktPublishing/Modern-Graph-Theory-Algorithms-with-Python
thecleverprogrammer.com
(2024-08-01)
tags: analytics, custsvc, python
In this article, I'll take you through the task of Customer Satisfaction Analysis with Python. Customer Satisfaction Analysis with Python.
relston.github.io
(2024-07-09)
tags: chatgpt, command-line, markdown, python
Introduction In this post, I want to introduce Mark, a simple CLI tool that uses Markdown and its syntax to interact naturally with the GPT4-vision/GPT4o models.
www.kdnuggets.com
(2024-06-25)
tags: algorithms-math, python
Understanding what genetic algorithms are and how they can be implemented in Python.
www.marktechpost.com
(2024-06-23)
tags: python, search
In the era of vast data, information retrieval is crucial for search engines, recommender systems, and any application that needs to find documents based on their content. The process involves three key challenges: relevance assessment, document ranking, and efficiency. The recently introduced Python library that implements the BM25 algorithm, BM25S addresses the challenge of efficient and effective information retrieval, particularly the need for ranking documents in response to user queries. The goal is to enhance the speed and memory efficiency of the BM25 algorithm, a standard method for ranking documents by their relevance to a query. Current methods for implementing
v2thegreat.com
(2024-06-22)
tags: dask, databases, devops, python
This post is meant to guide you through some of the lessons I’ve learned while working with multi-terabyte datasets. The lessons shared are focused on what someone may face as the size of the…
thecleverprogrammer.com
(2024-06-19)
tags: python, recommenders
In this article, I'll take you through the recommendation algorithms you should know and how to implement them using Python.
www.perplexity.ai
(2024-06-12)
tags: jekyll, python, yaml
www.pythonmorsels.com
(2024-06-04)
tags: python
Every command-line tool included with Python. These can be run with python -m module_name.
towardsdatascience.com
(2024-05-31)
tags: a-b, prob-stats, python
A deep-dive into how and why Statsmodels uses numerical optimization instead of closed-form formulas
python.land
(2024-05-29)
tags: python, venv
How to create, activate, use, and delete a Python venv on Windows, Linux, and MacOS. We'll also look at how a Python venv works internally.
www.kdnuggets.com
(2024-05-22)
tags: python, sqlite
Get started with SQLite databases in Python using the built-in sqlite3 module.
www.kdnuggets.com
(2024-05-19)
tags: python
Optimize Your Python Workflow: Proven Techniques for Crafting Production-Ready Code
www.marktechpost.com
(2024-05-15)
tags: python
In the vast world of data science, countless tools are available to help analysts and researchers make sense of data and build powerful machine-learning models. While some tools are widely known and used, others might not be as familiar to many. Here are the ten great Python packages that can significantly enhance your workflow. 1. LazyPredict: LazyPredict is all about efficiency. It allows the training, testing, and evaluation of multiple machine-learning models simultaneously with just a few lines of code. Whether one is working on regression or classification tasks, LazyPredict streamlines the process and helps find the best model for
thenewstack.io
(2024-05-13)
tags: python
With the help of PyScript, you can develop rich frontends with Python for the web and even make use of various Python modules.
www.johndcook.com
(2024-05-05)
tags: pdfs, python
Extracting text from a PDF file using GNU less or Python's pypdf. Why its not entirely clear just what a text extractor should do.
dev.to
(2024-04-12)
tags: pip, python
After setting up your Python project, creating a requirements.txt file is essential for simplifying...
scipy.github.io
(2024-04-09)
tags: python, scipy
dev.to
(2024-04-06)
tags: data-structures, python
Advanced Data Structures: Sets, Tuples, and Comprehensions In the world of programming,...
kieranholland.com
(2024-04-05)
tags: python
A dense Python cheat sheet with just what you need. Comprehensive but selective coverage of core Python, with links to detailed documentation and resources. Responsive design with light and dark modes. Download and print PDF. Feedback is welcome.
thecleverprogrammer.com
(2024-04-05)
tags: finance, python
In this article, I'll take you through a guide to some essential formulas for Data Science in finance with implementation using Python.
www.marktechpost.com
(2024-04-02)
tags: python, programming
In the rapidly evolving world of technology and artificial intelligence, a new development has emerged that promises to impact the Python and AI communities significantly. Modular, a pioneering tech firm, has announced the open-sourcing of Mojo, a programming language designed to enhance Python's capabilities, allowing developers to write code that scales 'all the way down to metal code.' This move is set to transform Python programming, offering unprecedented speed and efficiency. Modular has long championed open-source principles, and the release of Mojo under the Apache 2 license represents a significant step towards fulfilling its vision. Since its initial release in
tinypythonprojects.com
(2024-03-11)
tags: books, python
towardsdatascience.com
(2024-03-03)
tags: optimization, python
realpython.com
(2024-02-29)
tags: python
In this tutorial, you'll learn about duck typing in Python. It's a typing system based on objects' behaviors rather than on inheritance. By taking advantage of duck typing, you can create flexible and decoupled sets of Python classes that you can use together or individually.
www.datasciencecentral.com
(2024-02-17)
tags: python
30 Python libraries to solve most AI problems, including GenAI, data videos, synthetization, model evaluation, computer vision and more.
towardsdatascience.com
(2024-02-17)
tags: geofencing, geography, python
Strategically enhancing address mapping during data integration using geocoding and string matching
dev.to
(2024-02-10)
tags: elasticsearch, python
This blog will introduce you to some core concepts and building blocks of working with the official...
towardsdatascience.com
(2024-01-18)
tags: algorithms-math, machine-learning, python
Insanely fast and reliable smoothing and interpolation with the Whittaker-Eilers method.
gitlab.com
(2024-01-17)
tags: fastapi, python
blog.llamaindex.ai
(2024-01-17)
tags: llms, pdfs, python
LlamaIndex is a simple, flexible data framework for connecting custom data sources to large language models (LLMs).
www.marktechpost.com
(2024-01-17)
tags: deep-learning, numpy, python
Understanding how convolutional neural networks (CNNs) operate is essential in deep learning. However, implementing these networks, especially convolutions and gradient calculations, can be challenging. Many popular frameworks like TensorFlow and PyTorch exist, but their complex codebases make it difficult for newcomers to grasp the inner workings. Meet neograd, a newly released deep learning framework developed from scratch using Python and NumPy. This framework aims to simplify the understanding of core concepts in deep learning, such as automatic differentiation, by providing a more intuitive and readable codebase. It addresses the complexity barrier often associated with existing frameworks, making it easier for
github.com
(2024-01-15)
tags: python, scikit-learn
Python library for portfolio optimization built on top of scikit-learn - skfolio/skfolio
thecleverprogrammer.com
(2024-01-12)
tags: forecasting-predictions, python
This article will take you through some of the best Business Forecasting project ideas you should try. Business Forecasting Project Ideas.
fastapi.tiangolo.com
(2024-01-12)
tags: python
FastAPI framework, high performance, easy to learn, fast to code, ready for production
tonybaloney.github.io
(2024-01-10)
tags: python
Reviewing the JIT in Python 3.13
dev.to
(2023-12-28)
tags: python, venv, virtualization
Python has been my go-to programming language since I started coding. Python, as a programming...
thecleverprogrammer.com
(2023-10-30)
tags: algorithms-math, machine-learning, market-basket, python
In this article, I'll take you through the task of Market Basket Analysis using Python. Market Basket Analysis using Python.
dev.to
(2023-10-27)
tags: python
Let's continue our exploration of Python's magic methods in this second part of the series. This part...
stackoverflow.com
(2023-10-15)
tags: jupyter, python, venv
I trying to use virtualenv on jupyter notebook, to use all packages installed in an environment, but inside jupyter they are not recognized.
Already tried:
pip install tornado==4.5.3
pip install
docs.python.org
(2023-10-15)
tags: python
Source code: Lib/venv/ The venv module supports creating lightweight “virtual environments”, each with their own independent set of Python packages installed in their site directories. A virtual en...
dev.to
(2023-10-15)
tags: flask, python
Introduction In the vast landscape of web development, Flask stands out as a lightweight yet...
serce.me
(2023-10-04)
tags: fonts-typography, llms, python
This is a story of my journey learning to build generative ML models from scratch and teaching a computer to create fonts in the process.
towardsdatascience.com
(2023-09-30)
tags: python
Enhance your code quality with the beauty of match statements and object slicing.
github.com
(2023-09-29)
tags: algorithms-math, dsp, fourier, github, python
Notebooks for the python tutorials of my youtube channel. See specific youtube video for link to specifc notebook. - lukepolson/youtube_channel
mltechniques.com
(2023-09-25)
tags: python
In less than 100 pages, the book covers all important topics about discrete chaotic dynamical systems and related time series and stochastic processes, ranging from introductory to advanced, in one and two dimensions. State-of-the art methods and new results are presented in simple English. Yet, some mathematical proofs appear for the first time in this
www.marktechpost.com
(2023-09-25)
tags: graphs, python
An increasingly popular method for representing data in a graph structure is the usage of knowledge graphs (KGs). A KG is a group of triples (s, p, o), where s (subject) and o (object) are two graph nodes, and p is a predicate that describes the type of connection that exists between them. KGs are often supported by a schema (such as an ontology) that outlines the key ideas and relationships in a field of study and the constraints that govern how these ideas and relationships can interact. Many of the activities for which KGs are employed have a small
towardsdatascience.com
(2023-09-25)
tags: apis, llms, python
A complete beginner-friendly introduction with example code
realpython.com
(2023-09-24)
tags: python
In this tutorial, you'll learn how to use a Python virtual environment to manage your Python projects. You'll also gain a deep understanding of the structure of virtual environments created with the venv module, as well as the rationale behind using virtual environments.
www.kdnuggets.com
(2023-09-01)
tags: dask, numpy, pandas, python, sympy
3 Python libraries for scientific computation you should know as a data professional.
www.kdnuggets.com
(2023-08-31)
tags: python
And why you should learn how to use them to filter Python sequences more elegantly.
towardsdatascience.com
(2023-08-30)
tags: python, supply-chain
Explore how Electronic Data Interchange (EDI) facilitates modern supply chain management.
towardsdatascience.com
(2023-08-30)
tags: jupyter, python
A much overlooked way to save some time.
thecleverprogrammer.com
(2023-08-29)
tags: forecasting-predictions, optimization, python
In this article, I'll take you through the task of Demand Forecasting and Inventory Optimization using Python.
www.marktechpost.com
(2023-08-24)
tags: excel, python
The realm of data analysis has long struggled with seamlessly integrating the capabilities of Python—a powerful programming language widely used for analytics—with the familiar interface and functionalities of Microsoft Excel. This challenge has hindered efficient decision-making and data processing for professionals who rely on both tools for their tasks. The need for a cohesive solution that bridges this gap is evident. Existing attempts to merge Python and Excel have often been cumbersome and involved complex setups. Analysts resorted to using external scripts, third-party tools, or manual data transfers between the two environments. These methods introduced inefficiencies, raised security concerns, and
towardsdatascience.com
(2023-08-22)
tags: antennas, python
Modeling electric and magnetic fields
dev.to
(2023-08-17)
tags: python
Introduction: Python, a popular programming language known for its simplicity and versatility,...
towardsdatascience.com
(2023-08-07)
tags: llms, pdfs, python
Use these text extraction techniques to get quality data for your LLM models
pypi.org
(2023-08-07)
tags: pdfs, python
Python bindings to PDFium
towardsdatascience.com
(2023-08-06)
tags: prob-stats, python, quality
Total Productive Maintenance
medium.com
(2023-07-29)
tags: analytics, prodmgmt, python
8 stories · A guide to building an end-to-end marketing mix optimization solution for your organization.
til.simonwillison.net
(2023-07-28)
tags: python
Seth Michael Larson pointed out that the Python gzip module can be used as a CLI tool like this:
towardsdatascience.com
(2023-07-24)
tags: machine-learning, python, survival-analysis
Understand survival analysis, its use in the industry, and how to apply it in Python
dev.to
(2023-07-24)
tags: python
Filtering sequences, like lists, is a common task for developers. However, the code can become...
towardsdatascience.com
(2023-07-23)
tags: analytics, machine-learning, prodmgmt, python, uplift
Applying causal machine learning to trim the campaign target audience
linuxhandbook.com
(2023-07-01)
tags: linux, pip, python
Cleaning Pip cache helps you in troubleshooting and getting fresh Python packages.
www.bitecode.dev
(2023-06-19)
tags: python
You keep using that word. I don’t think it means what you think it means.
towardsdatascience.com
(2023-05-31)
tags: machine-learning, python, scikit-learn
Master Sklearn pipelines for effortless and efficient machine learning. Discover the art of building, optimizing, and scaling models with ease. Level up your data preprocessing skills and supercharge your ML workflow today
dev.to
(2023-05-15)
tags: python
When we see the documentation of any function that contains *args and **kwargs, have you ever...
towardsdatascience.com
(2023-05-07)
tags: pandas, python, spatial
Learn how to manipulate and visualize vector data with Python’s GeoPandas
dev.to
(2023-04-26)
tags: music, python, spotify, youtube
I developed the script to convert the Spotify playlist to YouTube playlist. I am here to share how I...
towardsdatascience.com
(2023-04-18)
tags: pytest, python
How to use Pytest fixtures and mock for unit testing
thecleverprogrammer.com
(2023-04-17)
tags: analytics, pricing, python
In this article, I will walk you through the task of Retail Price Optimization with Machine Learning using Python. Retail Price Optimization.
towardsdatascience.com
(2023-04-16)
tags: python
No headaches and unreadable code from os.path
joblib.readthedocs.io
(2023-04-13)
tags: python
thecleverprogrammer.com
(2023-04-09)
tags: python, sales-ops-planning, supply-chain
In this article, I will take you through the task of Supply Chain Analysis using Python. Supply Chain Analysis using Python.
towardsdatascience.com
(2023-04-09)
tags: pandas, programming, python
Demonstrating how to use the new blazing fast DataFrame library for interacting with tabular data
towardsdatascience.com
(2023-04-08)
tags: python
Discover the Hidden Secrets of Python Exception Handling
medium.themayor.tech
(2023-04-07)
tags: python
Introduction and Chapter One
towardsdatascience.com
(2023-04-06)
tags: python
Static type checking for Python
towardsdatascience.com
(2023-04-05)
tags: association-rules, machine-learning, market-basket, python
Create insights from frequent patterns using market basket analysis with Python
towardsdatascience.com
(2023-04-01)
tags: geography, programming, python
Understanding spatial trends in the location of Tokyo convenience stores
moez-62905.medium.com
(2023-03-31)
tags: machine-learning, programming, pycaret, python
Exploring the Latest Enhancements and Features of PyCaret 3.0
dev.to
(2023-03-26)
tags: python
Introduction If you're a Python developer looking to take your code to the next level,...
dev.to
(2023-03-25)
tags: python, visualization
DISCLAIMER: This blog post was written by a human with the help of AI Hypotrochoids and epitrochoids...
voila.readthedocs.io
(2023-03-24)
tags: jupyter, python, voila
pypi.org
(2023-03-24)
tags: jupyter, programming, python, visualization, voila
Voilà turns Jupyter notebooks into standalone web applications
dev.to
(2023-03-22)
tags: flask, pytest, python
Welcome to this tutorial on how to test Flask applications with Pytest. Flask is a popular web...
towardsdatascience.com
(2023-03-21)
tags: matplotlib, python, visualization
Utilising Python’s Matplotlib to Create Advanced Data Visualisations
python.land
(2023-03-19)
tags: python, yaml
YAML is easy to write for humans, and read for computers. Learn how to open, parse, and read YAML with Python. With lots of example code!
towardsdatascience.com
(2023-03-19)
tags: machine-learning, programming, python, visualization
A quick guide on how to make clean-looking, interactive Python plots to validate your data and model
towardsdatascience.com
(2023-03-17)
tags: cpus, python, scikit-learn
How to considerable reduce training time changing only 1 line of code
pytorch.org
(2023-03-16)
tags: python, pytorch
We are excited to announce the release of PyTorch® 2.0 which we highlighted during the PyTorch Conference on 12/2/22! PyTorch 2.0 offers the same eager-mode development and user experience, while fundamentally changing and supercharging how PyTorch operates at compiler level under the hood with faster performance and support for Dynamic Shapes and Distributed.
snarky.ca
(2023-03-13)
tags: python
After needing to do a deep dive on the venv module (which I will explain later in this blog post as to why), I thought I would explain how virtual environments work to help demystify them. Why do virtual environments exist? Back in my the day, there was no concept
towardsdatascience.com
(2023-03-13)
tags: python
Decorators provide a new and convenient way for everything from caching to sending notifications.
towardsdatascience.com
(2023-03-12)
tags: machine-learning, programming, python, testing
Use natural language to test the behavior of your ML models
towardsdatascience.com
(2023-03-07)
tags: graphs, python
Learn how to use the NetworkX package to visualize complex networks
avichawla.substack.com
(2023-03-04)
tags: python
I reviewed 1,000+ Python libraries and discovered these hidden gems I never knew even existed.
pythonspeed.com
(2023-03-03)
tags: python
While multiprocessing allows Python to scale to multiple CPUs, it has some performance overhead compared to threading.
towardsdatascience.com
(2023-03-03)
tags: jupyter, programming, python, visualization
An Introduction to the PyGWalker Library for Easy Data Visualisation
www.kdnuggets.com
(2023-03-01)
tags: python
Learn about Python generators and write memory-efficient and Pythonic code.
wordsandbuttons.online
(2023-02-26)
tags: python, sympy
An introduction into symbolic computations in Python. Don't worry, it's much simpler than it sounds. It's about making Python do your math for you with very little investment in the technology.
automatetheboringstuff.com
(2023-02-17)
tags: programming, python
open.substack.com
(2023-02-17)
tags: pandas, programming, python
Pandas receives over 3M downloads per day. But 99% of its users are not using it to its full potential.
towardsdatascience.com
(2023-02-10)
tags: machine-vision, python
A concise computer vision project for building image filters using Python
towardsdatascience.com
(2023-02-10)
tags: ecommerce, python, recommenders
I built a recommender system for Amazon’s electronics category
towardsdatascience.com
(2023-02-10)
tags: python
Do more things with less code without compromising on quality
towardsdatascience.com
(2023-02-09)
tags: machine-learning, outliers, python
Discover how to effectively detect multivariate outliers in machine learning with PyOD in Python. Learn to convert anomaly scores to probability confidence, choose the best outlier classifier and determine the right probability threshold for improved model accuracy.
blog.jupyter.org
(2023-02-09)
tags: jupyter, programming, python
We are pleased to announce a major update to JupyterLab Desktop which adds many new features with main focus on the user experience…
towardsdatascience.com
(2023-02-09)
tags: python, visualization
Learn how to quickly create a presentation-ready plot to aid your data storytelling
towardsdatascience.com
(2023-02-09)
tags: python, visualization
A Great Alternative to Pie Charts for Data Visualisation
gist.github.com
(2023-02-02)
tags: pocket, python
Export archived article data from Pocket · GitHub
www.kdnuggets.com
(2023-02-02)
tags: machine-learning, python, scikit-learn
There are various challenges in MLOps and model sharing, including, security and reproducibility. To tackle these for scikit-learn models, we've developed a new open-source library: skops. In this article, I will walk you through how it works and how to use it with an end-to-end example.
github.com
(2023-01-30)
tags: books, python
translate python documents to Chinese for convenient reference 简而言之,这里用来存放那些Python文档君们,并且尽力将其翻译成中文~~ - hiddenJuliet/pythondocument
www.kdnuggets.com
(2023-01-27)
tags: hyperparameters, machine-learning, python
Become familiar with some of the most popular Python libraries available for hyperparameter optimization.
towardsdatascience.com
(2023-01-24)
tags: machine-learning, python
Circular data can present unique challenges when it comes to analysis and modeling
pypi.org
(2023-01-16)
tags: packages, python
The Python Package Index (PyPI) is a repository of software for the Python programming language.
towardsdatascience.com
(2023-01-14)
tags: python
Your Comprehensive Guide to SHAP, TreeSHAP, and DeepSHAP
towardsdatascience.com
(2023-01-13)
tags: best-practices, machine-learning, python, scikit-learn
Tips for taking full advantage of this machine learning package
thenextweb.com
(2023-01-13)
tags: deep-learning, python, pytorch, tensorflow
Many developers who use Python for machine learning are now switching to PyTorch. Find out why and what the future could hold for TensorFlow.
thehackernews.com
(2023-01-09)
tags: malware, python
Six malicious Python packages distributed via PyPI deploying info stealers and use Cloudflare tunnels to sneak through firewalls.
geometric-kernels.github.io
(2023-01-01)
tags: geometry, machine-learning, programming, python
A cross-framework package for kernels and Gaussian processes on manifolds, graphs, and meshes
numba.pydata.org
(2022-12-28)
tags: numba, python
github.com
(2022-12-25)
tags: feature-engineering, machine-learning, python
Python Feature Engineering Cookbook Second Edition, published by Packt - PacktPublishing/Python-Feature-Engineering-Cookbook-Second-Edition
towardsdatascience.com
(2022-12-18)
tags: datasets, geofencing, geography, programming, python
A ready-to-run code which identifies and anonymises places, based on the GeoNames database
towardsdatascience.com
(2022-12-17)
tags: advertising-commercials, analytics, programming, python
Media Mix modeling, its implementation, and practical tips
towardsdatascience.com
(2022-12-16)
tags: python
Discover the power of anonymous functions and functional programming in Python
towardsdatascience.com
(2022-11-28)
tags: pytest, python
Unit-testing is a really important skill for software development. There are some great Python libraries to help us write and run unit-test…
towardsdatascience.com
(2022-11-23)
tags: datasets, plotly, python, visualization
Some Unique Data Visualization Techniques for Getting High-Level Insight into the Data
www.kdnuggets.com
(2022-11-08)
tags: programming, python, youtube
The post highlights three useful applications of using python to automate simple desktop tasks. Stay tuned till the end of the post to find the reference for a bonus resource.
towardsdatascience.com
(2022-11-07)
tags: machine-learning, python, supply-chain
Mathematical Modeling, Solution, and Visualization Using PuLP and VeRoViz
towardsdatascience.com
(2022-10-30)
tags: python, seaborn, visualization
Using a heatmap to visualise a confusion matrix, time-series movements, temperature changes, correlation matrix and SHAP interaction values
towardsdatascience.com
(2022-10-30)
tags: gifs, matplotlib, python
A data visualization technique for 2-dimensional time series data using imageio
towardsdatascience.com
(2022-10-30)
tags: python, seaborn, visualization
Simple and easy pieces of code to enhance your seaborn scatter plots
towardsdatascience.com
(2022-10-30)
tags: python, visualization
A guide on how to make different types of maps using Python
towardsdatascience.com
(2022-10-30)
tags: debugging, python
Logging crash course with common logging issues addressed
towardsdatascience.com
(2022-10-30)
tags: python
Python decorator is a very useful tool to help us code efficiently. As I mentioned in my previous article, coding efficiently is one of the…
towardsdatascience.com
(2022-10-21)
tags: python, sankey, visualization
The Sankey chart is a great way to discover the most prominent contributions just by looking at how individual items flow across states.
towardsdatascience.com
(2022-10-19)
tags: python, visualization
We look at how to create the 12 most useful graphs and charts in Python and Streamlit
www.kdnuggets.com
(2022-10-19)
tags: nlp, python, scikit-learn
The post explains the significance of CountVectorizer and demonstrates its implementation with Python code.
towardsdatascience.com
(2022-10-19)
tags: debugging, python
Why I stopped using print() statements for debugging and why you should too
github.com
(2022-10-14)
tags: deep-learning, python, search
Pure python implementation of product quantization for nearest neighbor search - matsui528/nanopq
towardsdatascience.com
(2022-10-14)
tags: d3, python, visualization
The MovingBubble chart is one of those mind-blowing charts to look at. Learn how to create them using your own data set and Python!
towardsdatascience.com
(2022-10-14)
tags: cuda, numba, python
Follow this series to learn about CUDA programming from scratch with Python. Part 4 of 4.
towardsdatascience.com
(2022-10-14)
tags: machine-learning, metrics, python, search
How to compress and fit a humongous set of vectors in memory for similarity search with asymmetric distance computation (ADC)
buff.ly
(2022-10-14)
tags: analytics, bayes, forecasting-predictions, machine-learning, python
Learn how to build MMMs for different countries the right way
towardsdatascience.com
(2022-09-24)
tags: algorithms-math, dsp, fourier, python
From a theoretical introduction to the hands-on implementation: here’s what you need to know about the Chirplet Transform
towardsdatascience.com
(2022-09-22)
tags: d3, python, visualization
Create interactive, and stand-alone charts that are built on the graphics of d3 javascript (d3js) but configurable with Python.
ipython.readthedocs.io
(2022-09-20)
tags: jupyter, python
twitter.com
(2022-09-16)
tags: python
— Mike Driscoll (@driscollis)
towardsdatascience.com
(2022-09-16)
tags: cameras, machine-vision, movies-television, python
Everything you need to know about Stereo Geometry
dev.to
(2022-09-15)
tags: python
I subscribed to the Real Python mailing list two years ago, and I learned a lot of tips and tricks...
docs.taichi-lang.org
(2022-09-09)
tags: python
Python has become the most popular language in many rapidly evolving sectors, such as deep learning and data sciences. Yet its easy readability comes at the cost of performance. Of course, we all complain about program performance from time to time, and Python should certainly not take all the blame. Still, it's fair to say that Python's nature as an interpreted language does not help, especially in computation-intensive scenarios (e.g., when there are multiple nested for loops).
towardsdatascience.com
(2022-09-09)
tags: python
Making you understand the characteristics of Python Tuples and how you deal with them
www.einblick.ai
(2022-09-08)
tags: machine-learning, programming, python, visualization
towardsdatascience.com
(2022-09-05)
tags: pycaret, python
A beginner’s guide to PyCaret’s natural language processing module.
towardsdatascience.com
(2022-08-31)
tags: python
Deep dive into the import system
towardsdatascience.com
(2022-08-24)
tags: nlp, python, spacy
I’ve never used spaCy beyond simple named entity recognition tasks. Boy was I wrong.
towardsdatascience.com
(2022-08-23)
tags: pandas, python
Simple tips to optimize the memory utilization in Pandas
thecleverprogrammer.com
(2022-08-23)
tags: python
This article will take you through some of the most important Python modules for beginners. Most Important Python Modules for Beginners.
eugeneyan.com
(2022-08-20)
tags: python
Some off-the-beaten uses of Python learned from reading libraries.
www.the-analytics.club
(2022-08-19)
tags: python
How to painlessly monitor file creation, modification, and deletion programmatically.
towardsdatascience.com
(2022-08-19)
tags: python
Crystalise your understanding of this amazing library through animated GIFs and learn how to write more elegant code
towardsdatascience.com
(2022-08-19)
tags: nlp, nltk, python, spacy
Customizing displaCy’s entity visualizer
twitter.com
(2022-08-17)
tags: python
— Mike Driscoll (@driscollis)
towardsdatascience.com
(2022-08-08)
tags: machine-learning, python, visualization
Creating eye-catching graphs with Python to use instead of bar charts.
towardsdatascience.com
(2022-08-04)
tags: clustering, graphs, machine-learning, python
Graph partitioning has been a long-lasting problem and has a wide range of applications. This post shares the methodology for graph…
towardsdatascience.com
(2022-08-04)
tags: machine-learning, programming, python
Reduce time in your data science workflow with these libraries.
www.kdnuggets.com
(2022-08-01)
tags: python
Learn various techniques to reduce data processing time by using multiprocessing, joblib, and tqdm concurrent.
towardsdatascience.com
(2022-08-01)
tags: pytest, python
Write robust unit tests with Python pytest
towardsdatascience.com
(2022-07-26)
tags: graphs, matplotlib, python, visualization
The good-looking cousin of stacked area charts
towardsdatascience.com
(2022-07-26)
tags: matplotlib, python, visualization
Easily adding arrows, multiple axes, gradient fill, and more
towardsdatascience.com
(2022-07-23)
tags: databases, python
3 steps (+examples) to connect to MS SQL Server, MySQL, Oracle and many other databases
www.graphviz.org
(2022-07-20)
tags: graphs, programming, python, visualization
DOT rendering programs and utilities.
github.com
(2022-07-20)
tags: javascript, programming, python, ruby
Master programming by recreating your favorite technologies from scratch. - codecrafters-io/build-your-own-x
ona-book.org
(2022-07-20)
tags: books, graphs, python, _r_
A technical manual of graphs, networks and their applications in the people and social sciences
towardsdatascience.com
(2022-07-18)
tags: machine-learning, python, splines
Capturing non-linear advertising saturation and diminishing returns without explicitly transforming media variables
towardsdatascience.com
(2022-07-18)
tags: python, reinforcement-learning
One of the biggest barriers to traditional machine learning is that most supervised and unsupervised machine learning algorithms need huge amounts of data to be useful in real world use cases. Even…
towardsdatascience.com
(2022-07-13)
tags: machine-learning, python, scikit-learn, time-series
How to forecast with scikit-learn and XGBoost models with sktime
github.com
(2022-07-13)
tags: crypto, python
I'm sick of complex blogging solutions, so markdown files in a git repo it is - francisrstokes/githublog
towardsdatascience.com
(2022-07-13)
tags: algorithms-math, machine-learning, python
Brain-inspired unsupervised machine learning through competition, cooperation and adaptation
towardsdatascience.com
(2022-07-11)
tags: machine-learning, python
Use linear programming to minimize the difference between required and scheduled resources
twitter.com
(2022-07-07)
tags: python
— Mike Driscoll (@driscollis)
twitter.com
(2022-07-06)
tags: gifs, python
Here you can add multiple Images and duration as well in the code.
— Python Coding (@clcoding)
pythonanvil.com
(2022-07-05)
tags: programming, python, webdev
wesmckinney.com
(2022-07-02)
tags: programming, python
bair.berkeley.edu
(2022-06-24)
tags: machine-learning, python
github.com
(2022-06-23)
tags: browsers, programming, python, web-crawlers
🗃 Open source self-hosted web archiving. Takes URLs/browser history/bookmarks/Pocket/Pinboard/etc., saves HTML, JS, PDFs, media, and more... - ArchiveBox/ArchiveBox
medium.com
(2022-06-23)
tags: pandas, pocket, python
I’ve been using Pocket for many years to collate all the articles, blog posts, recipes, etcI’ve found online. I decided it would be…
dev.to
(2022-06-23)
tags: python
Python has a secret superpower with a similarly stupendous name: Magic Methods. These methods can...
towardsdatascience.com
(2022-06-22)
tags: geography, machine-learning, python, visualization
Using the Folium Package to Create Stunning Choropleths
towardsdatascience.com
(2022-06-22)
tags: python, visualization
How to make choropleths with different data structures in Python
towardsdatascience.com
(2022-06-22)
tags: machine-learning, python
How to use Python libraries like Open3D, PyVista, and Vedo for neighborhood analysis of point clouds and meshes through KD-Trees/Octrees
link.medium.com
(2022-06-07)
tags: programming, python
Part 6: Multiple Measures of Performance
towardsdatascience.com
(2022-06-04)
tags: animation, matplotlib, python, visualization
dev.to
(2022-06-04)
tags: command-line, pip, python
Whenever you are installing python packages, you should always use a virtual environment. pip makes...
dev.to
(2022-06-03)
tags: ocr, programming, python
Introduction Hello! In this quick tutorial I will show how to create a simple program...
towardsdatascience.com
(2022-06-03)
tags: python, streamlit
Streamlit may not have been designed for full-blown websites, but it is fairly straightforward to create multiple pages in a single app
towardsdatascience.com
(2022-06-01)
tags: cython, python
Easy Python code compilation for blazingly fast applications
github.com
(2022-06-01)
tags: design-patterns, python
A collection of design patterns/idioms in Python.
link.medium.com
(2022-05-28)
tags: geography, python
Maps and geography have been a long passion of mine, especially in my International Relations background. A side goal of mine as I grow as…
towardsdatascience.com
(2022-05-28)
tags: nlp, python
twitter.com
(2022-05-28)
tags: command-line, python
(BTW, bat: )
— Ned Batchelder (@nedbat)
towardsdatascience.com
(2022-05-28)
tags: decorators, python
Going knee-deep into the internals of Python
bytepawn.com
(2022-05-28)
tags: decorators, machine-learning, python
I show toy implementations of Python decorator patterns that may be useful for Data Scientists.
towardsdatascience.com
(2022-05-27)
tags: machine-learning, programming, python, scikit-learn
The introduction of the intel sklearn extension. Make your Random Forest even faster than XGBoost.
towardsdatascience.com
(2022-05-27)
tags: machine-learning, python
Which is the best algorithm?
softwareengineeringdaily.com
(2022-05-26)
tags: golang, python
Switching to a new language is always a big step, especially when only one of your team members has prior experience with that language. Early this year, we switched Stream’s primary programming language from Python to Go. This post will explain some of the reasons why we decided to leave Python behind and make the switch to
towardsdatascience.com
(2022-05-07)
tags: python, seaborn, visualization
Learn how to visualize data using Seaborn’s axes-level and figure-level plots
towardsdatascience.com
(2022-05-04)
tags: autoencoders, deep-learning, python
A comparison between Undercomplete and Sparse AE with a detailed Python example
towardsdatascience.com
(2022-05-04)
tags: pandas, python
A detailed explanation of how groupby works under the hood to help you understand it better.
betterdatascience.com
(2022-04-28)
tags: python
Let’s compare Python 3.10 vs. Python 3.11 in an extensive benchmark test. Spoiler alert: Python 3.11 is up to 64% faster!
towardsdatascience.com
(2022-04-09)
tags: machine-learning, python, scikit-learn
link.medium.com
(2022-04-08)
tags: clustering, machine-learning, python
Apply Louvain’s Algorithm in Python for Community Detection
link.medium.com
(2022-04-07)
tags: python
In this article we will focus on a complete walk through of a Python tuple data structure
dev.to
(2022-04-03)
tags: python
I was recently reading Django’s Source Code, and I came across the @wraps decorator, which led me to...
towardsdatascience.com
(2022-03-26)
tags: python, sql
Finally, start practicing SQL with your own database
towardsdatascience.com
(2022-03-26)
tags: python
Saving time and code with flexible utility functions and paradigms
towardsdatascience.com
(2022-03-23)
tags: python
Here is my take on this must-have Python library and why you should give it a try
docs.python.org
(2022-03-23)
tags: github-awesome, glossaries, python
>>>, The default Python prompt of the interactive shell. Often seen for code examples which can be executed interactively in the interpreter.,,..., Can refer to:- The default Python prompt of the i...
towardsdatascience.com
(2022-03-23)
tags: geography, python
Create interactive maps with just a few lines of Python code
github.com
(2022-03-23)
tags: github-awesome, python
An opinionated list of awesome Python frameworks, libraries, software and resources. - vinta/awesome-python
towardsdatascience.com
(2022-03-21)
tags: python
A peek into data structures, programming concepts, and best practices.
towardsdatascience.com
(2022-03-19)
tags: python
Understanding the purpose of requirements.txt, setup.py and setup.cfg in Python when developing and distributing packages
dev.to
(2022-03-17)
tags: programming, python
A test is code that executes code. When you start developing a new feature for your Python project,...
towardsdatascience.com
(2022-03-10)
tags: machine-learning, programming, prophet, python
As a data analyst at Microsoft, I must investigate and understand time-series data every day. Besides looking at some key performance…
towardsdatascience.com
(2022-02-21)
tags: pdfs, python, web-scraping
You want to make friends with tabula-py and Pandas
dev.to
(2022-02-21)
tags: ocr, pdfs, python
This is a cross-post from my blog Arcadian.Cloud, go there to see the original post. I have some...
towardsdatascience.com
(2022-02-21)
tags: pdfs, python, web-scraping
Extract Data from PDF Files Effectively
dev.to
(2022-02-20)
tags: python
Understanding Attributes in Python Python is a very dynamic language by nature. Variables...
networkx.org
(2022-02-20)
tags: algorithms-math, graphs, python
www.toptal.com
(2022-02-11)
tags: machine-learning, nlp, python, topic-modeling
Topic modeling can bring NLP to the next level. Here’s how.
twitter.com
(2022-02-06)
tags: pdfs, python
🐍🔥
— Mike Driscoll (@driscollis)
towardsdatascience.com
(2022-02-03)
tags: python
Immediately start using them…
towardsdatascience.com
(2022-02-02)
tags: algorithms-math, graphs, machine-learning, python
Because Graph Analytics is the future
github.com
(2022-01-29)
tags: machine-learning, python, scikit-learn
based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks
towardsdatascience.com
(2022-01-26)
tags: decorators, python
Do you want to write concise, readable, and efficient code? Well, python decorators may help you on your journey.
towardsdatascience.com
(2022-01-21)
tags: machine-learning, python, survival-analysis
A Quick Guide to The Weibull Analysis
github.com
(2022-01-17)
tags: machine-learning, prophet, python
Prophet (FB time series prediction package) docs to Python code. - bjpcjp/fb-prophet
github.com
(2022-01-17)
tags: python, visualization
Based on scatterplot by Myriam Barnes. A simple to viz categories in a scatter plot. - bjpcjp/category-scatterplot
towardsdatascience.com
(2022-01-17)
tags: maps, python, spatial, visualization
Who needs GIS when you can build eye-catching 3D topography maps with Python?
www.postgresqltutorial.com
(2022-01-16)
tags: postgres, python
This PostgreSQL Python section shows how to work with PostgreSQL from Python programming language using the psycopg2 database driver.
github.com
(2022-01-16)
tags: python, seaborn
Sourced from O'Reilly ebook of the same name.
github.com
(2022-01-16)
tags: pycaret, python
github.com
(2022-01-16)
tags: machine-learning, python, svm
based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks
github.com
(2022-01-16)
tags: numpy, python
Sourced from O'Reilly ebook of the same name.
numba.pydata.org
(2022-01-16)
tags: numba, python
docs.python.org
(2022-01-16)
tags: python
pandas.pydata.org
(2022-01-16)
tags: pandas, python
github.com
(2022-01-16)
tags: pandas, python
Sourced from O'Reilly ebook of the same name.
towardsdatascience.com
(2022-01-16)
tags: hyperparameters, machine-learning, optimization, python
Easily and efficiently optimize your model’s hyperparameters with Optuna with a mini project
twitter.com
(2022-01-16)
tags: python, youtube
🐍🔥
— Mike Driscoll (@driscollis)
blankly.finance
(2022-01-15)
tags: finance, python
Build in minutes. Deploy in seconds. Quant workflow reimagined. Built by developers for developers 🚀
dev.to
(2022-01-15)
tags: finance, python, risk
Metrics surround us. Whether you're building the next big thing and need to measure customer churn,...
www.python-excel.org
(2022-01-15)
tags: excel, python
docs.python.org
(2022-01-12)
tags: python
docs.python.org
(2022-01-12)
tags: python
docs.python.org
(2022-01-12)
tags: python
blog.jupyter.org
(2022-01-12)
tags: jupyter, python
IPython is a powerful Python REPL that gives you tab completion, better tracebacks, multiline editing, and several useful features on top…
dev.to
(2021-12-23)
tags: machine-learning, machine-vision, python
github.com
(2021-12-15)
tags: pandas, python
pythonnumericalmethods.berkeley.edu
(2021-12-08)
tags: books, python
towardsdatascience.com
(2021-12-08)
tags: pdfs, programming, python
This article is a comprehensive overview of different open-source tools to extract text and tabular data from PDF Files
towardsdatascience.com
(2021-12-07)
tags: csv, machine-learning, pandas, python
Master usecols, chunksize, parse_dates in pandas read_csv().
link.medium.com
(2021-12-04)
tags: machine-learning, python
Here is my take on this cool Python library and why you should give it a try
builtin.com
(2021-12-03)
tags: dimentionality-reduction, machine-learning, python
Dimensionality reduction is a vital tool for data scientists across industries. Here is a guide to getting started with it.
www.mihaileric.com
(2021-11-03)
tags: machine-learning, programming, python
In this first post in a series on how to build a complete machine learning product from scratch, I describe how to setup your project and tooling.
towardsdatascience.com
(2021-10-23)
tags: distributions, prob-stats, python, scipy
How to Model random Processes with Distributions and Fit them to Observational Data
docs.python.org
(2021-10-19)
tags: programming, python
Source code: Lib/functools.py The functools module is for higher-order functions: functions that act on or return other functions. In general, any callable object can be treated as a function for t...
sadh.life
(2021-10-18)
tags: python
Python has a whole lot of builtins that are unknown to most people. This guide aims to introduce you to everything that Python has to offer, through its seemingly obscure builtins.
learning.oreilly.com
(2021-10-18)
tags: python, streamlit
Create, deploy, and test your Python applications, analyses, and models with ease using Streamlit Key Features Learn how to showcase machine learning models in a Streamlit application effectively and efficiently … - Selection from Getting Started with Streamlit for Data Science [Book]
towardsdatascience.com
(2021-10-17)
tags: python
Why, when, and how — Learn assert statements in Python right now.
link.medium.com
(2021-10-17)
tags: machine-learning, pycaret, python
Low-code Machine Learning with a Powerful Python Library
venturebeat.com
(2021-10-12)
tags: machine-learning, programming, python, streamlit
Streamlit releases v1.0 of its DataOps platform for data science apps to make it easier for data scientists to share code and components.
github.com
(2021-10-03)
tags: algorithms-math, github, python
All Algorithms implemented in Python.
dev.to
(2021-10-01)
tags: heroku, python, streamlit
Hello everyone, This is a step by step tutorial about how to deploy your Streamlit app to Heroku. ...
towardsdatascience.com
(2021-10-01)
tags: heroku, mongodb, python, streamlit
An aspiring Full Stack Developer’s guide to quickly developing and deploying scalable web applications
towardsdatascience.com
(2021-09-28)
tags: machine-learning, python, regressions, scikit-learn
Hands-on tutorial to effectively use different Regression Algorithms
www.kdnuggets.com
(2021-09-25)
tags: dask, python
This article is the second article of an ongoing series on using Dask in practice. Each article in this series will be simple enough for beginners, but provide useful tips for real work. The first article in the series is about using LocalCluster.
towardsdatascience.com
(2021-09-25)
tags: pdfs, programming, python
Leveraging automation to create dazzling PDF documents effortlessly
scikit-learn.org
(2021-09-14)
tags: python, scikit-learn
For a short description of the main highlights of the release, please refer to Release Highlights for scikit-learn 1.0. Legend for changelogs something big that you couldn’t do before., something t...
www.crummy.com
(2021-09-08)
tags: programming, python, regexes, web-scraping
github.com
(2021-09-06)
tags: github, python
Just a place to store cheatsheets.
www.kdnuggets.com
(2021-08-28)
tags: command-line, pandas, programming, python
Quick Python solutions to help your data science cycle.
thecleverprogrammer.com
(2021-08-21)
tags: programming, python
In this article, I will introduce you to a tutorial on the Python Imaging Library. Learn how to use Python Imaging Library or PIL.
towardsdatascience.com
(2021-08-17)
tags: geofencing, python
Taking Advantage of Your Location Data for an Expansive Range of Possibilities
pandas.pydata.org
(2021-08-09)
tags: pandas, python
towardsdatascience.com
(2021-07-30)
tags: machine-learning, machine-vision, python
OpenCV is not the only one
pypi.org
(2021-07-20)
tags: machine-learning, python, scikit-learn
Intel(R) Extension for Scikit-learn is a seamless way to speed up your Scikit-learn application.
pymol.org
(2021-07-18)
tags: biology, deep-learning, programming, python, visualization
towardsdatascience.com
(2021-07-16)
tags: algorithms-math, python
How does a generator in Python work?
towardsdatascience.com
(2021-07-15)
tags: command-line, pip, programming, python
Exploring some of the most useful pip commands for everyday programming
towardsdatascience.com
(2021-07-13)
tags: pytest, python
Passing Arguments to Fixtures and Test Functions
martinheinz.dev
(2021-07-10)
tags: python
There are lots of great Python libraries, but most of them don't come close to what built-in itertools and also
link.medium.com
(2021-07-05)
tags: decorators, python
Analyze, test, and re-use your code with little more than an @ symbol
towardsdatascience.com
(2021-07-04)
tags: algorithms-math, machine-learning, python, survival-analysis
What companies can learn from employee turnover data
github.com
(2021-07-03)
tags: python, storytelling
Facebook AI Research Sequence-to-Sequence Toolkit written in Python. - facebookresearch/fairseq
towardsdatascience.com
(2021-07-03)
tags: excel, machine-learning, pandas, python, supply-chain
In this article, I’ll show you five ways to load data in Python. Achieving a speedup of 3 orders of magnitude.
github.com
(2021-06-28)
tags: algorithms-math, glossaries, python
All Algorithms implemented in Python.
towardsdatascience.com
(2021-06-26)
tags: excel, programming, python, streamlit
Present your data as an interactive dashboard web application using the python library Streamlit
pytorch.org
(2021-06-25)
tags: linear-algebra, python, pytorch
Linear algebra is essential to deep learning and scientific computing, and it’s always been a core part of PyTorch. PyTorch 1.9 extends PyTorch’s support for linear algebra operations with the torch.linalg module. This module, documented here, has 26 operators, including faster and easier to use versions of older PyTorch operators, every function from NumPy’s linear algebra module extended with accelerator and autograd support, and a few operators that are completely new. This makes the torch.linalg immediately familiar to NumPy users and an exciting update to PyTorch’s linear algebra support.
github.com
(2021-06-25)
tags: boosting, gaussian, machine-learning, python
Combining tree-boosting with Gaussian process and mixed effects models - fabsig/GPBoost
karpathy.github.io
(2021-06-23)
tags: bitcoin, python
Musings of a Computer Scientist.
huggingface.co
(2021-06-21)
tags: deep-learning, python, pytorch
We’re on a journey to advance and democratize artificial intelligence through open source and open science.
www.linkedin.com
(2021-06-21)
tags: python
In this post, we will understand how python functional programming can be used efficiently to achieve tasks artistically as it is rightly said programming is indeed an art. We prefer using higher-order functions than simply looping because internally these are implemented in C making them more effic
towardsdatascience.com
(2021-06-19)
tags: programming, python
Automate your Python script execution — works on Linux and macOS.
link.medium.com
(2021-06-19)
tags: programming, python
A deep dive into Python virtual environments, pip and avoiding entangled dependencies
towardsdatascience.com
(2021-06-14)
tags: python
Set your application secrets, load, and retrieve them easily in your Data Science apps.
towardsdatascience.com
(2021-06-14)
tags: dash, programming, python
Draw with Plotly, Embed Bootstrap CSS, Upload & Download files, Change Inputs after selection, Navbars, Spinners, and more…
towardsdatascience.com
(2021-06-14)
tags: programming, python, streamlit
Using Streamlit to Build an ML-based Web Application
towardsdatascience.com
(2021-06-12)
tags: matplotlib, python, seaborn, visualization
Should you bypass Matplotlib?
towardsdatascience.com
(2021-06-08)
tags: python
In a real-life factory, the production of identical or similar objects is not done individually but rather streamlined in assembly lines. Similarly, the factory design pattern allows you to create…
www.kdnuggets.com
(2021-05-31)
tags: pandas, python
Learn how to speed up your Pandas workflow using the PyPolars library.
towardsdatascience.com
(2021-05-30)
tags: machine-learning, python, visualization
Scroll down to see how to interpret a plot created by a great tool for comparing two classes and their corpora.
towardsdatascience.com
(2021-05-28)
tags: dask, pandas, python
Are you a Data Scientist experienced with Pandas? Then you know its pain points. There's an easy solution - Dask - which enables you to run Pandas computations in parallel.
towardsdatascience.com
(2021-05-28)
tags: python
If you are a beginning Python programmer, you might come across function declarations with parameters that look like this: The * and the ** operators above allow you to pass in variable number of…
towardsdatascience.com
(2021-05-27)
tags: finance, python
To be honest, the title of the article does quite a good job in describing what Quantra actually is. It’s a platform that helps potential students with their journey of learning about quantitative…
dev.to
(2021-05-24)
tags: opencv, python
In this tutorial, I will show you how to give a cartoon-effect to an image in Python with OpenCV. Op...
towardsdatascience.com
(2021-05-24)
tags: prodmgmt, pycaret, python
A step-by-step guide on how to predict customer churn the right way using PyCaret that actually optimizes the business objective and improves ROI for the business.
blog.guilatrova.dev
(2021-05-22)
tags: python
In this post, I show you a real-life example of how to create, handle and log exceptions effectively in Python.
ai.facebook.com
(2021-05-19)
tags: deep-learning, python, pytorch, video
thecleverprogrammer.com
(2021-05-18)
tags: datasets, python, web-scraping
In this article, I'm going to walk you through a tutorial on web scraping to create a dataset using Python and BeautifulSoup.
github.com
(2021-05-18)
tags: matplotlib, python, visualization
Publication-quality data representation library based on Matplotlib. - alopezrivera/mpl_plotter
towardsdatascience.com
(2021-05-18)
tags: machine-learning, python, pytorch
Word on the street is that PyTorch lightning is a much better version of normal PyTorch. But what could it possibly have that it brought such consensus in our world? Well, it helps researchers scale…
www.kdnuggets.com
(2021-05-17)
tags: pandas, python, vaex
If you are working with big data, especially on your local machine, then learning the basics of Vaex, a Python library that enables the fast processing of large datasets, will provide you with a productive alternative to Pandas.
dev.to
(2021-05-07)
tags: deep-learning, machine-vision, programming, python
Computer vision is the field of computer science that focuses on replicating parts of the complexity...
muhammadraza.me
(2021-05-05)
tags: bash, linux, python
Commandline one liners that makes your workflow more productive
facebook.github.io
(2021-05-05)
tags: machine-learning, prophet, python, time-series
Prophet is a forecasting procedure implemented in R and Python. It is fast and provides completely automated forecasts that can be tuned by hand by data scientists and analysts.
towardsdatascience.com
(2021-05-05)
tags: python, spatial, visualization
I recently wrote a post about visualizing weather data from NOAA. We walked through processing the data and making some basic interactive maps with Plotly. In this article I want to use the same data…
dev.to
(2021-05-05)
tags: python, streamlit
Sometimes you make a data science , machine learning or computer vision projects but suddenly you stu...
towardsdatascience.com
(2021-05-05)
tags: dask, programming, python
This article will first address what makes Dask special and then explain in more detail how Dask works. So: what makes Dask special? Python has a rich ecosystem of data science libraries including…
dev.to
(2021-05-05)
tags: python, sql, sqlite
To explore SQLite along with Python, which is a user-friendly and no-nonsense language, we are going...
towardsdatascience.com
(2021-05-02)
tags: cellular-automata, python
Automation epitomizes the last few decades of rapid technological development where many processes take place without human intervention. But what exactly does it mean? These are the two most common…
towardsdatascience.com
(2021-05-02)
tags: pandas, python
Pandas is a data analysis and manipulation library for Python. It is one of the most popular tools among data scientists and analysts. Pandas can handle an entire data analytics pipeline. It provides…
towardsdatascience.com
(2021-05-01)
tags: machine-learning, programming, python
As Data Science continues to grow and develop, it’s only natural for new tools to emerge, especially considering the fact that data…
towardsdatascience.com
(2021-04-28)
tags: machine-learning, python, scikit-learn
If you are dealing with a classification task, I recommend the modAL. As for the sequence labeling task, the AlpacaTag is the only choice for you. Active learning could decrease the number of labels…
towardsdatascience.com
(2021-04-26)
tags: geography, pandas, python
Part 1: Introduction to geospatial concepts (follow here) Part 2: Geospatial visualization and geometry creation (follow here) Part 3: Geospatial operations (this post) Part 4: Building geospatial…
towardsdatascience.com
(2021-04-25)
tags: numpy, python
How to stack your array horizontally and vertically, find unique values, split your array and some more tips to use Numpy effectively.
www.kdnuggets.com
(2021-04-22)
tags: machine-learning, pycaret, python, time-series
PyCaret is an alternate low-code library that can be used to replace hundreds of lines of code with few lines only. See how to use PyCaret's Regression Module for Time Series Forecasting.
www.mvanga.com
(2021-04-20)
tags: music, python
A basic introduction to Western music theory using the Python programming language to derive scales, chords, and modes in every key.
towardsdatascience.com
(2021-04-18)
tags: excel, programming, python
Design of Excel Automation Tools for Sales Analytics ready to be used by your colleagues without any prior knowledge of Python
towardsdatascience.com
(2021-04-18)
tags: pdfs, programming, python
How to extract and convert tables from PDFs into Pandas Dataframe using Camelot
towardsdatascience.com
(2021-04-17)
tags: python
towardsdatascience.com
(2021-04-13)
tags: boosting, machine-learning, python
XGBoost explained as well as gradient boosting method and HP tuning by building your own gradient boosting library for decision trees.
tanelp.github.io
(2021-04-11)
tags: numpy, python, pytorch
A bug that plagues thousands of open-source ML projects.
developer.nvidia.com
(2021-04-09)
tags: gpus, nvidia, python
This post is the seventh installment of the series of articles on the RAPIDS ecosystem. The series explores and discusses various aspects of RAPIDS that allow its users solve ETL (Extract, Transform…
towardsdatascience.com
(2021-04-09)
tags: python
A quick look at an easy way to make Python faster and more effective for machine-learning by using the itertools module.
towardsdatascience.com
(2021-04-03)
tags: pandas, python
A quick tutorial to drop duplicates using the Python Pandas library.
bart.degoe.de
(2021-03-28)
tags: keywords-ppc-seo, python, search
Full-text search is everywhere. From finding a book on Scribd, a movie on Netflix, toilet paper on Amazon, or anything else on the web through Google (like [how to do your job as a software engineer](https://localghost.dev/2019/09/everything-i-googled-in-a-week-as-a-professional-software-engineer/)), you've searched vast amounts of unstructured data multiple times today. What's even more amazing, is that you've even though you searched millions (or [billions](https://www.worldwidewebsize.com/)) of records, you got a response in milliseconds. In this post, we are going to build a basic full-text search engine that can search across millions of documents and rank them according to their relevance to the query in milliseconds, in less than 150 lines of code!
towardsdatascience.com
(2021-03-23)
tags: boosting, machine-learning, python
GPU vs CPU training speed comparison for xgboost
sicara.ai
(2021-03-22)
tags: machine-learning, python
developer.nvidia.com
(2021-03-22)
tags: gpus, machine-learning, nvidia, python, scikit-learn
towardsdatascience.com
(2021-03-22)
tags: pandas, python
No need to install, import and initialize — Just use them
towardsdatascience.com
(2021-03-21)
tags: jupyter, machine-learning, python
for beginners as well as advanced users
towardsdatascience.com
(2021-03-19)
tags: pandas, python
Pandas tips and tricks to help you get started with data analysis
towardsdatascience.com
(2021-03-10)
tags: pandas, python
A comprehensive practical guide
dev.to
(2021-03-06)
tags: python
Photo by Divide By Zero on Unsplash There are a ton of awesome packages available in the Python ecos...
towardsdatascience.com
(2021-03-06)
tags: machine-learning, pycaret, python
Train, visualize, evaluate, interpret, and deploy models with minimal code.
towardsdatascience.com
(2021-03-06)
tags: pandas, python
Groupby is so powerful, which may sound daunting to beginners, but you don’t have to know all of its features.
towardsdatascience.com
(2021-03-04)
tags: jupyter, python
JupyterLab moves closer to becoming a full-fledged IDE with xeus-python.
github.com
(2021-03-01)
tags: machine-learning, optimization, python
Simple and reliable optimization with local, global, population-based and sequential techniques in numerical discrete search spaces. - SimonBlanke/Gradient-Free-Optimizers
link.medium.com
(2021-03-01)
tags: analytics, dask, pandas, python, vaex
Pandas doesn’t handle well Big Data. These two libraries do! Which one is better? Faster?
pycaret.readthedocs.io
(2021-02-25)
tags: machine-learning, programming, pycaret, python
pycaret.org
(2021-02-25)
tags: machine-learning, programming, pycaret, python
[et_pb_section fb_built=”1″ admin_label=”Header” _builder_version=”4.12.0″ background_color=”#01012C” collapsed=”on” global_colors_info=”{}”][et_pb_row column_structure=”1_2,1_2″ _builder_version=”4.12.0″ collapsed=”on” global_colors_info=”{}”][et_pb_column type=”1_2″ _builder_version=”4.12.0″ z_index=”10″ custom_padding=”18%||||false|false” global_colors_info=”{}”][et_pb_text _builder_version=”4.14.7″ text_font=”Montserrat|800|||||||” text_text_color=”#01012C” text_font_size=”470px” text_line_height=”1em” positioning=”absolute” custom_margin=”|-30%||-10%|false|false” custom_margin_tablet=”|0%||-5%|false|false” custom_margin_phone=”|0%|||false|false” custom_margin_last_edited=”on|desktop” text_font_size_tablet=”40vw” text_font_size_phone=”40vw” text_font_size_last_edited=”on|tablet” text_text_shadow_style=”preset5″ text_text_shadow_horizontal_length=”-1.5px” text_text_shadow_vertical_length=”-1.5px” text_text_shadow_color=”#DB0EB7″ global_colors_info=”{}”] pc [/et_pb_text][et_pb_text _builder_version=”4.14.7″ header_font=”Barlow Condensed|500|||||||” header_text_color=”#FFFFFF” header_font_size=”122px” custom_margin=”||0px||false|false” header_font_size_tablet=”42px” header_font_size_phone=”26px” header_font_size_last_edited=”on|tablet” global_colors_info=”{}”] low-code machine learning [/et_pb_text][et_pb_button button_url=”https://pycaret.gitbook.io” url_new_window=”on” button_text=”GET STARTED” _builder_version=”4.14.7″ […]
www.kdnuggets.com
(2021-02-24)
tags: machine-learning, python, survival-analysis
Concluding this three-part series covering a step-by-step review of statistical survival analysis, we look at a detailed example implementing the Kaplan-Meier fitter based on different groups, a Log-Rank test, and Cox Regression, all with examples and shared code.
towardsdatascience.com
(2021-02-18)
tags: a-b, analytics, python
Optimizing web marketing strategies through statistical testing
github.com
(2021-02-18)
tags: a-b, analytics, python
A/B Testing — A complete guide to statistical testing - bjpcjp/AB_Testing
towardsdatascience.com
(2021-02-10)
tags: graphs, machine-learning, python
A comprehensive guide on standard generative graph approaches with implementation in NetworkX
towardsdatascience.com
(2021-02-07)
tags: python
The essential for Python in tasks automation apps
towardsdatascience.com
(2021-02-01)
tags: image-segmentation, machine-vision, python, scikit-image
How to use the Gaussian Distribution for Image Segmentation
towardsdatascience.com
(2021-01-30)
tags: images, python, scikit-image
How to identify similar objects in your image
towardsdatascience.com
(2021-01-28)
tags: images, machine-learning, python, scikit-image
How to identify and segregate specific blobs in your image
towardsdatascience.com
(2021-01-19)
tags: kern, machine-learning, python, svm
A complete explanation of the inner workings of Support Vector Machines (SVM) and Radial Basis Function (RBF) kernel
towardsdatascience.com
(2021-01-19)
tags: pdfs, python, visualization
Create PDF reports with beautiful visualizations in 10 minutes or less.
towardsdatascience.com
(2021-01-17)
tags: python
Essential guide to multiprocessing with Python.
towardsdatascience.com
(2021-01-08)
tags: machine-learning, python, scikit-learn
An Overview of the Most Important Features in Version 0.24
towardsdatascience.com
(2021-01-04)
tags: python
towardsdatascience.com
(2021-01-02)
tags: images, python, scikit-image
How do you apply convolution kernels to colored images?
tech.wayfair.com
(2021-01-02)
tags: analytics, python
Uplift models seek to predict the incremental value attained in response to a treatment. For example, if we want to know the value of showing an advertisement to someone, typical response models will only tell us that a person is likely to purchase after being given an advertisement, though they may have been likely to purchase already. Uplift models will predict how much more likely they are to purchase after being shown the ad. The most scalable uplift modeling packages to date are theoretically rigorous, but, in practice, they can be prohibitively slow. We have written a Python package, pylift, that implements a transformative method wrapped around scikit-learn to allow for (1) quick implementation of uplift, (2) rigorous uplift evaluation, and (3) an extensible python-based framework for future uplift method implementations.
towardsdatascience.com
(2020-12-29)
tags: images, python, scikit-image
A deeper look into the fundamentals of image dilation and erosion with the use of kernels.
towardsdatascience.com
(2020-12-26)
tags: analytics, python, visualization
A heatmap is a graphical representation of data in which data values are represented as colors. That is, it uses color in order to…
www.datasciencecentral.com
(2020-12-25)
tags: books, deep-learning, python, tensorflow
medium.com
(2020-12-24)
tags: algorithms-math, python
The string matching problem also known as “the needle in a haystack” is one of the classics. This simple problem has a lot of application…
towardsdatascience.com
(2020-12-23)
tags: algorithms-math, machine-learning, optimization, python
Demystifying the inner workings of BFGS optimization
tryolabs.com
(2020-12-22)
tags: python
There are so many amazing Python libraries out there that it's hard to keep track of all of them. That's why we share with you our hand-picked selection of some top libraries.
docs.python.org
(2020-12-18)
tags: devops, python
Source code: Lib/shutil.py The shutil module offers a number of high-level operations on files and collections of files. In particular, functions are provided which support file copying and removal...
docs.microsoft.com
(2020-12-18)
tags: azure, devops, flask, python
Get started with Azure App Service by deploying your first Python app to Azure App Service.
towardsdatascience.com
(2020-12-18)
tags: gifs, images, python
A visual analysis of Brazilian Higher Education history
t.co
(2020-12-18)
tags: programming, python
medium.com
(2020-12-18)
tags: python, supply-chain
Design a simulation model to estimate the impact of several Single Picker Routing Problem strategies in your Picking Productivity
towardsdatascience.com
(2020-12-18)
tags: prophet, python
Using Prophet to forecast commodity prices
towardsdatascience.com
(2020-12-18)
tags: graphs, machine-learning, python
A simple introduction to matching in bipartite graphs with Python code examples
www.datasciencecentral.com
(2020-12-10)
tags: python
This article was written by Louis Tiao. In this series of notebooks, we demonstrate some useful patterns and recipes for visualizing animating optimization algorithms using Matplotlib. We shall restrict our attention to 3-dimensional problems for right now (i.e. optimizing over only 2 parameters), though what follows can be extended to higher dimensions… Read More »Visualizing and Animating Optimization Algorithms with Matplotlib
linuxize.com
(2020-12-10)
tags: flask, linux, python
In this article we'll discuss how to install Flask on Ubuntu 20.04 inside a Python virtual environment.
towardsdatascience.com
(2020-12-10)
tags: python
Color transfer, Image editing and Automatic Translation
towardsdatascience.com
(2020-12-10)
tags: python, visualization
Learn to Develop Choropleth Map Easily Using Python’s Folium Library
towardsdatascience.com
(2020-12-10)
tags: python, visualization
Create stunning visualizations for Pandas DataFrames
towardsdatascience.com
(2020-12-09)
tags: python
Pywedge helps in visualizing the data, preprocessing, and creating baseline models
towardsdatascience.com
(2020-11-30)
tags: numpy, python
NumPy forms the basis of many Python libraries in the data science domain.
towardsdatascience.com
(2020-11-29)
tags: monte-carlo, python
An introduction to PyMC3 through a concrete example
towardsdatascience.com
(2020-11-29)
tags: python
A brief introduction to Python’s Peephole optimization technique
analysis-tools.dev
(2020-11-29)
tags: cpp, programming, python, ruby
Find static code analysis tools and linters for Java, JavaScript, PHP, Python, Ruby, C/C++, C#, Go, Swift, and more. All tools and linters are peer-reviewed by fellow developers to select the best tools available. Avoid bugs in production, outages on weekends, and angry customers.
towardsdatascience.com
(2020-11-29)
tags: python
Understand Python’s optimization technique — Interning.
towardsdatascience.com
(2020-11-29)
tags: python
Curly brace scopes, autovivification, and other methods for writing better code
towardsdatascience.com
(2020-11-29)
tags: python, time-series
Finding Conserved Patterns Across Two Time Series
towardsdatascience.com
(2020-11-22)
tags: decorators, python
Let’s master the more advanced topics in no-time
towardsdatascience.com
(2020-11-19)
tags: machine-learning, python, speech-recognition
Learn which of the 9 most prominent automatic speech recognition engines is best for your needs, and how to use it in Python programs.
towardsdatascience.com
(2020-11-19)
tags: machine-learning, pandas, python
towardsdatascience.com
(2020-11-17)
tags: pyspark, python
Performing Data Visualization using PySpark
www.debuntu.org
(2020-11-03)
tags: python, venv
A nice thing about Python is that there is tons of modules available out there. Not all those modules are readily available for your distro and even if there were, chances are that a newer release with new features is already out there.
dev.to
(2020-11-03)
tags: python
Asyncio helps you to write asynchronous functions using python making your application a lot faster with better user experience with its easy to use syntax.
stacks.stanford.edu
(2020-11-03)
tags: cartoons, python
github.com
(2020-11-03)
tags: geography, python
Geometric Algebra for Python.
towardsdatascience.com
(2020-11-03)
tags: numba, python
A quick look at a fantastic tool for making Python better in 2020.
dev.to
(2020-11-03)
tags: python
In a previous post, I created a guide for JavaScript higher-order functions to make dealing with arra...
towardsdatascience.com
(2020-11-03)
tags: machine-learning, python, vision
A step-by-step guide to apply perspective transformation on images
t.co
(2020-11-03)
tags: python
A unique python library that extends the python programming language and provides utilities that enhance productivity.
www.kdnuggets.com
(2020-11-03)
tags: pycaret, python
towardsdatascience.com
(2020-11-03)
tags: python
How you could use defaultdict and Counter to make your code short and readable
tenthousandmeters.com
(2020-11-03)
tags: cpython, python
In the first post of the series we've looked at the CPython VM. We've learned that it works by executing a series of instructions called bytecode....
www.kdnuggets.com
(2020-11-03)
tags: python
Let’s look at the performance of our Python programs and see how to make them up to 30% faster!
towardsdatascience.com
(2020-11-03)
tags: flask, heroku, python, reactjs
Making a Framework for API Development and Deployment
towardsdatascience.com
(2020-11-03)
tags: machine-learning, python
I come from the world of MATLAB and numerical computing, where for loops are shorn and vectors are king. During my PhD at UVM, Professor…
towardsdatascience.com
(2020-11-03)
tags: python
A Comprehensive Guide to Pytest for your Data Science Projects
towardsdatascience.com
(2020-11-03)
tags: machine-learning, python
A tour of one of the most popular topic modelling techniques and a guide to implementing and visualising it using pyLDAvis
towardsdatascience.com
(2020-11-03)
tags: geography, python
How to easily and effectively incorporate spatial features in Python using Geopandas
towardsdatascience.com
(2020-11-03)
tags: databases, python
How to manage external resources in Python with your custom context managers
towardsdatascience.com
(2020-11-03)
tags: dask, pandas, python
Scaling your Pythonic data science and machine learning to the cloud using Dask. All from the comfort of your own laptop.
towardsdatascience.com
(2020-11-03)
tags: plotly, python, visualization
I have been working as a Data Analyst for almost 5 years now but, in this time I have mostly used business intelligence software for all…
towardsdatascience.com
(2020-11-02)
tags: geography, python
How to use GeoPandas and Leaflet?
towardsdatascience.com
(2020-11-02)
tags: machine-learning, python
Python 3.9 New Feature Guide
towardsdatascience.com
(2020-11-02)
tags: pandas, python
pysdr.org
(2020-11-02)
tags: dsp, python
towardsdatascience.com
(2020-11-02)
tags: dask, python
A simple solution for data analytics for big data parallelizing computation in Numpy, Pandas, and Scikit-Learn Frameworks.
towardsdatascience.com
(2020-11-02)
tags: cython, python
This article was originally published on the Paperspace blog. You can run the code for my tutorials for free on Gradient.
github.com
(2020-11-02)
tags: python
How to make CPython faster.
www.gfx.dev
(2020-10-20)
tags: movies-television, python
A look into how Python is used to bring your favorite movies to the big screen.
towardsdatascience.com
(2020-08-18)
tags: pdfs, python
A quick guide for extracting the tables from PDF files in Python using Camelot library
towardsdatascience.com
(2020-08-10)
tags: python
Top 3 Excel-Python integration methods and what you can do with them
towardsdatascience.com
(2020-08-10)
tags: pandas, python
towardsdatascience.com
(2020-08-10)
tags: python, pytorch
As the ever-growing demand for deep learning continues to rise, more developers and data scientists are joining the deep-learning…
towardsdatascience.com
(2020-08-10)
tags: machine-learning, python
Overview of the latest developments in version 0.23
www.kdnuggets.com
(2020-08-10)
tags: python
As a Data Scientist, you are already spending most of your time getting your data ready for prime time. Follow these real-world scenarios to learn how to leverage the advanced techniques in Python of list comprehension, Lambda expressions, and the Map function to get the job done faster.
towardsdatascience.com
(2020-08-10)
tags: python
Enhance your data science project
towardsdatascience.com
(2020-08-10)
tags: algorithms-math, python
We show how to emulate Brownian motion, the most famous stochastic process used in a wide range of applications, using simple Python code.
towardsdatascience.com
(2020-07-25)
tags: python, visualization
Confused about which Visualization Tool to Use? I Broke Down the Pros and Cons of Each Libary for You
towardsdatascience.com
(2020-07-22)
tags: python, seaborn, visualization
towardsdatascience.com
(2020-07-21)
tags: python
Master the Python Dictionary with these tips
www.sympy.org
(2020-07-08)
tags: python, sympy
towardsdatascience.com
(2020-06-24)
tags: pandas, python
When and how to use which.
towardsdatascience.com
(2020-06-24)
tags: pyspark, python
A short guide to the PySpark DataFrames API
towardsdatascience.com
(2020-06-24)
tags: python
Compare good writing style and bad writing style with the code runtime
johnlekberg.com
(2020-06-24)
tags: python
towardsdatascience.com
(2020-06-24)
tags: python
Effectively merge an unknown number of lists
towardsdatascience.com
(2020-06-17)
tags: python
Understand the basics with a concrete example!
martinheinz.dev
(2020-06-03)
tags: debugging, python
Even if you write clear and readable code, even if you cover your code with tests, even if you are very experienced developer, weird bugs will inevitab...
towardsdatascience.com
(2020-06-03)
tags: pandas, python
Pandas: From Journeyman to Master — Voice from the victim.
towardsdatascience.com
(2020-06-02)
tags: machine-learning, python
Do you know about these packages?
towardsdatascience.com
(2020-06-01)
tags: python
towardsdatascience.com
(2020-06-01)
tags: machine-learning, python
Not enough data for Deep Learning? Try Eigenfaces.
towardsdatascience.com
(2020-06-01)
tags: python, visualization
Ultra high resolution satellite and elevation imagery
towardsdatascience.com
(2020-06-01)
tags: datasets, python
A different approach to import data files automatically in python.
towardsdatascience.com
(2020-06-01)
tags: python
Use Python to set your path towards it.
towardsdatascience.com
(2020-06-01)
tags: machine-learning, nlp, python
towardsdatascience.com
(2020-06-01)
tags: flask, python
Hey guys this my first blog on Medium. This is an Iris classification ML model turned into a flask app for hosting on Heroku.
towardsdatascience.com
(2020-06-01)
tags: python
A deep dive beginner’s guide into different python virtual environments, the benefits of each, and how to get started using them
towardsdatascience.com
(2020-06-01)
tags: dask, pandas, python
Use Pandas with Dask to save time and resources. This combination will make your notebook ultra fast
towardsdatascience.com
(2020-06-01)
tags: fonts-typography, python, visualization
A Picture is worth a thousand words. Literally! there are 2200+ words in this picture. 😱
towardsdatascience.com
(2020-06-01)
tags: python
www.kdnuggets.com
(2020-06-01)
tags: machine-learning, programming, python
Check out these 5 cool Python libraries that the author has come across during an NLP project, and which have made their life easier.
towardsdatascience.com
(2020-06-01)
tags: machine-learning, python
Building up the intuition for how matrices help to solve a system of linear equations and thus regressions problems
dev.to
(2020-06-01)
tags: python, sets
Introduction to sets in Python
towardsdatascience.com
(2020-06-01)
tags: python
Elegant, comfortable, concise, and fast way to build lists
towardsdatascience.com
(2020-06-01)
tags: python, sets
Guidelines to use sets in Python
towardsdatascience.com
(2020-06-01)
tags: machine-learning, python
Explaining outlier detection with PyCaret library in python
machinelearningmastery.com
(2020-06-01)
tags: feature-engineering, machine-learning, python
Recursive Feature Elimination, or RFE for short, is a popular feature selection algorithm. RFE is popular because it is easy to configure and use and because it is effective at selecting those features (columns) in a training dataset that are more or most relevant in predicting the target variable. There are two important configuration options when using RFE: the choice…
www.integralist.co.uk
(2020-06-01)
tags: concurrency, python
This is a quick guide to Python’s asyncio module and is based on Python version 3.8. Introduction Why focus on asyncio? A quick asyncio summary A quick concurrent.futures summary Green Threads? Event Loop Awaitables Coroutines Tasks Futures Running an asyncio program Running Async Code in the REPL Use another Event Loop Concurrent Functions Deprecated Functions Examples gather wait wait_for as_completed create_task Callbacks Pools Executors asyncio.Future vs concurrent.futures.Future asyncio.wrap_future Introduction So let’s start by addressing the elephant in the room: there are many modules provided by the Python standard library for handling asynchronous/concurrent/multiprocess code…
cjolowicz.github.io
(2020-06-01)
tags: python
A guide to modern Python tooling with a focus on simplicity and minimalism.
towardsdatascience.com
(2020-06-01)
tags: pandas, python
Sample, where, isin explained in detail with examples.
towardsdatascience.com
(2020-06-01)
tags: flask, python
towardsdatascience.com
(2020-05-19)
tags: pandas, python
Clearly distinguish loc and iloc
towardsdatascience.com
(2020-05-16)
tags: prodmgmt, python
Lagrange Multiplier on a function with 2 variables with 1 equality constraint
towardsdatascience.com
(2020-05-15)
tags: python, sqlite
Everything You Need to Get Started!
towardsdatascience.com
(2020-05-15)
tags: python
Important list of 10 python snippets to make your code efficient
www.kdnuggets.com
(2020-05-15)
tags: pandas, python
This post will address the issues that can arise when Pandas slicing is used improperly. If you see the warning that reads "A value is trying to be set on a copy of a slice from a DataFrame", this post is for you.
towardsdatascience.com
(2020-05-15)
tags: pandas, python
Know your Pandas library function arsenal as a data scientist
towardsdatascience.com
(2020-05-15)
tags: numpy, python
A practical guide to modify the shape of arrays
towardsdatascience.com
(2020-05-15)
tags: devops, machine-learning, pandas, python
This new Python package accelerates notebook-based machine learning experimentation
towardsdatascience.com
(2020-05-15)
tags: algorithms-math, machine-learning, numpy, python
Using q-learning for sequential decision making and therefore learning to play a simple game.
towardsdatascience.com
(2020-05-15)
tags: python
A basic guide to using Python to fit non-linear functions to experimental data points
www.kdnuggets.com
(2020-05-15)
tags: dask, python
The Pandas library for Python is a game-changer for data preparation. But, when the data gets big, really big, then your computer needs more help to efficiency handle all that data. Learn more about how to use Dask and follow a demo to scale up your Pandas to work with…
towardsdatascience.com
(2020-05-15)
tags: machine-learning, pycaret, python
I came across Pycaret while I was browsing on a slack for data scientists. It's a versatile library in which you can apply/evaluate/tune…
towardsdatascience.com
(2020-05-15)
tags: geography, python, visualization
A Walkthrough on Hyperspectral Image Analysis Using Python.
wizardforcel.gitbooks.io
(2020-05-15)
tags: books, python
towardsdatascience.com
(2020-05-15)
tags: python
How to linearize a quadratic function to use it in a linear solver, (a.k.a. I don’t have money to pay for Gurobi) using a retail example
towardsdatascience.com
(2020-05-15)
tags: pyspark, python
Apache Spark is one of the hottest new trends in the technology domain. It is the framework with probably the highest potential to realize…
link.medium.com
(2020-05-15)
tags: pandas, python
A code-along guide for Pandas’ advanced functionalities.
www.philipzucker.com
(2020-05-15)
tags: category-theory, python
Parts 1 and 2 are found here and here
towardsdatascience.com
(2020-05-15)
tags: python
The right way to represent a finite set of alternatives
maticalderini.github.io
(2020-05-12)
tags: python
makepath.com
(2020-04-30)
tags: geography, python
The ultimate guide on open source GIS tools for spatial analysis. Find the tools you need to support your next spatial data project!
towardsdatascience.com
(2020-04-28)
tags: deep-learning, nlp, python
An Overview Of popular python libraries for Natural Language Processing
towardsdatascience.com
(2020-04-27)
tags: django, python
Getting Started with Django
towardsdatascience.com
(2020-04-21)
tags: command-line, python
A simple guide to create your own Python script with command line arguments
towardsdatascience.com
(2020-04-21)
tags: python
I don’t know how I lived without them
towardsdatascience.com
(2020-04-19)
tags: plotly, python, visualization
Most common baby names in Barcelona
towardsdatascience.com
(2020-04-19)
tags: matplotlib, python, seaborn, visualization
In real life, data preprocessing is really a pain for most data scientists. But with the help of data visualization libraries, it actually…
towardsdatascience.com
(2020-04-19)
tags: python
Introduction to Memoization
towardsdatascience.com
(2020-04-19)
tags: algorithms-math, machine-learning, numpy, python
Learn matrix multiplication for machine learning by following along with Python examples
towardsdatascience.com
(2020-04-15)
tags: pandas, python
Understanding the Groupby Method
towardsdatascience.com
(2020-04-15)
tags: machine-learning, pandas, python
How does pivot work? What is the main pandas building block? And more …
towardsdatascience.com
(2020-04-08)
tags: matplotlib, python, visualization
What if you can create a scatter plot for categorical features?
towardsdatascience.com
(2020-04-01)
tags: geography, python
Tutorial — Triggering notifications and Nudging GPS locations from users.
towardsdatascience.com
(2020-04-01)
tags: python, vision
Learn the basics of working with RGB and Lab images to boost your computer vision projects!
towardsdatascience.com
(2020-04-01)
tags: machine-learning, pandas, python
5 lesser-known pandas tricks that help you be more productive
towardsdatascience.com
(2020-04-01)
tags: pandas, python
In this post, we’ll go over how to write DataFrames to CSV files.
towardsdatascience.com
(2020-04-01)
tags: python, seaborn, visualization
A walkthrough of many Seaborn tools using NHL Statistics
towardsdatascience.com
(2020-04-01)
tags: monte-carlo, python
Learn Monte Carlo Methods with three simple examples
www.reddit.com
(2020-04-01)
tags: machine-learning, python
https://github.com/sepandhaghighi/pycm https://www.pycm.ir custom_rounder function added #279 complement function added sparse_matrix attribute added…
towardsdatascience.com
(2020-04-01)
tags: machine-learning, pandas, python
Extract data from different sources
towardsdatascience.com
(2020-04-01)
tags: concurrency, python
towardsdatascience.com
(2020-03-31)
tags: machine-learning, pandas, python
Expedite your data analysis process
towardsdatascience.com
(2020-03-31)
tags: machine-learning, python
Why and How to use with examples of Keras/XGBoost
streamz.readthedocs.io
(2020-03-27)
tags: python
towardsdatascience.com
(2020-03-23)
tags: python
towardsdatascience.com
(2020-03-23)
tags: numpy, python
NumPy is the universal standard for working with Numerical data in Python. Multidimensional NumPy arrays are extensively used in Pandas…
www.postgresqltutorial.com
(2020-03-23)
tags: postgres, python
In this tutorial, you will learn how to connect to the PostgreSQL database server from Python using the psycopg2 package.
www.kdnuggets.com
(2020-03-20)
tags: pandas, python
towardsdatascience.com
(2020-03-20)
tags: numpy, python
The ones not covered in every How-to Guide
towardsdatascience.com
(2020-03-19)
tags: pandas, python
Master these pandas functions (and methods) to shorten your code, improve performance and avoid headaches.
towardsdatascience.com
(2020-03-18)
tags: python
towardsdatascience.com
(2020-03-14)
tags: decorators, python
Learn how you can change the behavior of objce
towardsdatascience.com
(2020-03-14)
tags: python
Cleaner Code and Fewer Loops? Count me in.
blog.ezyang.com
(2020-03-09)
tags: python, pytorch
findwork.dev
(2020-03-09)
tags: python
Learn about the advanced features the requests library hides under the hood. DRY base URLs, hooks, retry on failure, default timeouts and mocking.
towardsdatascience.com
(2020-03-09)
tags: pandas, python
These mistakes are super common, and super easy to fix.
www.linkedin.com
(2020-03-09)
tags: python, regexes
"The Ultimate Guide to using the Python regex module" https://lttr.ai/Nt5c #regex #Python #datascience #nlp
towardsdatascience.com
(2020-03-09)
tags: python
Accelerate Your Requests Using asyncio
towardsdatascience.com
(2020-03-09)
tags: dsp, python
If you have ever heard Python and Fourier nouns, chances are you’ll find this post useful: here I will explore a simple way to implement…
armaizadenwala.com
(2020-03-09)
tags: ocr, python, vision
Convert images to a string with Google Tesseract and then into a static HTML site using python
towardsdatascience.com
(2020-03-09)
tags: numpy, pandas, python
Make your day to day life easier by using these functions in your analysis
zulko.github.io
(2020-02-19)
tags: animation, python
Python has some great data visualization librairies, but few can render GIFs or video animations. This post shows how to use MoviePy as a generic …
automatetheboringstuff.com
(2020-02-19)
tags: python
www.kdnuggets.com
(2020-02-19)
tags: python
Try this string processing primer cheatsheet to gain an understanding of using Python to manipulate and process strings at a basic level.
towardsdatascience.com
(2020-02-19)
tags: pandas, python
We show how to build intuitive and useful pipelines with Pandas DataFrame using a wonderful little library called pdpipe.
martinheinz.dev
(2020-02-19)
tags: python
Python haters always say, that one of reasons they don't want to use it, is that it's slow. Well, whether specific program - regardle...
www.kdnuggets.com
(2020-02-19)
tags: python
Check out this collection of 10 Python snippets that can be taken as a reference for your daily work.
towardsdatascience.com
(2020-02-19)
tags: programming, python
Spend more time modeling, and less time managing infrastructures. A hands-on tutorial.
www.thrum.engineering
(2020-02-19)
tags: python
www.nature.com
(2020-02-12)
tags: python, scipy
Nature Methods - This Perspective describes the development and capabilities of SciPy 1.0, an open source scientific computing library for the Python programming language.
www.pythoncentral.io
(2019-12-23)
tags: html, python, web-scraping
A tutorial about a HTML parser for Python 3. Learn about the basic of a library for easily parsing web pages and extracting useful information.
nanonets.com
(2019-12-23)
tags: ocr, python
Dive deep into OCR with Tesseract, including Pytesseract integration, training with custom data, limitations, and comparisons with enterprise solutions.
www.kdnuggets.com
(2019-12-14)
tags: python
Brush up on your Python basics with this post on creating, using, and manipulating tuples.
www.kdnuggets.com
(2019-12-14)
tags: pandas, python
While Pandas is the library for data processing in Python, it isn't really built for speed. Learn more about the new library, Modin, developed to distribute Pandas' computation to speedup your data prep.
pythonspeed.com
(2019-12-14)
tags: python, semiconductor-memory
You can process data that doesn’t fit in memory by using four basic techniques: spending money, compression, chunking, and indexing.
www.kdnuggets.com
(2019-12-14)
tags: python, scikit-learn
In this post, learn how to extend Scikit-learn code to make your experiments easier to maintain and reproduce.
www.kdnuggets.com
(2019-12-14)
tags: pandas, python
The pandas library offers core functionality when preparing your data using Python. But, many don't go beyond the basics, so learn about these lesser-known advanced methods that will make handling your data easier and cleaner.
www.bnikolic.co.uk
(2019-11-24)
tags: cpus, python
On the Linux command line it is fairly easy to use the perf command to measure number of floating point operations (or other performance metrics). (See for example this old blog post ) with this approach it is not easy to get a fine grained view of how different stages of processings within a single process. In this short note I describe how the python-papi package can be used to measure the FLOP requirements of any section of a Python program.
docs.python.org
(2019-11-03)
tags: python
Editor, Raymond Hettinger,. This article explains the new features in Python 3.8, compared to 3.7. Python 3.8 was released on October 14, 2019. For full details, see the changelog. Summary – Releas...
morepypy.blogspot.com
(2019-10-09)
tags: json, python
Introduction In the last year or two I have worked on and off on making PyPy's JSON faster, particularly when parsing large JSON files. I...
www.kdnuggets.com
(2019-09-24)
tags: python
Learn how to simplify your Python code using partial functions to create more flexible, reusable, and concise function calls
realpython.com
(2019-08-30)
tags: python
This tutorial will give you a firm grasp of Python’s approach to async IO, which is a concurrent programming design that has received dedicated support in Python, evolving rapidly from Python 3.4 through 3.7 (and probably beyond).
plotnine.readthedocs.io
(2019-08-30)
tags: python, visualization
www.datacamp.com
(2019-08-30)
tags: pyspark, python
This PySpark cheat sheet with code samples covers the basics like initializing Spark in Python, loading data, sorting, and repartitioning.
datashader.org
(2019-08-30)
tags: python, visualization
www.machinelearningplus.com
(2019-08-30)
tags: machine-learning, python, time-series
Using ARIMA model, you can forecast a time series using the series past values. In this post, we build an optimal ARIMA model from scratch and extend it to Seasonal ARIMA (SARIMA) and SARIMAX models. You will also see how to build autoarima models in python
link.medium.com
(2019-08-29)
tags: python
By Pythonistas at Netflix, coordinated by Amjith Ramanujam and edited by Ellen Livengood
www.datasciencecentral.com
(2019-08-29)
tags: images, machine-learning, python
buff.ly
(2019-08-29)
tags: images, machine-learning, python
jakevdp.github.io
(2019-08-28)
tags: books, machine-learning, python
mlwhiz.com
(2019-08-23)
tags: pandas, python
This post is a part of my series on Python Shorts. Some tips on how to use python. This post is about using the computing power we have at hand and applying it to the data structure we use most.
dev.to
(2019-08-23)
tags: cpp, python
Did you know you can write functions in C and then call them directly from Python? Isn't that cool? L...
okigiveup.net
(2019-08-21)
tags: cpp, cython, python
github.com
(2019-07-25)
tags: machine-learning, python
A Python Library for Outlier and Anomaly Detection, Integrating Classical and Deep Learning Techniques - yzhao062/pyod
www.kdnuggets.com
(2019-07-13)
tags: python
This article lists some curated tips for working with Python and Jupyter Notebooks, covering topics such as easily profiling data, formatting code and output, debugging, and more. Hopefully you can find something useful within.
habr.com
(2019-07-13)
tags: python
shop.oreilly.com
(2019-05-21)
tags: cpp, cython, python
Build software that combines Python’s expressivity with the performance and control of C (and C++). It’s possible with Cython, the compiler and hybrid programming language used by foundational packages such … - Selection from Cython [Book]
datawhatnow.com
(2019-05-15)
tags: python
blog.miguelgrinberg.com
(2019-04-21)
tags: flask, python
In recent years REST (REpresentational State Transfer) has emerged as the standard architectural design for web services and web APIs.In this article I'm going to show you how easy it is to create a…
dev.to
(2019-04-17)
tags: javascript, python
Something a lot of beginners struggle with is the concept of passing data between different programmi...
bokeh.pydata.org
(2019-04-02)
tags: python, visualization
Bokeh is a Python library for creating interactive visualizations for modern web browsers. It helps you build beautiful graphics, ranging from simple plots to complex dashboards with streaming data...
mode.com
(2019-03-05)
tags: python
A guided walkthrough of how to use the Prophet python library to solve a common forecasting problem.
medium.com
(2019-02-20)
tags: dash, programming, python, webdev
Create Reactive Web Apps in pure Python
machinelearningmastery.com
(2019-02-12)
tags: prob-stats, python
Quick-reference guide to the 17 statistical hypothesis tests that you need in applied machine learning, with sample code in Python. Although there are hundreds of statistical hypothesis tests that you could use, there is only a small subset that you may need to use in a machine learning project. In this post, you will discover a cheat sheet for the…
treyhunner.com
(2019-01-08)
tags: python
When I discovered Python’s new pathlib module a few years ago, I initially wrote it off as being a slightly more awkward and unnecessarily …
medium.com
(2019-01-01)
tags: python
Profiling Python applications using Pyflame
www.kdnuggets.com
(2018-12-21)
tags: python
Here are the top 15 Python libraries across Data Science, Data Visualization. Deep Learning, and Machine Learning.
www.anaconda.com
(2018-11-26)
tags: python, visualization
Anaconda is the birthplace of Python data science. We are a movement of data scientists, data-driven enterprises, and open source communities.
pypi.org
(2018-09-12)
tags: python
Simplified python article discovery & extraction.
www.analyticsvidhya.com
(2018-09-06)
tags: dimentionality-reduction, python
Learn how these 12 dimensionality reduction techniques can help you extract valuable patterns and insights from high-dimensional datasets.
medium.freecodecamp.org
(2018-09-06)
tags: python
By Peter Gleeson Python is one of the world’s most popular, in-demand programming languages. This is for many reasons: it’s easy to learn it’s super versatile it has a huge range of modules and libraries I use Python daily as an integral part of my...
github.com
(2018-09-05)
tags: nlp, python, spacy
A context-preserving word cloud generator.
eigenfoo.xyz
(2018-08-31)
tags: bayes, machine-learning, python
Recently I’ve started using PyMC3 for Bayesian modelling, and it’s an amazing piece of software! The API only exposes as much of heavy machinery of MCMC as you need — by which I mean, just the pm.sample() method (a.k.a., as Thomas Wiecki puts it, the Magic Inference Button™). This really frees up your mind to think about your data and model, which is really the heart and soul of data science! That being said however, I quickly realized that the water gets very deep very fast: I explored my data set, specified a hierarchical model that made sense to me, hit the Magic Inference Button™, and… uh, what now? I blinked at the angry red warnings the sampler spat out.
towardsdatascience.com
(2018-08-30)
tags: feature-engineering, machine-learning, python
Using the FeatureSelector for efficient machine learning workflows
pbpython.com
(2018-06-08)
tags: machine-learning, python
Using mlxtend to perform market basket analysis on online retail data set.
medium.com
(2018-06-08)
tags: finance, python
Originally published at https://www.datacamp.com/community/tutorials/finance-python-trading
dataconomy.com
(2018-06-08)
tags: prob-stats, python
During my years as a Consultant Data Scientist I have received many requests from my clients to provide frequency distribution
jeremykun.com
(2018-06-08)
tags: algorithms-math, python
Last time we saw a geometric version of the algorithm to add points on elliptic curves. We went quite deep into the formal setting for it (projective space $ \mathbb{P}^2$), and we spent a lot of time talking about the right way to define the “zero” object in our elliptic curve so that our issues with vertical lines would disappear. With that understanding in mind we now finally turn to code, and write classes for curves and points and implement the addition algorithm.
codewithoutrules.com
(2018-06-08)
tags: decorators, python
Python decorators are a useful but flawed language feature. Intended to make source code easier to write, and a little more readable, they neglect to address another use case: that of the programmer who will be calling the decorated code. If you’re a Python programmer, the following post will show you why decorators exist, and how to compensate for their limitations. And even if you’re not a Python a programmer, I hope to demonstrate the importance of keeping in mind all of the different audiences for the code you write.
pypi.python.org
(2018-06-08)
tags: machine-learning, python
An easy-to-use library for recommender systems.
www.linkedin.com
(2018-06-08)
tags: cohorts, python
Discover 100 collaborative articles on domains such as Marketing, Public Administration, and Healthcare. Our expertly curated collection combines AI-generated content with insights and advice from industry experts, providing you with unique perspectives and up-to-date information on many skills and their applications.
pandas.pydata.org
(2018-06-08)
tags: pandas, python
www.machinelearningplus.com
(2018-05-12)
tags: gensim, nlp, python
Topic Modeling is a technique to understand and extract the hidden topics from large volumes of text. Latent Dirichlet Allocation(LDA) is an algorithm for topic modeling, which has excellent implementations in the Python's Gensim package. This tutorial tackles the problem of finding the optimal number of topics.
hypertools.readthedocs.io
(2018-04-30)
tags: python, visualization
stackoverflow.com
(2018-02-09)
tags: python
How do I import files in Python? I want to import:
a file (e.g. file.py)
a folder
a file dynamically at runtime, based on user input
one specific part of a file (e.g. a single function)
code.tutsplus.com
(2018-01-23)
tags: python
Generators make it easy to create iterations in Python and in return write less code. This tutorial will introduce you to Python generators, their benefits, and how they work. Basics A generator...
devcenter.heroku.com
(2018-01-02)
tags: heroku, python
A step-by-step guide for deploying your first Python app and mastering the basics of Heroku
github.com
(2017-12-27)
tags: algorithms-math, python
Minimal examples of data structures and algorithms in Python - keon/algorithms
www.kdnuggets.com
(2017-12-27)
tags: distributions, prob-stats, python
Standard Deviation is one of the most underrated statistical tools out there. It’s an extremely useful metric that most people know how to calculate but very few know how to use effectively.
devblogs.nvidia.com
(2017-12-27)
tags: cuda, numba, python
Numba is an open-source Python compiler from Anaconda that can compile Python code for high-performance execution on CUDA-capable GPUs or multicore CPUs.
code.tutsplus.com
(2017-12-27)
tags: python
In this tutorial, I will be focusing on arguments (*args) and keyword arguments (*kwargs) in Python. I will teach you what args and kwargs are and, most importantly, how to use them—that is...
github.com
(2017-12-27)
tags: python
A tutorial on organizing python code into reusable units, building packages, and using conda. - vestuto/reusable-python
python-graph-gallery.com
(2017-11-11)
tags: python, visualization
The Python Graph Gallery displays hundreds of charts made with Python, always with explanation and reproduciible code
anvil.works
(2017-10-31)
tags: python, webdev
Yes, really, nothing but Python! Anvil has a drag-and-drop editor, Python in the browser and on the server, and one-click deployment.
nafiulis.me
(2017-10-27)
tags: python
jakevdp.github.io
(2017-10-25)
tags: benchmarks, python
www.kdnuggets.com
(2014-10-24)
tags: fastapi, python
FastApi is a contemporary web framework designed for creating RESTful APIs with Python 3.8 or later.
www.marktechpost.com
(2014-09-24)
tags: llms, python, graphs
The challenge of managing and recalling facts from complex, evolving conversations is a key problem for many AI-driven applications. As information grows and changes over time, maintaining accurate context becomes increasingly difficult. Current systems often struggle to handle the evolving nature of relationships and facts, leading to incomplete or irrelevant results when retrieving information. This can affect the effectiveness of AI agents, especially when dealing with user memories and context in real-time applications. Some existing solutions have attempted to address this problem. One common approach is using a Retrieval-Augmented Generation (RAG) pipeline, which involves storing extracted facts and using techniques
thecleverprogrammer.com
(2011-10-24)
tags: python, machine-learning, deep-learning
In this article, I'll take you through a list of guided projects to master AI & ML with Python. AI & ML Projects with Python.
www.gradio.app
(2010-09-24)
tags: gradio, python, machine-learning
Documentation, tutorials and guides for the Gradio ecosystem..
www.trickster.dev
(2008-09-24)
tags: python
Code level discussion of web scraping, gray hat automation, growth hacking and bounty hunting
pymupdf.readthedocs.io
(2008-09-24)
tags: python, pdf
PyMuPDF is a high-performance Python library for data extraction, analysis, conversion & manipulation of PDF (and other) documents.
www.marktechpost.com
(2005-10-24)
tags: pdfs, python
Extracting structured data from unstructured sources like PDFs, webpages, and e-books is a significant challenge. Unstructured data is common in many fields, and manually extracting relevant details can be time-consuming, prone to errors, and inefficient, especially when dealing with large amounts of data. As unstructured data continues to grow exponentially, traditional manual extraction methods have become impractical and error-prone. The complexity of unstructured data in various industries that rely on structured data for analysis, research, and content creation. Current methods for extracting data from unstructured sources, including regular expressions and rule-based systems, are often limited by their inability to maintain
-->
python/pandas
categories:
tags:
pandas
python
date: 28 Mar 2025
slug:raindrop-python-pandas
www.statology.org
(2025-03-19)
In this article, we'll explore when and why you might want to use openpyxl directly, and understand its relationship with pandas.
www.kdnuggets.com
(2023-09-01)
3 Python libraries for scientific computation you should know as a data professional.
towardsdatascience.com
(2023-05-07)
Learn how to manipulate and visualize vector data with Python’s GeoPandas
towardsdatascience.com
(2023-04-09)
Demonstrating how to use the new blazing fast DataFrame library for interacting with tabular data
open.substack.com
(2023-02-17)
Pandas receives over 3M downloads per day. But 99% of its users are not using it to its full potential.
towardsdatascience.com
(2022-08-23)
Simple tips to optimize the memory utilization in Pandas
medium.com
(2022-06-23)
I’ve been using Pocket for many years to collate all the articles, blog posts, recipes, etcI’ve found online. I decided it would be…
towardsdatascience.com
(2022-05-04)
A detailed explanation of how groupby works under the hood to help you understand it better.
pandas.pydata.org
(2022-01-16)
github.com
(2022-01-16)
Sourced from O'Reilly ebook of the same name.
towardsdatascience.com
(2021-12-07)
Master usecols, chunksize, parse_dates in pandas read_csv().
www.kdnuggets.com
(2021-08-28)
Quick Python solutions to help your data science cycle.
pandas.pydata.org
(2021-08-09)
towardsdatascience.com
(2021-07-03)
In this article, I’ll show you five ways to load data in Python. Achieving a speedup of 3 orders of magnitude.
www.kdnuggets.com
(2021-05-31)
Learn how to speed up your Pandas workflow using the PyPolars library.
towardsdatascience.com
(2021-05-28)
Are you a Data Scientist experienced with Pandas? Then you know its pain points. There's an easy solution - Dask - which enables you to run Pandas computations in parallel.
www.kdnuggets.com
(2021-05-17)
If you are working with big data, especially on your local machine, then learning the basics of Vaex, a Python library that enables the fast processing of large datasets, will provide you with a productive alternative to Pandas.
towardsdatascience.com
(2021-05-02)
Pandas is a data analysis and manipulation library for Python. It is one of the most popular tools among data scientists and analysts. Pandas can handle an entire data analytics pipeline. It provides…
towardsdatascience.com
(2021-04-26)
Part 1: Introduction to geospatial concepts (follow here) Part 2: Geospatial visualization and geometry creation (follow here) Part 3: Geospatial operations (this post) Part 4: Building geospatial…
towardsdatascience.com
(2021-04-03)
A quick tutorial to drop duplicates using the Python Pandas library.
towardsdatascience.com
(2021-03-22)
No need to install, import and initialize — Just use them
towardsdatascience.com
(2021-03-19)
Pandas tips and tricks to help you get started with data analysis
towardsdatascience.com
(2021-03-10)
A comprehensive practical guide
towardsdatascience.com
(2021-03-06)
Groupby is so powerful, which may sound daunting to beginners, but you don’t have to know all of its features.
link.medium.com
(2021-03-01)
Pandas doesn’t handle well Big Data. These two libraries do! Which one is better? Faster?
towardsdatascience.com
(2020-11-19)
towardsdatascience.com
(2020-11-03)
Scaling your Pythonic data science and machine learning to the cloud using Dask. All from the comfort of your own laptop.
towardsdatascience.com
(2020-11-02)
towardsdatascience.com
(2020-08-10)
towardsdatascience.com
(2020-06-24)
When and how to use which.
towardsdatascience.com
(2020-06-03)
Pandas: From Journeyman to Master — Voice from the victim.
towardsdatascience.com
(2020-06-01)
Use Pandas with Dask to save time and resources. This combination will make your notebook ultra fast
towardsdatascience.com
(2020-06-01)
Sample, where, isin explained in detail with examples.
towardsdatascience.com
(2020-05-19)
Clearly distinguish loc and iloc
www.kdnuggets.com
(2020-05-15)
This post will address the issues that can arise when Pandas slicing is used improperly. If you see the warning that reads "A value is trying to be set on a copy of a slice from a DataFrame", this post is for you.
towardsdatascience.com
(2020-05-15)
Know your Pandas library function arsenal as a data scientist
towardsdatascience.com
(2020-05-15)
This new Python package accelerates notebook-based machine learning experimentation
link.medium.com
(2020-05-15)
A code-along guide for Pandas’ advanced functionalities.
towardsdatascience.com
(2020-04-15)
Understanding the Groupby Method
towardsdatascience.com
(2020-04-15)
How does pivot work? What is the main pandas building block? And more …
towardsdatascience.com
(2020-04-01)
5 lesser-known pandas tricks that help you be more productive
towardsdatascience.com
(2020-04-01)
In this post, we’ll go over how to write DataFrames to CSV files.
towardsdatascience.com
(2020-04-01)
Extract data from different sources
towardsdatascience.com
(2020-03-31)
Expedite your data analysis process
www.kdnuggets.com
(2020-03-20)
towardsdatascience.com
(2020-03-19)
Master these pandas functions (and methods) to shorten your code, improve performance and avoid headaches.
towardsdatascience.com
(2020-03-09)
These mistakes are super common, and super easy to fix.
towardsdatascience.com
(2020-03-09)
Make your day to day life easier by using these functions in your analysis
towardsdatascience.com
(2020-02-19)
We show how to build intuitive and useful pipelines with Pandas DataFrame using a wonderful little library called pdpipe.
www.kdnuggets.com
(2019-12-14)
While Pandas is the library for data processing in Python, it isn't really built for speed. Learn more about the new library, Modin, developed to distribute Pandas' computation to speedup your data prep.
www.kdnuggets.com
(2019-12-14)
The pandas library offers core functionality when preparing your data using Python. But, many don't go beyond the basics, so learn about these lesser-known advanced methods that will make handling your data easier and cleaner.
mlwhiz.com
(2019-08-23)
This post is a part of my series on Python Shorts. Some tips on how to use python. This post is about using the computing power we have at hand and applying it to the data structure we use most.
pandas.pydata.org
(2018-06-08)
-->
ui-ux (all)
categories:
tags:
ui-ux
date: 28 Mar 2025
slug:raindrop-uiux-all
(webdesignerdepot.com)
2025-02-07
SWOT Analysis
(www.nngroup.com)
2024-12-31
Why UX is more important than UI
(thoughtbot.com)
2024-12-28
Top 10 Study Guides and Glossaries: 2024 Edition
(www.nngroup.com)
2024-12-13
Testing Visual Design: A Comprehensive Guide
(www.nngroup.com)
2024-12-13
Top 10 UX Articles of 2024
(www.nngroup.com)
2024-12-02
The secret tricks hidden inside restaurant menus
(www.bbc.com)
2024-10-25
Product & UX Glossary
(www.nngroup.com)
2024-10-19
How To Manage Dangerous Actions In User Interfaces
(smashingmagazine.com)
2024-07-09
Reverse Engineering TicketMaster's Rotating Barcodes (Saf...
(conduition.io)
2024-07-03
Why toggle switches suck (and what to do instead)
(adamsilver.io)
2024-06-16
Card Sorting: Pushing Users Beyond Terminology Matches
(www.nngroup.com)
2024-06-11
Decent Patterns
(decentpatterns.com)
2024-06-11
The power of beauty in communicating complex ideas
(www.doc.cc)
2024-06-11
Visual Hash | Decent Patterns
(decentpatterns.com)
2024-05-30
What is visual hierarchy, and why do you need it?
(www.noupe.com)
2024-05-23
UI Density
(matthewstrom.com)
2024-05-21
Hidden vs. Disabled In UX
(smashingmagazine.com)
2024-05-20
Complicated Sticks
(fasterandworse.com)
2024-05-04
7 Tips for Memorable and Easy-to-Understand Imagery
(www.nngroup.com)
2024-04-30
13 Website Usability Testing Tools
(www.practicalecommerce.com)
2024-04-29
Affinity Diagramming for Collaboratively Sorting UX Findi...
(www.nngroup.com)
2024-04-23
F-Shape Pattern And How Users Read
(smashingmagazine.com)
2024-04-14
3 Types of Online Calculator and Quiz Tools
(www.nngroup.com)
2024-04-11
Responsive Images – The Definitive Guide
(www.uxpin.com)
2024-04-05
Examples of Prototypes – From Low-Fidelity to High-Fideli...
(www.uxpin.com)
2024-03-09
My favourite animation trick: exponential smoothing
(lisyarus.github.io)
2024-03-03
24 Eye-catching HTML CSS Chat Box Designs to Enhance Your...
(morioh.com)
2024-03-01
Modern CSS Tooltips And Speech Bubbles (Part 1)
(www.smashingmagazine.com)
2024-02-29
Mental Models
(www.nngroup.com)
2024-02-29
Spatial Computing: A New Paradigm of Interaction
(www.uxmatters.com)
2024-02-29
Card Sorting vs. Tree Testing
(www.nngroup.com)
2024-02-23
Hotwire Modals in Ruby on Rails with Stimulus and Turbo F...
(blog.appsignal.com)
2024-02-19
Card Sorting: Uncover Users' Mental Models for Better Inf...
(www.nngroup.com)
2024-02-11
Visual Hierarchy: Making User Experiences Easier to Under...
(www.uxmatters.com)
2024-02-11
Get started with official documentation and guides · Sketch
(www.sketch.com)
2024-02-11
Complex Approvals – How to Design an App to Streamline Ap...
(www.uxpin.com)
2024-02-10
Best App Landing Page Examples and Why They Work
(www.uxpin.com)
2024-01-17
Memory Recognition and Recall in User Interfaces
(www.nngroup.com)
2024-01-17
Psychology for UX: Study Guide
(www.nngroup.com)
2024-01-17
A Periodic Table of Visualization Methods
(www.visual-literacy.org)
2024-01-07
UI Design Daily
(www.uidesigndaily.com)
2023-09-27
The invisible problem – Scott Jenson
(jenson.org)
2023-08-27
7 reasons to replace advanced search with filters so user...
(adamsilver.io)
2023-08-15
✨? An Eye-Catching Card with a nice Hover Effect using HT...
(dev.to)
2023-08-07
8 Ways to Emotionally Reward Your Users | Web Designer Depot
(www.webdesignerdepot.com)
2023-07-22
Design of complex tables
(bootcamp.uxdesign.cc)
2023-07-13
Virtual Queues: 13 Best Practices for Managing the Wait
(www.nngroup.com)
2023-07-02
Quantitative UX: Glossary
(www.nngroup.com)
2023-06-30
Advanced Search UX Done Right — Powerful Examples and Tips
(www.uxpin.com)
2023-06-10
8 Tips for Shaping Product Aesthetics with UI Mood Boards
(www.uxpin.com)
2023-05-18
From Netflix to HBO, the terrible design of streaming is ...
(www.fastcompany.com)
2023-05-07
Give it the Craigslist test — Erica Heinz
(ericaheinz.com)
2023-05-02
Why Chatbots Are Not the Future of Interfaces
(wattenberger.com)
2023-04-13
Discoverability in UX and UI Design — 9 Techniques to Try
(www.uxpin.com)
2023-04-08
Lean UX & Agile Glossary
(www.nngroup.com)
2023-03-31
What Is the Optimal Pattern of a Customer Journey?
(hbr.org)
2023-03-28
Dark Patterns in UX Design — Which Ones Are the Most Dece...
(www.uxpin.com)
2023-03-26
8 Amazing Metallic Effects Built With CSS and JavaScript
(speckyboy.com)
2023-03-24
Juice
(garden.bradwoods.io)
2023-03-19
Avoiding 3 Common Pitfalls of Affinity Diagramming
(www.nngroup.com)
2023-03-19
Say Goodbye to Boring Dropdowns: Create Custom Dropdown M...
(dev.to)
2023-03-16
mathesar-foundation/mathesar: Web application providing a...
(github.com)
2023-03-14
As a user, I don’t want to
(uxdesign.cc)
2023-03-13
What is Progressive Disclosure? Show & Hide the Right Inf...
(www.uxpin.com)
2023-03-05
The Anatomy of a Good Design: An Analysis of 4 Sites
(www.nngroup.com)
2023-02-24
25 Fantastic Tutorials For Learning Figma
(speckyboy.com)
2023-02-22
9 Ways to Grow Repeat Buyers
(www.practicalecommerce.com)
2023-02-22
6 Storybook Tutorials for Product Development Teams
(www.uxpin.com)
2023-02-22
Articles — Smashing Magazine
(www.smashingmagazine.com)
2023-02-15
When to Use Empathy Maps: 3 Options
(www.nngroup.com)
2023-02-15
76 CSS Cards
(freefrontend.com)
2023-02-10
Shopping for Apparel in an Online World: UI/UX Design for...
(www.toptal.com)
2023-02-07
Visual design rules you can safely follow every time
(anthonyhobday.com)
2023-01-24
10 Essential Design System Components
(www.uxpin.com)
2023-01-09
7 Principles of Design Psychology Every UX Designer Shoul...
(www.uxmatters.com)
2022-12-30
An Ultimate Guide On Sizing, Spacing, Grids And Layout In...
(www.smashingmagazine.com)
2022-12-23
How to design almost any UI element (list of ~58 articles...
(dev.to)
2022-12-21
Why vinyl records survive in the digital age | Ars Technica
(arstechnica.com)
2022-12-18
9 UX Learnings From the World's Best Ecommerce Site
(dev.to)
2022-12-17
9 Best Ecommerce UX Practices From the World's Best Ecomm...
(medusajs.com)
2022-12-13
Top UX Design Tools to Try in 2023
(www.uxpin.com)
2022-12-09
UX Mapping Methods: Visual-Design Guide
(www.nngroup.com)
2022-12-06
The Uses of Friction
(www.thediff.co)
2022-11-30
5 CSS Card Design Ideas!
(dev.to)
2022-11-27
Why and How to Use Demographics in UX
(www.nngroup.com)
2022-11-27
Three Pillars of User Delight
(www.nngroup.com)
2022-11-21
The Data Cards Playbook: A Toolkit for Transparency in Da...
(ai.googleblog.com)
2022-11-14
Content Strategy 101
(www.nngroup.com)
2022-11-06
Hostile Patterns in Error Messages
(www.nngroup.com)
2022-11-05
A Design Language for Touch, Gesture, and Motion :: UXmat...
(www.uxmatters.com)
2022-10-27
Pokemon Cards Holo effect v2
(codepen.io)
2022-10-20
The Playful Power of Card Design UI
(www.uxpin.com)
2022-10-09
Personas: Study Guide
(www.nngroup.com)
2022-09-24
Sanding UI
(blog.jim-nielsen.com)
2022-09-24
Isomorphic-Table-Cards ·
(github.com)
2022-09-17
What Are Design Tokens?
(www.uxpin.com)
2022-09-16
5 Figma Alternatives for UI & UX Designers - Stack Diary
(stackdiary.com)
2022-09-14
Accessibility UX Best Practices – 8 Tactics for Web Design
(www.uxpin.com)
2022-09-14
Design System Glossary – 34 Powerful Terms You Should Know
(www.uxpin.com)
2022-09-12
Antipersonas: What, How, Who, and Why?
(www.nngroup.com)
2022-09-08
The Realities And Myths Of Contrast And Color — Smashing ...
(www.smashingmagazine.com)
2022-09-05
Top 5 Technology Trends in UX Design
(www.uxmatters.com)
2022-09-01
BASIC UX Framework – Definition, Benefits, and Application
(www.uxpin.com)
2022-08-22
Genome Color Tool
(www.genomecolor.space)
2022-08-21
8 mental model design heuristics
(uxdesign.cc)
2022-08-17
How to Analyze Qualitative Data from UX Research: Themati...
(www.nngroup.com)
2022-08-17
The two types of quality // Zeno Rocha
(zenorocha.com)
2022-08-17
Elevate Your E-commerce Journey With Animated UX Microint...
(www.toptal.com)
2022-08-13
Tests | GoodUI
(goodui.org)
2022-07-26
Mobile UX: Study Guide
(www.nngroup.com)
2022-07-19
Pdf retail ux playbook
(services.google.com)
2022-07-08
Figma UI Design Tutorial: Get Started in Just 24 Minutes!...
(www.youtube.com)
2022-07-05
Anatomy of a Great User Story
(productcoalition.com)
2022-07-05
8 Reasons Users Don’t Fill Out Sign Up Forms
(uxmovement.com)
2022-07-03
Taxonomy 101: Definition, Best Practices, and How It Comp...
(www.nngroup.com)
2022-07-02
Hacker News
(uxdesign.cc)
2022-06-29
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-27
How to make great schemas
(towardsdatascience.com)
2022-06-25
How Lumosity Spiked Active Users 10% with Complexity, Not...
(firstround.com)
2022-06-23
GTA V: 9 Facts That Will Blow Your Mind
(whatculture.com)
2022-06-23
UX vs. UI: Guide to Distinguishing User Experience and Us...
(www.noupe.com)
2022-06-23
Hotjar: Website Heatmaps & Behavior Analytics Tools
(www.hotjar.com)
2022-06-23
Hacker News
(webauthn.guide)
2022-06-23
Hacker News
(blog.pwego.com)
2022-06-21
The World's Most Satisfying Checkbox | !Boring Software
(www.andy.works)
2022-06-21
6 In-demand Marketing Skills for Your Design CV
(www.noupe.com)
2022-06-21
You’re not still using “Read More” are you?
(blog.prototypr.io)
2022-06-13
The Benefits and Pitfalls of Gamification
(webdesign.tutsplus.com)
2022-06-07
Setting UX Roles and Responsibilities in Product Developm...
(www.nngroup.com)
2022-06-04
Style Tiles
(styletil.es)
2022-06-02
Google's six rules for great data design - Fast Company
(www.fastcompany.com)
2022-06-01
Competitive Analysis for UX – Top 6 Research Methods
(www.uxpin.com)
2022-05-30
Why So Many Luxury Brands Are Terrible at Ecommerce
(www.nngroup.com)
2022-05-28
gztchan/awesome-design: 🌟 Curated design resources from a...
(github.com)
2022-05-28
Two Tips for Better UX Storytelling
(www.nngroup.com)
2022-05-15
Personas vs. Archetypes
(www.nngroup.com)
2022-05-06
The Principles Of Visual Communication — Smashing Magazine
(smashingmagazine.com)
2022-04-15
Creating Style Guides
(alistapart.com)
2022-04-15
Responsive Web Design Patterns | This Is Responsive
(bradfrost.github.io)
2022-04-15
http://www.adaptivepath.com/ideas/our-guide-to-experience...
(www.adaptivepath.com)
2022-04-15
UX Project Checklist
(uxchecklist.github.io)
2022-04-15
How to build an experience map
(medium.com)
2022-04-13
10 Best UI/UX Books that Every Designer Should Read [2022]
(dev.to)
2022-04-11
The Science of Familiarity: Increasing Conversions by Bei...
(conversionxl.com)
2022-04-11
User Interfaces, Usability, and User Experience: The Squa...
(dev.to)
2022-04-11
How Sephora “sucks” all my money through great UX and psy...
(uxdesign.cc)
2022-04-10
Ham biscuit on – Eric Bailey
(ericwbailey.design)
2022-03-31
Steps Left design pattern
(ui-patterns.com)
2022-03-28
Achievements design pattern
(ui-patterns.com)
2022-03-28
Home Link design pattern
(ui-patterns.com)
2022-03-28
479 ‘No Results Page’ Design Examples – Baymard Institute
(baymard.com)
2022-03-28
The joy of sketching - UXM
(www.uxforthemasses.com)
2022-03-28
658 ‘Receipt / Order Confirmation’ Design Examples – Baym...
(baymard.com)
2022-03-28
Trend Alert: What is Flat Design?
(www.designcontest.com)
2022-03-28
Vertical Dropdown Menu design pattern
(ui-patterns.com)
2022-03-28
Optimize Micro-Interactions to Enhance your UX Design
(readwrite.com)
2022-03-28
Storyboarding UX Part 1 An Introduction - Johnny Holland
(johnnyholland.org)
2022-03-28
132 ‘Orders Overview’ Design Examples – Baymard Institute
(baymard.com)
2022-03-23
8 CSS & JavaScript Snippets for Creating Cool Card UI Hov...
(speckyboy.com)
2022-03-16
UI and UX Design Trends that Dominate 2022 and Beyond
(www.uxpin.com)
2022-03-14
The Catalog of Design Patterns
(refactoring.guru)
2022-02-24
Sort By Column design pattern
(ui-patterns.com)
2022-02-24
Role Playing design pattern
(ui-patterns.com)
2022-02-24
814 ‘Search Field’ Design Examples – Baymard Institute
(baymard.com)
2022-02-24
Unlock Features design pattern
(ui-patterns.com)
2022-02-24
Peak-end rule design pattern
(ui-patterns.com)
2022-02-24
Pay To Promote design pattern
(ui-patterns.com)
2022-02-24
Table Filter design pattern
(ui-patterns.com)
2022-02-24
Blank Slate design pattern
(ui-patterns.com)
2022-02-24
Reputation design pattern
(ui-patterns.com)
2022-02-24
https://blog.mobile-patterns.com/practical-ux-design-tips...
(blog.mobile-patterns.com)
2022-02-24
Leaks | GoodUI
(goodui.org)
2022-02-24
Interactive: The secret to hotel room design is part art,...
(qz.com)
2022-02-24
A UX leader reveals his favorite design frameworks and tools
(nickdewilde.substack.com)
2022-02-24
Retaliation design pattern
(ui-patterns.com)
2022-02-24
Using interactions to shape user behavior patterns
(medium.muz.li)
2022-02-24
Awesome Package Design Blogs to Inspire Your Work
(creativemarket.com)
2022-02-24
321 ‘Image Gallery Overlay’ Design Examples – Baymard Ins...
(baymard.com)
2022-02-24
650 ‘Billing Address’ Design Examples – Baymard Institute
(baymard.com)
2022-02-24
Tag Cloud design pattern
(ui-patterns.com)
2022-02-24
Slideshow design pattern
(ui-patterns.com)
2022-02-24
Testimonials design pattern
(ui-patterns.com)
2022-02-24
Collectible Achievements design pattern
(ui-patterns.com)
2022-02-23
The Hidden Cost of Touchscreens
(medium.com)
2022-02-23
843 ‘Account Selection’ Design Examples – Baymard Institute
(baymard.com)
2022-02-23
A short history of door handles | Apollo Magazine
(www.apollo-magazine.com)
2022-02-23
The Weird Science Behind Chain Restaurant Menus
(munchies.vice.com)
2022-02-23
Preview design pattern
(ui-patterns.com)
2022-02-23
Annotation Is Now a Web Standard : Hypothesis
(hypothes.is)
2022-02-23
https://darkpatterns.org/types-of-dark-pattern.html
(darkpatterns.org)
2022-02-23
Autocomplete as an interface
(www.benkuhn.net)
2022-02-23
Activity Stream design pattern
(ui-patterns.com)
2022-02-23
Patterns | GoodUI
(goodui.org)
2022-02-23
Adaptable View design pattern
(ui-patterns.com)
2022-02-23
Reflections from a designer turned product manager: 6 une...
(uxdesign.cc)
2022-02-23
Undo design pattern
(ui-patterns.com)
2022-02-23
Deceptive Patterns - Types of Deceptive Pattern
(darkpatterns.org)
2022-02-23
The UX of LEGO Interface Panels
(www.designedbycave.co.uk)
2022-02-23
Framing design pattern
(ui-patterns.com)
2022-02-23
342 Mobile ‘Search Field’ Examples – Baymard Institute
(baymard.com)
2022-02-23
Figma Crash Course
(www.figmacrashcourse.com)
2022-02-23
Beautiful Reasons
(medium.com)
2022-02-23
Flagging & Reporting design pattern
(ui-patterns.com)
2022-02-23
Shortcut Dropdown design pattern
(ui-patterns.com)
2022-02-20
TagCrowd.com
(tagcrowd.com)
2022-02-20
Visual Tools To Aid Your Daily Inspirational Process
(www.awwwards.com)
2022-02-12
Library of design inspiration examples & user flows from ...
(nicelydone.club)
2022-02-12
A step by step guide to scenario mapping - UXM
(www.uxforthemasses.com)
2022-02-10
How privilege impacts empathy
(uxdesign.cc)
2022-02-10
18 Cognitive Bias Examples Show Why Mental Mistakes Get Made
(www.visualcapitalist.com)
2022-02-10
Progressive Disclosure design pattern
(ui-patterns.com)
2022-02-08
359 Mobile ‘Product Lists’ Examples – Baymard Institute
(baymard.com)
2022-02-08
Storming Reddit's Moat
(floodstate.substack.com)
2022-02-08
Design Principles
(principles.adactio.com)
2022-02-08
Self-Expression design pattern
(ui-patterns.com)
2022-02-08
What Color Is This? | Stitch Fix Technology – Multithreaded
(multithreaded.stitchfix.com)
2022-02-08
A Survey of Explore and Exploit Interfaces
(medium.com)
2022-02-08
Social Proof design pattern
(ui-patterns.com)
2022-02-08
Notifications design pattern
(ui-patterns.com)
2022-02-08
The Role of Doubt in Design
(matthewstrom.com)
2022-02-08
The secret to happy UX, according to a legendary game des...
(getpocket.com)
2022-02-08
Keyboard Shortcuts design pattern
(ui-patterns.com)
2022-02-08
Fat Footer design pattern
(ui-patterns.com)
2022-02-08
Endowment Effect design pattern
(ui-patterns.com)
2022-02-08
15 reasons why grid approach will improve your design
(learn.canva.com)
2022-02-08
Commitment & Consistency design pattern
(ui-patterns.com)
2022-02-08
350 Mobile ‘Search Results’ Examples – Baymard Institute
(baymard.com)
2022-02-08
How to Use Tooltips as Microinteractions
(www.webdesignerdepot.com)
2022-02-08
Periodic Events design pattern
(ui-patterns.com)
2022-02-08
7 Rules for Creating Gorgeous UI (Part 1)
(medium.com)
2022-02-08
Curiosity design pattern
(ui-patterns.com)
2022-02-08
945 ‘Product List’ Design Examples – Baymard Institute
(baymard.com)
2022-02-08
Competition design pattern
(ui-patterns.com)
2022-02-08
http://www.starbucks.com/static/reference/styleguide/
(www.starbucks.com)
2022-02-08
Inline Hints design pattern
(ui-patterns.com)
2022-02-08
Creating animations with uikit ca
(ordinarycoding.com)
2022-02-08
Input Prompt design pattern
(ui-patterns.com)
2022-02-08
Playthrough design pattern
(ui-patterns.com)
2022-02-08
Free UX tools - UXM
(www.uxforthemasses.com)
2022-02-08
Reciprocation design pattern
(ui-patterns.com)
2022-02-08
233 Mobile ‘Billing Address’ Examples – Baymard Institute
(baymard.com)
2022-02-08
Fill in the Blanks design pattern
(ui-patterns.com)
2022-02-08
Inplace Editor design pattern
(ui-patterns.com)
2022-02-08
Negativity bias design pattern
(ui-patterns.com)
2022-02-08
Good Defaults design pattern
(ui-patterns.com)
2022-02-07
Redesigning the Boarding Pass - Journal - Boarding Pass /...
(passfail.squarespace.com)
2022-02-07
UI-Patterns.com
(ui-patterns.com)
2022-01-29
10 Great Sites for UI Design Patterns
(www.interaction-design.org)
2022-01-29
2019 UI and UX Design Trends | Shakuro | Shakuro
(shakuro.com)
2022-01-29
Building Your Color Palette - Refactoring UI
(refactoringui.com)
2022-01-29
Modal design pattern
(ui-patterns.com)
2022-01-29
Figma-Linux/figma-linux: Figma is the first interface des...
(github.com)
2022-01-29
Status design pattern
(ui-patterns.com)
2022-01-29
It’s time to do away with the UX discipline
(venturebeat.com)
2022-01-29
The 3 Laws of Locality
(learnui.design)
2022-01-29
Feature design checklist
(uxdesign.cc)
2022-01-29
1236 ‘Main Navigation’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
10 UX lessons I learned building my product from scratch
(thenextweb.com)
2022-01-29
Delighters design pattern
(ui-patterns.com)
2022-01-29
How to design better buttons
(thenextweb.com)
2022-01-29
Tailwind UI - Official Tailwind CSS Components & Templates
(tailwindui.com)
2022-01-29
257 Mobile ‘Category Page’ Examples – Baymard Institute
(baymard.com)
2022-01-29
https://mobilejazz.com/blog/dark-patterns-in-design/
(mobilejazz.com)
2022-01-29
Rule Builder design pattern
(ui-patterns.com)
2022-01-29
Weber’s Law - NeuroLogica Blog
(theness.com)
2022-01-29
1024 ‘Search Results Page’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-29
Example UX docs and deliverables - UXM
(www.uxforthemasses.com)
2022-01-29
Dashboard design pattern
(ui-patterns.com)
2022-01-29
Autocomplete design pattern
(ui-patterns.com)
2022-01-29
The Elements of UI Engineering — overreacted
(overreacted.io)
2022-01-29
How to adapt your product’s UX for the Chinese market
(thenextweb.com)
2022-01-29
https://digital.heb.com/the-feed/article/microinteraction...
(digital.heb.com)
2022-01-29
Scarcity design pattern
(ui-patterns.com)
2022-01-29
330 Mobile ‘Delivery & Shipping Methods’ Examples – Bayma...
(baymard.com)
2022-01-29
Breadcrumbs design pattern
(ui-patterns.com)
2022-01-29
Optimism Bias design pattern
(ui-patterns.com)
2022-01-29
Isolation Effect design pattern
(ui-patterns.com)
2022-01-29
Access 150,000+ Hours of UX Research & Insights – Baymard...
(baymard.com)
2022-01-29
Status-Quo Bias design pattern
(ui-patterns.com)
2022-01-29
Value Attribution design pattern
(ui-patterns.com)
2022-01-29
18,000+ E-Commerce Design Examples Organized Across 62 Pa...
(baymard.com)
2022-01-29
Carousel design pattern
(ui-patterns.com)
2022-01-29
Guided Tour design pattern
(ui-patterns.com)
2022-01-29
The ultimate guide to proper use of animation in UX
(uxdesign.cc)
2022-01-29
450 Mobile ‘Payment’ Examples – Baymard Institute
(baymard.com)
2022-01-29
Scarcity in UX: The psychological bias that became the norm
(uxdesign.cc)
2022-01-29
https://asktog.com/atc/the-third-user/
(asktog.com)
2022-01-29
250 Top E-Commerce Sites Ranked by User Experience Perfor...
(baymard.com)
2022-01-29
Liking design pattern
(ui-patterns.com)
2022-01-29
A Game Designer’s Analysis Of QAnon
(link.medium.com)
2022-01-29
Good UX = Boring UI. Don't Be Creative – UX En...
(uxengineer.com)
2022-01-29
A beginner’s guide to kerning like a designer
(www.canva.com)
2022-01-29
7 Best Figma Tutorials for Beginners [2024 SEP]— Learn Fi...
(link.medium.com)
2022-01-29
Levels design pattern
(ui-patterns.com)
2022-01-29
159 ‘Store Pickup’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
7 Rules for Creating Gorgeous UI (Part 2)
(medium.com)
2022-01-29
Lazy Registration design pattern
(ui-patterns.com)
2022-01-29
Forgiving Format design pattern
(ui-patterns.com)
2022-01-29
105 ‘Top-Level Navigation’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-29
Drag and drop design pattern
(ui-patterns.com)
2022-01-29
843 ‘Account Selection’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Autosave design pattern
(ui-patterns.com)
2022-01-29
207 ‘Address Validator’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Responsive Images - A Reference Guide from A to Z
(dev.to)
2022-01-29
Eight Habits of Expert Software Designers: An Illustrated...
(thereader.mitpress.mit.edu)
2022-01-29
Patterns | GoodUI
(goodui.org)
2022-01-29
Copy Box design pattern
(ui-patterns.com)
2022-01-29
The Experience Economy
(stratechery.com)
2022-01-29
Input Feedback design pattern
(ui-patterns.com)
2022-01-29
Wizard design pattern
(ui-patterns.com)
2022-01-29
Friend design pattern
(ui-patterns.com)
2022-01-29
10 open source SVG icon libraries that you can use for yo...
(themesberg.com)
2022-01-29
How to run an heuristic evaluation - UX Mastery
(uxmastery.com)
2022-01-29
UX Crash Course: User Psychology
(thehipperelement.com)
2022-01-29
https://blog.adioma.com/how-to-think-visually-using-visua...
(blog.adioma.com)
2022-01-29
Invite friends design pattern
(ui-patterns.com)
2022-01-29
If you Run a Small Business Park In the Back of the Parki...
(skyclerk.com)
2022-01-29
Do We Create Shoplifters? - Unintended Consequences
(unintendedconsequenc.es)
2022-01-29
522 ‘Sorting Tool’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Paywall design pattern
(ui-patterns.com)
2022-01-29
Event Calendar design pattern
(ui-patterns.com)
2022-01-26
Ultimate UI/UX glossary to speak same language with desig...
(www.softformance.com)
2022-01-23
7 things I wish every search box did
(blog.intercom.com)
2022-01-23
https://medium.theuxblog.com/six-circles-a-experience-des...
(medium.theuxblog.com)
2022-01-23
batoreh/awesome-ux: a awesome list about User Experience ...
(github.com)
2022-01-23
317 Mobile ‘Search Autocomplete’ Examples – Baymard Insti...
(baymard.com)
2022-01-23
Account Registration design pattern
(ui-patterns.com)
2022-01-23
Three Ways to Improve Your Design Research with Wordle - ...
(boxesandarrows.com)
2022-01-23
272 Mobile ‘Receipt’ Examples – Baymard Institute
(baymard.com)
2022-01-23
What is typography? | Butterick’s Practical Typography
(practicaltypography.com)
2022-01-23
This is the most interesting UI design of the year so far...
(www.fastcompany.com)
2022-01-23
1239 ‘Product Page’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
762 ‘Autocomplete Suggestions’ Design Examples – Baymard ...
(baymard.com)
2022-01-23
Explore the Book » Designing Web Interfaces
(designingwebinterfaces.com)
2022-01-23
1018 ‘Homepage’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Reduction design pattern
(ui-patterns.com)
2022-01-23
Continuous Scrolling design pattern
(ui-patterns.com)
2022-01-23
188 ‘Cross-Sells’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
887 ‘Cart’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Tagging design pattern
(ui-patterns.com)
2022-01-23
Nostalgia Effect design pattern
(ui-patterns.com)
2022-01-23
Coachmarks design pattern
(ui-patterns.com)
2022-01-23
Favorites design pattern
(ui-patterns.com)
2022-01-23
Inline Help Box design pattern
(ui-patterns.com)
2022-01-23
Vote To Promote design pattern
(ui-patterns.com)
2022-01-23
Structured Format design pattern
(ui-patterns.com)
2022-01-23
429 Mobile ‘Homepages’ Examples – Baymard Institute
(baymard.com)
2022-01-23
458 ‘User Reviews Section’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-23
Loss Aversion design pattern
(ui-patterns.com)
2022-01-23
130 ‘Order Returns’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Fixed rewards design pattern
(ui-patterns.com)
2022-01-23
Self-Monitoring design pattern
(ui-patterns.com)
2022-01-23
340 ‘Newsletter Management’ Design Examples – Baymard Ins...
(baymard.com)
2022-01-23
How to design a logo: 15 pro tips
(www.creativebloq.com)
2022-01-23
1024 ‘Search Results Page’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-23
Categorization design pattern
(ui-patterns.com)
2022-01-23
Appropriate Challenge design pattern
(ui-patterns.com)
2022-01-23
Completeness meter design pattern
(ui-patterns.com)
2022-01-23
653 Mobile ‘Navigation Menu’ Examples – Baymard Institute
(baymard.com)
2022-01-23
Wiki design pattern
(ui-patterns.com)
2022-01-23
WYSIWYG design pattern
(ui-patterns.com)
2022-01-23
GoodUI
(www.goodui.org)
2022-01-23
Pagination design pattern
(ui-patterns.com)
2022-01-23
Accordion Menu design pattern
(ui-patterns.com)
2022-01-23
Friend list design pattern
(ui-patterns.com)
2022-01-23
224 Mobile ‘Review Order’ Examples – Baymard Institute
(baymard.com)
2022-01-23
Rate Content design pattern
(ui-patterns.com)
2022-01-23
1118 ‘Payment’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Image Zoom design pattern
(ui-patterns.com)
2022-01-23
Calendar Picker design pattern
(ui-patterns.com)
2022-01-23
Article List design pattern
(ui-patterns.com)
2022-01-23
UltraLinx
(theultralinx.com)
2022-01-23
Set Completion design pattern
(ui-patterns.com)
2022-01-23
robinstickel/awesome-design-principles: ✨ A curated list ...
(github.com)
2022-01-23
Horizontal Dropdown Menu design pattern
(ui-patterns.com)
2022-01-23
Limited Choice design pattern
(ui-patterns.com)
2022-01-23
How to Design a Large Scale Responsive Site | UX Booth
(www.uxbooth.com)
2022-01-23
Login | Figma
(www.figma.com)
2022-01-23
Smart Interface Design Patterns In Your Pocket: Checklist...
(smashingmagazine.com)
2022-01-23
Chat design pattern
(ui-patterns.com)
2022-01-23
A comprehensive list of UX design methods & deliverables
(uxdesign.cc)
2022-01-23
Chapter 2. Who’s using the app? · Usability Matters: Mobi...
(livebook.manning.com)
2022-01-23
Gallery design pattern
(ui-patterns.com)
2022-01-23
973 ‘Customer Info & Address’ Design Examples – Baymard I...
(baymard.com)
2022-01-23
Why Facebook Is Blue: The Science of Colors in Marketing
(buffer.com)
2022-01-23
13 Course Landing Page UI Changes With +49% Enrollments F...
(goodui.org)
2022-01-23
Home | Laws of UX
(lawsofux.com)
2022-01-23
Atkinson Hyperlegible Font May Be Pretty Good If Your Gra...
(christiantietze.de)
2022-01-23
Limited duration design pattern
(ui-patterns.com)
2022-01-23
Follow design pattern
(ui-patterns.com)
2022-01-23
To Truly Delight Customers, You Need Aesthetic Intelligence
(hbr.org)
2022-01-23
Never use the word “User” in your code
(codewithoutrules.com)
2022-01-23
Google says Flutter, its open source UI framework, now ha...
(www.techmeme.com)
2022-01-23
The Obvious UI is Often the Best UI
(medium.com)
2022-01-23
http://designinginterfaces.com/patterns/
(designinginterfaces.com)
2022-01-17
4 Rules for Intuitive UX
(learnui.design)
2022-01-17
Brilliant Barcode Designs
(designyoutrust.com)
2022-01-17
8-Point Grid: Vertical Rhythm
(builttoadapt.io)
2022-01-17
Great products do less, but better
(uxdesign.cc)
2022-01-17
SaaS UX design | Lyssna
(io.usabilityhub.com)
2022-01-17
Performant Front-end Architecture | DebugBear
(www.debugbear.com)
2022-01-17
How to Gather Quantitative Data on User Behaviors
(thenextweb.com)
2022-01-17
'Users hate change'
(gist.github.com)
2022-01-17
802 ‘Delivery & Shipping Methods’ Design Examples – Bayma...
(baymard.com)
2022-01-17
6 Customer Journey Map Examples: How UX Pros Do It
(conversionxl.com)
2022-01-17
Settings design pattern
(ui-patterns.com)
2022-01-17
UX Design Psychology Tricks for Design Excellence
(www.uxpin.com)
2022-01-17
Privacy UX: Privacy-Aware Design Framework — Smashing Mag...
(www.smashingmagazine.com)
2022-01-17
Optimizing Information Design :: UXmatters
(www.uxmatters.com)
2022-01-17
Drag–and–Drop: How to Design for Ease of Use
(www.nngroup.com)
2022-01-17
Creating a UX Design Style Guide :: UXmatters
(www.uxmatters.com)
2022-01-17
5 Ways to Boost Engagement With Animation
(www.webdesignerdepot.com)
2022-01-17
Mobile-App Onboarding: An Analysis of Components and Tech...
(www.nngroup.com)
2022-01-17
User Experience Careers: What a Career in UX Looks Like T...
(www.nngroup.com)
2022-01-17
UX Guidelines for Ecommerce Product Pages
(www.nngroup.com)
2022-01-17
Readability Formulas: 7 Reasons to Avoid Them and What to...
(www.uxmatters.com)
2022-01-17
Front-End Performance Checklist 2021 (PDF, Apple Pages, M...
(www.smashingmagazine.com)
2022-01-17
How to Create Better Alerts and Symbols in Your Designs :...
(www.uxmatters.com)
2022-01-17
Designing for Progressive Disclosure :: UXmatters
(www.uxmatters.com)
2022-01-17
Split Buttons: Definition
(www.nngroup.com)
2022-01-17
Molding Yourself into a Leader, Part 1 :: UXmatters
(www.uxmatters.com)
2022-01-17
Designing Card-Based User Interfaces — Smashing Magazine
(www.smashingmagazine.com)
2022-01-17
What Parallax Lacks
(www.nngroup.com)
2022-01-17
Great Wireframe Examples
(www.pinterest.com)
2022-01-17
yEd Graph Editor
(www.yworks.com)
2022-01-17
Cognitive Maps, Mind Maps, and Concept Maps: Definitions
(www.nngroup.com)
2022-01-17
Book Review: The Lean Product Playbook :: UXmatters
(www.uxmatters.com)
2022-01-17
7 Ecommerce UX Tips That Drive Sales :: UXmatters
(www.uxmatters.com)
2022-01-17
Different Information-Seeking Tasks: Behavior Patterns an...
(www.nngroup.com)
2022-01-17
'The most effective technology is technology that no one ...
(www.retaildive.com)
2022-01-17
https://www.simonmccade.com/ux-advice
(www.simonmccade.com)
2022-01-17
Design Principles: Space And The Figure-Ground Relationsh...
(www.smashingmagazine.com)
2022-01-17
Design Principles – An Introduction to Visual Hierarchy |...
(www.toptal.com)
2022-01-17
Usability Testing 101
(www.nngroup.com)
2022-01-17
10 Ways to Use Exit-Intent Popups for Good
(www.nngroup.com)
2022-01-17
Storybook Tutorials
(www.learnstorybook.com)
2022-01-17
The User Experience of Public Bathrooms [APRIL FOOLS]
(www.nngroup.com)
2022-01-17
The Authority Principle
(www.nngroup.com)
2022-01-17
Privacy UX: Better Notifications And Permission Requests ...
(www.smashingmagazine.com)
2022-01-17
uxbox.io - Domain Name For Sale | Dan.com
(www.uxbox.io)
2022-01-17
Frictionless UX: How to Create Smooth User Flows
(www.webdesignerdepot.com)
2022-01-17
12 Best Free UX/UI Prototyping Tools for Web/App Designer...
(www.noupe.com)
2022-01-17
Landing Pages: The Complete Guide to Effective UX Design
(www.uxpin.com)
2022-01-17
Executing UX Animations: Duration and Motion Characteristics
(www.nngroup.com)
2022-01-17
Capture Attention Through Color Psychology :: UXmatters
(www.uxmatters.com)
2022-01-17
Understanding Cultures :: UXmatters
(www.uxmatters.com)
2022-01-17
How Color Impacts UX
(www.webdesignerdepot.com)
2022-01-17
Button Design – Get Site Visitors to Actually Click Your ...
(www.uxpin.com)
2022-01-17
Designing for Touch :: UXmatters
(www.uxmatters.com)
2022-01-17
Creating Low-Fidelity or High-Fidelity Prototypes, Part 2...
(www.uxmatters.com)
2022-01-17
W3Schools.com
(www.w3schools.com)
2022-01-17
How to Create a Wireframe? Step-by-Step Guide + Examples
(www.uxpin.com)
2022-01-17
Animation for Attention and Comprehension
(www.nngroup.com)
2022-01-17
Creepiness–Convenience Tradeoff
(www.nngroup.com)
2022-01-17
Change Blindness in UX: Definition
(www.nngroup.com)
2022-01-17
Design Psychology and the Neuroscience of Awesome UX | To...
(www.toptal.com)
2022-01-17
The Dangers of Overpersonalization
(www.nngroup.com)
2022-01-17
What You Need to Know About Negotiating Design Ideas with...
(www.uxpin.com)
2022-01-17
The Critical Incident Technique in UX
(www.nngroup.com)
2022-01-17
Similarity Principle in Visual Design
(www.nngroup.com)
2022-01-17
Visual Design: Glossary
(www.nngroup.com)
2022-01-17
Crafting a UX Portfolio :: UXmatters
(www.uxmatters.com)
2022-01-17
Creating Low-Fidelity or High-Fidelity Prototypes, Part 1...
(www.uxmatters.com)
2022-01-17
UX Design — Smashing Magazine
(www.smashingmagazine.com)
2022-01-17
8 Design Guidelines for Complex Applications
(www.nngroup.com)
2022-01-17
7 Ways to Analyze a Customer-Journey Map
(www.nngroup.com)
2022-01-17
How to Leverage Thematic Analysis for Better UX | Toptal®
(www.toptal.com)
2022-01-17
The Role Of Storyboarding In UX Design — Smashing Magazine
(www.smashingmagazine.com)
2022-01-17
Vanity Metrics: Add Context to Add Meaning
(www.nngroup.com)
2022-01-17
UI Animation – All You Need to Know and Examples
(www.uxpin.com)
2022-01-17
The Role of Animation and Motion in UX
(www.nngroup.com)
2022-01-17
UI Design Best Practices for Better Scannability | Toptal®
(www.toptal.com)
2022-01-17
Front-End Performance Checklist 2021 (PDF, Apple Pages, M...
(www.smashingmagazine.com)
2022-01-17
Using Cognitive Psychology in UX Design: What to Know - n...
(www.noupe.com)
2022-01-17
Sympathy vs. Empathy in UX
(www.nngroup.com)
2022-01-17
Web Layout Best Practices – 12 Timeless UI Patterns | Top...
(www.toptal.com)
2022-01-17
The Paradox of Intelligent Assistants: Poor Usability, Hi...
(www.nngroup.com)
2022-01-17
Benchmarking UX: Tracking Metrics
(www.nngroup.com)
2022-01-17
Good UX: What I Learned While Working in Restaurants
(www.nngroup.com)
2022-01-17
User-Experience Quiz 2023
(www.nngroup.com)
2022-01-17
The Lawn Mower Eyetracking Pattern for Scanning Compariso...
(www.nngroup.com)
2022-01-17
The 6 UX Methods That Proved to Be Effective in Driving R...
(www.uxpin.com)
2022-01-17
In Defense of Post-its
(www.nngroup.com)
2022-01-17
Learnability in UX Design
(www.webdesignerdepot.com)
2022-01-17
Navigating Ambiguity :: UXmatters
(www.uxmatters.com)
2022-01-17
Book Review: The Jobs To Be Done Playbook :: UXmatters
(www.uxmatters.com)
2022-01-17
Dot Voting: A Simple Decision-Making and Prioritizing Tec...
(www.nngroup.com)
2022-01-17
Journey Mapping 101
(www.nngroup.com)
2022-01-17
How To Deliver A Successful UX Project In The Healthcare ...
(www.smashingmagazine.com)
2022-01-17
UX Guidelines for Ecommerce Homepages, Category Pages, an...
(www.nngroup.com)
2022-01-17
3 Persona Types: Lightweight, Qualitative, and Statistical
(www.nngroup.com)
2022-01-17
Better Link Labels: 4Ss for Encouraging Clicks
(www.nngroup.com)
2022-01-17
Cognitive Mapping in User Research
(www.nngroup.com)
2022-01-17
‘Our Users Are Everyone’: Designing Mass-Market Products ...
(www.nngroup.com)
2022-01-17
Artificial Intelligence, Supervised Learning, and User Ex...
(www.uxmatters.com)
2022-01-17
Top books, movies, and series recommended by designers in...
(www.uxpin.com)
2022-01-17
Design Principles: Compositional Flow And Rhythm — Smashi...
(www.smashingmagazine.com)
2022-01-17
The Complete Guide to UX Research Methods | Toptal®
(www.toptal.com)
2022-01-17
Discussion Guide Gaffes and How to Fix Them :: UXmatters
(www.uxmatters.com)
2022-01-17
Hick’s Law: Making the choice easier for users
(www.interaction-design.org)
2022-01-17
What is Change Blindness in UX Design - noupe
(www.noupe.com)
2022-01-17
Design Principles: Visual Weight And Direction — Smashing...
(www.smashingmagazine.com)
2022-01-17
Avoid PDF for On-Screen Reading
(www.nngroup.com)
2022-01-17
Is The F-Pattern Still Relevant in Web Design?
(www.webdesignerdepot.com)
2022-01-17
Lessons on Visualization from the Industrial Environment ...
(www.uxmatters.com)
2022-01-17
Login Walls Stop Users in Their Tracks
(www.nngroup.com)
2022-01-17
Spatial Memory: Why It Matters for UX Design
(www.nngroup.com)
2022-01-17
10 Tips for Building a Visual Language
(www.webdesignerdepot.com)
2022-01-17
How to Film and Photograph for Usability: UX Details for ...
(www.nngroup.com)
2022-01-17
https://www.mybluprint.com/article/hues-tints-tones-shade...
(www.mybluprint.com)
2022-01-17
https://www.lifewire.com/font-families-basics-3467382
(www.lifewire.com)
2022-01-17
Front-End Performance Checklist 2021 (PDF, Apple Pages, M...
(www.smashingmagazine.com)
2022-01-17
7 Steps to Benchmark Your Product’s UX
(www.nngroup.com)
2022-01-17
Building Narrative into Your User Interface, Part 2 :: UX...
(www.uxmatters.com)
2022-01-17
How Lorem Ipsum Kills Your Designs
(www.uxpin.com)
2022-01-17
Remote Moderated Usability Tests: How to Do Them
(www.nngroup.com)
2022-01-17
Design Principles: Visual Perception And The Principles O...
(www.smashingmagazine.com)
2022-01-17
Design Principles: Dominance, Focal Points And Hierarchy ...
(www.smashingmagazine.com)
2022-01-17
Design Principles: Connecting And Separating Elements Thr...
(www.smashingmagazine.com)
2022-01-17
Smart Interface Design Patterns Checklists PDF — Smashing...
(www.smashingmagazine.com)
2022-01-17
Applying UX-Workshop Techniques to the Hiring Process
(www.nngroup.com)
2022-01-16
Bootcards - Nền tảng Framework UI dạng card dựa trên Boot...
(bootcards.org)
2022-01-16
7 Practical Tips for Cheating at Design
(medium.com)
2022-01-16
Coolors - The super fast color palettes generator!
(coolors.co)
2022-01-12
User Onboarding: Principles and Guidelines
(www.uxmatters.com)
2022-01-09
5 UX Tricks You Must Know in 2022
(dev.to)
2022-01-07
54 years ago, a computer programmer fixed a massive bug —...
(www.inverse.com)
2021-12-23
Useful UX Guidelines, Tools And Resources
(www.smashingmagazine.com)
2021-12-23
UX Tools
(uxtools.co)
2021-12-15
1000+ Free HTML Website Templates (2024) - HTML Templates
(htmltemplates.co)
2021-12-14
9 tips to get bare minimum of web accessibility
(medium.com)
2021-12-14
colors.lol - Overly descriptive color palettes
(colors.lol)
2021-12-12
Recognize Strategic Opportunities with Long-Tail Data
(www.nngroup.com)
2021-12-11
UI Events
(www.w3.org)
2021-11-29
The Vinyl Renaissance: Take Those Old Records Off the Shelf
(hbswk.hbs.edu)
2021-11-17
The end of “click to subscribe, call to cancel”? One of t...
(www.niemanlab.org)
2021-11-14
5 Prioritization Methods in UX Roadmapping
(www.nngroup.com)
2021-11-14
DesignOps: Study Guide
(www.nngroup.com)
2021-10-15
White Label Designs – All About Implementation, Design Sy...
(www.uxpin.com)
2021-10-11
Web UI Best Practices: UI Design from the Experts
(www.uxpin.com)
2021-09-28
17 Useful UX and UI Design Tools
(www.practicalecommerce.com)
2021-08-03
60 Awesome UI and UX resources for Developers and Designe...
(dev.to)
2021-07-25
What is an Affinity Diagram and How It Can Help You
(www.uxpin.com)
2021-07-24
Designing the Smallest Possible Thing
(www.interaction-design.org)
2021-07-13
HTML Line Spacing: The Fine Line Between Good and Bad UX ...
(www.uxpin.com)
2021-06-20
How to Draw a Wireframe (Even if You Can’t Draw)
(www.nngroup.com)
2021-06-19
The UX of video game tutorials. What decisions a designer...
(uxdesign.cc)
2021-06-05
4 Testimonial Page Examples for UX/UI Design
(www.uxpin.com)
2021-05-26
The Expanse UI Design — HUDS GUIS
(www.hudsandguis.com)
2021-05-18
10 Useful UI/UX Design Articles for UX Practitioners
(www.uxpin.com)
2021-05-17
Three Levels of Pain Points in Customer Experience
(www.nngroup.com)
2021-05-13
chart-doctor/README.md at master · ft-interactive/chart-d...
(github.com)
2021-05-11
Aspect Ratios: All You Need to Know
(www.uxpin.com)
2021-05-09
The Psychology behind Data Visualization Techniques
(towardsdatascience.com)
2021-04-08
Taxonomies: Connecting Users to Content
(boxesandarrows.com)
2021-04-05
Overlay Fact Sheet
(overlayfactsheet.com)
2021-04-04
Sticky Headers: 5 Ways to Make Them Better
(www.nngroup.com)
2021-04-02
Dark patterns, the tricks websites use to make you say ye...
(www.vox.com)
2021-04-01
Font size is useless; let’s fix it @ tonsky.me
(tonsky.me)
2021-03-20
Benefits of Using a Random Name Generator
(www.uxpin.com)
2021-03-18
15 Psychology Principles Every Designer Should Know
(www.webdesignerdepot.com)
2021-03-15
A Thread from @Tocelot: "The best apps today are games in...
(threader.app)
2021-03-15
Building Products at Airbnb - Bring the Donuts Newsletter
(newsletter.bringthedonuts.com)
2021-03-10
Sketch vs Wireframe vs Mockup vs Prototype: A Complete Gu...
(blog.pine.design)
2021-03-02
Speed Is the Killer Feature
(bdickason.com)
2021-02-17
11 Easy UI Design Tips for Web Devs
(dev.to)
2020-12-22
Top Product Management and UX Articles of 2020
(t.co)
2020-12-21
People AI Guidebook | PAIR
(pair.withgoogle.com)
2020-12-13
Pocket - The Lawn Mower Eyetracking Pattern for Scanning ...
(app.getpocket.com)
2020-12-10
[Infographic] The Periodic Table of UX Elements
(www.reddit.com)
2020-11-03
Want to ditch Pinterest? Here are the best alternatives f...
(www.fastcompany.com)
2020-08-10
Designing Mobile Tables
(www.uxmatters.com)
2020-06-01
Salience: The psychology of an experience you can’t ignore
(uxmag.com)
2020-05-27
Salience: The psychology of an experience you can’t ignor...
(uxmag.com)
2020-04-21
The Baymard Institute: A glorious, evidence-based trove o...
(medium.com)
2020-02-19
Ask a researcher: How do needs drive intent?
(www.thinkwithgoogle.com)
2019-12-23
Study of Over 11,000 Online Stores Finds 'Dark Patterns' ...
(tech.slashdot.org)
2019-08-30
Buyer UX ecommerce Benchmarking
(docs.google.com)
2019-08-30
Design Psychology and the Neuroscience of Awesome UX | To...
(www.toptal.com)
2019-08-30
How to use data in user research when you have no web ana...
(ui-patterns.us10.list-manage.com)
2019-08-29
How to run an heuristic evaluation – UX Mastery
(uxmastery.com)
2019-08-29
How privilege impacts empathy
(t.co)
2019-08-29
Making the Hook Model actionable
(ui-patterns.com)
2019-08-29
The Value of Inconvenient Design
(ui-patterns.us10.list-manage.com)
2019-08-29
The principle of design principles
(ui-patterns.us10.list-manage.com)
2019-08-29
Disruptive Interfaces & The Emerging Battle To Be The Def...
(medium.com)
2019-08-23
See Google's first guidelines for data visualization
(www.fastcompany.com)
2019-05-15
Feature design checklist – UX Collective
(uxdesign.cc)
2019-04-21
People, Products, and Epiphanies – Google Design – Medium
(medium.com)
2019-04-19
Making the Fogg Behavior Model actionable
(ui-patterns.com)
2019-04-19
I wanted to write a book, but ended up with a card deck
(ui-patterns.com)
2019-03-12
Reciprocity Decay
(www.coglode.com)
2019-03-12
How to Respond to Skepticism of Testing Small Groups of U...
(www.nngroup.com)
2019-01-03
The Elements of UI Engineering - Overreacted
(overreacted.io)
2018-11-16
This is the most interesting UI design of the year so far
(www.fastcompany.com)
2018-03-05
The Power of a Free Popsicle | Stanford Graduate School o...
(www.gsb.stanford.edu)
2013-09-24
NN/g’s Free UX Templates and Guides
(www.nngroup.com)
2009-09-24
The Practical Guide to Empathy Maps: 10-Minute User Personas
(www.uxpin.com)
-->
webdev (all)
categories:
tags:
webdev
date: 28 Mar 2025
slug:raindrop-webdev-all
(frontendmasters.com)
2023-03-22
Creating CSS masonry-style layouts
(dev.to)
2023-02-18
Mastering CSS Flexbox: From Basics to Advanced Techniques
(dev.to)
2023-02-17
Putting Gears In Motion: Animating Cars With HTML And SVG
(www.smashingmagazine.com)
2023-02-17
Easy SVG Customization And Animation: A Practical Guide
(smashingmagazine.com)
2023-02-17
SVG — Smashing Magazine
(www.smashingmagazine.com)
2023-02-15
76 CSS Cards
(freefrontend.com)
2023-02-13
Relearn CSS layout
(every-layout.dev)
2023-02-12
Web Design & Development Toolkit
(toolkit.addy.codes)
2023-02-11
Npm vs Yarn: What Should you use for managing packages in...
(dev.to)
2023-02-10
How To Build A Magazine Layout With CSS Grid Areas
(smashingmagazine.com)
2023-02-10
Native CSS masonry layout | pawelgrzybek.com
(pawelgrzybek.com)
2023-02-07
Visual design rules you can safely follow every time
(anthonyhobday.com)
2023-02-07
Sticky Notes with CSS3
(dev.to)
2023-02-04
Using Curl to make REST API requests | Linuxize
(linuxize.com)
2023-02-04
Google Arts & Culture
(artsandculture.google.com)
2023-02-01
5 Node.js Tools to Learn in 2023
(blog.appsignal.com)
2023-01-31
7 Open-Source Log Management Tools that you may consider ...
(dev.to)
2023-01-26
CSS Named Colors: Groups, Palettes, Facts, & Fun
(dev.to)
2023-01-24
10 Essential Design System Components
(www.uxpin.com)
2023-01-24
Level Up Your CSS Skills With The :has() Selector
(www.smashingmagazine.com)
2023-01-17
The Top Five Static Site Generators (SSGs) for 2023 —&nbs...
(dev.to)
2023-01-13
What if writing tests was a joyful experience?
(blog.janestreet.com)
2023-01-01
Animation Techniques with anime.js: Timing, Easing, and K...
(dev.to)
2022-12-30
An Ultimate Guide On Sizing, Spacing, Grids And Layout In...
(www.smashingmagazine.com)
2022-12-23
InnerHTML vs. InnerText vs. TextContent: A Guide | Built In
(builtin.com)
2022-12-23
How to design almost any UI element (list of ~58 articles...
(dev.to)
2022-12-21
UTM Parameters Best Practices & Intro | Rafflecopter
(blog.rafflecopter.com)
2022-12-10
When to use gRPC vs GraphQL - Stack Overflow
(itr-links.stackoverflow.email)
2022-11-30
Counting unique visitors without using cookies, UIDs or f...
(notes.normally.com)
2022-11-08
Build Your Own Web Server With Ruby - RubyGuides
(www.rubyguides.com)
2022-11-07
Making a DNS query in Ruby from scratch
(jvns.ca)
2022-10-26
Introducing Turbopack: Rust-based successor to Webpack – ...
(vercel.com)
2022-10-05
Security Best Practices for Your Rails Application
(blog.appsignal.com)
2022-10-02
The Thorny Problem of Keeping the Internet’s Time
(www.newyorker.com)
2022-09-30
GIFs Without the .gif: The Most Performant Image and Vide...
(css-tricks.com)
2022-09-27
25 Free Tools to Test Your Website
(www.practicalecommerce.com)
2022-09-22
Render: Awesome alternative for Heroku
(dev.to)
2022-09-20
Finding an Image on a Web Page | TestComplete Documentation
(support.smartbear.com)
2022-09-14
Accessibility UX Best Practices – 8 Tactics for Web Design
(www.uxpin.com)
2022-09-09
rack/rack
(github.com)
2022-09-08
TIL: You Can Access A User's Camera with Just HTML
(austingil.com)
2022-09-08
The Realities And Myths Of Contrast And Color — Smashing ...
(www.smashingmagazine.com)
2022-09-05
gchq/CyberChef: The Cyber Swiss Army Knife - a web app fo...
(github.com)
2022-09-05
CyberChef
(cyberchef.org)
2022-09-05
Infinite Scrolling: When to Use It, When to Avoid It
(www.nngroup.com)
2022-08-30
Heroku no longer offers free service, what's the best alt...
(dev.to)
2022-08-30
Heroku no longer offers free service, what's the best alt...
(dev.to)
2022-08-30
Free Alternatives to Heroku
(dev.to)
2022-08-29
Top 10 JavaScript Frameworks to Use in 2022
(dev.to)
2022-08-22
Genome Color Tool
(www.genomecolor.space)
2022-08-19
10 ways to speed up JavaScript loading
(dev.to)
2022-08-05
Kits | Foundation 6
(get.foundation)
2022-08-01
Building a Web server in Bash, part I - sockets
(dev.to)
2022-07-30
Router Security
(routersecurity.org)
2022-07-30
Build Your Own Web Framework – Vercel
(vercel.com)
2022-07-29
Test Your Product On A Crappy Laptop | CSS-Tricks
(css-tricks.com)
2022-07-29
vs. : How To Choose The Right One — Smashing Magazine
(www.smashingmagazine.com)
2022-07-27
Productivity Tips And Tools For A More Efficient Workflow...
(www.smashingmagazine.com)
2022-07-26
Emoji Kitchen Browser
(emoji.supply)
2022-07-26
The Magical Use of Uncommon Labels Fieldset and Legend
(dev.to)
2022-07-20
Introduction to TCP and Sockets
(www.scottklement.com)
2022-07-18
Scaling Engineering Teams via RFCs: Writing Things Down
(blog.pragmaticengineer.com)
2022-07-06
Eye-Catching Typography To Get More Leads
(www.noupe.com)
2022-07-05
Learn the Python Anvil Framework
(pythonanvil.com)
2022-07-04
3 Best Website Uptime Monitoring Tools
(www.webdesignerdepot.com)
2022-07-01
Bootstrap CSS is still the sh*t. But we can make it better.
(dev.to)
2022-06-23
Hotjar: Website Heatmaps & Behavior Analytics Tools
(www.hotjar.com)
2022-06-23
Hacker News
(webauthn.guide)
2022-06-22
Dans Tools - Online tools for users and developers.
(www.danstools.com)
2022-06-21
Perfect CTA Placement: Above-The-Fold Vs. Below-The-Fold
(www.webdesignerdepot.com)
2022-06-21
6 In-demand Marketing Skills for Your Design CV
(www.noupe.com)
2022-06-21
You’re not still using “Read More” are you?
(blog.prototypr.io)
2022-06-14
13 Tips on How to Crawl a Website Without Getting Blocked
(dev.to)
2022-06-13
21 Examples of Pricing Pages in Web Design
(webdesignledger.com)
2022-06-13
Find a good available .com domain | Derek Sivers
(sive.rs)
2022-06-12
The attacker’s toolkit: Ransomware-as-a-service
(venturebeat.com)
2022-06-12
8 CSS Snippets That Demonstrate the Power of Shadow Effects
(speckyboy.com)
2022-06-12
15 Beautiful Color Gradients using CSS
(dev.to)
2022-06-11
10 Surprising Things You Didn't Know About HTTP | Web Dev...
(webdevguild.com)
2022-06-11
gRPC vs. REST: Getting Started With the Best API Protocol...
(www.toptal.com)
2022-06-11
Write HTML Right
(lofi.limo)
2022-06-09
#HEXWORDS
(hexwords.netlify.app)
2022-06-04
Style Tiles
(styletil.es)
2022-06-01
4 technical SEO issues auditing tools won’t show you
(searchengineland.com)
2022-05-30
Bundler: The best way to manage a Ruby application's gems
(bundler.io)
2022-05-30
Markdown Tutorial Using Rails app
(www.bacancytechnology.com)
2022-05-29
Magical SVG Techniques
(smashingmagazine.com)
2022-05-29
Staticman: Overview
(staticman.net)
2022-05-28
gztchan/awesome-design: 🌟 Curated design resources from a...
(github.com)
2022-05-28
An in-depth SVG tutorial
(flaviocopes.com)
2022-05-20
Deploy app servers close to your users · Fly
(fly.io)
2022-05-18
The Future of Search Is Boutique | Future
(future.a16z.com)
2022-05-17
webglfundamentals.org
(webglfundamentals.org)
2022-05-12
CSS Tips - Marko Denic - Web Developer
(markodenic.com)
2022-05-05
Total number of Websites - Internet Live Stats
(www.internetlivestats.com)
2022-05-03
https://social.techcrunch.com/2022/04/23/seo-scammers-buy...
(social.techcrunch.com)
2022-04-15
Creating Style Guides
(alistapart.com)
2022-04-09
Jacob Errington | Roll your own Ngrok with Nginx, Letsenc...
(jerrington.me)
2022-04-03
Seriously, stop using RSA | Trail of Bits Blog
(blog.trailofbits.com)
2022-03-27
Tao of Node - Design, Architecture & Best Practices | Ale...
(alexkondov.com)
2022-03-27
This browser you've never heard of is now worth a billion...
(www.techradar.com)
2022-03-23
8 CSS & JavaScript Snippets for Creating Cool Card UI Hov...
(speckyboy.com)
2022-03-23
What Is Nix and Why You Should Use It
(serokell.io)
2022-03-22
Amazing Resources for Web Developers
(dev.to)
2022-03-22
Browser-in-the-Browser Attack Can Trick Even Savvy Users
(it.slashdot.org)
2022-03-16
RunaCapital/awesome-oss-alternatives: Awesome list of ope...
(github.com)
2022-03-14
The Catalog of Design Patterns
(refactoring.guru)
2022-02-28
Using Personal Access Tokens with GIT and GitHub - Edgoad...
(www.edgoad.com)
2022-02-20
Scheduling Tasks and Threads | Web Browser Engineering
(browser.engineering)
2022-02-18
IRA Design by Creative Tim
(iradesign.io)
2022-02-13
Smashing Newsletter
(mailchi.mp)
2022-01-31
Security Risks On Rails: Misconfiguration and Unsafe Inte...
(dev.to)
2022-01-29
Why Japanese Web Design Is So… Different
(randomwire.com)
2022-01-26
Ultimate UI/UX glossary to speak same language with desig...
(www.softformance.com)
2022-01-23
Never use the word “User” in your code
(codewithoutrules.com)
2022-01-23
2013 04 12 package managers an introducto
(codylindley.com)
2022-01-20
320 free resources for learning fullstack, frontend and b...
(dev.to)
2022-01-17
When 0748 Means “Go Die": The Secret Messages Inside Chin...
(newrepublic.com)
2022-01-17
Front-End Performance Checklist 2021 (PDF, Apple Pages, M...
(www.smashingmagazine.com)
2022-01-17
10 Tips for Building a Visual Language
(www.webdesignerdepot.com)
2022-01-17
Front-End Performance Checklist 2021 (PDF, Apple Pages, M...
(www.smashingmagazine.com)
2022-01-17
Understanding Webpacker in Rails 6 | Road to Rails 6
(prathamesh.tech)
2022-01-17
https://hixonrails.com/ruby-on-rails-tutorials/ruby-on-ra...
(hixonrails.com)
2022-01-17
gitleaks/gitleaks: Protect and discover secrets using Git...
(github.com)
2022-01-17
Perf tooling
(www.perf-tooling.today)
2022-01-17
phanan/htaccess
(github.com)
2022-01-17
Some ways DNS can break
(jvns.ca)
2022-01-16
grab/front-end-guide: 📚 Study guide and introduction to t...
(github.com)
2022-01-16
Front-end Developer Handbook 2019 - Learn the entire Java...
(frontendmasters.com)
2022-01-16
Front-End Developer Handbook 2018 - Learn the entire Java...
(frontendmasters.com)
2022-01-16
Serverless: Zero-Friction Serverless Apps On AWS Lambda &...
(serverless.com)
2022-01-16
Progressive Web Apps: Going Offline | Google for Developers
(developers.google.com)
2022-01-16
20 Chrome Extensions for Web Design
(www.practicalecommerce.com)
2022-01-16
dexteryy/spellbook-of-modern-webdev: A Big Picture, Thesa...
(github.com)
2022-01-16
https://simplesecurity.sensedeep.com/web-developer-securi...
(simplesecurity.sensedeep.com)
2022-01-16
7 Practical Tips for Cheating at Design
(medium.com)
2022-01-16
Coolors - The super fast color palettes generator!
(coolors.co)
2022-01-15
The WebSocket Handbook: learn about the technology behind...
(ably.com)
2022-01-13
RFC7540
(httpwg.org)
2022-01-13
HTTP Status Codes Glossary
(httpstatuses.com)
2022-01-12
Progressive Web Apps | web.dev
(developers.google.com)
2022-01-12
Servers for Hackers
(serversforhackers.com)
2022-01-12
Water.css
(kognise.github.io)
2022-01-12
https://httpsecurityreport.com/best_practice.html
(httpsecurityreport.com)
2022-01-12
This tool confuses Google's ad network to protect your pr...
(www.technologyreview.com)
2022-01-12
Ask HN: Good open source alternatives to Google Analytics...
(news.ycombinator.com)
2022-01-11
15 awesome CSS animation libraries you need to know.
(dev.to)
2022-01-09
5 UX Tricks You Must Know in 2022
(dev.to)
2022-01-07
How we handle 80TB and 5M page views a month for under $400
(blog.polyhaven.com)
2022-01-06
5 Best Practices for Securing SSH
(goteleport.com)
2022-01-04
An Introduction to DNS Terminology, Components, and Conce...
(www.digitalocean.com)
2022-01-04
CSS Object Model (CSSOM) - Web APIs | MDN
(developer.mozilla.org)
2022-01-02
The HTML5 test - How well does your browser support HTML5?
(html5test.com)
2022-01-02
Let’s Build A Web Server. Part 3.
(ruslanspivak.com)
2022-01-02
This Page is Designed to Last: A Manifesto for Preserving...
(jeffhuang.com)
2021-12-26
A Practical Guide to SVGs on the web
(svgontheweb.com)
2021-12-26
Crawling - The Most Underrated Hack by @ttunguz
(tomtunguz.com)
2021-12-26
Chrome DevTools | Chrome for Developers
(developers.google.com)
2021-12-26
Modern CSS Explained For Dinosaurs
(medium.com)
2021-12-26
JavaScript Glossary | Codecademy
(www.codecademy.com)
2021-12-26
CSS Reference
(cssreference.io)
2021-12-26
Responsive images - Learn web development | MDN
(developer.mozilla.org)
2021-12-23
Drawing to the Screen | Web Browser Engineering
(browser.engineering)
2021-12-23
Useful UX Guidelines, Tools And Resources
(www.smashingmagazine.com)
2021-12-23
UX Tools
(uxtools.co)
2021-12-23
HTTP Toolkit
(httptoolkit.tech)
2021-12-17
Gulp: A Web Developer's Secret Weapon for Maximizing Site...
(www.toptal.com)
2021-12-17
Web Components - Web APIs | MDN
(developer.mozilla.org)
2021-12-17
URL Standard
(url.spec.whatwg.org)
2021-12-17
The Web Platform: Browser technologies
(platform.html5.org)
2021-12-16
New tool: Mess with DNS!
(jvns.ca)
2021-12-16
Quick Start | Hugo
(gohugo.io)
2021-12-15
Werner's Nomenclature of Colours
(www.c82.net)
2021-12-15
41 Best SEO Tools in 2024 (Free & Paid)
(backlinko.com)
2021-12-14
Get Firefox browser — Mozilla (US)
(www.mozilla.org)
2021-12-13
75 Web Animation Tools You Have to Try
(www.webdesignerdepot.com)
2021-12-13
Tools QA - Page Not Found
(www.toolsqa.com)
2021-12-13
A short and simple guide to Babel
(flaviocopes.com)
2021-12-13
CodeSandbox: Instant Cloud Development Environments
(codesandbox.io)
2021-12-13
Connect the Web With WebSockets
(code.tutsplus.com)
2021-12-13
How JavaScript works: memory management + how to handle 4...
(blog.sessionstack.com)
2021-12-13
Hacking Your Webpage's Head Tags for Speed and Profit
(www.speedshop.co)
2021-12-13
Introduction · Front-end Developer Handbook 2017
(frontendmasters.gitbooks.io)
2021-12-13
Complete Intro to Computer Science Course by Brian Holt |...
(frontendmasters.com)
2021-12-13
A Comprehensive Guide to Font Loading Strategies—zachleat...
(www.zachleat.com)
2021-12-13
Creating Web Icons with SVG Online Class | LinkedIn Learn...
(www.lynda.com)
2021-12-13
https://www.godaddy.com/garage/what-is-a-gravatar/
(www.godaddy.com)
2021-12-13
The Basics of Web Application Security
(martinfowler.com)
2021-12-12
Welcome to Netlify
(docs.netlify.com)
2021-12-11
I want to… - WebAssembly
(webassembly.org)
2021-12-11
pasztor.at
(pasztor.at)
2021-12-11
What is a Domain Name? - Learn web development | MDN
(developer.mozilla.org)
2021-12-11
How We Used WebAssembly To Speed Up Our Web App By 20X (C...
(www.smashingmagazine.com)
2021-12-11
Markdown Cheatsheet
(github.com)
2021-12-11
A Beginner’s Guide To Progressive Web Apps — Smashing Mag...
(www.smashingmagazine.com)
2021-12-07
The Illustrated TLS 1.2 Connection
(tls.ulfheim.net)
2021-12-06
DNS doesn't "propagate"
(jvns.ca)
2021-11-29
Converting and Optimizing Images From the Command Line | ...
(css-tricks.com)
2021-11-28
5 Useful and Interesting Web Animation Libraries
(dev.to)
2021-11-23
Remix | Remix Docs Home
(remix.run)
2021-11-17
11 A/B Testing Tools to Optimize Conversions
(www.practicalecommerce.com)
2021-11-09
The Complete CSS Tags Reference - CSS Cheatsheet
(dev.to)
2021-11-03
Minification of CSS and JavaScript
(dev.to)
2021-10-21
Web Browser Engineering
(browser.engineering)
2021-09-28
17 Useful UX and UI Design Tools
(www.practicalecommerce.com)
2021-09-08
How to use htmlq to extract content from HTML files on Li...
(www.cyberciti.biz)
2021-09-02
Meet the Self-Hosters, Taking Back the Internet One Serve...
(www.vice.com)
2021-08-31
58% of Hacker News, Reddit and tech-savvy audiences block...
(plausible.io)
2021-08-28
The most underused browser feature | Frank's blog
(frankgroeneveld.nl)
2021-08-07
A huge list of web design tools
(dev.to)
2021-08-05
10 Super easy CSS Shapes for beginners
(dev.to)
2021-08-03
60 Awesome UI and UX resources for Developers and Designe...
(dev.to)
2021-07-27
Free for dev - list of software (SaaS, PaaS, IaaS, etc.)
(dev.to)
2021-07-20
No, we don’t use Kubernetes
(ably.com)
2021-07-13
A deep dive into ARIA
(dev.to)
2021-07-07
Top 6 Ethical Hacking Tools
(dev.to)
2021-06-24
How to poison the data that Big Tech uses to surveil you
(www.technologyreview.com)
2021-06-03
Improving The Performance Of An Online Store (Case Study)
(smashingmagazine.com)
2021-05-30
The Cost of Cloud, a Trillion Dollar Paradox | Andreessen...
(a16z.com)
2021-05-27
15 Advanced CSS Techniques To Master In 2021
(dev.to)
2021-05-24
30 ? Awesome CSS Animation Resources
(dev.to)
2021-05-24
CSS Flexbox in 5 Minutes
(dev.to)
2021-05-07
13 eCommerce Site Search Strategies to Boost Revenue from...
(www.noupe.com)
2021-05-07
Advanced YAML Syntax Cheatsheet
(dev.to)
2021-05-04
Two awesome card hover effects you never seen before.
(dev.to)
2021-05-01
15 amazing CSS tips and tricks you should know
(dev.to)
2021-05-01
12 Simple CSS Hover Effects
(dev.to)
2021-04-30
My current HTML boilerplate - Manuel Matuzović
(www.matuzo.at)
2021-04-30
CSRF, CORS, and HTTP Security Headers Demystified
(blog.vnaik.com)
2021-04-27
Lessons I learned from achieving a 99.99% platform uptime
(dev.to)
2021-04-24
http://www.datasciencecentral.com/xn/detail/6448529:BlogP...
(www.datasciencecentral.com)
2021-04-02
Phishing Tests Are Necessary. But They Don’t Need to Be E...
(hbr.org)
2021-04-02
Dark patterns, the tricks websites use to make you say ye...
(www.vox.com)
2021-03-22
Nyxt
(nyxt.atlas.engineer)
2021-03-18
15 Psychology Principles Every Designer Should Know
(www.webdesignerdepot.com)
2021-03-14
Baserow: Open source online database tool
(baserow.io)
2021-03-14
Jon Lai on Twitter: "The best apps today are games in dis...
(twitter.com)
2021-03-11
Free prototyping tool for web & mobile apps - Justinmind
(www.justinmind.com)
2021-02-24
Free for developers
(free-for.dev)
2021-02-19
HTML Boilerplates
(htmlboilerplates.com)
2021-02-17
11 Easy UI Design Tips for Web Devs
(dev.to)
2021-02-13
NoCodeAPI – The easiest way to connect APIs without code
(nocodeapi.com)
2021-02-13
Learn Enough Custom Domains to Be Dangerous | Learn Enoug...
(www.learnenough.com)
2021-02-12
SVG Repo - Free SVG Vectors and Icons
(www.svgrepo.com)
2021-02-12
WHOIS Lookup - Domain Lookup and Availability Checker | D...
(www.domain.com)
2021-02-06
Hacker News
(supunkavinda.blog)
2021-02-05
rss - reddit.com
(www.reddit.com)
2021-02-05
Why I Still Use RSS | atthislink
(atthis.link)
2021-01-30
Building an Advanced Fingerprinting Detector AI
(cujo.com)
2021-01-30
Online HTML To YAML Converter
(bfotool.com)
2021-01-29
6 Web Scraping Tools That Make Collecting Data A Breeze |...
(towardsdatascience.com)
2021-01-28
Top Developer Tools of 2020
(stackshare.io)
2021-01-27
Scrape the Web at Scale With the scrapestack API
(code.tutsplus.com)
2021-01-21
17 Free Design Tools for 2021
(www.practicalecommerce.com)
2021-01-13
isarisariver/webdev: A collection of helpful resources fo...
(github.com)
2020-12-18
The Ultimate Guide to Web Performance ? - DEV Community ?...
(dev.to)
2020-12-18
DevOps Roadmap: Learn to become a DevOps Engineer or SRE
(roadmap.sh)
2020-12-18
Finding Your Way With Domain Mapping
(www.webdesignerdepot.com)
2020-12-13
Periodic table of the web's APIs
(wwwperiodictable.surge.sh)
2020-08-11
17 Tools I Can’t Design Without
(www.webdesignerdepot.com)
2020-06-16
2020 Chrome Extension Performance Report | DebugBear
(www.debugbear.com)
2020-06-01
The 2019 Web Almanac
(almanac.httparchive.org)
2020-04-01
Extract Data from Website to Excel Automatically
(www.datasciencecentral.com)
2020-03-31
Holy sheet: Here’s how to grab a web page’s data with Goo...
(thenextweb.com)
2020-02-28
Google’s new treatment of nofollow links
(searchengineland.com)
2020-02-19
Show HN: Userbase – Add user accounts and persistence to ...
(userbase.com)
2020-02-19
ImageOptim — better Save for Web
(imageoptim.com)
2020-02-19
TinyPNG – Your account dashboard
(tinypng.com)
2020-02-19
Web Scraping with a Headless Browser: A Puppeteer Tutoria...
(www.datasciencecentral.com)
2020-01-12
Gitter
(gitter.im)
2019-12-31
Front-end technologies
(glossarytech.com)
2019-12-29
Bizcoder - Optimizing for the Speed of Light
(www.bizcoder.com)
2019-12-23
Here’s why the internet will always have enough space for...
(thenextweb.com)
2019-12-23
The Growth Stacks of 2019 - Segment Tech Stack
(stackshare.io)
2019-12-23
Top 5 amazing tools for every web developer
(dev.to)
2019-12-23
https://docs.simpleanalytics.com/uniques
(docs.simpleanalytics.com)
2019-12-23
How tracking pixels work - Julia Evans
(jvns.ca)
2019-12-14
Why databases use ordered indexes but programming uses ha...
(www.evanjones.ca)
2019-12-11
23 Free Web Design Tools from Fall 2019
(www.practicalecommerce.com)
2019-08-30
sindresorhus/awesome: Curated list of awesome lists
(github.com)
2019-08-23
4 Design Patterns In Web Development
(dev.to)
2019-06-24
I’m Not a Good Web Developer, I’m Just Good at Googling T...
(www.dev-diaries.com)
2019-06-02
Zdog · Round, flat, designer-friendly pseudo-3D engine fo...
(zzz.dog)
2019-05-14
LisaDziuba/Awesome-Design-Tools: The best design tools fo...
(github.com)
2019-02-20
Dash ? – plotly – Medium
(medium.com)
2019-02-13
Make your site’s pages instant in 1 minute
(instant.page)
2019-02-12
Performance Tuning - Tips & Tricks - NGINX
(www.nginx.com)
2019-01-31
Ghost sites, domain spoofing, fake apps: A guide to knowi...
(digiday.com)
2018-12-31
How Much Internet Traffic Is Fake? Turns Out, a Lot of It...
(it.slashdot.org)
2018-12-24
Everything you should know about certificates and PKI but...
(smallstep.com)
2018-11-17
The Power of Web Components - Mozilla Hacks - the Web dev...
(hacks.mozilla.org)
2018-10-07
Cloudflare Registrar: what happens when you register a do...
(blog.cloudflare.com)
2018-09-24
The AT Protocol
(atproto.com)
2018-07-13
netdev day 1: IPsec!
(jvns.ca)
2018-07-01
Web Caching Explained by Buying Milk at the Supermarket
(dev.to)
2018-06-08
Using React, Firebase, and Ant Design to Quickly Prototyp...
(nrempel.com)
2018-06-08
Prettier · Opinionated Code Formatter
(prettier.io)
2018-05-27
Browser Extensions I Actually Use - The Media Temple Blog
(mediatemple.net)
2018-03-12
Fade to Grey: Will Headless Browsers Kill Web Design?
(www.noupe.com)
2018-03-08
A Comprehensive Website Planning Guide (Part 3)
(www.smashingmagazine.com)
2018-02-21
Build a fast, secured and free static site in less than t...
(fillmem.com)
2017-12-28
Best Social Media Image Size Chart 2018
(www.hypebot.com)
2017-12-27
The what and how of Web Push
(dev.to)
2017-12-27
When to Track on the Client vs. Server
(segment.com)
2017-10-31
Anvil: Web Apps with Nothing but Python
(anvil.works)
2017-08-21
12 Terminal Commands Every Web Developer Should Know Abou...
(tutorialzine.com)
-->
ecommerce (all)
categories:
tags:
ecommerce
date: 28 Mar 2025
slug:raindrop-ecommerce-all
(firstquarterfinance.com)
2025-04-08
How PawnGuru Helps Sellers And Pawn Shops Compare Prices ...
(www.forbes.com)
2025-04-08
How big market diamond
(blog.pawnguru.com)
2025-04-08
The Economics of Pawn Shops
(priceonomics.com)
2025-03-24
Rimowa is selling old, beat-up suitcases—and they’ll like...
(www.fastcompany.com)
2025-03-23
Ecommerce and the Secondhand Boom
(www.practicalecommerce.com)
2025-02-22
Buy All This, Look Rich
(www.thecut.com)
2024-12-19
ISO 8583: The language of credit cards — Increase
(increase.com)
2024-12-08
20+ Best Coupon & Voucher Print Templates – Speckyboy
(speckyboy.com)
2024-12-08
Build Your Own Ecommerce Platform in 2025
(www.practicalecommerce.com)
2024-11-18
Returns Are a Headache. More Retailers Are Saying, Just ‘...
(www.nytimes.com)
2024-11-17
I tried every email marketing tool — these are the best (...
(www.sitebuilderreport.com)
2024-10-28
4 Payment Processing Pitfalls to Avoid
(www.practicalecommerce.com)
2024-10-19
SEO for Ecommerce Product Pages
(www.practicalecommerce.com)
2024-10-17
The Surprising Psychology That Makes Starbucks’ Pumpkin S...
(www.choicehacking.com)
2024-06-19
Why China’s Small Merchants Are Checking Out of Mega Shop...
(www.sixthtone.com)
2024-06-05
Background Enhancement Tool Turns Any Photo Into a Studio...
(innovation.ebayinc.com)
2024-05-28
Streamlining E-commerce: Leveraging Entity Resolution for...
(towardsdatascience.com)
2024-05-28
12 Tools for Generating Hashtags
(www.practicalecommerce.com)
2024-05-27
Amazon Marketplace Fears
(www.practicalecommerce.com)
2024-04-30
How Four Brothers Allegedly Fleeced $19 Million From Amazon
(getpocket.com)
2024-04-18
Exclusive | Inside Amazon’s Secret Operation to Gather In...
(www.wsj.com)
2024-04-16
25 Best Event Ticketing Stores Compared | In-Depth Review...
(knoji.com)
2024-04-01
10 New Ecommerce Books for Spring 2024
(www.practicalecommerce.com)
2024-03-30
Algorithms can aid price collusion, even if no humans act...
(www.theverge.com)
2024-03-29
How to Get Started: Investigating Payment Gateways Online
(www.bellingcat.com)
2024-03-19
Lessons from More Than 1,000 E-Commerce Pricing Tests
(hbr.org)
2024-03-17
Guide to Marketplace Payment Processing
(dev.to)
2024-03-08
Nigerian businesses increasingly skip traditional banks a...
(restofworld.org)
2024-02-29
Why the worst users come from referral programs, free tri...
(andrewchen.com)
2024-02-29
Tools to Export Google’s SERPs
(www.practicalecommerce.com)
2024-02-29
Email Delivery, Explained
(www.practicalecommerce.com)
2024-02-20
12 Apps for Creating, Editing Videos
(www.practicalecommerce.com)
2024-02-03
Privacy Tactics Complicate Ecommerce Marketing
(www.practicalecommerce.com)
2024-01-23
How an Ugly Single-Page Website Makes $5,000 a Month with...
(medium.com)
2024-01-23
ChatGPT Prompts for Customer Personas
(www.practicalecommerce.com)
2024-01-17
‘Let’s Go Shopping (LGS)’ Dataset: A Large-Scale Public D...
(www.marktechpost.com)
2024-01-16
9 strategies for removing negative content from the web
(searchengineland.com)
2024-01-01
19 Open Source Ecommerce Platforms
(www.practicalecommerce.com)
2023-10-15
What is RGSP? Google’s Randomized Generalized Second-Pric...
(searchengineland.com)
2023-10-13
Comparing 4 Image-to-text AI Tools
(www.practicalecommerce.com)
2023-10-03
The all-out revolt against Knitting.com helps explain boy...
(qz.com)
2023-09-29
Burning money on paid ads for a dev tool – what we've lea...
(posthog.com)
2023-09-27
Your Followers are not Your Fans
(open.substack.com)
2023-09-08
ACH vs. Wire Transfers: Which Is Right for You?
(nanonets.com)
2023-09-07
eBay rolls out a tool that generates product listings fro...
(techcrunch.com)
2023-08-18
There are more than 4 types of search intent
(searchengineland.com)
2023-08-14
11 free tools for PPC campaign management
(searchengineland.com)
2023-08-06
Four Types of Ecommerce Merchandising That Business Owner...
(www.retailtechnologyreview.com)
2023-05-31
Inside the Delirious Rise of ‘Superfake’ Handbags (Publis...
(www.nytimes.com)
2023-05-28
ChatGPT Prompts for Text Analysis
(www.practicalecommerce.com)
2023-05-25
Use ‘Look Inside’ to Sell More Products
(www.practicalecommerce.com)
2023-05-18
10 SEO challenges faced by fast-growing SaaS companies
(searchengineland.com)
2023-05-08
11 Product Labels for Max Conversions
(www.practicalecommerce.com)
2023-05-02
Thrift shops thrive when disorder is balanced with high s...
(phys.org)
2023-05-02
eBay’s Blazingly Fast Billion-Scale Vector Similarity Engine
(tech.ebayinc.com)
2023-03-24
The Future of Ecommerce: How a Product Becomes a Purchase
(a16z.com)
2023-03-22
10 Best Practices for Ecommerce Checkout Design
(dev.to)
2023-03-20
China’s Digital Landscape in 2020 | KAWO 科握
(kawo.com)
2023-03-10
How 20 years of Google’s AdSense changed the internet
(www.fastcompany.com)
2023-03-10
Target Just Announced Something Brilliant That Amazon Can...
(inc.com)
2023-02-22
9 Ways to Grow Repeat Buyers
(www.practicalecommerce.com)
2023-02-22
20 Free Ecommerce Icon Sets
(www.practicalecommerce.com)
2023-02-16
Tools to Create, Optimize Meta Descriptions
(www.practicalecommerce.com)
2023-02-10
Building a Recommender System for Amazon Products with Py...
(towardsdatascience.com)
2023-02-10
Shopping for Apparel in an Online World: UI/UX Design for...
(www.toptal.com)
2023-01-30
Welcome to the Shoppy Shop
(clicks.getpocket.com)
2023-01-22
3 Flaws of Cost-plus Pricing - Practical Ecommerce
(www.practicalecommerce.com)
2023-01-21
Why Everything at Walgreens Is Suddenly Behind Plastic
(www.curbed.com)
2023-01-17
15 Press Release Distribution Services
(www.practicalecommerce.com)
2023-01-07
Hacker News
(news.ycombinator.com)
2022-12-28
Ultimate Guide on Working with Suppression Lists
(www.noupe.com)
2022-12-18
9 UX Learnings From the World's Best Ecommerce Site
(dev.to)
2022-12-17
9 Best Ecommerce UX Practices From the World's Best Ecomm...
(medusajs.com)
2022-12-13
An eCommerce Guide To Accepting International Payments
(www.retailtechnologyreview.com)
2022-12-05
Where Does All the Cardboard Come From? I Had to Know. (P...
(www.nytimes.com)
2022-11-15
Basically everything on Amazon has become an ad
(www.vox.com)
2022-10-29
A Complete Taxonomy of Internet Chum - The Awl
(www.theawl.com)
2022-10-05
GoodwillFinds.com gives shoppers more reasons to feel goo...
(retailwire.com)
2022-09-18
Subscriptions are out, refills are in.
(bluepnume.medium.com)
2022-09-13
Multi-Objective Ranking for Promoted Auction Items
(tech.ebayinc.com)
2022-09-10
PPC management for e-commerce: 28 tools to explore
(searchengineland.com)
2022-08-30
Locations product recommendations
(jilt.com)
2022-08-24
7 useful Excel formulas and functions for PPC
(searchengineland.com)
2022-08-17
Elevate Your E-commerce Journey With Animated UX Microint...
(www.toptal.com)
2022-08-05
5 Amazon product listing optimization must-haves
(searchengineland.com)
2022-08-01
Retail’s ‘Dark Side’: As Inventory Piles Up, Liquidation ...
(www.nytimes.com)
2022-08-01
Site taxonomy for SEO: A straightforward guide
(searchengineland.com)
2022-07-31
The Details of Shopify’s Massive Q2 2022 Loss
(www.practicalecommerce.com)
2022-07-27
Why is it so hard to give Google money?
(paulbutler.org)
2022-07-19
How Paper Catalogs Remain Relevant in a Digital Age
(hbr.org)
2022-07-19
Getting 200% More Actionable Feedback from Customers that...
(www.extendslogic.com)
2022-07-19
Email Marketing Metrics, Part 1: The Basics
(www.practicalecommerce.com)
2022-07-19
Piracy Doubled My App Sales
(danielamitay.com)
2022-07-19
Where Should We Build a Mall? The Formation of Market Str...
(hbswk.hbs.edu)
2022-07-18
How to Price Shipping and Handling Fees
(www.practicalecommerce.com)
2022-07-18
How Darknet Sellers Build Trust
(nautil.us)
2022-07-18
How a Preview Image Increased a Landing Page's Conversion...
(searchenginewatch.com)
2022-07-18
From Forever 21 to Online Shopping, Why Fast Fashion Is S...
(www.theatlantic.com)
2022-07-18
Ecommerce a Crucial Industry in the Pandemic; 7 Ways to E...
(www.practicalecommerce.com)
2022-07-18
Anatomy Of A Pirate
(www.businessinsider.com)
2022-07-18
How to Build an Amazon Affiliate Website - 2024 Guide - M...
(makeawebsitehub.com)
2022-07-18
Advanced list building
(jilt.com)
2022-07-18
http://spyrestudios.com/30-faq-webpage-layouts-with-effec...
(spyrestudios.com)
2022-07-18
http://larslofgren.com/growth/7-rules-for-
(larslofgren.com)
2022-07-18
http://www.gkogan.co/blog/ugly-ad-saved-business/
(www.gkogan.co)
2022-07-18
Should merchants accept Bitcoin?
(www.practicalecommerce.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
ALERT!!
(upstreamcommerce.com)
2022-07-18
https://lionbridge.ai/datasets/24-best-ecommerce-retail-d...
(lionbridge.ai)
2022-07-18
15 Tools to Optimize Ecommerce Images
(www.practicalecommerce.com)
2022-07-18
The State of SaaS Pricing [Infographic] - OpenView
(labs.openviewpartners.com)
2022-07-18
Brand Bidding Techniques: Smart Ways To Use Typos & URLs ...
(searchengineland.com)
2022-07-18
How Etsy Crafted an E-Commerce Comeback
(fortune.com)
2022-07-17
All Markets Are Not Created Equal: 10 Factors To Consider...
(abovethecrowd.com)
2022-07-07
Catalogs & Wishbooks
(christmas.musetechnical.com)
2022-07-06
What Makes Shoppers Click? A Lesson in E-Commerce Consume...
(conversionsciences.com)
2022-07-05
275 Free, Responsive Email Templates
(www.practicalecommerce.com)
2022-07-05
Five Questions Companies Should Ask Before Making an Inno...
(hbr.org)
2022-07-05
45 Tools to Generate Content, for Ecommerce
(www.practicalecommerce.com)
2022-07-05
12 Innovative Mobile Payment Apps
(www.practicalecommerce.com)
2022-07-05
http://www.postaffiliatepro.com/blog/the-ultimate-list-of-
(www.postaffiliatepro.com)
2022-07-05
Why Your eCommerce Business Should Have a Pop-Up Shop
(readwrite.com)
2022-07-05
Asking Users to Complete Tough Mudders to Use Your Product
(www.tomtunguz.com)
2022-07-05
Buy Till You Die: Understanding Customer Lifetime Value
(towardsdatascience.com)
2022-07-04
Could This Be The End Of Hidden Ticket Charges For Concer...
(music3point0.com)
2022-07-04
1980 Sears Spring Summer Catalog, Page 729 - Catalogs & W...
(christmas.musetechnical.com)
2022-06-29
Cross-chain Deals and Adversarial Commerce
(muratbuffalo.blogspot.com)
2022-06-28
aynuriev.com - aynuriev Resources and Information.
(aynuriev.com)
2022-06-28
Ahrefs—Marketing Intelligence Tools Powered by Big Data.
(ahrefs.com)
2022-06-28
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2022-06-28
Namechk - Username and Domain Name Checker - Search All D...
(namechk.com)
2022-06-27
Applying Luxury Principles to Ecommerce Design
(www.nngroup.com)
2022-06-25
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-25
Using cohort analysis to improve retention
(blog.intercom.com)
2022-06-25
Infographic: 26 Ideas For Split Testing Your Search Ads
(searchengineland.com)
2022-06-25
Scale campaigns and conversions with ease
(unbounce.com)
2022-06-25
https://blog.retargeter.com/retargeting/a-brief-introduction
(blog.retargeter.com)
2022-06-25
https://searchenginewatch.com/sew/how-to/2216887/an-18tip...
(searchenginewatch.com)
2022-06-24
http://www.ecreativeworks.com/blog/2015/04/07/why-you-sho...
(www.ecreativeworks.com)
2022-06-23
What are some top strategies for conversion optimization?
(www.quora.com)
2022-06-23
I sell onions on the Internet - Deep South Ventures
(www.deepsouthventures.com)
2022-06-23
Video Tools Archives
(www.practicalecommerce.com)
2022-06-23
The Outlandish Story Of Ollie’s: A $5 Billion Retail Empi...
(www.forbes.com)
2022-06-23
13 Platforms for Shoppable Video
(www.practicalecommerce.com)
2022-06-23
The Best SaaS Landing page examples I’ve seen (+ their se...
(www.cortes.design)
2022-06-22
Twitter partners with Shopify to bring merchants' product...
(techcrunch.com)
2022-06-22
7 Reasons to Consider USPS Flat Rate Shipping
(www.practicalecommerce.com)
2022-06-21
Perfect CTA Placement: Above-The-Fold Vs. Below-The-Fold
(www.webdesignerdepot.com)
2022-06-21
6 Email Triggers for Max Conversions
(www.practicalecommerce.com)
2022-06-15
Success with Google Shopping, Part 1: Getting Started
(www.practicalecommerce.com)
2022-06-13
https://www.matthewbarby.com/how-to-build-an-email-list/
(www.matthewbarby.com)
2022-06-13
Packaging Inserts: Types and How To Create Yours (2024) -...
(www.shopify.com)
2022-06-13
What Is a Transactional Email? Types and Best Practices (...
(www.shopify.com)
2022-06-13
21 Examples of Pricing Pages in Web Design
(webdesignledger.com)
2022-06-13
Luxury marketing search strategy, Part 2: Strategies and ...
(www.searchenginewatch.com)
2022-06-12
Why You’re Never Really Happy With the Things You Buy Any...
(getpocket.com)
2022-06-12
AdWords: 3 Ways to Find Negative Keywords
(www.practicalecommerce.com)
2022-06-12
Product Descriptions: 17 Fresh Writing Angles
(www.practicalecommerce.com)
2022-06-12
Digital Advertising Platform for Brands and Agencies | Ad...
(www.adroll.com)
2022-06-07
Why there are so many online mattress-in-a-box companies
(www.curbed.com)
2022-06-07
Past Behavior Does Not Determine Future Purchases | TechC...
(techcrunch.com)
2022-06-07
https://www.blossom.co/blog/5-smart-ways-to-resurrect-you...
(www.blossom.co)
2022-06-07
Design
(www.fastcodesign.com)
2022-06-02
Rithum: End-to-End E-commerce Solutions for Brands & Reta...
(www.channeladvisor.com)
2022-05-28
Getting Started with Google Tag Manager, for Ecommerce
(www.practicalecommerce.com)
2022-05-28
SEO: Product Descriptions Are a Blind Spot for Ecommerce ...
(www.practicalecommerce.com)
2022-05-27
13 marketing automation tools that can help you boost you...
(dataconomy.com)
2022-05-20
When Keyword Poaching Pays Off
(hbr.org)
2022-05-19
How Keyword Clustering Powers SEO
(www.practicalecommerce.com)
2022-05-13
Spot the difference: the invincible business of counterfe...
(www.theguardian.com)
2022-05-12
3 Keyword Tools for Search Intent
(www.practicalecommerce.com)
2022-05-09
Fast, Cheap, and Out of Control: Inside Shein’s Sudden Rise
(www.wired.com)
2022-04-11
How Sephora “sucks” all my money through great UX and psy...
(uxdesign.cc)
2022-04-07
Improving Shopping Recommendations for Customers Through ...
(tech.ebayinc.com)
2022-04-03
E-commerce giants didn't deliver. So these islanders buil...
(restofworld.org)
2022-03-16
How One Website Exploited Amazon S3 to Outrank Everyone o...
(blog.usejournal.com)
2022-02-19
The Sales Sandwich by @ttunguz
(www.tomtunguz.com)
2022-02-18
Here’s what actually happens to all your online shopping ...
(restofworld.org)
2022-02-10
How to Build an Ecommerce Keyword List
(www.practicalecommerce.com)
2022-02-10
Shopify and the Power of Platforms
(stratechery.com)
2022-02-08
233 Mobile ‘Billing Address’ Examples – Baymard Institute
(baymard.com)
2022-02-06
Shopify SEO Guide: How to increase organic traffic to you...
(searchengineland.com)
2022-01-31
We Analyzed The Top 7,000 Websites in 22 Industries. Here...
(neilpatel.com)
2022-01-29
257 Mobile ‘Category Page’ Examples – Baymard Institute
(baymard.com)
2022-01-29
1024 ‘Search Results Page’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-29
330 Mobile ‘Delivery & Shipping Methods’ Examples – Bayma...
(baymard.com)
2022-01-29
18,000+ E-Commerce Design Examples Organized Across 62 Pa...
(baymard.com)
2022-01-29
450 Mobile ‘Payment’ Examples – Baymard Institute
(baymard.com)
2022-01-29
250 Top E-Commerce Sites Ranked by User Experience Perfor...
(baymard.com)
2022-01-29
159 ‘Store Pickup’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
272 Mobile ‘Receipt’ Examples – Baymard Institute
(baymard.com)
2022-01-23
188 ‘Cross-Sells’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
887 ‘Cart’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
1118 ‘Payment’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
973 ‘Customer Info & Address’ Design Examples – Baymard I...
(baymard.com)
2022-01-17
UX Guidelines for Ecommerce Product Pages
(www.nngroup.com)
2022-01-17
7 Ecommerce UX Tips That Drive Sales :: UXmatters
(www.uxmatters.com)
2022-01-17
UX Guidelines for Ecommerce Homepages, Category Pages, an...
(www.nngroup.com)
2021-12-25
Instant gratification: The neuroscience of impulse buying
(bigthink.com)
2021-11-29
Product Photography, Part 14: Optimizing for Speed, Search
(www.practicalecommerce.com)
2021-11-29
From Street Fashion to Online – How to Set-up an E-commer...
(retail-focus.co.uk)
2021-11-17
11 A/B Testing Tools to Optimize Conversions
(www.practicalecommerce.com)
2021-11-03
The “ghost stores” of Instagram
(www.vox.com)
2021-09-26
The Emergence of B2B Raw Material Marketplaces
(www.practicalecommerce.com)
2021-09-14
Why Amazon really built a new warehouse on the U.S.-Mexic...
(restofworld.us20.list-manage.com)
2021-08-31
Why payment apps that thrive in India struggle to succeed...
(restofworld.org)
2021-07-25
Six emerging trends in product packaging
(retailtechinnovationhub.com)
2021-07-20
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2021-07-17
Why do we buy what we buy?
(www.vox.com)
2021-07-07
Policy Pages, Done Well, Enhance a Brand
(www.practicalecommerce.com)
2021-07-07
The life cycle of a viral product
(www.vox.com)
2021-06-03
Improving The Performance Of An Online Store (Case Study)
(smashingmagazine.com)
2021-05-29
Boxes, trucks and bikes
(www.ben-evans.com)
2021-05-21
3 Keys for High-converting Product Descriptions
(www.practicalecommerce.com)
2021-05-09
Theoretical Understandings of Product Embedding for E-com...
(arxiv.org)
2021-04-02
Evaluating Search Algorithms
(shopify.engineering)
2021-03-30
Here’s Why Your Ecommerce Subscriptions Aren’t Selling
(www.practicalecommerce.com)
2021-03-26
A company you’ve never heard of that’s secretly everywhere
(thehustle.co)
2021-03-22
How Shopify Payments Work: All You Want To Know?
(www.noupe.com)
2021-03-21
What I wish I knew before building a Shopify App
(ma.ttias.ch)
2021-03-18
If Your iPhone Charger Blows Up, It May Be a Fake Sold on...
(www.bloomberg.com)
2021-03-02
11 TikTok Video Ideas for Merchants
(www.practicalecommerce.com)
2021-02-23
Buyer beware: Massive experiment shows why ticket sellers...
(newsroom.haas.berkeley.edu)
2021-02-22
860 - Purchase order change
(www.ibm.com)
2021-02-18
How A Retail Chain Without A Website Powered Through The ...
(www.npr.org)
2021-01-10
The art and science of SaaS pricing: True usage-based pri...
(venturebeat.com)
2021-01-10
The art and science of SaaS pricing: Finding the right mo...
(venturebeat.com)
2021-01-06
How Amazon’s Business Practices Harm American Consumers: ...
(medium.com)
2021-01-04
Looks vs. Results: My ugly ad got 150% more clicks than a...
(www.gkogan.co)
2021-01-02
The Top Affiliate Marketing Networks
(neilpatel.com)
2020-12-26
5 e-commerce tips for businesses in 2021
(www.retailtechnologyreview.com)
2020-12-25
16 Tools to Sell Products on Pinterest
(www.practicalecommerce.com)
2020-12-18
How to Start a Shopify Store in Just 5 Simple Steps
(socialoracle.app)
2020-12-10
Lessons from Running a Sale that Earned 3 Month's Profit ...
(www.coryzue.com)
2020-11-20
The 11 Best Dropshipping Tools
(neilpatel.com)
2020-11-13
As its ecosystem grows, companies are becoming reliant on...
(digiday.com)
2020-11-10
'Growing two times faster than the rest of the market': I...
(digiday.com)
2020-11-06
A Guide to Behavioral Segmentation Marketing
(neilpatel.com)
2020-11-03
Improving complementary-product recommendations
(www.amazon.science)
2020-11-03
Managing your product feeds to thrive in a new retail lan...
(www.retaildive.com)
2020-11-03
4 Payment Methods to Integrate for the Holidays
(www.practicalecommerce.com)
2020-11-03
6 methods for touch-free and remote payments
(www.retaildive.com)
2020-11-03
14 Tools to Sell on Facebook and Instagram
(www.practicalecommerce.com)
2020-08-20
How Shopify Reduced Storefront Response Times with a Rewr...
(engineering.shopify.com)
2020-08-02
The First Steps in Adding Ecommerce to a Brick-and-mortar...
(www.practicalecommerce.com)
2020-08-02
Is Your Chip Card Secure? Much Depends on Where You Bank
(krebsonsecurity.com)
2020-07-26
10 Best Ecommerce Platforms Compared & Rated For 2020
(www.ecommerceceo.com)
2020-06-23
10 Marketplaces to Buy and Sell Ecommerce Sites
(www.practicalecommerce.com)
2020-06-08
Amazon’s New Competitive Advantage: Putting Its Own Produ...
(www.propublica.org)
2020-06-01
Using K-Means to detect changes in a retail store | Towar...
(towardsdatascience.com)
2020-05-27
Platforms in an Aggregator World
(stratechery.com)
2020-05-15
How ceramics brand East Fork transitioned to a pre-sale o...
(www.modernretail.co)
2020-05-14
Web Monetization - The Ecosystem
(dev.to)
2020-05-02
AliExpress - Online Shopping for Popular Electronics, Fas...
(www.aliexpress.com)
2020-05-01
‘It’s bullshit’: Inside the weird, get-rich-quick world o...
(www.wired.co.uk)
2020-03-09
Introducing the Periodic Table of Digital Commerce Marketing
(searchengineland.com)
2020-02-29
Wayfair is all in on logistics
(www.supplychaindive.com)
2020-02-19
An elegy for cash: the technology we might never replace
(www.technologyreview.com)
2020-02-19
Unnamed and Unsurveilled
(thebaffler.com)
2020-02-19
Why Restoration Hardware Sends Catalogs the Size of a Tod...
(www.theatlantic.com)
2020-01-27
A Guide to Payment Tokens for Ecommerce
(www.practicalecommerce.com)
2020-01-05
The economics of unused gift cards
(thehustle.co)
2019-12-31
7 eCommerce trends to watch in 2020 and beyond
(jilt.com)
2019-12-23
vumaasha/Atlas: Atlas: A Dataset and Benchmark for E-comm...
(github.com)
2019-12-23
How to use returns to build customer loyalty
(www.supplychaindive.com)
2019-12-23
The Best E-Commerce Fulfillment Services for 2019 | PCMag...
(www.pcmag.com)
2019-12-23
Study of Over 11,000 Online Stores Finds 'Dark Patterns' ...
(tech.slashdot.org)
2019-12-23
Stripe CLI
(stripe.com)
2019-12-23
The 7 psychological triggers to boost your eCommerce stor...
(jilt.com)
2019-12-23
7 Fantastic eCommerce Product Videos and The Lessons They...
(www.noupe.com)
2019-12-23
Hacks, Methods and Tools to Keyword Research for eCommerc...
(t.co)
2019-12-21
Prime Power: How Amazon Squeezes the Businesses Behind It...
(www.nytimes.com)
2019-11-28
Crossed Stitches
(getpocket.com)
2019-10-27
People Are Confused About the Usefulness of Buying Fancy ...
(getpocket.com)
2019-09-10
23 Twitter Feeds for Ecommerce Merchants to Follow
(www.practicalecommerce.com)
2019-09-08
Meet the man keeping America's dead malls alive
(theweek.com)
2019-08-31
Free Shipping — Real Life
(reallifemag.com)
2019-08-31
'Shoppable billboards': DTC retailers say physical stores...
(digiday.com)
2019-08-31
Are subscription services viable for independent retailers?
(www.retaildive.com)
2019-08-30
Shopping Cart or Wishlist? Saving Products for Later in E...
(www.nngroup.com)
2019-08-30
Buyer UX ecommerce Benchmarking
(docs.google.com)
2019-08-30
How to Display Taxes, Fees, and Shipping Charges on Ecomm...
(www.nngroup.com)
2019-08-29
Applying Discounts and Promotions on Ecommerce Websites
(www.nngroup.com)
2019-08-29
How to Respond to a Copyright Infringement Notice
(www.practicalecommerce.com)
2019-08-29
How to Negotiate the Price of a Pricey Premium Domain
(www.entrepreneur.com)
2019-08-29
https://t.co/5oaFLodGNL?ssr=true
(t.co)
2019-08-29
Is your E-commerce Store performing poorly? – Here are es...
(www.noupe.com)
2019-08-29
4 Online Merchandising Hacks to Increase Profits
(www.practicalecommerce.com)
2019-08-29
Beginner’s Guide to Product Qualified Leads (PQLs)
(labs.openviewpartners.com)
2019-08-23
Non-standard Product Images Can Spur Sales
(www.practicalecommerce.com)
2019-08-20
SEO Checklist for Website Redesigns and Replatforms
(www.practicalecommerce.com)
2019-08-20
Useful (and Useless) Mobile Ecommerce Metrics
(www.practicalecommerce.com)
2019-08-20
How SaaS Products Ascend the “Trust Pyramid”
(openviewpartners.com)
2019-08-20
8-step SEO Crawl Audit for Ecommerce
(www.practicalecommerce.com)
2019-08-09
Amazon is a boring retailer — Benedict Evans
(www.ben-evans.com)
2019-07-25
Free SaaS tools for companies on a budget (and a pre-form...
(canny.io)
2019-06-23
7 Gaps in Google Analytics That Require Additional Tools
(www.practicalecommerce.com)
2019-05-29
The inherent value of identifiable store traffic
(www.retaildive.com)
2019-05-12
Buy Me a Coffee
(buymeacoffee.com)
2019-05-08
Amazon and Target race to revolutionize the cardboard shi...
(www.fastcompany.com)
2019-04-16
The Case for Optimizing Image Performance
(www.practicalecommerce.com)
2019-03-08
SEO: Tell Google Which Pages Not to Crawl
(www.practicalecommerce.com)
2019-02-15
https://t.co/3rDmZUD0NV?ssr=true
(t.co)
2019-02-05
Laundry detergent or boxed wine? How e-commerce is changi...
(www.supplychaindive.com)
2019-01-26
‘They offered us everything but the kitchen sink’: DTC br...
(digiday.com)
2019-01-22
StoreKing lures Amazon by connecting the dots of rural India
(asia.nikkei.com)
2019-01-22
Untuckit is using Amazon to offload older styles
(digiday.com)
2019-01-16
We wasted $50K on Google Ads so you don’t have to
(www.indiehackers.com)
2019-01-13
How PopSockets Prospered after Leaving Amazon
(www.practicalecommerce.com)
2019-01-13
3 Strategies to Fulfill Like Amazon
(www.practicalecommerce.com)
2018-12-31
“Secret” Google Playbook Shows How to Improve Ecommerce S...
(www.searchenginejournal.com)
2018-12-22
Shopify App Store: Ecommerce App Marketplace
(apps.shopify.com)
2018-12-21
‘It’s their moat’: How Shopify built an $800 million part...
(digiday.com)
2018-11-26
25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages
(sumo.com)
2018-11-13
Why the Sharing Economy Has Come to Apparel
(www.adweek.com)
2018-11-03
Success with Google Shopping, Part 3: Merchant Center Setup
(www.practicalecommerce.com)
2018-09-21
How to Market a Seemingly Boring Industry in a Unique Way...
(www.adweek.com)
2018-09-03
5 ways to avoid duplicate content and indexing issues on ...
(searchengineland.com)
2018-08-23
eCommerce 101: Understanding Shopping Cart Abandonment [w...
(www.toptal.com)
2018-08-21
Service as a SKU | Andreessen Horowitz
(a16z.com)
2018-08-13
What PopSugar learned from selling products through text ...
(digiday.com)
2018-07-05
The Real Benefit of Amazon Reviews
(www.practicalecommerce.com)
2018-06-13
15 Tools for Animation
(www.practicalecommerce.com)
2018-06-05
Strategy & Implementation of Third-Party Connections in P...
(medium.learningbyshipping.com)
2018-06-04
51 Examples of Growth Hacking Strategies & Techniques Fro...
(johnmcelborough.com)
2018-05-30
10 ways to offer shoppers a discount
(www.practicalecommerce.com)
2018-05-28
9 Tips to Manage Out-of-stock Inventory
(www.practicalecommerce.com)
2018-05-08
Why Online Retailers Should Hide Their Best Discounts
(hbswk.hbs.edu)
2018-05-07
Indie Hackers: Work Together to Build Profitable Online B...
(www.indiehackers.com)
2018-05-04
Why sell barbells?
(www.practicalecommerce.com)
2018-01-24
Comparing A/B and Multivariate Testing
(www.practicalecommerce.com)
2017-11-27
Inside Flipkart’s monster-cruncher: how it gleans insight...
(www.techinasia.com)
2017-11-24
Amazon’s systematic approach
(www.mckinsey.com)
2017-11-15
4 Marketing Lessons from Opening a Brick-and-mortar Store
(www.practicalecommerce.com)
2017-11-08
Machine Learning: Handbag Brand and Color Detection using...
(technology.condenast.com)
2017-09-24
Locking A Loophole
(tedium.co)
2017-08-31
How Not To Sort By Average Rating – Evan Miller
(www.evanmiller.org)
-->
sed - how to replace text in multiple files
categories:
tags:
linux
sed
date: 30 Mar 2025
slug:sed-tip
visual vocabularies
categories:
tags:
visualization
date: 30 Mar 2025
slug:visual-vocabulary
prodmgmt (all)
categories:
tags:
ecommerce
date: 30 Mar 2025
slug:raindrop-prodmgmt-all
(open.substack.com)
2025-04-02
Are Product Images Vital for Brick-and-Mortar Stores?
(retail-focus.co.uk)
2025-01-29
TikTok and the Sorting Hat — Remains of the Day
(www.eugenewei.com)
2025-01-23
An Interview with Daniel Gross and Nat Friedman About Mod...
(stratechery.com)
2025-01-09
Ecommerce Benefits of Dynamic Pricing
(www.practicalecommerce.com)
2024-12-26
Taxonomy as a service
(seths.blog)
2024-11-26
7 Tips for Successful Discoveries
(www.nngroup.com)
2024-11-25
Competitive Battlecard Benchmark Tool
(aventigroup.com)
2024-11-10
Why Middlemen Don't Get Eliminated
(capitalgains.thediff.co)
2024-11-10
Mistakes from my Failed Startup in Scalping Concert Tickets
(www.thediff.co)
2024-11-02
What Companies Do Well is Not Necessarily How They Make M...
(capitalgains.thediff.co)
2024-10-25
Product & UX Glossary
(www.nngroup.com)
2024-10-21
An Introduction to Experiment Pairing — Precoil
(www.precoil.com)
2024-07-30
How To Price A Data Asset
(pivotal.substack.com)
2024-07-15
How annual pre-pay creates an infinite marketing budget
(longform.asmartbear.com)
2024-07-10
The Amazon Weekly Business Review
(commoncog.com)
2024-07-04
Becoming Data Driven, From First Principles
(commoncog.com)
2024-07-03
LVMH: Guardians of Tradition, Engineers of Desirability
(quartr.com)
2024-06-30
Doordash and Pizza Arbitrage
(www.readmargins.com)
2024-06-20
The return of pneumatic tubes
(www.technologyreview.com)
2024-06-12
How to use Perplexity in your PM work
(www.lennysnewsletter.com)
2024-06-11
Who’s Afraid of Mickey Mouse?
(www.thedial.world)
2024-06-01
Who Still Buys Wite-Out, and Why?
(getpocket.com)
2024-05-30
ttt30ga/awesome-product-design: A collection of bookmarks...
(github.com)
2024-05-28
Streamlining E-commerce: Leveraging Entity Resolution for...
(towardsdatascience.com)
2024-05-28
Product Management Insights: Understanding Your Users
(thoughtbot.com)
2024-05-28
Platform as a Product 101
(thenewstack.io)
2024-05-27
Amazon Marketplace Fears
(www.practicalecommerce.com)
2024-05-13
Fantastic Industrial Design Student Work: "How Long Shoul...
(www.core77.com)
2024-05-07
The 4 Levels of PMF
(pmf.firstround.com)
2024-05-07
20 Lessons From 20 Different Paths to Product-Market Fit ...
(review.firstround.com)
2024-05-07
Simplicity is An Advantage but Sadly Complexity Sells Better
(eugeneyan.com)
2024-05-04
Paris F.C. Set Tickets To $0. Should Others Do the Same?
(www.nytimes.com)
2024-04-18
Exclusive | Inside Amazon’s Secret Operation to Gather In...
(www.wsj.com)
2024-04-14
The Arc PMF Framework
(www.sequoiacap.com)
2024-04-07
Van Westendorp's Price Sensitivity Meter - Wikipedia
(en.wikipedia.org)
2024-04-06
The Value Of A Promise
(tedium.co)
2024-04-04
The Streaming Purge Has Started As Deezer Deletes 26 Mill...
(music3point0.com)
2024-03-25
To Make Your Product a Habit, Start With These Powerful T...
(www.choicehacking.com)
2024-03-19
Lessons from More Than 1,000 E-Commerce Pricing Tests
(hbr.org)
2024-03-16
How Snapple Got Its Juice Back
(hbr.org)
2024-03-06
The Ultimate Guide to B2B SaaS Pricing & Packaging
(www.news.aakashg.com)
2024-03-01
How to Take Bigger, Bolder Product Bets — Lessons from Sl...
(review.firstround.com)
2024-02-29
Web Monetization Editions | Techdirt
(www.techdirt.com)
2024-02-29
Picking Unfair Fights | The WoodShedd
(www.thewoodshedd.com)
2024-02-29
The Shirky Principle: Institutions Try to Preserve the Pr...
(effectiviology.com)
2024-02-26
Working with Purpose, Forever
(hakaimagazine.com)
2024-02-22
‘There’s endless choice, but you’re not listening’: fans ...
(www.theguardian.com)
2024-02-22
Customer Attrition: How to Define Churn When Customers Do...
(towardsdatascience.com)
2024-02-22
Moving Data May Become Software's Best Feature - Practica...
(www.practicalecommerce.com)
2024-02-19
Peter Yang’s 10 rules for making products that customers&...
(www.figma.com)
2024-02-15
Finding the product in your platform
(open.substack.com)
2024-02-14
50 Types of Business Models (2022) – The Best Examples of...
(bstrategyhub.com)
2024-02-14
Business models based on the compiled list at http://news...
(gist.github.com)
2024-02-01
Ten Examples of the Mandela Effect
(getpocket.com)
2024-01-31
Disruptive Innovation
(claytonchristensen.com)
2024-01-29
Why strip malls are having a revival
(www.audacy.com)
2024-01-23
The size of your backlog is inversely proportional to how...
(bitbytebit.substack.com)
2024-01-23
ChatGPT Prompts for Customer Personas
(www.practicalecommerce.com)
2024-01-18
Pilot’s Path to Product-Market Fit — Three-Peat Founders ...
(review.firstround.com)
2024-01-17
‘Let’s Go Shopping (LGS)’ Dataset: A Large-Scale Public D...
(www.marktechpost.com)
2024-01-17
Psychology for UX: Study Guide
(www.nngroup.com)
2024-01-01
Why asking your customers what they want doesn't work
(techbooks.substack.com)
2024-01-01
19 Open Source Ecommerce Platforms
(www.practicalecommerce.com)
2023-12-29
The New Moats. Why Systems of Intelligence™ are the… | by...
(news.greylock.com)
2023-10-20
Planning poker - Wikipedia
(en.wikipedia.org)
2023-10-19
Back to Basics: How to operate a successful private label...
(www.cstoredive.com)
2023-10-17
2,851 Miles // Bill Gurley (Transcript + Slides)
(12mv2.com)
2023-10-16
The SaaS Opportunity Of Unbundling Excel
(foundationinc.co)
2023-10-15
What is RGSP? Google’s Randomized Generalized Second-Pric...
(searchengineland.com)
2023-10-04
What’s an Operational Definition Anyway?
(commoncog.com)
2023-10-04
SaaS Competitive Advantage Through Elegant LLM Feedback M...
(www.tomtunguz.com)
2023-09-12
The Rise and Fall of ESPN’s Leverage
(stratechery.com)
2023-09-07
eBay rolls out a tool that generates product listings fro...
(techcrunch.com)
2023-08-28
How to Implement Hierarchical Clustering for Direct Marke...
(towardsdatascience.com)
2023-08-20
Congrats on your Customer Lifetime Value prediction model...
(towardsdatascience.com)
2023-08-20
Trader Joe's: The Anti-Grocer
(www.readtrung.com)
2023-08-19
Dynamic Pricing with Multi-Armed Bandit: Learning by Doing!
(towardsdatascience.com)
2023-08-14
11 free tools for PPC campaign management
(searchengineland.com)
2023-08-06
Four Types of Ecommerce Merchandising That Business Owner...
(www.retailtechnologyreview.com)
2023-08-06
How to Compete with “Free” Products and Services
(hbr.org)
2023-08-06
Platform Adjacency Theory - Infrequently Noted
(infrequently.org)
2023-07-29
List: Marketing Mix Modeling | Curated by Abhijeet Talaul...
(medium.com)
2023-07-29
The secret economics of the Birkin bag
(businessday.ng)
2023-07-24
208. Ultimate Guide to Platforms
(open.substack.com)
2023-07-24
The Instant Pot Failed Because It Was a Good Product
(www.theatlantic.com)
2023-07-23
Uplift Modeling — A Data Scientist’s Guide to Optimizing ...
(towardsdatascience.com)
2023-07-23
Why America’s Largest Tool Company Couldn’t Make a Wrench...
(archive.is)
2023-07-22
Evaluating Uplift Models
(towardsdatascience.com)
2023-07-19
What Do We Owe Our Teams?
(www.mironov.com)
2023-07-18
It's Hard to Build a Durable Business Selling Durable Goods
(www.thediff.co)
2023-07-18
How to be a Consultant, a Freelancer, or an Independent C...
(jacquesmattheij.com)
2023-07-16
Are you a “harbinger of failure”?
(news.mit.edu)
2023-07-07
Fast · Patrick Collison
(patrickcollison.com)
2023-06-19
Lean Canvas
(www.leancanvas.com)
2023-06-12
You need to add some friction to your growth funnel
(techcrunch.com)
2023-06-05
Using the Needs Stack for competitive strategy
(longform.asmartbear.com)
2023-05-28
Steve Jobs, Rick Rubin and "taste"
(trungphan.substack.com)
2023-05-25
Use ‘Look Inside’ to Sell More Products
(www.practicalecommerce.com)
2023-05-07
How to Apologize to a Customer When Something Goes Wrong
(hbr.org)
2023-05-04
What is Cohort Analysis in Data Science
(thecleverprogrammer.com)
2023-05-02
Thrift shops thrive when disorder is balanced with high s...
(phys.org)
2023-04-25
The Magic of Knowing When to Use Concrete vs. Abstract La...
(behavioralscientist.org)
2023-04-09
Five Powerful Prioritization Techniques from Product Mana...
(www.dataknowsall.com)
2023-03-29
10 open-source alternatives to run your businesses
(dev.to)
2023-03-29
Here’s How Tool Companies Charge Vastly Different Prices ...
(www.thedrive.com)
2023-03-28
Telfar’s Dynamic Pricing Model Offers a New Way to Gauge ...
(retailwire.com)
2023-03-26
Shoppers say secondhand stores like Goodwill are getting ...
(www.businessinsider.com)
2023-03-24
OpenAI turns ChatGPT into a platform overnight with addit...
(venturebeat.com)
2023-03-24
The Future of Ecommerce: How a Product Becomes a Purchase
(a16z.com)
2023-03-22
10 Best Practices for Ecommerce Checkout Design
(dev.to)
2023-03-20
Matching and Information Design in Marketplaces
(d.repec.org)
2023-03-20
🤖 50+ Product Management Prompts for ChatGPT-4
(sidsaladi.substack.com)
2023-03-19
Uplift Modeling with Cost Optimization
(towardsdatascience.com)
2023-03-19
Two design rules that make products win. - by Thomas Drach
(subtract.substack.com)
2023-03-19
How do you solve world-class problems?
(open.substack.com)
2023-03-19
Sponsorship Definition & Meaning | Dictionary.com
(www.dictionary.com)
2023-03-13
Meet the 16 members of the EDA Alliance underpinning TSMC...
(www.digitimes.com)
2023-03-12
How One Guy’s Car Blog Became a $1 Billion Marketplace
(www.wsj.com)
2023-03-12
WTF is Marketplace Liquidity?
(medium.com)
2023-03-10
How 20 years of Google’s AdSense changed the internet
(www.fastcompany.com)
2023-03-10
Target Just Announced Something Brilliant That Amazon Can...
(inc.com)
2023-02-26
21 Product Management Frameworks - Productfolio
(productfolio.com)
2023-02-16
Tools to Create, Optimize Meta Descriptions
(www.practicalecommerce.com)
2023-02-07
What Product Managers Need To Know About The 0.99 Trick
(theaccidentalpm.com)
2023-02-07
Advanced image SEO: A secret manual
(searchengineland.com)
2023-02-02
AMD is 'Undershipping' Chips To Keep CPU, GPU Prices Elev...
(hardware.slashdot.org)
2023-01-31
How to create a product roadmap using the PriX method
(retailtechinnovationhub.com)
2023-01-30
Welcome to the Shoppy Shop
(clicks.getpocket.com)
2023-01-26
Retool’s Path to Product-Market Fit — Lessons for Getting...
(review.firstround.com)
2023-01-26
25 A/B Testing Concepts — Interview Cheat Sheet
(towardsdatascience.com)
2023-01-26
Who Sets the Prices?
(tedium.co)
2023-01-26
?? Why billing systems are a nightmare for engineers
(dev.to)
2023-01-24
What Does Product-Market Fit Feel Like?
(predictablerevenue.com)
2023-01-22
3 Flaws of Cost-plus Pricing - Practical Ecommerce
(www.practicalecommerce.com)
2023-01-13
The platform and the curator
(seths.blog)
2023-01-12
The PRD Isn’t Dead: New Best Practices for Digital Produc...
(www.toptal.com)
2023-01-07
Hacker News
(news.ycombinator.com)
2022-12-28
Data on correlated products and sellers helps improve dem...
(www.amazon.science)
2022-12-22
mgp/book-notes: Notes from books and other interesting th...
(github.com)
2022-12-21
Being Glue — No Idea Blog
(noidea.dog)
2022-12-13
The 7 Powers Known to Tesla, Pixar, Netflix, Apple & Twilio
(www.nfx.com)
2022-12-11
Writing Good Requirements
(reqexperts.com)
2022-12-10
GitHub - kuchin/awesome-cto: A curated and opinionated li...
(github.com)
2022-12-09
Why you should start a company
(www.axios.com)
2022-12-06
The Uses of Friction
(www.thediff.co)
2022-12-04
How can you tell if the company you’re interviewing with ...
(charity.wtf)
2022-11-15
Basically everything on Amazon has become an ad
(www.vox.com)
2022-11-08
13 Easy-to-use CRMs
(www.practicalecommerce.com)
2022-11-06
Psychological profiling for content creation: A deep dive
(searchengineland.com)
2022-11-06
https://www.cooper.com/journal/2017/7/people-dont-buy-you...
(www.cooper.com)
2022-11-05
https://www.analyticbridge.datasciencecentral.com/profile...
(www.analyticbridge.datasciencecentral.com)
2022-11-05
The Art of Profitability by Adrian Slywotzky
(jamesclear.com)
2022-11-05
prodmgmt-art-of-profitability-booknotes.md
(gist.github.com)
2022-10-30
How brands get their names, explained by a professional n...
(getpocket.com)
2022-10-29
A Complete Taxonomy of Internet Chum - The Awl
(www.theawl.com)
2022-10-24
How Steve Jobs Fleeced Carly Fiorina
(medium.com)
2022-10-22
Pollen’s enormous debt left behind: exclusive details
(blog.pragmaticengineer.com)
2022-10-17
Turning non-tradables into tradables
(www.thediff.co)
2022-10-05
GoodwillFinds.com gives shoppers more reasons to feel goo...
(retailwire.com)
2022-10-04
Why Everyone—From Mechanics to Crust Punks—Wears Dickies
(www.texasmonthly.com)
2022-10-02
How one of America’s last piano manufacturers stays alive
(thehustle.co)
2022-10-01
How Product Strategy Fails in the Real World — What to Av...
(review.firstround.com)
2022-10-01
7 Lessons on Dynamic Pricing (Courtesy of Bruce Springsteen)
(hbr.org)
2022-10-01
The Disappearing Art Of Maintenance | NOEMA
(www.noemamag.com)
2022-09-25
Dynamic Price Competition: Theory and Evidence from Airli...
(d.repec.org)
2022-09-25
Platform pricing strategies when consumers web/showroom
(d.repec.org)
2022-09-25
Pricing Novel Goods
(d.repec.org)
2022-09-24
Pricing at Lyft
(eng.lyft.com)
2022-09-24
Steve Blank Mapping the Unknown – The Ten Steps to Map An...
(steveblank.com)
2022-09-24
Be critical or be corrupted
(www.cenizal.com)
2022-09-19
Pay Attention to Deviations from Mainstream Incentives
(commoncog.com)
2022-09-18
Subscriptions are out, refills are in.
(bluepnume.medium.com)
2022-09-15
A Taxonomy of Drawdowns
(www.thediff.co)
2022-09-14
Design System Glossary – 34 Powerful Terms You Should Know
(www.uxpin.com)
2022-09-14
Why Fast Food Is Racing to Ditch the Dining Room
(slate.com)
2022-09-13
Multi-Objective Ranking for Promoted Auction Items
(tech.ebayinc.com)
2022-09-12
SaaS spend ratios on R&D/S&M/G&A
(blossomstreetventures.medium.com)
2022-09-11
How Automation is Changing Freight Bill of Lading Data Entry
(www.datasciencecentral.com)
2022-09-10
PPC management for e-commerce: 28 tools to explore
(searchengineland.com)
2022-09-10
Why public chats are better than direct messages
(teamplify.com)
2022-09-10
Customer experience and product are equally important: Sa...
(venturebeat.com)
2022-09-08
Putting Amazon’s PR/FAQ to Practice
(commoncog.com)
2022-09-05
https://bip.so/@TIL_/How-Segment-Found-PMF-bDaLg
(bip.so)
2022-09-05
[OC] The Most Watched Netflix Shows
(www.reddit.com)
2022-09-05
How data can reveal weaknesses in your customer onboardin...
(venturebeat.com)
2022-09-05
Find The Fast Moving Water
(www.nfx.com)
2022-09-03
Be good-argument-driven, not data-driven
(twitchard.github.io)
2022-09-03
The Anatomy of an Amazon 6-pager
(writingcooperative.com)
2022-09-01
Why Do So Many Zippers Say YKK?
(slate.com)
2022-08-25
Types Of Barcodes - 1D & 2D - Scanbot SDK
(scanbot.io)
2022-08-24
Salvage stores achieve sales growth by selling ‘unsellabl...
(retailwire.com)
2022-08-24
7 useful Excel formulas and functions for PPC
(searchengineland.com)
2022-08-22
Inventing Demand
(www.thediff.co)
2022-08-22
Elided Branches: The Product Culture Shift
(www.elidedbranches.com)
2022-08-22
An Old-Fashioned Economic Tool Can Tame Pricing Algorithm...
(www.scientificamerican.com)
2022-08-19
Pipeline Analysis Playbook
(www.tomtunguz.com)
2022-08-17
The speakeasy economy of WeChat
(www.theverge.com)
2022-08-17
The two types of quality // Zeno Rocha
(zenorocha.com)
2022-08-17
Elevate Your E-commerce Journey With Animated UX Microint...
(www.toptal.com)
2022-08-17
How to design a referral program
(andrewchen.com)
2022-08-17
Rules for weird ideas
(dynomight.net)
2022-08-15
Acceptance Criteria vs Requirements: Definition and Examp...
(www.projectpractical.com)
2022-08-14
The Key to Successful Innovation? Progress Over Product
(www.inc.com)
2022-08-14
The hidden makers of Costco’s Kirkland Signature and Trad...
(www.cnn.com)
2022-08-12
The Very Sincere Economics of Greeting Cards
(getpocket.com)
2022-08-11
Bricked Epson Printers Make a Strong Case For User Repair...
(hardware.slashdot.org)
2022-08-05
5 Amazon product listing optimization must-haves
(searchengineland.com)
2022-07-31
Opportunity Solution Tree
(www.productplan.com)
2022-07-29
Test Your Product On A Crappy Laptop | CSS-Tricks
(css-tricks.com)
2022-07-28
The value of not flying
(koenfucius.medium.com)
2022-07-28
Overexposed: A History of Fotomat
(getpocket.com)
2022-07-27
Two-Sided Networks in Healthcare, a Founder’s Playbook
(a16z.com)
2022-07-27
How to Structure Your Sales Compensation Plan to Delibera...
(tomtunguz.com)
2022-07-22
5 tips for writing amazingly jargon-free product copy
(builtin.com)
2022-07-19
How Paper Catalogs Remain Relevant in a Digital Age
(hbr.org)
2022-07-19
Index
(www.talkingtohumans.com)
2022-07-19
Sundown products need love too 69ed2136fd36
(hackernoon.com)
2022-07-19
The 11 Risks VCs Evaluate by @ttunguz
(tomtunguz.com)
2022-07-19
Running Marketing Experiments with Purpose
(lukethomas.com)
2022-07-19
Go-to-Market Plan Template
(docs.google.com)
2022-07-19
Why You Can't Settle For The "Minimum" In Your Minimum Vi...
(readwrite.com)
2022-07-19
A New Approach to Feature Requests
(signalvnoise.com)
2022-07-19
How Two Companies Hooked Customers On Products They Rarel...
(getpocket.com)
2022-07-19
Elon Musk’s Genius: Understanding the Cost of a Screw...
(tomtunguz.com)
2022-07-19
Product Playbooks
(learningloop.io)
2022-07-19
undefined | Customer.io
(customer.io)
2022-07-19
The Complete Guide to Building the Perfect Sales Stack
(medium.com)
2022-07-19
Distribution | Andreessen Horowitz
(a16z.com)
2022-07-19
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-19
This Is All Your App Is: a Collection of Tiny Details
(blog.codinghorror.com)
2022-07-19
Product Management is a lot like Playing Poker
(medium.com)
2022-07-19
Behind Every Great Product | Silicon Valley Product Group
(svpg.com)
2022-07-19
How to protect yourself as middleman in a marketplace
(venturebeat.com)
2022-07-19
Business Model Navigator
(businessmodelnavigator.com)
2022-07-19
Stop Validating and Start Falsifying
(blog.cauvin.org)
2022-07-19
Maybe the Voice of the Customer Isn’t - Futurelab.net
(www.futurelab.net)
2022-07-19
Marketing Stacks
(robsobers.com)
2022-07-19
Jobs To Be Done: A BoS Playlist – Business of Software
(businessofsoftware.org)
2022-07-19
Cost Per Reasonable Decision (CPRD)
(medium.com)
2022-07-19
Piracy Doubled My App Sales
(danielamitay.com)
2022-07-19
Test your startup idea!
(blog.hubstaff.com)
2022-07-19
Product Management Is a Company, Not a Department
(www.hightechinthehub.com)
2022-07-19
Inner Workings of Product Management at Product Led Growt...
(labs.openviewpartners.com)
2022-07-19
Ask a Repair Shop - Philip Yurchuk
(philip.yurchuk.com)
2022-07-19
The right type of customer conversations
(blog.intercom.com)
2022-07-19
Product strategy means saying no
(blog.intercom.com)
2022-07-19
Amazon’s Friction-Killing Tactics To Make Products More S...
(firstround.com)
2022-07-19
Steve Blank A New Way to Look at Competitors
(steveblank.com)
2022-07-19
http://www.neildavidson.com/downloads/dont-just-roll-the-...
(www.neildavidson.com)
2022-07-19
Six Lessons from Six Months at Shopify
(alexdanco-com.cdn.ampproject.org)
2022-07-19
Decentralized Reputation in OpenBazaar | by OpenBazaar | ...
(medium.com)
2022-07-18
3 Strategies To Building a Marketplace Startup | SaaS Aca...
(www.danmartell.com)
2022-07-18
An Enterprise Primer
(blairreeves.me)
2022-07-18
The short head, the long tail and buying expensive scaffo...
(sethgodin.typepad.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
Clay Christensen’s Milkshake Marketing
(hbswk.hbs.edu)
2022-07-18
What Really Makes Customers Buy a Product
(hbr.org)
2022-07-18
Why We’re Dropping Freemium as a Business Model: Value vs...
(blog.evercontact.com)
2022-07-18
Product Leaders: User Acquisition Series
(blog.adamnash.com)
2022-07-18
How to use 12 micro intents for SEO and content journey m...
(searchengineland.com)
2022-07-18
How to Price Shipping and Handling Fees
(www.practicalecommerce.com)
2022-07-18
Nobody likes self-checkout. Here’s why it’s everywhere | ...
(www.cnn.com)
2022-07-18
UserTesting Blog
(blog.getenjoyhq.com)
2022-07-18
Products Over Projects
(martinfowler.com)
2022-07-18
Signaling as a Service
(julian.digital)
2022-07-18
Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...
(behavioralscientist.org)
2022-07-18
How to Make Your Product Scientifically Irresistible | Ga...
(www.gainsight.com)
2022-07-18
David Nicholas Williams
(davnicwil.com)
2022-07-18
Platforms and Networks
(platformsandnetworks.blogspot.com)
2022-07-18
Obviously Awesome: a product positioning exercise | Hacke...
(hackernoon.com)
2022-07-18
Pricing niche products: Why sell a mechanical keyboard ki...
(kevinlynagh.com)
2022-07-18
What It Takes to Become a Great Product Manager
(hbr.org)
2022-07-18
http://platformed.info/virality-viral-growth-network-effects
(platformed.info)
2022-07-18
Pando: Democratizing career progression
(pando.com)
2022-07-18
The Hierarchy of Engagement
(news.greylock.com)
2022-07-18
How to Build an Amazon Affiliate Website - 2024 Guide - M...
(makeawebsitehub.com)
2022-07-18
The 30 Elements of Consumer Value: A Hierarchy
(hbr.org)
2022-07-18
Pricing psychology
(jilt.com)
2022-07-18
Two Powerful Mental Models: Network Effects and Critical ...
(a16z.com)
2022-07-18
Price Increase By Any Other Name
(iterativepath.wordpress.com)
2022-07-18
I spent $6 Million On Google Ads Last Year
(nicklafferty.com)
2022-07-18
Human Curation Is Back
(mondaynote.com)
2022-07-18
Advanced list building
(jilt.com)
2022-07-18
Your Traffic Sources Have a Half-Life - Rob Walling - Ser...
(www.softwarebyrob.com)
2022-07-18
The 7 marketplace design patterns
(rishidean.com)
2022-07-18
Perfect Pricing Part Deux — More money from fewer sales
(blog.asmartbear.com)
2022-07-18
A Recipe for Growth: Adding Layers to the Cake | Andreess...
(a16z.com)
2022-07-18
The 3 Competitive Defenses of Enduring SaaS Companies by ...
(tomtunguz.com)
2022-07-18
How Pricing Bots Could Form Cartels and Make Things More ...
(hbr.org)
2022-07-18
10 marketplace monetisation strategies
(medium.com)
2022-07-18
Customers Don't Know What They Want—Until They See It
(blogs.wsj.com)
2022-07-18
Why Platform Disruption Is So Much Bigger than Product Di...
(hbr.org)
2022-07-18
How Our Brain Determines if the Product is Worth the Price
(hbswk.hbs.edu)
2022-07-18
Feature vs Product
(jtbd.info)
2022-07-18
Positional Scarcity
(alexdanco.com)
2022-07-18
Pay What You Want: The Ultimate Sales Strategy
(medium.com)
2022-07-18
Product Pricing Primer
(ericsink.com)
2022-07-18
The Sharp Startup: When PayPal Found Product-Market Fit
(medium.com)
2022-07-18
The Ultimate Guide to Minimum Viable Products - Startup G...
(scalemybusiness.com)
2022-07-18
Making Good Decisions as a Product Manager
(blackboxofpm.com)
2022-07-18
https://codingvc.com/the-value-of-data-part-1-using-data-...
(codingvc.com)
2022-07-18
Decentralized Reputation in OpenBazaar — Part 1
(medium.com)
2022-07-18
Pricing Experiments You Might Not Know, But Can Learn From
(conversionxl.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
‘Give Away Your Legos’ and Other Commandments for Scaling...
(firstround.com)
2022-07-18
How To Price Your Hardware Product
(marcbarros.com)
2022-07-18
Jonah Berger’s 75 Examples Of Infectious Marketing
(www.referralcandy.com)
2022-07-18
http://platformed.info/how-to-get-startup-ideas/
(platformed.info)
2022-07-18
The Surprising Upside of Expensive Products That Don’t Sell
(hbr.org)
2022-07-18
The Ultimate List of Customer Development Questions
(mfishbein.com)
2022-07-18
Store Brands Aren’t Just about Price
(hbr.org)
2022-07-18
Why Uber Fights
(stratechery.com)
2022-07-18
The Risks of Changing Your Prices Too Often
(hbr.org)
2022-07-18
It's OK To Ask "Would You Use This" in Customer Discovery
(www.skmurphy.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
How repositioning a product allows you to 8x its price
(blog.asmartbear.com)
2022-07-18
Everything We Know About Platforms We Learned from Mediev...
(hbr.org)
2022-07-18
Price Unbundling Vs. Product Unbundling
(iterativepath.wordpress.com)
2022-07-18
drop shipping best practices #prodmgmt at DuckDuckGo
(duckduckgo.com)
2022-07-18
Everything Must Go: A Strategy for Store Liquidation
(hbswk.hbs.edu)
2022-07-18
How to Prioritize Your Company’s Projects
(hbr.org)
2022-07-18
The Businesses That Platforms Are Actually Disrupting
(hbr.org)
2022-07-18
User Acquisition: The Five Sources of Traffic
(blog.adamnash.com)
2022-07-18
Moneyball for engineers: What the semiconductor industry ...
(www.mckinsey.com)
2022-07-18
20 Product Prioritization Techniques: A Map and Guided To...
(foldingburritos.com)
2022-07-18
Steve Blank How to Be Smarter than Your Investors – Conti...
(steveblank.com)
2022-07-18
Startup Therapy: Ten questions to ask yourself every month
(blog.asmartbear.com)
2022-07-18
Three Elements of a Successful Platform Strategy
(hbr.org)
2022-07-18
https://blog.keen.io/how-to-do-a-retention-analysis-26d3f...
(blog.keen.io)
2022-07-18
The Power of Data Network Effects
(mattturck.com)
2022-07-18
Top Two Reasons for Churn - For Entrepreneurs
(www.forentrepreneurs.com)
2022-07-18
57 startup lessons
(www.defmacro.org)
2022-07-18
9 Ways to Build Virality into your Product
(medium.com)
2022-07-18
The Art of Decision Making as a Product Manager
(www.sachinrekhi.com)
2022-07-18
http://market-found.com/flavors-freemium/
(market-found.com)
2022-07-18
A Quick Guide to Value-Based Pricing
(hbr.org)
2022-07-18
If You Want to Raise Prices, Tell a Better Story
(hbr.org)
2022-07-18
Starting a Physical Product Company? You’re Gonna Need a ...
(medium.com)
2022-07-18
How Do Dollar Stores Make Money?
(money.howstuffworks.com)
2022-07-18
Growth Hacking: 100 Hacks, Strategies & Techniques - Wish...
(blog.wishpond.com)
2022-07-18
What’s Next for Marketplace Startups? | Andreessen Horowitz
(a16z.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
Are you outspoken at work? How to use your voice – and no...
(ideas.ted.com)
2022-07-18
6 Reasons Platforms Fail
(hbr.org)
2022-07-17
Why Figma Wins - kwokchain
(kwokchain.com)
2022-07-17
http://theaccidentalpm.com/z-product/a-candy-bar-teaches-...
(theaccidentalpm.com)
2022-07-17
Too Many Pivots, Too Little Passion
(hbr.org)
2022-07-17
Quizzes are free data mining tools for brands - Marketplace
(www.marketplace.org)
2022-07-17
Traction PDF Summary - Gabriel Weinberg & Justin Mares | ...
(blog.12min.com)
2022-07-17
30 Useful Tools for Growth Hackers and Startups
(medium.com)
2022-07-17
Lessons learned from scaling a product team
(blog.intercom.com)
2022-07-17
All Markets Are Not Created Equal: 10 Factors To Consider...
(abovethecrowd.com)
2022-07-13
Nearly a third of new subscribers to some news publicatio...
(www.niemanlab.org)
2022-07-13
How to Sell a $300 Chocolate Bar
(api.atlasobscura.com)
2022-07-13
Giving a Shit as a Service
(allenpike.com)
2022-07-11
5 Pricing Resolutions for 2019 - OpenView
(labs.openviewpartners.com)
2022-07-11
10 Data Acquisition Strategies for Startups
(medium.com)
2022-07-10
If Your Customers Don't Care What You Charge, What Should...
(hbswk.hbs.edu)
2022-07-07
Catalogs & Wishbooks
(christmas.musetechnical.com)
2022-07-06
Babe Ruth and Feature Lists
(www.bringthedonuts.com)
2022-07-06
Thoughts on Building Weatherproof Companies | Andreessen ...
(a16z.com)
2022-07-05
The Five Types of Virality
(news.greylock.com)
2022-07-05
The Marketplace Glossary | Andreessen Horowitz
(a16z.com)
2022-07-05
Cash is a fact, profit is an opinion
(mondaynote.com)
2022-07-05
Selling pickaxes during a gold rush
(cdixon.org)
2022-07-05
Five Questions Companies Should Ask Before Making an Inno...
(hbr.org)
2022-07-05
A Rake Too Far: Optimal Platform Pricing Strategy
(abovethecrowd.com)
2022-07-05
In times of change, make tires
(medium.com)
2022-07-05
The *real* pivot
(blog.asmartbear.com)
2022-07-05
4 Business Models for the Data Age
(hbr.org)
2022-07-05
10-Steps to a Friction-Free App.
(medium.com)
2022-07-05
3 Steps to Break Out in a Tired Industry
(hbr.org)
2022-07-05
How to sunset a feature
(blog.intercom.com)
2022-07-05
The Real Power of Platforms Is Helping People Self-Organize
(hbr.org)
2022-07-05
How Modern Marketplaces Like Uber and Airbnb Build Trust ...
(firstround.com)
2022-07-05
It’s OK to Move Down (Yes, Down) the Value Chain
(hbr.org)
2022-07-05
Anatomy of a Great User Story
(productcoalition.com)
2022-07-05
kevinyien: PRD Template
(docs.google.com)
2022-07-05
The Power of Reference Customers | Silicon Valley Product...
(svpg.com)
2022-07-05
User Acquisition: Viral Factor Basics
(blog.adamnash.com)
2022-07-05
The Most Effective Price Discovery Question for Your Star...
(tomtunguz.com)
2022-07-05
http://platformed.info/platform-strategy-and-walled-garde...
(platformed.info)
2022-07-05
An eBook pricing model that resulted in $100,000 in sales
(blog.asmartbear.com)
2022-07-05
http://www.postaffiliatepro.com/blog/the-ultimate-list-of-
(www.postaffiliatepro.com)
2022-07-05
A Deeper Look at Uber’s Dynamic Pricing Model
(abovethecrowd.com)
2022-07-05
Six Principles for Making New Things
(paulgraham.com)
2022-07-05
Customer Loyalty Is Overrated
(hbr.org)
2022-07-05
Batman Is A Growth Hacker
(www.adweek.com)
2022-07-05
Secrets Of Freemium Pricing: Make The Cheapskates Pay
(onstartups.com)
2022-07-05
Network Effects Aren’t Enough
(hbr.org)
2022-07-05
All Revenue is Not Created Equal: The Keys to the 10X Rev...
(abovethecrowd.com)
2022-07-05
Who is good at discovery?
(seths.blog)
2022-07-05
A Dozen Attributes of a Scalable Business
(25iq.com)
2022-07-05
How to Master The Discipline of Product Management (Not t...
(medium.com)
2022-07-05
Relearning the Art of Asking Questions
(hbr.org)
2022-07-05
“Platform” risk — Remains of the Day
(www.eugenewei.com)
2022-07-05
6 decision-making techniques all Product Managers should ...
(medium.com)
2022-07-05
Hardware is sexy, but it’s software that matters
(sethgodin.typepad.com)
2022-07-05
The Design Sprint — GV
(www.gv.com)
2022-07-05
Five dynamic pricing issues retailers should consider
(econsultancy.com)
2022-07-05
If your product is Great, it doesn't need to be Good.
(paulbuchheit.blogspot.com)
2022-07-05
The Availability Cascade: How Information Spreads on a La...
(effectiviology.com)
2022-07-05
Use Co-opetition to Build New Lines of Revenue
(hbr.org)
2022-07-05
How to Increase SaaS Pricing (and Quickly Triple Your Gro...
(www.extendslogic.com)
2022-07-05
Steve Blank Do Pivots Matter?
(steveblank.com)
2022-07-05
Pando: Democratizing career progression
(pando.com)
2022-07-05
Why Your eCommerce Business Should Have a Pop-Up Shop
(readwrite.com)
2022-07-05
Asking Users to Complete Tough Mudders to Use Your Product
(www.tomtunguz.com)
2022-07-05
Anatomy of a Product Placement (Published 2022)
(www.nytimes.com)
2022-07-05
Buy Till You Die: Understanding Customer Lifetime Value
(towardsdatascience.com)
2022-07-04
Watching an acquirer ruin your company - by Jon Christensen
(startupwin.kelsus.com)
2022-07-02
Hacker News
(uxdesign.cc)
2022-06-29
Cross-chain Deals and Adversarial Commerce
(muratbuffalo.blogspot.com)
2022-06-29
12 signs youre working in a feature factory
(cutle.fish)
2022-06-29
http://platformed.info/qa-quora-stack-overflow-mahalo-yah...
(platformed.info)
2022-06-29
http://www.chubbybrain.com/blog/startup-failure-post-mortem/
(www.chubbybrain.com)
2022-06-28
Understanding Products Through Storytelling
(medium.com)
2022-06-28
http://platformed.info/seeding-platform-standalone-square...
(platformed.info)
2022-06-28
How to Sell High-priced (and High-quality) Products
(www.practicalecommerce.com)
2022-06-28
How to build B2B recommendation engines from competitor’s...
(medium.com)
2022-06-28
How Much Is Michael Bolton Worth to You? (Published 2013)
(www.nytimes.com)
2022-06-28
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2022-06-28
How to Make a Good Secret Sauce
(medium.com)
2022-06-28
Is There a Platform in Your Product?
(hbr.org)
2022-06-28
There’s only a few ways to scale user growth, and here’s ...
(andrewchen.co)
2022-06-28
Nautilus | Science Connected
(nautil.us)
2022-06-28
http://platformed.info/twitter-whatsapp-uber-airbnb-netwo...
(platformed.info)
2022-06-28
A Product Manager’s Job
(medium.com)
2022-06-28
How Self-Service Kiosks Are Changing Customer Behavior
(hbr.org)
2022-06-28
http://platformed.info/whatsapp-instagram-marketing/
(platformed.info)
2022-06-28
This Product Prioritization System Nabbed Pandora 70 Mill...
(firstround.com)
2022-06-28
Good Products Have Features, Great Products Have Stories.
(medium.com)
2022-06-28
Make Operations Your Secret Weapon - Here’s How
(firstround.com)
2022-06-28
https://dcgross.com/decide-what-to-build/
(dcgross.com)
2022-06-28
Four Myths of Bundling
(coda.io)
2022-06-28
The Beginner's Guide to Product Packaging
(dribbble.com)
2022-06-28
Steve Blank Fear of Failure and Lack of Speed In a Large ...
(steveblank.com)
2022-06-28
Neuro-Menus and Restaurant Psychology
(www.neurosciencemarketing.com)
2022-06-28
Picking a Market
(eleganthack.com)
2022-06-28
https://codingvc.com/the-value-of-data-part-3-data-busine...
(codingvc.com)
2022-06-28
Growth Hacking Checklist
(mattishness.blogspot.com)
2022-06-27
Applying Luxury Principles to Ecommerce Design
(www.nngroup.com)
2022-06-25
How Lumosity Spiked Active Users 10% with Complexity, Not...
(firstround.com)
2022-06-25
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-25
When One Category Works Against Most Of Your Categories
(blog.minethatdata.com)
2022-06-25
Top 10 Product Leadership Lessons
(blog.adamnash.com)
2022-06-25
Three-Dimensional Strategy: Winning the Multisided Platform
(hbswk.hbs.edu)
2022-06-25
Busting Six Myths About Customer Loyalty Programs
(hbswk.hbs.edu)
2022-06-25
How to get your first 10 customers
(danshipper.com)
2022-06-25
How do you put a price on your source code?
(arstechnica.com)
2022-06-25
Do Things that Don't Scale
(paulgraham.com)
2022-06-25
Developing a Product Requirements Document for Hardware S...
(blog.bolt.io)
2022-06-25
3 pitfalls of PPC experiments
(searchengineland.com)
2022-06-25
http://platformed.info/creative-platform-threadless-500px...
(platformed.info)
2022-06-25
Price Bundling in Couponing
(iterativepath.wordpress.com)
2022-06-25
Top 10 Reasons for Weak Product | Silicon Valley Product ...
(svpg.com)
2022-06-25
An Exercise to Help Your Team Feel More Comfortable with ...
(hbr.org)
2022-06-24
'Get in the Van' and Other Tips for Getting Meaningful Cu...
(firstround.com)
2022-06-24
We raised prices to preserve our business model
(iterativepath.wordpress.com)
2022-06-24
The most beautiful price fence
(iterativepath.wordpress.com)
2022-06-24
The problem with ‘5 whys’
(qualitysafety.bmj.com)
2022-06-24
A Brief History of the Ways Companies Compete
(hbr.org)
2022-06-24
Ask HN: How do you set prices? | Hacker News
(news.ycombinator.com)
2022-06-24
70 meetings and calls later: How I achieved customer inte...
(purde.net)
2022-06-24
Guide to Product Planning: Three Feature Buckets
(blog.adamnash.com)
2022-06-24
Liquidity hacking: Solving the chicken-egg dilemma with m...
(venturebeat.com)
2022-06-24
Risk Discounts and Usage-Based Pricing - OpenView
(openviewpartners.com)
2022-06-24
Ideation Sprints for New Products & Services
(eleganthack.com)
2022-06-24
5 Little-Known Lead Generation Hacks
(medium.com)
2022-06-24
Reddit Was Built On Legions of Fake Accounts | The Mary Sue
(www.themarysue.com)
2022-06-23
Don’t be a product person, be a merchant
(iterativepath.wordpress.com)
2022-06-23
Negotiate like a pro: how to say ‘No’ to product feature ...
(hackernoon.com)
2022-06-23
Beyond Disruption
(stratechery.com)
2022-06-23
Startup Metrics, a love story. All slides of an 6h Lean A...
(www.slideshare.net)
2022-06-23
Best Product Management Tools in 2024[Review]
(www.productmanagerhq.com)
2022-06-23
Multivariate vs. A/B Testing: Incremental vs. Radical Cha...
(www.nngroup.com)
2022-06-23
Snapchat’s Ladder
(stratechery.com)
2022-06-23
Why Dyson's robot vacuum took 16 years, and why it's head...
(www.engadget.com)
2022-06-23
What are some methods and tools for analyzing customer di...
(www.quora.com)
2022-06-23
Customer Interviews: How To Organize Findings
(www.skmurphy.com)
2022-06-23
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-23
Argue with your customers - Rockstar Coders
(www.rockstarcoders.com)
2022-06-23
Video Tools Archives
(www.practicalecommerce.com)
2022-06-23
The Startup Marketing Checklist
(www.sideprojectchecklist.com)
2022-06-23
We Wasted $50K on Google Ads So You Don't Have To – Indie...
(www.indiehackers.com)
2022-06-23
10 Places to Find Product-Market Fit
(www.nfx.com)
2022-06-23
Team Objectives – Overview | Silicon Valley Product Group
(svpg.com)
2022-06-23
Luxury groups ponder ways to get rid of their unsold inve...
(www.economist.com)
2022-06-23
The unpredictable economics of pawn shops
(thehustle.co)
2022-06-23
SeatGeek will calculate how much that ticket is worth | T...
(techcrunch.com)
2022-06-23
The One Conversational Tool That Will Make You Better At ...
(www.fastcompany.com)
2022-06-23
When Freemium Fails
(www.wsj.com)
2022-06-23
Q: What Makes a Product Attract Early Adopters? - SKMurph...
(www.skmurphy.com)
2022-06-23
13 Platforms for Shoppable Video
(www.practicalecommerce.com)
2022-06-23
16 Rules for Effective Decision-Making | The Leading Blog...
(www.leadershipnow.com)
2022-06-23
The 9 Habits of Ultra-Fast Iterations
(www.nfx.com)
2022-06-23
Strategy Letter V
(www.joelonsoftware.com)
2022-06-23
The Dark Science of Pop Music
(www.theatlantic.com)
2022-06-23
Deep Dive: Payments
(tech.affirm.com)
2022-06-23
How to Market Taboo Products
(www.entrepreneur.com)
2022-06-23
Every Company Is Up For Disruption, So Keep Your Products...
(techcrunch.com)
2022-06-23
Forrester
(www.siriusdecisions.com)
2022-06-23
19 Tactics to Solve the Chicken-or-Egg Problem and Grow Y...
(www.nfx.com)
2022-06-23
How To Structure A Marketplace | TechCrunch
(techcrunch.com)
2022-06-23
How We Redesigned Our Product in Less Than a Week
(thenextweb.com)
2022-06-23
How To Design Products For People Making $2 A Day - Fast ...
(www.fastcoexist.com)
2022-06-22
Twitter partners with Shopify to bring merchants' product...
(techcrunch.com)
2022-06-21
The Problem with Feature Branches
(dev.to)
2022-06-21
6 Email Triggers for Max Conversions
(www.practicalecommerce.com)
2022-06-15
Feed
(www.psl.com)
2022-06-14
https://www.blossom.co/blog/building-a-strong-product-cul...
(www.blossom.co)
2022-06-14
Forget Virality, Selling Enterprise Software Is Still Old...
(techcrunch.com)
2022-06-14
What are the best ways to prioritize a list of product fe...
(www.quora.com)
2022-06-14
How To Run a 5 Whys (With Humans, Not Robots)
(www.slideshare.net)
2022-06-14
When Growth Hacking Goes Bad | TechCrunch
(techcrunch.com)
2022-06-14
A Quantitative Approach to Product Market Fit - Tribe Cap...
(tribecap.co)
2022-06-14
Personalization Is Not A Feature | TechCrunch
(techcrunch.com)
2022-06-14
What distinguishes the Top 1% of product managers from th...
(www.quora.com)
2022-06-14
Features Tell, But Benefits Sell - Help Scout
(www.helpscout.net)
2022-06-14
Customer-Channel Fit: How to Identify the Right B2B SaaS ...
(www.poweredbysearch.com)
2022-06-13
http://market-found.com/pricing-product-scratch/
(market-found.com)
2022-06-13
Momtestbook
(momtestbook.com)
2022-06-13
The Adjacent User Theory
(andrewchen.co)
2022-06-13
The Empty Promise of Data Moats | Andreessen Horowitz
(a16z.com)
2022-06-13
Welcome to the Era of Fake Products
(thewirecutter.com)
2022-06-13
Packaging Inserts: Types and How To Create Yours (2024) -...
(www.shopify.com)
2022-06-13
Reforge
(www.reforge.com)
2022-06-13
What are value metrics? How value metrics optimize pricing
(www.priceintelligently.com)
2022-06-13
Anatomy of a managed marketplace | TechCrunch
(techcrunch.com)
2022-06-13
https://www.linkedin.com/pulse/20140429225629-7745996-pro...
(www.linkedin.com)
2022-06-13
Four types of product management skills
(www.linkedin.com)
2022-06-13
21 Examples of Pricing Pages in Web Design
(webdesignledger.com)
2022-06-13
What is Negotiation for Product Managers? - The Product A...
(theproductangle.com)
2022-06-13
Sometimes It’s Not the Change They Hate — Users Know
(www.usersknow.com)
2022-06-13
The New Curated Consumer Marketplace Model: 10 Criteria F...
(www.forbes.com)
2022-06-13
The 87 Most Essential Tools For Data-Driven Product Manag...
(www.indicative.com)
2022-06-13
https://trafficiscurrency.com/product-qualified-leads/
(trafficiscurrency.com)
2022-06-13
Bayesian Product Ranking at Wayfair
(tech.wayfair.com)
2022-06-13
Defining A Growth Hacker: Growth Is Not A Marketing Strat...
(techcrunch.com)
2022-06-13
The Chromecast’s reset button is proof of the reliability...
(www.theverge.com)
2022-06-13
1/ A few weeks back I asked folks for suggestions on the ...
(twitter.com)
2022-06-12
Why You’re Never Really Happy With the Things You Buy Any...
(getpocket.com)
2022-06-12
Reselling Software: Don’t Start a SaaS — White Label Some...
(www.sidehustlenation.com)
2022-06-12
How to Identify Keywords That Signal Shoppers’ Intent
(www.practicalecommerce.com)
2022-06-12
The Network Effects Manual: 16 Different Network Effects ...
(www.nfx.com)
2022-06-12
Defining Aggregators
(stratechery.com)
2022-06-12
Product Descriptions: 17 Fresh Writing Angles
(www.practicalecommerce.com)
2022-06-12
Baking mischief and delight into your products will make ...
(thenextweb.com)
2022-06-12
40 Tips for B2B Customer Development Interviews - SKMurph...
(www.skmurphy.com)
2022-06-12
A Guide To Validating Product Ideas With Quick And Simple...
(www.smashingmagazine.com)
2022-06-12
Pricing Your Product
(www.sequoiacap.com)
2022-06-12
Building a Marketplace: A Checklist for Online Disruption
(www.slideshare.net)
2022-06-12
Digital Advertising Platform for Brands and Agencies | Ad...
(www.adroll.com)
2022-06-11
Instagram Co-Founder Mike Krieger's 8 Principles For Buil...
(techcrunch.com)
2022-06-11
What Is Conjoint Analysis, and How Can It Be Used?
(online.hbs.edu)
2022-06-11
9 Common Types of Conjoint Analysis and How To Use Them
(www.qualtrics.com)
2022-06-10
https://sergionajera.com/dont-think-of-price-think-of-cos...
(sergionajera.com)
2022-06-08
Startup Metrics for Pirates
(www.slideshare.net)
2022-06-07
Counterintuitive Competitive Advantages
(www.collaborativefund.com)
2022-06-07
Leading Cross-Functional Teams
(www.kennorton.com)
2022-06-07
Alexa: Amazon’s Operating System
(stratechery.com)
2022-06-07
Curation and Algorithms
(stratechery.com)
2022-06-07
The Weird Science of Naming New Products (Published 2015)
(www.nytimes.com)
2022-06-07
The Engineering of the Chain Restaurant Menu
(www.theatlantic.com)
2022-06-07
Past Behavior Does Not Determine Future Purchases | TechC...
(techcrunch.com)
2022-06-07
https://www.blossom.co/blog/5-smart-ways-to-resurrect-you...
(www.blossom.co)
2022-06-07
Design
(www.fastcodesign.com)
2022-06-07
Setting UX Roles and Responsibilities in Product Developm...
(www.nngroup.com)
2022-06-04
Airbnb and the Internet Revolution
(stratechery.com)
2022-06-04
Economies Of Scale As A Service | TechCrunch
(techcrunch.com)
2022-06-02
Aggregation and the New Regulation
(stratechery.com)
2022-06-02
9 Qualities of World Class Growth Hacking Teams
(thenextweb.com)
2022-06-02
How Netflix Reverse-Engineered Hollywood
(www.theatlantic.com)
2022-06-02
Dollar Shave Club and the Disruption of Everything
(stratechery.com)
2022-06-02
33 powerful tools to get the most out of your users
(thenextweb.com)
2022-06-02
Rithum: End-to-End E-commerce Solutions for Brands & Reta...
(www.channeladvisor.com)
2022-06-02
The Network Effect Isn’t Good Enough | TechCrunch
(techcrunch.com)
2022-06-02
Reverse Network Effects: Why Scale Threatens Today’s Soci...
(thenextweb.com)
2022-06-01
Choose Boring Technology
(boringtechnology.club)
2022-05-30
Why So Many Luxury Brands Are Terrible at Ecommerce
(www.nngroup.com)
2022-05-29
Ted Sarandos Talks About That Stock Drop, Backing Dave Ch...
(www.nytimes.com)
2022-05-28
The Pricing Model That Increased Our Free Trial Signups b...
(www.groovehq.com)
2022-05-28
The Intentional Network Effects of Uber
(www.nfx.com)
2022-05-28
5 Effective Customer Loyalty Programs for Small Businesse...
(www.helpscout.net)
2022-05-28
How to Hire a Product Manager
(www.kennorton.com)
2022-05-28
Pricing on Purpose (Summary)
(www.overdrive.com)
2022-05-28
Pricing Psychology: A List of Tactics
(www.nickkolenda.com)
2022-05-28
SEO: Product Descriptions Are a Blind Spot for Ecommerce ...
(www.practicalecommerce.com)
2022-05-28
A Taxonomy of Moats
(reactionwheel.net)
2022-05-27
13 marketing automation tools that can help you boost you...
(dataconomy.com)
2022-05-20
When Keyword Poaching Pays Off
(hbr.org)
2022-05-19
Why people hated shopping carts when they first came out ...
(www.cnn.com)
2022-05-15
Hacker News
(thehustle.co)
2022-05-12
3 Keyword Tools for Search Intent
(www.practicalecommerce.com)
2022-05-09
Fast, Cheap, and Out of Control: Inside Shein’s Sudden Rise
(www.wired.com)
2022-05-04
PURSUIT: A framework for your next great product idea. | ...
(uxdesign.cc)
2022-04-15
Zapier: The $5B unbundling opportunity
(www.georgesequeira.com)
2022-04-14
Best Practices for Outbound Sales Sequences
(predictablerevenue.com)
2022-04-08
I stopped advertising everywhere and nothing happened.
(theantistartup.com)
2022-04-07
Improving Shopping Recommendations for Customers Through ...
(tech.ebayinc.com)
2022-03-27
A case study in early-stage startup execution
(www.wave.com)
2022-03-23
23 Tactical Company Building Lessons, Learned From Scalin...
(review.firstround.com)
2022-03-19
Google brand SERPs: Why you must dominate People Also Ask
(searchengineland.com)
2022-03-16
http://limedaring.com/articles/how-i-run-a-marketplace-wi...
(limedaring.com)
2022-03-16
5 Surprising Findings About How People Actually Buy Cloth...
(hbr.org)
2022-03-16
3 Practices That Set Resilient Teams Apart
(hbr.org)
2022-03-14
Implementing Usage-Based Pricing: What Your Financial Tea...
(openviewpartners.com)
2022-03-10
The Economics of Data Businesses
(summation.us6.list-manage.com)
2022-03-08
Set “Non-Goals” and Build a Product Strategy Stack — Less...
(review.firstround.com)
2022-03-07
This Is Peak Subscription
(www.theatlantic.com)
2022-02-24
Tearing Down the Pricing of Dollar Shave Club and Gillette
(www.priceintelligently.com)
2022-02-24
The slippery slope of in product messaging
(matthewstrom.com)
2022-02-24
Awesome Package Design Blogs to Inspire Your Work
(creativemarket.com)
2022-02-19
str021.pdf
(www.management.com.ua)
2022-02-19
The Sales Sandwich by @ttunguz
(www.tomtunguz.com)
2022-02-18
Here’s what actually happens to all your online shopping ...
(restofworld.org)
2022-02-10
Why I changed my mind about advertising | The Sample blog
(thesample.ai)
2022-02-10
The 4 Main Types of Intellectual Property and Related Costs
(www.innovation-asset.com)
2022-02-10
How Artists Use Psychology to Price a Painting
(www.psychologytoday.com)
2022-02-10
The Accidental Invention of Bubble Wrap
(www.smithsonianmag.com)
2022-02-10
How to Build an Ecommerce Keyword List
(www.practicalecommerce.com)
2022-02-10
Five Reasons to Sell End-to-End Products in Early Markets...
(tomtunguz.com)
2022-02-10
What might Amazon’s six-page narrative structure look like?
(www.anecdote.com)
2022-02-10
https://www.under10consulting.com/competitive-battle-cards
(www.under10consulting.com)
2022-02-10
The 87 Most Essential Tools For Data-Driven Product Manag...
(www.indicative.com)
2022-02-10
The Tribal Network Effect (nfx #15)
(www.nfx.com)
2022-02-08
Storming Reddit's Moat
(floodstate.substack.com)
2022-01-29
10 UX lessons I learned building my product from scratch
(thenextweb.com)
2022-01-29
Eight Habits of Expert Software Designers: An Illustrated...
(thereader.mitpress.mit.edu)
2022-01-29
The Experience Economy
(stratechery.com)
2022-01-29
Getting the most out of personas - UXM
(www.uxforthemasses.com)
2022-01-29
The Power of a Free Popsicle
(www.gsb.stanford.edu)
2022-01-29
If you Run a Small Business Park In the Back of the Parki...
(skyclerk.com)
2022-01-29
Do We Create Shoplifters? - Unintended Consequences
(unintendedconsequenc.es)
2022-01-23
The customers who repeatedly buy doomed products
(thehustle.co)
2022-01-17
Great products do less, but better
(uxdesign.cc)
2022-01-17
'Users hate change'
(gist.github.com)
2022-01-17
'The most effective technology is technology that no one ...
(www.retaildive.com)
2022-01-17
Why You Only Need to Test with 5 Users
(www.nngroup.com)
2022-01-16
How we crack the chicken and the egg problem
(medium.com)
2022-01-15
The Wild, Wonderful World of Estate Sales
(www.newyorker.com)
2022-01-14
The power of defaults
(julian.digital)
2022-01-09
Moxie Marlinspike Blog My first impressions of web3
(moxie.org)
2021-12-27
Be curious, not judgmental - shubhro.com
(www.shubhro.com)
2021-12-27
Ask HN: Show your failed projects and share a lesson you ...
(news.ycombinator.com)
2021-12-27
People Don’t Buy Products, They Buy Better Versions of Th...
(zandercutt.com)
2021-12-12
Recognize Strategic Opportunities with Long-Tail Data
(www.nngroup.com)
2021-12-09
7 Ways Experiments Break
(link.medium.com)
2021-12-08
The Design Leadership Playbook: How to Hire, Onboard & Ma...
(review.firstround.com)
2021-11-29
The Package Is the Message
(email.getpocket.com)
2021-11-29
The Vinyl Renaissance: Take Those Old Records Off the Shelf
(hbswk.hbs.edu)
2021-11-29
Product Photography, Part 14: Optimizing for Speed, Search
(www.practicalecommerce.com)
2021-11-29
Marks & Spencer and Whole Foods Show Why Food Package Des...
(www.theatlantic.com)
2021-11-28
Finding Memories in Reused Food Containers Like Cool Whip...
(www.nytimes.com)
2021-11-23
Concepts – Stratechery by Ben Thompson
(stratechery.com)
2021-11-23
Commoditizing Suppliers
(stratechery.com)
2021-11-23
Aggregation Theory – Stratechery by Ben Thompson
(stratechery.com)
2021-11-17
The end of “click to subscribe, call to cancel”? One of t...
(www.niemanlab.org)
2021-11-17
Finding Language/Market Fit: How to Make Customers Feel L...
(review.firstround.com)
2021-11-13
The Highest Paid Person's Opinion
(jeffgothelf.com)
2021-11-11
There’s Still Profit Potential in Your Low-Profit Customers
(hbr.org)
2021-11-03
The “ghost stores” of Instagram
(www.vox.com)
2021-10-28
Failure Is An Option: How To Unwind An Unsuccessful Start...
(news.crunchbase.com)
2021-10-21
A Quickstart Guide to Positioning - April Dunford
(www.aprildunford.com)
2021-10-17
Evan's Awesome A/B Tools - sample size calculator, A/B te...
(www.evanmiller.org)
2021-10-15
White Label Designs – All About Implementation, Design Sy...
(www.uxpin.com)
2021-10-14
There's a Giant Warehouse Full of Product Launches That F...
(www.smithsonianmag.com)
2021-09-29
The Stories Behind 20 Inventions That Changed the World
(www.mentalfloss.com)
2021-09-26
The Emergence of B2B Raw Material Marketplaces
(www.practicalecommerce.com)
2021-09-22
Food fraud and counterfeit cotton: the detectives untangl...
(www.theguardian.com)
2021-09-14
What Spotify and Apple can learn from Chinese podcasting ...
(restofworld.us20.list-manage.com)
2021-09-14
How Singer Won the Sewing Machine War
(www.smithsonianmag.com)
2021-08-31
Why payment apps that thrive in India struggle to succeed...
(restofworld.org)
2021-08-06
Speed as a Habit
(review.firstround.com)
2021-07-29
Report Card Writer: What I’ve Learned from One Year of Us...
(cushychicken.github.io)
2021-07-26
Why Japan Didn’t Create the iPod (2008)
(blog.gatunka.com)
2021-07-25
https://dev-alloy.pantheonsite.io/wp-content/uploads/2020...
(dev-alloy.pantheonsite.io)
2021-07-25
Six emerging trends in product packaging
(retailtechinnovationhub.com)
2021-07-24
Mailchimp: Ben Chestnut
(open.spotify.com)
2021-07-24
Numi Organic Tea: Reem Hassani and Ahmed Rahim
(open.spotify.com)
2021-07-24
Expedia & Zillow: Rich Barton
(open.spotify.com)
2021-07-24
Policygenius: Jennifer Fitzgerald
(open.spotify.com)
2021-07-20
16 Tools to Manage Your Reputation
(www.practicalecommerce.com)
2021-07-13
Why Build Toys
(blog.aaronkharris.com)
2021-07-10
The unique culture of Japanese convenience stores - BBC T...
(www.bbc.com)
2021-07-10
We replaced rental brokers with software
(caretaker.com)
2021-07-07
Policy Pages, Done Well, Enhance a Brand
(www.practicalecommerce.com)
2021-07-07
The life cycle of a viral product
(www.vox.com)
2021-07-05
The Right Way to Ship Software | First Round Review
(review.firstround.com)
2021-07-03
What is Revenue Operations? Your Guide to RevOps Success
(www.insightsquared.com)
2021-06-21
The Great Game of Risk Played in Category Creation, and W...
(www.tomtunguz.com)
2021-06-17
Science Says
(tips.ariyh.com)
2021-06-17
What is a Product Requirements Document (PRD) & How to Cr...
(dev.to)
2021-06-14
Can Apple change ads? — Benedict Evans
(d2dadvisory.us6.list-manage.com)
2021-06-12
We're leaking, and everything's fine: How and why compani...
(www.academia.edu)
2021-06-12
The Art Of Deliberately Leaking Corporate Secrets
(www.huffingtonpost.ca)
2021-06-12
How To Leverage a Beta Product Leak | Centercode
(www.centercode.com)
2021-06-09
7 Powers: The Foundations of Business Strategy by Hamilto...
(blas.com)
2021-06-05
Want a killer product? Become more opinionated | by Adil ...
(adilaijaz.medium.com)
2021-06-03
Distribution and Demand
(stratechery.com)
2021-06-03
App Store Arguments
(stratechery.com)
2021-06-03
Improving The Performance Of An Online Store (Case Study)
(smashingmagazine.com)
2021-05-29
Boxes, trucks and bikes
(www.ben-evans.com)
2021-05-25
We Can’t Schedule Innovation, But We Can Schedule Discovery
(www.mironov.com)
2021-05-24
Predict Customer Churn (the right way) using PyCaret
(towardsdatascience.com)
2021-05-21
3 Keys for High-converting Product Descriptions
(www.practicalecommerce.com)
2021-05-19
Building Products at Stripe - Bring the Donuts Newsletter
(newsletter.bringthedonuts.com)
2021-05-19
Five Things My Roomba Does Better Than My Tesla
(www.thedrive.com)
2021-05-18
The Two Flavors Of Churn You Need To Know - Crunchbase News
(news.crunchbase.com)
2021-05-12
How TikTok Chooses Which Songs Go Viral
(email.getpocket.com)
2021-05-11
Keep On Connecting: 5 Connectors That Changed The World -...
(outfunnel.com)
2021-05-10
The economics of movie product placements
(thehustle.co)
2021-05-09
Theoretical Understandings of Product Embedding for E-com...
(arxiv.org)
2021-05-07
13 eCommerce Site Search Strategies to Boost Revenue from...
(www.noupe.com)
2021-05-01
Spotify’s Surprise
(stratechery.com)
2021-04-30
Ariyh | Practical marketing tips based on evidence
(ariyh.com)
2021-04-22
How to think like a detective | Psyche Guides
(psyche.co)
2021-04-18
15 Years of Spotify: How the Streaming Giant Has Changed ...
(variety.com)
2021-04-06
Working Backwards - Commonplace - The Commoncog Blog
(commoncog.com)
2021-04-05
Research: How to Get Better at Killing Bad Projects
(hbr.org)
2021-04-04
Why I wouldn't invest in open-source companies, even thou...
(www.linkedin.com)
2021-04-02
Evaluating Search Algorithms
(shopify.engineering)
2021-03-30
Here’s Why Your Ecommerce Subscriptions Aren’t Selling
(www.practicalecommerce.com)
2021-03-28
Measure Your Record Release Campaign With These Key Perfo...
(music3point0.com)
2021-03-22
How Shopify Payments Work: All You Want To Know?
(www.noupe.com)
2021-03-22
Oliver Palmer | You probably don’t need A/B testing
(oliverpalmer.com)
2021-03-21
What I wish I knew before building a Shopify App
(ma.ttias.ch)
2021-03-21
The Very Sincere Economics of Greeting Cards
(melmagazine.com)
2021-03-18
Focalboard – a self-hosted alternative to Trello, Notion,...
(www.focalboard.com)
2021-03-16
How brands are using TikTok as a channel for customer ser...
(digiday.com)
2021-03-15
A Thread from @Tocelot: "The best apps today are games in...
(threader.app)
2021-03-15
When should you kill a product? 4 lessons from GitLab’s s...
(thenextweb.com)
2021-03-15
Building Products at Airbnb - Bring the Donuts Newsletter
(newsletter.bringthedonuts.com)
2021-03-08
No New Categories | Greg Kogan
(www.gkogan.co)
2021-03-04
The 3 Minutes It Takes To Read This Will Improve Your Con...
(getpocket.com)
2021-03-02
Enterprise Gateway Marketplaces Will Turn Large Organizat...
(www.nfx.com)
2021-03-02
11 TikTok Video Ideas for Merchants
(www.practicalecommerce.com)
2021-03-02
The Abandoned Side Project That Quietly Turned Into a $70...
(entrepreneurshandbook.co)
2021-03-01
Reddit: Organized Lightning | The Generalist
(www.readthegeneralist.com)
2021-02-27
How to identify your products for Google
(searchengineland.com)
2021-02-23
Buyer beware: Massive experiment shows why ticket sellers...
(newsroom.haas.berkeley.edu)
2021-02-22
Start with a Niche
(fibery.io)
2021-02-21
The Decoy Effect: How You Are Influenced to Choose Withou...
(getpocket.com)
2021-02-19
How to Build an Invention Machine — 6 Lessons That Powere...
(review.firstround.com)
2021-02-19
How to be more productive without forcing yourself
(www.deprocrastination.co)
2021-02-19
What leader(s) over your product career truly changed how...
(askgib.substack.com)
2021-02-18
Ask HN: Is “contact us for pricing” a dark pattern? | Hac...
(news.ycombinator.com)
2021-02-18
How A Retail Chain Without A Website Powered Through The ...
(www.npr.org)
2021-02-06
How to Eat an Elephant, One Atomic Concept at a Time - kw...
(kwokchain.com)
2021-01-30
Instacart Survived Covid Chaos — But Can It Keep Deliveri...
(www.forbes.com)
2021-01-25
Survival Metrics Are a Powerful Product Tool. Here’s How ...
(builtin.com)
2021-01-25
When Every Employee Is a Risk Manager
(hbr.org)
2021-01-19
Hacker News
(tjcx.me)
2021-01-19
Why we should review broken products instead of new ones
(www.buyforlife.com)
2021-01-14
What Bill Gurley Saw - Commonplace - The Commoncog Blog
(commoncog.com)
2021-01-10
The art and science of SaaS pricing: True usage-based pri...
(venturebeat.com)
2021-01-10
The art and science of SaaS pricing: Finding the right mo...
(venturebeat.com)
2021-01-07
Product Packaging designs so innovative, they make it imp...
(www.yankodesign.com)
2021-01-06
How Amazon’s Business Practices Harm American Consumers: ...
(medium.com)
2021-01-04
Looks vs. Results: My ugly ad got 150% more clicks than a...
(www.gkogan.co)
2021-01-03
Laws of Tech: Commoditize Your Complement
(www.gwern.net)
2021-01-02
Sustainable Sources of Competitive Advantage · Collaborat...
(www.collaborativefund.com)
2021-01-02
Why Competitive Advantages Die · Collaborative Fund
(www.collaborativefund.com)
2021-01-02
The Top Affiliate Marketing Networks
(neilpatel.com)
2021-01-02
Dan McKinley :: Choose Boring Technology
(mcfunley.com)
2020-12-29
Status as a Service (StaaS) — Remains of the Day
(www.eugenewei.com)
2020-12-22
Why Content Is King
(divinations.substack.com)
2020-12-22
Top Product Management and UX Articles of 2020
(t.co)
2020-12-19
You Are Solving The Wrong Problem | UX Magazine
(uxmag.com)
2020-12-18
Five Lessons From Dave Chappelle – Stratechery by Ben Tho...
(stratechery.com)
2020-12-18
Product First - Bottom Up by David Sacks
(sacks.substack.com)
2020-12-18
Decisiveness is Just as Important as Deliberation
(commoncog.com)
2020-12-18
Startup Idea Validation Tools
(www.starterscode.com)
2020-12-18
http://www.collaborativefund.com/blog/when-the-magic-happ...
(www.collaborativefund.com)
2020-12-18
Mark Stiving on Value Based Pricing and Price Segmentation
(www.skmurphy.com)
2020-12-18
The Founder’s Guide to Actually Understanding Users
(mgadams.com)
2020-12-10
Lessons from Running a Sale that Earned 3 Month's Profit ...
(www.coryzue.com)
2020-12-10
The difference between efficacy, effectiveness and effici...
(nesslabs.com)
2020-12-10
With first-party data, Allrecipes is able to bake reader ...
(digiday.com)
2020-11-29
SEO horror stories: Here’s what not to do
(searchengineland.com)
2020-11-29
Parked Domain name on Hostinger DNS system
(amanjain.substack.com)
2020-11-22
Playing on Hard Mode
(stratechery.com)
2020-11-20
The 11 Best Dropshipping Tools
(neilpatel.com)
2020-11-19
12 Leadership Lessons from DocuSign CEO Dan Springer
(www.entrepreneur.com)
2020-11-17
An Introduction to Design of Experiments
(towardsdatascience.com)
2020-11-13
As its ecosystem grows, companies are becoming reliant on...
(digiday.com)
2020-11-10
'Growing two times faster than the rest of the market': I...
(digiday.com)
2020-11-09
How to develop perfect product using conjoint analysis
(towardsdatascience.com)
2020-11-06
A Guide to Behavioral Segmentation Marketing
(neilpatel.com)
2020-11-05
The economics of vending machines
(thehustle.co)
2020-11-03
Forming Experimental Product Hypotheses | by Chris Compst...
(medium.com)
2020-11-03
Four Ways to Use Psychology to Win Your Competition's Cus...
(getpocket.com)
2020-11-03
The amazing value of early and cheap product experiments ...
(medium.com)
2020-11-03
Six Lessons from Six Months at Shopify
(alexdanco.com)
2020-11-03
A guide to platform fees
(www.theverge.com)
2020-11-03
Managing your product feeds to thrive in a new retail lan...
(www.retaildive.com)
2020-11-03
https://px6vg4ekvl21gtxs836x5jyx-wpengine.netdna-ssl.com/...
(px6vg4ekvl21gtxs836x5jyx-wpengine.netdna-ssl.com)
2020-11-03
The Guide to Product Analytics - Introduction | Mixpanel
(mixpanel.com)
2020-11-03
Principles for Naming a Brand
(mmarchny.com)
2020-11-03
Video Advertising Glossary - SelectMedia
(www.selectmedia.asia)
2020-11-03
4 Payment Methods to Integrate for the Holidays
(www.practicalecommerce.com)
2020-11-03
Auction Prices That Take Your Breath Away
(www.nytimes.com)
2020-11-03
6 methods for touch-free and remote payments
(www.retaildive.com)
2020-11-03
How I learned to charge my customers
(idiallo.com)
2020-11-03
Heuristics to Generate Startup Ideas – Avichal Garg
(avichal.com)
2020-11-03
Multi-Armed Bandits and the Stitch Fix Experimentation Pl...
(multithreaded.stitchfix.com)
2020-11-03
14 Tools to Sell on Facebook and Instagram
(www.practicalecommerce.com)
2020-11-03
A Business Practical Guide on Churn Analysis
(towardsdatascience.com)
2020-11-02
Inside the custom package: Creating a professional unboxi...
(jilt.com)
2020-11-02
Multinomial Mixture Model for Supermarket Shoppers Segmen...
(towardsdatascience.com)
2020-11-02
Instacart Users Segmentation and Market Basket Analysis
(towardsdatascience.com)
2020-11-02
User Stories | Examples and Template | Atlassian
(www.atlassian.com)
2020-11-01
The cheap pen that changed writing forever
(www.bbc.com)
2020-10-28
Are you outspoken at work? How to use your voice – and no...
(getpocket.com)
2020-10-20
Starting a Physical Product Company? You’re Gonna Need a ...
(medium.com)
2020-10-12
‘Stop asking for a ‘viral’ anything’: Why Ocean Spray’s s...
(digiday.com)
2020-10-11
The business of ice cream truck music
(thehustle.co)
2020-08-27
How a brand of chalk achieved cult status among mathemati...
(www.cnn.com)
2020-08-18
The 9 best landing page builders in 2020 | Zapier
(zapier.com)
2020-08-11
Pricing, Packaging and Product: how to use conjoint and m...
(towardsdatascience.com)
2020-08-11
How the Custom Ringtone Industry Paved the Way for the Ap...
(onezero.medium.com)
2020-08-11
Inside the Turkish start-up that wants to be your “person...
(restofworld.org)
2020-08-10
Why Are Toys Such a Bad Business?
(diff.substack.com)
2020-08-10
The Technium: 1,000 True Fans
(kk.org)
2020-08-10
The power of dopey ideas – Tech Reflect
(techreflect.net)
2020-08-10
RIP Segway, the Dorky Grandfather of Micromobility
(www.bloomberg.com)
2020-08-10
How do I design a game from scratch? | Team Avocado Blog
(teamavocado.co)
2020-08-10
Come for the Network, Pay for the Tool
(subpixel.space)
2020-08-10
The Next Phase of the Retail Apocalypse: Stores Reborn as...
(www.wsj.com)
2020-08-08
Sweatpants Forever: How the Fashion Industry Collapsed (P...
(www.nytimes.com)
2020-08-04
SEO How-to, Part 10: Redesigns, Migrations, URL Changes |...
(www.practicalecommerce.com)
2020-08-04
Forget virality: This company is betting on podcasts that...
(thehustle.co)
2020-08-02
The First Steps in Adding Ecommerce to a Brick-and-mortar...
(www.practicalecommerce.com)
2020-07-26
Product Metrics: Key Insights for Discovery
(engineering.zenduty.com)
2020-07-26
10 Best Ecommerce Platforms Compared & Rated For 2020
(www.ecommerceceo.com)
2020-07-25
To Get More Replies, Say Less
(www.gkogan.co)
2020-07-24
Did you know you can patent the shape of a food?
(thehustle.co)
2020-07-17
How Japan’s pop culture became the ‘lingua franca’ of the...
(www.japantimes.co.jp)
2020-07-16
How Nespresso's coffee revolution got ground down | Coffe...
(www.theguardian.com)
2020-07-14
https://salman.io/posts/polymath-playbook/
(salman.io)
2020-07-11
Want to build a side business? Just buy a great Domain Na...
(www.deepsouthventures.com)
2020-07-09
How Dixie cups became the breakout startup of the 1918 pa...
(www.fastcompany.com)
2020-06-24
The Most Famous Loop – alexdanco.com
(alexdanco.com)
2020-06-23
10 Marketplaces to Buy and Sell Ecommerce Sites
(www.practicalecommerce.com)
2020-06-14
Why Tacit Knowledge is More Important Than Deliberate Pra...
(commoncog.com)
2020-06-09
Lateral thinking and "Flintstoning" your way around techn...
(grid7.com)
2020-06-08
Amazon’s New Competitive Advantage: Putting Its Own Produ...
(www.propublica.org)
2020-06-08
the-high-price-of-dollar-stores | Babson College
(www.babson.edu)
2020-06-03
How Auction Houses Orchestrate Sales for Maximum Drama
(www.nytimes.com)
2020-06-01
ProductHired/open-product-management: A curated list of p...
(github.com)
2020-06-01
Good Synthesis is the Start of Good Sensemaking
(commoncog.com)
2020-06-01
goabstract/Marketing-for-Engineers: A curated collection ...
(github.com)
2020-06-01
Not a Funnel! Use Sankey to represent your sales process
(towardsdatascience.com)
2020-06-01
Habits of High-Functioning Teams
(deniseyu.io)
2020-06-01
Mental models for designers | Dropbox Design
(dropbox.design)
2020-06-01
What is the business model for DuckDuckGo? (2017) | Hacke...
(news.ycombinator.com)
2020-06-01
Moats Before (Gross) Margins
(a16z.com)
2020-06-01
Idea Generation
(blog.samaltman.com)
2020-06-01
Pricing with 4 & 9 Scientific Strategies
(towardsdatascience.com)
2020-06-01
Classic Probability Problem #2: The Coupon Problem
(towardsdatascience.com)
2020-05-29
How Tuesday Morning went bankrupt
(www.retaildive.com)
2020-05-24
Inside the Flour Company Supplying America’s Sudden Bakin...
(marker.medium.com)
2020-05-20
7 Powers: The Foundations of Business Strategy by Hamilto...
(www.goodreads.com)
2020-05-17
Search | StackShare | StackShare
(stackshare.io)
2020-05-16
Complete guide to machine learning and deep learning in r...
(towardsdatascience.com)
2020-05-16
Optimization with constraints using Lagrange Multiplier i...
(towardsdatascience.com)
2020-05-15
How ceramics brand East Fork transitioned to a pre-sale o...
(www.modernretail.co)
2020-05-15
The Checklist Manifesto: How to Get Things Right: Gawande...
(www.amazon.com)
2020-05-14
Patio11’s Law
(secondbreakfast.co)
2020-05-14
5 Principles for Responding to Customer Reviews
(hbr.org)
2020-05-14
Web Monetization - The Ecosystem
(dev.to)
2020-05-14
Two lessons on reducing sign-up friction
(bbirnbaum.com)
2020-05-12
Names, Legal Names, and Fractally Deferred Responsibility
(nora.codes)
2020-05-10
https://kamerontanseli.ghost.io/first-it-was-craiglist-ne...
(kamerontanseli.ghost.io)
2020-05-05
Finding the Unexpected Wonder in More Than 22,000 Interna...
(getpocket.com)
2020-05-03
To Come Up with a Good Idea, Start by Imagining the Worst...
(getpocket.com)
2020-05-02
AliExpress - Online Shopping for Popular Electronics, Fas...
(www.aliexpress.com)
2020-05-01
‘It’s bullshit’: Inside the weird, get-rich-quick world o...
(www.wired.co.uk)
2020-04-28
Can we forget about gamification once and for all? - UX C...
(uxdesign.cc)
2020-04-24
The Forgotten Uses of 8 Everyday Objects
(getpocket.com)
2020-04-21
How the Game-Changing George Foreman Grill Made History
(www.menshealth.com)
2020-04-20
How OKRs can make you a better leader
(thenextweb.com)
2020-04-19
A/B Test Statistics Made Easy
(towardsdatascience.com)
2020-04-17
The Rise and Fall of China's Cycling Empires
(getpocket.com)
2020-03-27
The unsung customer-loyalty hero? The post-purchase exper...
(www.retaildive.com)
2020-03-27
Why you need customer development
(www.oreilly.com)
2020-03-18
How Cameo Turned D-List Celebs Into a Monetization Machine
(marker.medium.com)
2020-03-10
The Warby Parker clones are imploding
(marker.medium.com)
2020-03-09
Greatest Sales Deck I’ve Ever Seen
(www.linkedin.com)
2020-03-09
Introducing the Periodic Table of Digital Commerce Marketing
(searchengineland.com)
2020-03-09
Product Roadmap Failures and How To Avoid Them - Part 2 —...
(www.c2bsuite.com)
2020-03-09
How to brainstorm great business ideas
(www.indiehackers.com)
2020-03-09
A two-person startup already uses twenty-eight other tool...
(news.ycombinator.com)
2020-03-08
https://rudism.com/the-brave-browser-is-brilliant/
(rudism.com)
2020-03-03
The dark side of the platform economy - Platforms, AI, an...
(platforms.substack.com)
2020-02-29
Wayfair is all in on logistics
(www.supplychaindive.com)
2020-02-25
‘The Whole System Collapsed’: Inside the Music Industry’s...
(www.rollingstone.com)
2020-02-24
When Distribution Trumps Product
(a16z.com)
2020-02-21
Costco is refreshingly boring
(theweek.com)
2020-02-19
Startup Economic Lessons from Shen Yun’s Empire — Packy M...
(www.packym.com)
2020-02-19
How to Ruin a Company with One Bad Process (2014)
(a16z.com)
2020-02-19
Ask a researcher: How do needs drive intent?
(www.thinkwithgoogle.com)
2020-02-19
Trademarking color is absurd. But not for the reasons you...
(www.fastcompany.com)
2020-02-09
This product has an unpronounceable name. Now what? (from...
(www.reddit.com)
2020-02-03
A startup built around building materials: Yesler marketp...
(www.geekwire.com)
2020-01-22
Features
(www.psl.com)
2020-01-21
Sunday Strategist: Why So Many Things Cost Exactly Zero
(www.bloomberg.com)
2020-01-20
The Untold Story of the Vegetable Peeler That Changed the...
(getpocket.com)
2020-01-14
Sound Decision | The Verge
(www.theverge.com)
2020-01-12
Canva’s Digital Growth Strategy
(www.growthmanifesto.com)
2020-01-12
Elad Blog: A Brief Guide To Startup Pivots (4 Types Of Pi...
(blog.eladgil.com)
2019-12-31
A 2020 guide to smart discounting
(www.retaildive.com)
2019-12-28
Pricing algorithms can learn to collude with each other t...
(www.technologyreview.com)
2019-12-26
https://www.digitalrepublik.com/digital-marketing-newslet...
(www.digitalrepublik.com)
2019-12-23
Tails, You Win · Collaborative Fund
(www.collaborativefund.com)
2019-12-23
Beginner's Guide to Product-Qualified Leads
(productled.com)
2019-12-23
8 Things to Consider When Building Managed Marketplace Co...
(a16z.com)
2019-12-23
How interchangeable parts revolutionised the way things a...
(www.bbc.com)
2019-12-23
Everyone Thinks They’re Managing by Outcomes. Here’s How ...
(www.producttalk.org)
2019-12-23
How to use returns to build customer loyalty
(www.supplychaindive.com)
2019-12-23
I've Built Multiple Growth Teams. Here's Why I Won't Do I...
(conversionxl.com)
2019-12-23
Building a Minimum Viable Product is Like Serving Burnt P...
(firstround.com)
2019-12-23
Why Meetings Go Wrong (And How to Fix Them)
(hbr.org)
2019-12-23
There’s an App for That: A Guide to the Product Managemen...
(productcraft.com)
2019-12-23
How To Design Profitable Sales Funnels On Mobile
(www.smashingmagazine.com)
2019-12-23
Hacks, Methods and Tools to Keyword Research for eCommerc...
(t.co)
2019-12-14
Why This Opportunity Solution Tree is Changing the Way Pr...
(www.producttalk.org)
2019-11-06
Two Things to Do After Every Meeting
(getpocket.com)
2019-11-03
Startup Benchmarks
(www.vccafe.com)
2019-11-02
HBO’s Corpus of Content and Apple’s Lack Thereof
(500ish.com)
2019-10-18
Changing Your Pricing Model: How Hired Went from a Transa...
(openviewpartners.com)
2019-10-18
Visual guide to Agile methodologies for modern product ma...
(miro.com)
2019-10-09
Japanese manufacturers use decades of experience to domin...
(www.japantimes.co.jp)
2019-08-31
Free Shipping — Real Life
(reallifemag.com)
2019-08-31
Hooked on Loot Boxes: How Behavioral Design Gets Gamers
(medium.com)
2019-08-31
Product Managers Attempt To Solve The Toy Problem
(theaccidentalpm.com)
2019-08-31
This researcher studied 400,000 knitters and discovered w...
(www.washingtonpost.com)
2019-08-30
How exactly Stitch Fix’s “Tinder for clothes” learns your...
(qz.com)
2019-08-30
Best Product Management Resources
(pmresources.wordpress.com)
2019-08-30
Assembly required – 45 sales tools to build the ultimate ...
(www.intercom.com)
2019-08-30
Using Experiments to Launch New Products
(hbr.org)
2019-08-30
Shopping Cart or Wishlist? Saving Products for Later in E...
(www.nngroup.com)
2019-08-30
Netflix and the Economics of Bundling
(hbr.org)
2019-08-30
Buyer UX ecommerce Benchmarking
(docs.google.com)
2019-08-30
How to Display Taxes, Fees, and Shipping Charges on Ecomm...
(www.nngroup.com)
2019-08-29
Network Effects: Measure Them, Nurture Them (3 of 3)
(a16z.com)
2019-08-29
Network Effects: Categories & Debates (2 of 3)
(a16z.com)
2019-08-29
Network Effects: So, Is It a Network Effect? (1 of 3)
(a16z.com)
2019-08-29
Unleashing Innovation With Collaboration Platforms
(sloanreview.mit.edu)
2019-08-29
Applying Discounts and Promotions on Ecommerce Websites
(www.nngroup.com)
2019-08-29
Principles for decision-making in a flat organization
(doist.com)
2019-08-29
The Subtle Art of User Onboarding & Adoption
(openviewpartners.com)
2019-08-29
Anna Shipman : JFDI
(www.annashipman.co.uk)
2019-08-29
How to Manage Product Strategy and Prioritize Like a Pro?...
(hackernoon.com)
2019-08-29
Good decisions don’t have to be slow ones
(www.mckinsey.com)
2019-08-29
Three keys to faster, better decisions
(www.mckinsey.com)
2019-08-29
How to Negotiate the Price of a Pricey Premium Domain
(www.entrepreneur.com)
2019-08-29
https://t.co/5oaFLodGNL?ssr=true
(t.co)
2019-08-29
4 Online Merchandising Hacks to Increase Profits
(www.practicalecommerce.com)
2019-08-29
How to avoid losses and prune projects proactively
(www.mckinsey.com)
2019-08-29
Value Delivery Patterns Shape Your Pricing Choices
(labs.openviewpartners.com)
2019-08-29
The 4 Stages of 0->1 Products
(medium.com)
2019-08-29
Disruptive Interfaces & The Emerging Battle To Be The Def...
(medium.com)
2019-08-29
5 essential onboarding tactics for complex products
(www.intercom.com)
2019-08-29
The Ultimate Product Led Growth Resources Guide
(labs.openviewpartners.com)
2019-08-29
Beginner’s Guide to Product Qualified Leads (PQLs)
(labs.openviewpartners.com)
2019-08-23
The Great CEO Within - Google Docs
(docs.google.com)
2019-08-22
amborle/featmap: The simple user story mapping tool
(github.com)
2019-08-20
Product innovation is not enough to beat a competitor’s n...
(medium.com)
2019-08-20
The Shady World of Repair Manuals: Copyrighting for Plann...
(www.wired.com)
2019-08-20
All the best engineering advice I stole from non-technica...
(medium.com)
2019-08-20
How SaaS Products Ascend the “Trust Pyramid”
(openviewpartners.com)
2019-08-09
The Psychology of Prediction · Collaborative Fund
(www.collaborativefund.com)
2019-08-09
Amazon is a boring retailer — Benedict Evans
(www.ben-evans.com)
2019-08-05
How Duolingo Built a $700 Million Company Without Chargin...
(producthabits.com)
2019-08-02
Hidden Networks: Network Effects That Don’t Look Like Net...
(a16z.com)
2019-08-01
The Pirates Strike Back
(500ish.com)
2019-07-26
The Art of Saying No to Invites When You REALLY Don't Wan...
(www.self.com)
2019-07-25
Bullet Time
(logicmag.io)
2019-07-25
Free SaaS tools for companies on a budget (and a pre-form...
(canny.io)
2019-07-23
Bias Busters: Knowing when to kill a project
(www.mckinsey.com)
2019-07-23
How to assess the quality of garments: A Beginner's Guide...
(anuschkarees.com)
2019-07-15
A framework for First Principles Thinking
(medium.com)
2019-07-15
The Future of Television | I, Cringely
(www.cringely.com)
2019-07-09
The economics of copying
(www.axios.com)
2019-07-04
That Time a Guy Cornered the Liquid Soap Market by Sneaki...
(www.todayifoundout.com)
2019-07-03
How Retailers Use Personalized Prices to Test What You’re...
(hbr.org)
2019-06-23
7 Gaps in Google Analytics That Require Additional Tools
(www.practicalecommerce.com)
2019-05-29
https://www.cooper.com/journal/2017/7/people-dont-buy-you...
(www.cooper.com)
2019-05-29
The inherent value of identifiable store traffic
(www.retaildive.com)
2019-05-29
Dynamic pricing: Using digital and analytics to take valu...
(www.mckinsey.com)
2019-05-22
Kinds of truth
(seths.blog)
2019-05-15
The case for general excellence
(www.strategy-business.com)
2019-05-12
The Camera as the App Layer
(500ish.com)
2019-05-09
MIT CSAIL details technique for shrinking neural networks...
(venturebeat.com)
2019-05-08
Amazon and Target race to revolutionize the cardboard shi...
(www.fastcompany.com)
2019-05-05
A CEO Who Can Write — Part II
(mondaynote.com)
2019-04-27
What Seven Years at Airbnb Taught Me About Building a Bus...
(medium.com)
2019-04-27
The 3 most effective ways to build trust as a leader
(m.signalvnoise.com)
2019-04-26
Why Isn’t Hulu Better?
(hbr.org)
2019-04-23
The Anatomy of a Great Decision
(fs.blog)
2019-04-21
Ahead of Its Time, Behind the Curve: Why Evernote Failed ...
(usefyi.com)
2019-04-21
Hustle As Strategy
(tomtunguz.com)
2019-04-21
People, Products, and Epiphanies – Google Design – Medium
(medium.com)
2019-04-20
The Truth About the Scooter Economy — An Insider’s Perspe...
(bothsidesofthetable.com)
2019-04-18
http://click.revue.email/mpss/c/2wA/ps1xAA/t.2qs/NbZpb5Zz...
(click.revue.email)
2019-04-02
A ferocious tank battle in the desert explains how to pre...
(qz.com)
2019-04-02
http://www.craigkerstiens.com/2019/03/29/okrs-arent-going...
(www.craigkerstiens.com)
2019-03-28
How to Deliver Constructive Feedback in Difficult Situations
(medium.dave-bailey.com)
2019-03-28
ART OF MONEY GETTING
(www.fourmilab.ch)
2019-03-22
15 Steps to Understand & Influence User Behavior: A Deep ...
(ui-patterns.us10.list-manage.com)
2019-03-16
$9 Marketing Stack: A Step-by-Step Guide
(robsobers.com)
2019-03-12
How to Respond to Skepticism of Testing Small Groups of U...
(www.nngroup.com)
2019-03-12
The Jobs to be Done Data Model
(jtbd.info)
2019-03-07
Why Dollar Tree has struggled to grow Family Dollar
(digiday.com)
2019-03-06
The Aldi effect: how one discount supermarket transformed...
(www.theguardian.com)
2019-02-27
The GIST Board — A New Way to Do Planning and Execution |...
(hackernoon.com)
2019-02-21
The Surprising Value of Obvious Insights
(sloanreview.mit.edu)
2019-02-17
Four Key Product Principles from WeChat’s Creator | Andre...
(a16z.com)
2019-02-06
Evidence scores — the acid test of your ideas
(medium.com)
2019-02-05
9 Habits of World Class Startups
(www.nfx.com)
2019-02-05
Laundry detergent or boxed wine? How e-commerce is changi...
(www.supplychaindive.com)
2019-01-26
Don't Pay to Acquire Your First Users
(www.kapwing.com)
2019-01-22
Untuckit is using Amazon to offload older styles
(digiday.com)
2019-01-20
Come for the tool, stay for the network
(cdixon.org)
2019-01-13
How PopSockets Prospered after Leaving Amazon
(www.practicalecommerce.com)
2019-01-13
Speed as a Habit
(firstround.com)
2019-01-12
https://t.co/jaEWMYfgXr?ssr=true
(t.co)
2018-12-24
The Dynamics of Network Effects
(a16z.com)
2018-12-22
Shopify App Store: Ecommerce App Marketplace
(apps.shopify.com)
2018-12-21
‘It’s their moat’: How Shopify built an $800 million part...
(digiday.com)
2018-12-20
5 Pricing Resolutions for 2019
(labs.openviewpartners.com)
2018-12-18
Pain Points - Studio Fellow
(studiofellow.com)
2018-12-10
Op-Ed | How Premium Mediocre Conquered Fashion
(www.businessoffashion.com)
2018-12-01
Inner Workings of Product Management at Product Led Growt...
(labs.openviewpartners.com)
2018-11-26
25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages
(sumo.com)
2018-11-13
Why the Sharing Economy Has Come to Apparel
(www.adweek.com)
2018-11-03
5 Concepts That Will Help Your Team Be More Data-Driven
(hbr.org)
2018-11-02
Why so may hip startups advertise with snail mail
(www.vox.com)
2018-10-24
Lumpers and splitters
(seths.blog)
2018-10-17
The Power of Price Points
(www.strategy-business.com)
2018-10-10
Objections Are Goals
(medium.com)
2018-10-07
Lessons from Robert Smith of Vista Equity Partners
(25iq.com)
2018-09-29
dbt Labs Blog | Learn from the experts | dbt Labs
(blog.fishtownanalytics.com)
2018-09-23
The strength of a monopoly can be guessed at by calling c...
(blogs.harvard.edu)
2018-09-15
Forget the new iPhones, Apple's best product is now privacy
(www.fastcompany.com)
2018-09-13
"Disciplined Entrepreneurship" by Bill Aulet (Book Summary)
(tech.co)
2018-09-12
Why we buy the things we buy
(www.vox.com)
2018-09-09
Why U.S. Grocery Chains Need More (and Better) Store-Bran...
(hbr.org)
2018-09-05
The Best Product Teams Crave Truth and Do Math
(www.insightpartners.com)
2018-09-05
The Approval Economy
(zandercutt.com)
2018-08-28
Why Adding More Products Isn’t Always the Best Way to Grow
(hbr.org)
2018-08-27
A Counterintuitive Way to Shape Demand
(www.strategy-business.com)
2018-08-27
Creating value at industrial companies through advanced p...
(www.mckinsey.com)
2018-08-23
eCommerce 101: Understanding Shopping Cart Abandonment [w...
(www.toptal.com)
2018-08-21
Service as a SKU | Andreessen Horowitz
(a16z.com)
2018-08-13
What PopSugar learned from selling products through text ...
(digiday.com)
2018-08-12
Strategy vs. Tactics
(fs.blog)
2018-07-17
When Cost-Plus Pricing Is a Good Idea
(hbr.org)
2018-07-05
The Real Benefit of Amazon Reviews
(www.practicalecommerce.com)
2018-06-05
Strategy & Implementation of Third-Party Connections in P...
(medium.learningbyshipping.com)
2018-05-30
10 ways to offer shoppers a discount
(www.practicalecommerce.com)
2018-05-20
The Moat Map
(stratechery.com)
2018-05-07
Indie Hackers: Work Together to Build Profitable Online B...
(www.indiehackers.com)
2018-05-05
http://try.instabug.com/product-managers
(try.instabug.com)
2018-05-04
Why sell barbells?
(www.practicalecommerce.com)
2018-03-05
The Power of a Free Popsicle | Stanford Graduate School o...
(www.gsb.stanford.edu)
2017-12-28
How Spending $20,000 on a Domain Name Uncovered an Incred...
(gaps.com)
2017-12-18
Friction – Stratechery by Ben Thompson
(stratechery.com)
2017-12-15
From Product/Market Fit to Language/Market Fit: A New Bra...
(medium.com)
2017-11-24
Understanding the value of your customer: CLV 101
(dataconomy.com)
2017-11-24
Amazon’s systematic approach
(www.mckinsey.com)
2017-11-15
4 Marketing Lessons from Opening a Brick-and-mortar Store
(www.practicalecommerce.com)
2017-10-26
Selling Products Is Good. Selling Projects Can Be Even Be...
(hbr.org)
2017-10-24
Useless design features that live on
(www.bbc.com)
2017-10-11
24 Tips for a Winning Win / Loss Analysis
(labs.openviewpartners.com)
2017-10-10
Onboarding a product manager – do’s and don’ts in the fir...
(blog.intercom.com)
2017-05-17
Design the Team You Need to Succeed
(eleganthack.com)
2016-11-13
Be Wrong the Right Number of Times
(multithreaded.stitchfix.com)
2016-10-03
AirBnB's Pricing Algorithm
(spectrum.ieee.org)
2016-10-03
Building an Empire with a Single Brick: Meet Patrick McKe...
(blog.bench.co)
2016-10-03
The 22 Immutable Laws Of Marketing: How I applied Them.
(www.charleswmanuel.com)
2016-10-03
What to Do When Satisfied B2B Customers Refuse to Recomme...
(hbr.org)
2016-10-03
The Psychological Difference Between $12.00 and $11.67 - ...
(www.theatlantic.com)
2016-10-03
5 mistakes we all make with product feedback
(blog.intercom.io)
2016-10-03
The Dreaded Weekly Status Email
(eleganthack.com)
2008-10-24
The Brooks Turnaround
(commoncog.com)
-->
goodreads (all)
categories:
tags:
goodreads
date: 30 Mar 2025
slug:raindrop-goodreads-all
(www.theatlantic.com)
2025-03-14
A Death in the Winelands
(roadsandkingdoms.com)
2025-03-06
In search of the South Pacific fugitive who crowned himse...
(www.theguardian.com)
2025-03-05
Tyler Cowen, the man who wants to know everything
(www.economist.com)
2025-02-18
Her Greatest Hits
(longreads.com)
2025-01-28
Double Exposure - The American Scholar
(theamericanscholar.org)
2025-01-21
Song Hunter: The Life of Alan Lomax
(www.thecollector.com)
2025-01-07
Knotty Business: A Delightfully Tangled Reading List on K...
(longreads.com)
2024-12-31
Who Killed the Fudge King?
(magazine.atavist.com)
2024-12-31
10 years of the long read: a selection of great stories
(www.theguardian.com)
2024-12-11
Quality Trash: Meet director Ron Oliver, Hallmark’s king ...
(torontolife.com)
2024-11-28
My Uncle, the Hit Man
(www.newyorker.com)
2024-11-14
Memories of Flame: The crash of TWA flight 800
(admiralcloudberg.medium.com)
2024-11-12
The Kitchen with Two Doors - Longreads
(longreads.com)
2024-11-06
These Women Were Some of Afghanistan’s Best Athletes. The...
(www.bicycling.com)
2024-11-04
The Shipwreck Detective
(www.newyorker.com)
2024-10-29
Meet America's secret team of nuclear first responders
(www.npr.org)
2024-10-23
How Two of the Rarest Horses on Earth Got Lost
(www.nytimes.com)
2024-10-19
The Searchers
(www.washingtonpost.com)
2024-08-03
The Charming, Eccentric, Blessed Life of Lee Maxwell
(www.5280.com)
2024-08-02
How to Eat a Tire in a Year, by David Sedaris | The New Y...
(www.newyorker.com)
2024-08-02
MacArthur Maze Collapse and Reconstruction
(www.popularmechanics.com)
2024-07-27
Into the Wind
(longreads.com)
2024-07-27
A Cursed Ship and the Fate of Its Sunken Gold
(www.newyorker.com)
2024-07-27
In the Straits: An Inmate Turned Millionaire Turned Lone ...
(www.seattlemet.com)
2024-07-26
Down & Out in Bedford Falls
(www.switchyardmag.com)
2024-07-24
To prosecute parents of a school shooter, Michigan prosec...
(www.washingtonpost.com)
2024-07-14
The Eagle Never Sleeps
(strangersguide.com)
2024-06-29
A Close Reading of the Best Opening Paragraph of All Time
(getpocket.com)
2024-06-27
‘I’m good, I promise’: the loneliness of the low-ranking ...
(www.theguardian.com)
2024-06-24
The Misfit Who Built the IBM PC
(every.to)
2024-06-16
The Man Who’s Going to Save Your Neighborhood Grocery Store
(longreads.com)
2024-06-16
“The Woman Who Came From the Sky” — Meet Valérie André, t...
(militaryhistorynow.com)
2024-06-11
The Adopted Dallas Woman Who Found Family on the Other Si...
(www.dmagazine.com)
2024-06-10
When the C.I.A. Messes Up
(www.newyorker.com)
2024-06-10
Katie Ledecky’s Gold Medal Mind-Set
(www.nytimes.com)
2024-06-03
A Surf Legend’s Long Ride
(www.newyorker.com)
2024-06-01
Watch It Burn
(magazine.atavist.com)
2024-05-31
Exclusive: Inside America’s Secret Efforts to Free US Hos...
(www.vanityfair.com)
2024-05-28
Master of Make-Believe
(www.newyorker.com)
2024-05-22
There Are Places You Cannot Go
(magazine.atavist.com)
2024-05-22
Columbia's Last Flight
(www.theatlantic.com)
2024-05-19
The Mystery of S., the Man with an Impossible Memory
(www.newyorker.com)
2024-05-12
Poison Pill
(getpocket.com)
2024-05-12
The Obsession
(getpocket.com)
2024-05-11
I Wish I’d Never Become The NFL Weed Guy
(defector.com)
2024-05-10
I Was at the Clapperboard for Orson Welles’ Drunk Wine Co...
(melmagazine.com)
2024-05-04
Inside the Decades Long Hunt for the Mongolian Death Worm
(www.atlasobscura.com)
2024-04-23
The Positively True Adventures of the Kilgore Rangerette–...
(www.texasmonthly.com)
2024-04-15
The Man Who Spent Forty-two Years at the Beverly Hills Ho...
(www.newyorker.com)
2024-04-12
The Family Who Vanished Into the Bush
(slate.com)
2024-04-09
A Trail Gone Cold
(www.damninteresting.com)
2024-04-04
‘Stay Away From Him. He’s Dangerous.’
(longreads.com)
2024-04-04
How Marlon Brando Lost His Way
(link.newyorker.com)
2024-04-03
A Lotta Love to Give: The Brilliant Voice and Too-Short L...
(getpocket.com)
2024-04-03
Leonard Cohen’s ‘Hallelujah’ Belongs to Everyone
(www.theatlantic.com)
2024-04-03
Lachlan Cartwright: What I Saw at the National Enquirer D...
(www.nytimes.com)
2024-03-29
Searching for the Cause of a Catastrophic Plane Crash | T...
(www.newyorker.com)
2024-03-24
Being Caitlin Clark: Inside the world of the player who r...
(www.espn.com)
2024-03-24
The Heartbreak of an English Football Team
(www.newyorker.com)
2024-03-23
March Madness Spotlights a Sport Relegated to Pittsburgh’...
(www.nytimes.com)
2024-03-19
Age of Invention: The Second Soul, Part I
(www.ageofinvention.xyz)
2024-03-16
The Many Lifetimes of an Old Red Bike
(longreads.com)
2024-03-15
Tales From an Attic
(theamericanscholar.org)
2024-03-12
How to Survive 75 Hours Alone in the Ocean
(getpocket.com)
2024-03-07
The Extraordinary Lives Of Coast Redwoods
(www.noemamag.com)
2024-03-05
Ridley Scott’s “Napoleon” Complex
(www.newyorker.com)
2024-02-29
Rescuing Abandoned Dogs Is His Rehab
(www.nytimes.com)
2024-02-29
Safety Net
(longreads.com)
2024-02-17
The World’s Most Important Industry Has a New Captain—and...
(www.wired.com)
2024-02-06
A Teen’s Fatal Plunge Into the London Underworld
(www.newyorker.com)
2024-02-03
In Defense of the Rat
(hakaimagazine.com)
2024-02-01
Has Amelia Earhart’s plane really been found?
(www.bbc.com)
2024-01-23
What happens when an astronaut in orbit says he’s not com...
(arstechnica.com)
2024-01-19
Ada Blackjack’s Secret Weapon
(daily.jstor.org)
2024-01-19
Ada Blackjack Kept Going After Everyone Else on Wrangel I...
(www.neatorama.com)
2024-01-15
A 4-Year-Old Trapped in a Teenager’s Body
(www.thecut.com)
2024-01-13
Phyllis Latour: The secret life of a WW2 heroine revealed
(www.bbc.com)
2023-12-28
Billy Crystal is the last of his kind
(www.washingtonpost.com)
2023-12-28
Obituary for a Quiet Life
(bittersoutherner.com)
2023-10-20
'Then the alligators got him' - Inside Memphis Grizzlies ...
(www.espn.com)
2023-09-29
The Race to Catch the Last Nazis | GQ
(www.gq.com)
2023-09-25
The Faulty Weathermen of the Mind
(nautil.us)
2023-09-24
Luigi Ciotti the Priest Who Helps Women in the Mob Escape
(www.newyorker.com)
2023-09-22
The Patriot
(www.theatlantic.com)
2023-09-10
The Sure Thing
(www.thediff.co)
2023-09-04
Kyle Deschanel, the Rothschild Who Wasn’t
(www.vanityfair.com)
2023-08-29
How “Chuck Norris Facts” Gave Birth to the Modern Meme
(longreads.com)
2023-08-27
Roundtable
(www.laphamsquarterly.org)
2023-08-22
The Lows of the High Life
(www.newyorker.com)
2023-08-22
A Photographer’s Frank, Tender Portrait of Her Parents’ F...
(www.newyorker.com)
2023-08-05
The Elusive, Maddening Mystery of the Bell Witch - Atlas ...
(www.atlasobscura.com)
2023-08-03
Inside an Air Force Pararescue mission in the middle of t...
(taskandpurpose.com)
2023-08-01
The Astonishing Transformation of Austin
(www.newyorker.com)
2023-07-28
I can't miss Jukka Sarasti - PeterWatts_Blindsight.pdf
(rifters.com)
2023-07-27
How Larry Gagosian Reshaped the Art World
(www.newyorker.com)
2023-07-25
How John Fetterman Came Out of the Darkness
(time.com)
2023-07-22
What happened to Jai Alai? - SBNation.com
(www.sbnation.com)
2023-07-22
12 Gripping True-Crime Reads
(getpocket.com)
2023-07-22
Notes From the Inner Lives of Con Artists
(getpocket.com)
2023-07-19
Earth League International Hunts the Hunters | The New Yo...
(www.newyorker.com)
2023-07-19
The Fugitive Princesses of Dubai | The New Yorker
(www.newyorker.com)
2023-07-18
Country Music’s Culture Wars and the Remaking of Nashville
(www.newyorker.com)
2023-07-16
‘The Bear’ and the Need for a Place to Belong
(www.nytimes.com)
2023-07-12
Ride the Good Witches
(longreads.com)
2023-07-12
The A-Bomb, Selma, Broadway: She Saw It All and Knew Ever...
(www.nytimes.com)
2023-07-11
Anne Rapp Immortalized Small-town Texas on the Big Screen...
(www.texasmonthly.com)
2023-07-09
The Secretive, Delightful Man Changing Everything We Know...
(slate.com)
2023-07-03
The Titan Submersible Was “an Accident Waiting to Happen”
(www.newyorker.com)
2023-06-30
Saudi Arabia’s Vanished Princesses
(www.newyorker.com)
2023-06-14
The Greatest Hospitality Story Ever
(longreads.com)
2023-06-11
The Trillion-Dollar Auction to Save the World
(wired.com)
2023-05-24
The Dave Matthews Guide to Living and Dying
(www.gq.com)
2023-05-23
Demon Core: The Strange Death of Louis Slotin - The New Y...
(www.newyorker.com)
2023-05-20
My Night in the Sistine Chapel
(www.theatlantic.com)
2023-05-19
Creatures That Don’t Conform – Lucy Jones
(emergencemagazine.org)
2023-05-15
Nathan
(longreads.com)
2023-05-14
The Last Gamble of Tokyo Joe
(www.chicagomag.com)
2023-05-03
The Titanic of the Pacific - The Atavist Magazine
(magazine.atavist.com)
2023-04-25
‘I feel like I’m selling my soul’: inside the crisis at J...
(www.theguardian.com)
2023-04-24
The Lost Music of Connie Converse
(newrepublic.com)
2023-04-21
The Hacker
(www.cjr.org)
2023-04-19
The Prince
(www.trulyadventure.us)
2023-04-15
The Otherworldly Compositions of an Ethiopian Nun
(www.newyorker.com)
2023-04-13
How America's Beloved Meyer Lemon Caused a Mid-Century Ci...
(www.atlasobscura.com)
2023-04-12
I hope you will never see this letter
(news.lettersofnote.com)
2023-04-02
What Really Happened After the Mutiny on the Bounty?
(www.todayifoundout.com)
2023-03-28
The Ancient Order of Bali
(www.damninteresting.com)
2023-03-28
Bicycle – Bartosz Ciechanowski
(ciechanow.ski)
2023-03-28
‘Dad said: We’re going to follow Captain Cook’: how an en...
(www.theguardian.com)
2023-03-28
Three abandoned children, two missing parents and a 40-ye...
(www.theguardian.com)
2023-03-27
Why Are These Italians Massacring Each Other With Oranges?
(www.nytimes.com)
2023-03-27
David Sulzer’s Wild World of Music
(www.newyorker.com)
2023-03-26
How a Team of Ambitious Crooks in 1960s Montreal Planned ...
(crimereads.com)
2023-03-24
The Gospel According to Mavis Staples
(www.newyorker.com)
2023-03-22
In Search of Lost Time, by Tom Vanderbilt
(harpers.org)
2023-03-19
Crime of the Centuries
(nymag.com)
2023-03-19
Adam Shatz · Beyond Borders: Adolfo Kaminsky’s Forgeries
(www.lrb.co.uk)
2023-03-17
The brief but shining life of Paul Laurence Dunbar, a poe...
(theconversation.com)
2023-03-16
11 of the Greatest Scams of All Time, Curated by ‘Scam Go...
(getpocket.com)
2023-03-14
The people who feel they are shrinking
(www.bbc.com)
2023-03-11
Why don't humans have fur?
(www.bbc.com)
2023-03-10
Margaret Atwood Is Ready to Let It Rip
(www.wired.com)
2023-03-06
Vanquishing the Dutch, Jordan Stolz Creates a New Norse M...
(www.nytimes.com)
2023-03-04
The “Dazed and Confused” Generation
(www.newyorker.com)
2023-03-04
There’s Something Odd About the Dogs Living at Chernobyl
(www.theatlantic.com)
2023-03-04
Sanctuary
(magazine.atavist.com)
2023-03-03
Dinner with Proust: how Alzheimer’s caregivers are pulled...
(www.theguardian.com)
2023-02-28
How the Biggest Fraud in German History Unravelled
(www.newyorker.com)
2023-02-27
What you learn about beauty and grief as a guard at the M...
(www.vox.com)
2023-02-26
Meet the Runner Who Leads Every Pack and Then Vanishes
(www.nytimes.com)
2023-02-26
The rise of the scented-candle industrial complex
(www.economist.com)
2023-02-25
The Oligarchs’ Derby
(www.nytimes.com)
2023-02-25
The blast furnace - 800 years of technology improvement
(constructionphysics.substack.com)
2023-02-24
‘One billionaire at a time’: inside the Swiss clinics whe...
(www.theguardian.com)
2023-02-20
The Dystopian Underworld of South Africa’s Illegal Gold M...
(www.newyorker.com)
2023-02-19
What’s a Japanese Mobster to Do in Retirement? Join a Sof...
(www.nytimes.com)
2023-02-18
The long search for artificial hearts
(www.bbc.com)
2023-02-16
No coach, no agent, no ego: the incredible story of the ‘...
(www.theguardian.com)
2023-02-16
The Strange Real-Life Mystery Behind Edgar Allan Poe’s “T...
(crimereads.com)
2023-02-15
Avenging Billy: How amateur sleuths took on a gay porn ac...
(www.latimes.com)
2023-02-15
Portrait of a killer: art class in one of Mexico’s most n...
(www.theguardian.com)
2023-02-15
The husband-and-wife forgers who fooled the art market — ...
(www.cnn.com)
2023-02-14
The Defiance of Salman Rushdie
(www.newyorker.com)
2023-02-14
How to Become a Regular at a Texas Dive Bar
(www.texasmonthly.com)
2023-02-12
Joe Montana Was Here
(www.espn.com)
2023-02-11
Madeline Kripke Owned 20,000 Books, Some of Them Very Bawdy
(www.chronicle.com)
2023-02-07
The Laundress Was Supposed to Be the Nice Detergent
(www.thecut.com)
2023-02-07
I Never Understood Why Veterinarians Are at Such High Ris...
(slate.com)
2023-02-04
43 Hours on the Amtrak Southwest Chief – Lennart Koopmann
(www.0x58ed.com)
2023-02-03
The Dirt on Pig-Pen | Elif Batuman
(astra-mag.com)
2023-02-02
In pursuit of decent coffee
(worksinprogress.substack.com)
2023-02-02
The First Family of Human Cannonballing
(narratively.com)
2023-01-27
The Man Who Fixes the World's Finest Violins
(www.chicagomag.com)
2023-01-27
A journey to Earth's most remote flower
(www.bbc.com)
2023-01-26
The Spectacular Case of Lørenskog: Norway's Ongoing Searc...
(www.spiegel.de)
2023-01-22
Spirited Away: A Peek into the World of China’s Door Gods
(www.sixthtone.com)
2023-01-22
The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and...
(www.thediff.co)
2023-01-22
Extraction
(www.guernicamag.com)
2023-01-22
I Became a Pastor during the Pandemic | The Walrus
(thewalrus.ca)
2023-01-22
The Schwarzschild defence
(www.nature.com)
2023-01-20
The Getty Family’s Trust Issues
(www.newyorker.com)
2023-01-14
Remembering the triumph and tragedy of the 1986 Paris-Dak...
(www.hagerty.com)
2023-01-13
Victory
(medium.com)
2023-01-13
Life Lessons from 1,000 Years | The Curiosity Chronicle
(www.sahilbloom.com)
2023-01-11
How pulling off a ‘potato trick’ ended a baseball player’...
(getpocket.com)
2023-01-10
Hello world!
(catapult.co)
2023-01-02
The Science of Mind Reading
(www.newyorker.com)
2022-12-31
Why Did Walter Springs Die?
(www.5280.com)
2022-12-28
The Miraculous Life and Afterlife of Charlene Richard (Pu...
(www.nytimes.com)
2022-12-27
And the Lord Said, “You’ve Got a Time-Out, Mister”
(www.newyorker.com)
2022-12-26
Trapped in the Trenches in Ukraine
(www.newyorker.com)
2022-12-16
The True Story of Lawrence of Arabia
(www.smithsonianmag.com)
2022-12-08
What Humans Can Learn From The Language Of Honeybees
(www.noemamag.com)
2022-12-04
How Michael Goguen Got Conned
(nymag.com)
2022-11-28
The Enduring Metal Genius of Metallica
(www.newyorker.com)
2022-11-17
Life in the Slow Lane
(longreads.com)
2022-11-15
The Vineyard Falcon Does Not Suffer Fools
(punchdrink.com)
2022-10-31
The Art of Bidding: How I Survived Federal Prison | The M...
(www.themarshallproject.org)
2022-10-31
The Night Warren Zevon Left the ‘Late Show’ Building
(www.theringer.com)
2022-10-30
COVID-19 Origins: Investigating a “Complex and Grave Situ...
(www.propublica.org)
2022-10-30
The Most Lawless County in Texas
(www.dmagazine.com)
2022-10-21
An Undiscovered Coronavirus? The Mystery of the ‘Russian ...
(www.nytimes.com)
2022-10-21
The Mysterious Patient in Room 23: The Hermit Baroness (P...
(www.nytimes.com)
2022-10-19
Bertrand Piccard’s Laps Around the World
(www.newyorker.com)
2022-10-17
Interview: Why Mastering Language Is So Difficult for AI
(undark.org)
2022-10-16
The Richest Athlete of All Time Did Nothing With His Weal...
(getpocket.com)
2022-10-05
Paul McCartney's freakish memory - by Ian Leslie
(ianleslie.substack.com)
2022-10-03
Alone at the Edge of the World - The Atavist Magazine
(clicks.getpocket.com)
2022-10-03
The Bodies in the Cave
(www.newyorker.com)
2022-10-02
Inside the Ransomware Gangs That Extort Hospitals
(nymag.com)
2022-10-02
The Thorny Problem of Keeping the Internet’s Time
(www.newyorker.com)
2022-10-01
Something Strange Happens When You Tear These Creatures A...
(www.theatlantic.com)
2022-09-30
The Case of the Disputed Lucian Freud
(www.newyorker.com)
2022-09-30
The Wondrous Lives of Julius Shapiro
(narratively.com)
2022-09-24
One man's journey from state prison to a revered San Fran...
(www.sfgate.com)
2022-09-22
My Chances of Being a Mom Were Fading. Then Two Beautiful...
(www.outsideonline.com)
2022-09-22
The Enduring Wisdom of ‘Goodnight Moon’ (Published 2022)
(www.nytimes.com)
2022-09-20
The Mysterious, Vexing, and Utterly Engrossing Search for...
(hakaimagazine.com)
2022-09-20
A Rural Doctor Gave Her All. Then Her Heart Broke. (Publi...
(www.nytimes.com)
2022-09-17
The Mysterious, Stubborn Appeal of Mass-Produced Fried Ch...
(www.vice.com)
2022-09-17
The Real Warriors Behind 'The Woman King'
(www.smithsonianmag.com)
2022-09-09
The Despotism of Isaias Afewerki | Alex de Waal
(thebaffler.com)
2022-09-08
The Substance of Silence: A Reading List About Hermits
(longreads.com)
2022-09-05
The Missing Chinese Machine Revolution
(erikexamines.substack.com)
2022-09-05
Why an American chestnut tree in Centreville is the 'holy...
(www.delawareonline.com)
2022-09-05
Are All Brains Good at Math?
(nautil.us)
2022-09-05
Killing Invasive Species Is Now a Competitive Sport
(www.newyorker.com)
2022-09-05
The Midwit Trap
(philo.substack.com)
2022-09-05
Was King Arthur a Real Person?
(www.smithsonianmag.com)
2022-09-01
Why Do So Many Zippers Say YKK?
(slate.com)
2022-08-31
I Went to Trash School
(www.curbed.com)
2022-08-30
The Animal Translators
(www.nytimes.com)
2022-08-27
How It Feels To Chase a Tornado Across Three States
(lithub.com)
2022-08-27
Five Lessons from History
(www.collaborativefund.com)
2022-08-24
Robert Plant and Alison Krauss on the secrets to aging gr...
(www.latimes.com)
2022-08-22
She was a global superstar. She was a world-class spy.
(www.trulyadventure.us)
2022-08-17
Willie Nelson’s Long Encore
(www.nytimes.com)
2022-08-17
Judgment is an exercise in discretion: circumstances are ...
(aeon.co)
2022-08-17
The Case of the Matisse and the Mysterious Thingamabob
(www.newyorker.com)
2022-08-17
Why Are Border Smugglers Trafficking Bologna?
(www.texasmonthly.com)
2022-08-16
My Mother’s 13 Unbeatable Tips to Staying Youthful
(betterhumans.pub)
2022-08-15
Le bon temps continue to roll on Cajun radio in Southern ...
(www.npr.org)
2022-08-14
20 of the Best Science Fiction Books of All Time | Book Riot
(bookriot.com)
2022-08-14
The Most Influential Sci-Fi Books Of All Time
(bookriot.com)
2022-08-14
20 Must-Read Genre-Bending Sci-Fi Books | Book Riot
(bookriot.com)
2022-08-14
Outer Sight: The Best Science Fiction Books You've Never ...
(bookriot.com)
2022-08-14
The Tip-Off From a Nazi That Saved My Grandparents
(getpocket.com)
2022-08-13
Animal Magic: Why Intelligence Isn’t Just for Humans
(getpocket.com)
2022-08-12
On the moral virtues of mischief and mischievous people |...
(aeon.co)
2022-08-12
The Secret Life of Leftovers — The New Atlantis
(www.thenewatlantis.com)
2022-08-09
Human Tetrachromacy is Real. Here's What We Know
(www.extremetech.com)
2022-08-05
The Beautiful Life of Vin Scully
(www.si.com)
2022-07-30
The Night That Grasshoppers Killed Texas League Baseball
(www.texasmonthly.com)
2022-07-30
The Humpback and the Killer
(www.wnycstudios.org)
2022-07-29
Into the Forbidden Forest
(www.smithsonianmag.com)
2022-07-28
The Quest to Save the Pink Apples of Italy
(www.afar.com)
2022-07-28
Romance, Politics, and Ecological Damage: The Saga of Sab...
(hakaimagazine.com)
2022-07-19
Inside the Mind-Boggling World of the Antiquities Theft T...
(annehelen.substack.com)
2022-07-19
The Case for Bad Coffee
(www.seriouseats.com)
2022-07-11
Isolated and in crisis – Russia’s war in Ukraine has dama...
(nl.nytimes.com)
2022-07-05
The surprising afterlife of used hotel soap
(thehustle.co)
2022-07-05
Is Music Universal?
(theness.com)
2022-07-05
Hacker News
(www.cryptomuseum.com)
2022-07-04
The books that no-one can read
(www.bbc.com)
2022-07-03
‘More than a song’: the enduring power of Leonard Cohen’s...
(clicks.getpocket.com)
2022-07-02
Mark Manson, the Self-Help Guru Who Burned Out
(nymag.com)
2022-07-02
And Then the Sea Glowed a Magnificent Milky Green | Hakai...
(hakaimagazine.com)
2022-07-01
The Barkley Marathons: the hellish 100-mile race with 15 ...
(www.theguardian.com)
2022-06-30
A Mystery That Took 13,200 Years to Crack
(clicks.getpocket.com)
2022-06-25
Whatever happened to the Bee Apocalypse?
(backreaction.blogspot.com)
2022-06-25
The human sensory experience is limited. Journey into the...
(www.npr.org)
2022-06-25
India’s Untouchable Queen of the Dead
(getpocket.com)
2022-06-24
THE MOST DANGEROUS PLACE ON EARTH
(www.politico.eu)
2022-06-23
Hacker News
(torontolife.com)
2022-06-23
Stranger Things: A Reading List of Unsolved Mysteries
(longreads.com)
2022-06-23
Animal magic: why intelligence isn’t just for humans
(www.theguardian.com)
2022-06-23
What Really Happened to Malaysia’s Missing Airplane
(www.theatlantic.com)
2022-06-22
What Klingon and Other Constructed Languages Reveal
(www.sapiens.org)
2022-06-21
How Animals Perceive the World
(www.theatlantic.com)
2022-06-21
Hong Kong’s Floating Restaurant Sinks at Sea, Laden With ...
(www.nytimes.com)
2022-06-21
The Incredible Journey of Three African Wild Dogs
(www.nytimes.com)
2022-06-21
[Miscellany] The Crow Whisperer, By Lauren Markham | Harp...
(harpers.org)
2022-06-21
Drew Houston's Commencement address
(news.mit.edu)
2022-06-21
How to Feel Better Naked
(www.nytimes.com)
2022-06-20
You May Want to Marry My Husband (Published 2017)
(www.nytimes.com)
2022-06-19
Inside the Brilliant, Heartbreaking First 10 Minutes of ‘Up’
(www.theringer.com)
2022-06-18
Visiting Vladimir Putin’s Lost Russia
(www.theatlantic.com)
2022-06-16
When Baking and Real Estate Collide
(www.newyorker.com)
2022-06-16
Meet the Yucca Whisperer of West Texas
(www.texasmonthly.com)
2022-06-13
At 88, Poker Legend Doyle Brunson Is Still Bluffing. Or I...
(www.texasmonthly.com)
2022-06-09
Raiders of the Looted Assets: Inside the High-Stakes Race...
(www.vanityfair.com)
2022-06-08
“I'm Still Alive but Sh*t Is Getting Wild”: Inside the Si...
(www.outsideonline.com)
2022-06-07
‘The Soundtrack of Your Mistakes In Stereo’: Documenting ...
(www.rollingstone.com)
2022-06-07
Kai Lenny Surfs the Unsurfable
(www.newyorker.com)
2022-05-31
The people who rescue giant ships
(www.bbc.com)
2022-05-29
42 years ago, the "Mother of Yoda" conquered Hollywood — ...
(www.inverse.com)
2022-05-28
This Old Man
(www.newyorker.com)
2022-05-28
Loki’s Place in Trickster Mythology
(getpocket.com)
2022-05-28
When Major Leaguer Eddie Grant Made the Ultimate Sacrifice
(www.smithsonianmag.com)
2022-05-27
43 of the Most Iconic Short Stories in the English Language
(getpocket.com)
2022-05-25
Why Is ‘Bob’s Burgers’ So Freakishly Lovable? This Guy.
(www.nytimes.com)
2022-05-16
The True Story Of A Man-Eating Tiger's 'Vengeance'
(www.npr.org)
2022-05-15
Hacker News
(thehustle.co)
2022-05-14
The History of Lady Lookouts
(getpocket.com)
2022-05-12
‘People took so many drugs, they forgot they played on it...
(www.theguardian.com)
2022-05-12
The Strange Afterlife of George Carlin
(www.nytimes.com)
2022-05-09
A Woman Alone in Oman: Three Weeks Along the Arabian Coast
(www.nytimes.com)
2022-05-05
How Ukrainians Saved Their Capital | The New Yorker
(www.newyorker.com)
2022-04-16
The Island That Humans Can’t Conquer | Hakai Magazine
(hakaimagazine.com)
2022-04-10
How Bitcoin Tracers Took Down the Web’s Biggest Child Abu...
(www.wired.com)
2022-04-09
The Legend of the Music Tree
(www.smithsonianmag.com)
2022-04-06
MIT scans brain of hyperpolyglot Vaughn Smith, who speaks...
(www.washingtonpost.com)
2022-04-03
Is Geometry a Language That Only Humans Know? (Published ...
(www.nytimes.com)
2022-03-31
The Cult of Adam Tooze
(nymag.com)
2022-03-27
A Cold Case
(www.newyorker.com)
2022-03-17
How national identities are invented
(www.bbc.com)
2022-03-16
Six Tips on Writing from John Steinbeck
(www.themarginalian.org)
2022-03-14
Wonders and warnings from the ancient world | Daisy Dunn ...
(thecritic.co.uk)
2022-03-04
Revolución on the Cookie Factory Floor
(narratively.com)
2022-03-02
Bringing Home Braden: The extraordinary ‘rescue’ of a fal...
(projects.sfchronicle.com)
2022-02-21
The Medical Miracle of a Pig’s Heart in a Human Body
(www.newyorker.com)
2022-02-20
How America Saved Millions of Dogs—By Moving Them
(time.com)
2022-02-18
The Babushka of Baikal, the granny in her 80th year who h...
(siberiantimes.com)
2022-02-13
The Rise and Fall of a Prison Town Queen
(www.themarshallproject.org)
2022-02-01
The Last Oyster Tongers of Apalachicola — THE BITTER SOUT...
(bittersoutherner.com)
2022-01-29
Led Zeppelin Gets Into Your Soul
(www.newyorker.com)
2022-01-25
Finding the world’s deepest shipwreck
(www.bbc.com)
2022-01-23
The Infamous FBI Informant Behind a 20-Fatality Limo Crash
(nymag.com)
2022-01-23
Divine Comedy - Wikipedia
(en.wikipedia.org)
2022-01-21
Dun, Dun Duuun! Where did pop culture’s most dramatic sou...
(www.theguardian.com)
2022-01-21
What Lies Beneath
(www.vanityfair.com)
2022-01-18
The Eerie, Lunar Nothingness of Namibia’s Skeleton Coast ...
(www.nytimes.com)
2022-01-16
Welcome to the land that no country wants | Jack Shenker ...
(www.theguardian.com)
2022-01-15
20 Short Novels To Stay Up All Night Reading
(getpocket.com)
2022-01-14
From Prejudice to Pride | Hakai Magazine
(hakaimagazine.com)
2022-01-12
The forgotten medieval habit of 'two sleeps'
(www.bbc.com)
2022-01-07
The (Other) French Chef | Hazlitt
(hazlitt.net)
2022-01-07
Still She Rises — THE BITTER SOUTHERNER
(bittersoutherner.com)
2022-01-06
Ninety-Nine Fascinating Finds Revealed in 2021
(www.smithsonianmag.com)
2022-01-06
John Madden Was America’s Greatest Football Teacher
(www.theringer.com)
2021-12-28
Qassem Suleimani and How Nations Decide to Kill
(newyorker.com)
2021-12-28
The Looming Threat of a Nuclear Crisis with Iran
(nextdraft.us2.list-manage.com)
2021-12-27
The Incredible Fig
(nautil.us)
2021-12-26
Where the Tupelo Grows — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-12-25
The History of O. Henry's 'The Gift of the Magi'
(www.smithsonianmag.com)
2021-12-22
The lawyer who tried faking his death, and the writer exp...
(www.theguardian.com)
2021-12-20
The Race to Find ‘Green’ Helium
(www.wired.com)
2021-12-18
Umami Exists and MSG is its Messenger
(www.atvbt.com)
2021-12-17
Justin Horner's Story
(open.spotify.com)
2021-12-15
See the Real Live Man Who Grew Up in a Carnival
(www.nytimes.com)
2021-12-12
The Story of Carolina Gold, the Best Rice You've Never Ta...
(www.seriouseats.com)
2021-12-11
The Story of Catherine the Great
(getpocket.com)
2021-12-10
Death of a Lobsterman
(www.esquire.com)
2021-12-08
In New Mexico, Money Grows on Trees
(www.eater.com)
2021-12-07
The Flying Santas Who Airdrop Christmas Cheer to America’...
(getpocket.com)
2021-12-06
It’s Hard Out Here—Way, Way, Way Out Here—for a Medic
(www.texasmonthly.com)
2021-12-03
Old Trucks for New Money
(www.newyorker.com)
2021-11-30
The Spine Collector
(www.vulture.com)
2021-11-29
How an American in Paris won the rarest of French honors
(www.latimes.com)
2021-11-29
The Pigeon Puzzle: How Do They Figure Out Their Impossibl...
(thewalrus.ca)
2021-11-29
How the Rosetta Stone Yielded Its Secrets
(www.newyorker.com)
2021-11-28
The Notorious Mrs. Mossler
(email.getpocket.com)
2021-11-24
Can a Boxer Return to the Ring After Killing?
(www.theatlantic.com)
2021-11-23
David Simon and the Creation of “The Wire”
(link.newyorker.com)
2021-11-23
What It Takes to Climb the World’s Most Forbidding Cliffs
(www.newyorker.com)
2021-11-23
The World’s Deadliest Thing — Anthony Warner
(www.the-angry-chef.com)
2021-11-23
The Tomb Raiders of the Upper East Side
(www.theatlantic.com)
2021-11-22
The Old Country Meets Prozac Nation on “The Sopranos”
(link.newyorker.com)
2021-11-17
The Odor of Things, by Scott Sayare
(harpers.org)
2021-11-14
The Incredible Tale of the Greatest Toy Man You've Never ...
(www.inc.com)
2021-11-13
What lies beneath: the secrets of France’s top serial kil...
(www.theguardian.com)
2021-11-11
Eliud Kipchoge: Inside the camp, and the mind, of the gre...
(www.irishexaminer.com)
2021-11-08
Brain Damage Saved His Music - Issue 20: Creativity - Nau...
(nautil.us)
2021-11-04
"A Great Day In Harlem": Remembering the iconic 1958 phot...
(www.cbsnews.com)
2021-11-04
Organ transplant patients (maybe) don’t get dementia. Her...
(trevorklee.com)
2021-11-03
The Awe-Inspiring But Tragic Story of Africa’s Festival I...
(www.openculture.com)
2021-11-03
How Bionic Gloves Gave a Maestro Pianist His Hands Back
(www.gq.com)
2021-11-03
How 12th-century Genoese merchants invented the idea of r...
(psyche.co)
2021-11-03
How to Read “Gilgamesh” | The New Yorker
(www.newyorker.com)
2021-11-02
Inside Ekiben’s six-hour trip to make a special dish for ...
(www.baltimoresun.com)
2021-10-30
Are We on the Verge of Chatting with Whales? | Hakai Maga...
(www.hakaimagazine.com)
2021-10-28
The last great mystery of the mind: meet the people who h...
(www.theguardian.com)
2021-10-28
For Forest Blazes Grown Wilder, an Alternative: The 'Good...
(undark.org)
2021-10-26
Hatch green chiles are feeling the heat
(www.hcn.org)
2021-10-15
The Daring Diplomat Who Proved One Person Can Thwart an E...
(getpocket.com)
2021-10-10
The Day Treva Throneberry Disappeared
(www.texasmonthly.com)
2021-10-04
The Ship That Became a Bomb
(www.newyorker.com)
2021-10-03
Searching for Mr. X - The Atavist Magazine
(magazine.atavist.com)
2021-09-22
The Legacy of Colin Kaepernick: On the First High School ...
(lithub.com)
2021-09-19
When Nazis tried to trace Aryan race myth in Tibet
(www.bbc.com)
2021-09-18
The Mystery of People Who Speak Dozens of Languages | The...
(www.newyorker.com)
2021-09-14
When Wall Street came to coal country: how a big-money ga...
(www.theguardian.com)
2021-09-14
The Secret Sisterhood of Offshore Oil Workers
(getpocket.com)
2021-09-13
‘Every message was copied to the police’: the inside stor...
(www.theguardian.com)
2021-09-10
Florida nurses feel helpless as so many people die of COVID
(www.tampabay.com)
2021-09-10
Rain Boots, Turning Tides, and the Search for a Missing Boy
(www.wired.com)
2021-09-08
The disastrous voyage of Satoshi, the world’s first crypt...
(www.theguardian.com)
2021-09-08
The Lost Boys
(www.texasmonthly.com)
2021-09-05
The Million-Dollar Nose
(www.theatlantic.com)
2021-09-04
The miracle molecule that could treat brain injuries and ...
(www.technologyreview.com)
2021-08-28
Knives Outback
(medium.com)
2021-08-28
The $2 Billion Mall Rats
(getpocket.com)
2021-08-26
The Kingpin of Shanghai
(www.damninteresting.com)
2021-08-26
“I understand what joy is now”: An MDMA trial participant...
(www.technologyreview.com)
2021-08-24
The Real C.E.O. of “Succession”
(www.newyorker.com)
2021-08-24
Chris and Rich Robinson swore never to speak again. But f...
(www.latimes.com)
2021-08-21
Serving Up West Virginia History, Not All of It Sweet (Pu...
(www.nytimes.com)
2021-08-21
The magical day Kobe Bryant became Lord of the Rings at R...
(www.espn.com)
2021-08-21
The beautiful world of heavy metal
(unherd.com)
2021-08-21
An Oral History of Adam Sandler, Pickup Basketball Legend
(melmagazine.com)
2021-08-17
Five Books: The best books on Assassinations, recommended...
(fivebooks.com)
2021-08-15
At 71, She’s Never Felt Pain or Anxiety. Now Scientists K...
(www.nytimes.com)
2021-08-12
The Ancient Persian way to keep cool
(www.bbc.com)
2021-08-09
Family, identity and one of the longest manhunts in U.S. ...
(www.deseret.com)
2021-08-05
Lifelong Quests! Lawsuits! Feuds! A Super-Serious Story A...
(getpocket.com)
2021-08-05
The dangerously cheesy collectible Cheetos market
(theoutline.com)
2021-08-04
We Asked A Girl Who Collects Every Mosquito She's Killed:...
(www.vice.com)
2021-08-04
Eccentric Food Advertisements Were the Baseball Cards of ...
(www.atlasobscura.com)
2021-08-04
They Meet Up in Motels Across America…to Trade Old Beer Cans
(getpocket.com)
2021-08-04
The man who hunts 'hidden' radioactive objects
(www.bbc.com)
2021-07-19
Flying Dead Bodies Across the Land of the Midnight Sun
(getpocket.com)
2021-07-18
The Weird History of Hillbilly TV — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-07-18
“The Lottery,” by Shirley Jackson
(www.newyorker.com)
2021-07-16
When the Next Animal Plague Hits, Can This Lab Stop It?
(www.wired.com)
2021-07-15
The Evolution of Throwing
(www.sapiens.org)
2021-07-13
Who Killed Cachou the Bear? Murder Mystery in Spain Rattl...
(www.bloomberg.com)
2021-07-10
The unique culture of Japanese convenience stores - BBC T...
(www.bbc.com)
2021-07-10
A Well-Woven Tale: The fabric of the modern world
(www.historytoday.com)
2021-07-10
The Gull Next Door | Hakai Magazine
(www.hakaimagazine.com)
2021-07-07
“The Only Thing I Knew How to Do Was Kill People”: Inside...
(www.vanityfair.com)
2021-07-03
Minik and the Meteor
(narratively.com)
2021-07-03
The Deep Roots of the Vegetable That ‘Took Over the World’
(www.atlasobscura.com)
2021-06-26
The Sky Thief
(www.rollingstone.com)
2021-06-25
The Lazarus heist: How North Korea almost pulled off a bi...
(www.bbc.com)
2021-06-25
Four Stories from the Russian Arctic
(www.newyorker.com)
2021-06-22
Tomorrow Edition - The Agony and the Ecstasy of Deep Brai...
(tmrwedition.com)
2021-06-21
Africa’s ancient scripts counter European ideas of litera...
(aeon.co)
2021-06-20
Her Kind Of Blue: Joni Mitchell's Masterpiece At 50
(www.npr.org)
2021-06-19
The birthplace of the modern apple - BBC Travel
(www.bbc.com)
2021-06-19
https://samenright.com/2021/06/06/a-beginners-guide-to-mi...
(samenright.com)
2021-06-17
The Elemental Strangeness of Foxes
(www.plough.com)
2021-06-17
A boy, his brain, and a decades-long medical controversy
(www.wired.com)
2021-06-17
Bill Ackman Sent a Text to the CEO of Mastercard. What Ha...
(www.institutionalinvestor.com)
2021-06-14
Decades After Mysteriously Drowning, Pecos Jane Has a Nam...
(www.texasmonthly.com)
2021-06-10
The Mystery at the Heart of Physics That Only Math Can Solve
(www.quantamagazine.org)
2021-06-10
How to Save an Ancient Language Before It Disappears Forever
(narratively.com)
2021-06-10
The Mother of All ‘Abandoned’ Airports (2015)
(www.abandonedberlin.com)
2021-06-08
The elephant vanishes: how a circus family went on the run
(www.theguardian.com)
2021-06-05
The blind woman who switched personalities and could sudd...
(www.thestar.com)
2021-06-05
It’s All in Your Head review – enduring mystery of psycho...
(www.theguardian.com)
2021-06-04
An Old Effort To Stop The Smallpox Virus Has Lessons For ...
(www.npr.org)
2021-06-04
Meet the Appalachian Apple Hunter Who Rescued 1,000 'Lost...
(www.atlasobscura.com)
2021-06-04
Ho Chi Bear and the Ravens
(getpocket.com)
2021-06-04
Narratively | Substack
(t.co)
2021-06-03
The Snitch - The Atavist Magazine
(magazine.atavist.com)
2021-06-03
The World’s Northernmost Town Is Changing Dramatically
(longform.org)
2021-05-31
The Havana Job
(getpocket.com)
2021-05-31
What Robots Can—and Can’t—Do for the Old and Lonely
(www.newyorker.com)
2021-05-31
The Death of Hahnemann Hospital
(www.newyorker.com)
2021-05-29
How SoundScan Changed Everything We Knew About Popular Music
(www.theringer.com)
2021-05-29
Inside Youth Baseball's Most Notorious Dad-On-Dad Rivalry
(longform.org)
2021-05-27
Three Family Members, One Business. Robbing Armored Cars.
(getpocket.com)
2021-05-23
DNA Could Identify Somerton Man Exhumed in Australia - Th...
(www.nytimes.com)
2021-05-22
Exclusive: Inside the Military's Secret Undercover Army
(www.newsweek.com)
2021-05-18
A Hypnotic Look at How Japanese Samurai Swords Are Made
(www.openculture.com)
2021-05-18
The 60-Year-Old Scientific Screwup That Helped Covid Kill
(www.wired.com)
2021-05-18
West Virginia, 1972, Revisited — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-05-18
How clothing and climate change kickstarted agriculture |...
(aeon.co)
2021-05-17
Bob and Evelyn’s Seven-Decade Dance
(narratively.com)
2021-05-16
Cryptoqueen: How this woman scammed the world, then vanis...
(www.bbc.com)
2021-05-12
The Most Honored Photograph | PetaPixel
(petapixel.com)
2021-05-12
https://getpocket.com/explore/item/the-reincarnated-by-ni...
(getpocket.com)
2021-05-12
'He knew something': The Bay Area flight of Rangers that ...
(www.sfgate.com)
2021-05-10
The Case Against the Eagles
(www.theringer.com)
2021-05-09
Tome Raiders: Solving the Great Book Heist
(getpocket.com)
2021-05-09
Two Assholes Lost in the Woods: An Oral History of ‘Pine ...
(www.theringer.com)
2021-05-08
Love and Loss on the Great Plains
(features.texasmonthly.com)
2021-05-07
‘I’d Never Been Involved in Anything as Secret as This’
(www.politico.com)
2021-05-05
The miracle of the commons
(aeon.co)
2021-05-03
Persuading the Body to Regenerate Its Limbs
(www.newyorker.com)
2021-05-02
The Story of One Whale Who Tried to Bridge the Linguistic...
(www.smithsonianmag.com)
2021-04-30
Exclusive Excerpt: An Icy Death at the Bottom of the World
(www.vanityfair.com)
2021-04-29
Fifteen Years Forsaken
(www.damninteresting.com)
2021-04-29
Queen of the S.R.O.
(narratively.com)
2021-04-28
The Blue Hole in the Red Sea Is the Deadliest Dive Site i...
(www.spiegel.de)
2021-04-28
'The Clouds Cleared': What Terminal Lucidity Teaches Us A...
(getpocket.com)
2021-04-28
The Challenges of Animal Translation
(www.newyorker.com)
2021-04-27
How Maxwell’s Demon Continues to Startle Scientists
(www.quantamagazine.org)
2021-04-26
The Rise and Fall of a Double Agent | The Walrus
(thewalrus.ca)
2021-04-26
The Unlikely Success of Fish Sticks | Hakai Magazine
(www.hakaimagazine.com)
2021-04-26
In the Tales Told by Sewage, Public Health and Privacy Co...
(undark.org)
2021-04-24
The girl in the Kent State photo and the lifelong burden ...
(www.washingtonpost.com)
2021-04-24
This Basketball Season Is Missing One Thing: Prince
(www.si.com)
2021-04-23
The Cold War Over Hacking McDonald’s Ice Cream Machines
(www.wired.com)
2021-04-23
Hathi
(fiftytwo.in)
2021-04-23
The guards caring for Chernobyl's abandoned dogs - BBC Fu...
(www.bbc.com)
2021-04-22
Tardigrades: Nature's Great Survivors
(getpocket.com)
2021-04-18
How Did a Self-Taught Linguist Come to Own an Indigenous ...
(www.newyorker.com)
2021-04-18
A 23-Year-Old Coder Kept QAnon and the Far Right Online W...
(www.bloomberg.com)
2021-04-17
The Low-Key Carter-Era Pleasures of “The Muppet Show”
(www.newyorker.com)
2021-04-16
The Great Cottonmouth-Catching Get-Rich-Quick Scheme of 1956
(narratively.com)
2021-04-16
The John Patterson Kidnapping in Mexico - The Atlantic
(www.theatlantic.com)
2021-04-16
Out of thin air: the mystery of the man who fell from the...
(www.theguardian.com)
2021-04-16
Hiking the Mountain Trails Less Traveled in Colorado – Te...
(www.texasmonthly.com)
2021-04-16
Inside the Thrilling, Slightly Terrifying World of Austri...
(www.afar.com)
2021-04-12
The Real Book - 99% Invisible
(99percentinvisible.org)
2021-04-04
Why Animals Don’t Get Lost
(www.newyorker.com)
2021-04-03
Death of a (Really Good) Salesman
(medium.com)
2021-04-02
The Amazing Aviatrix of Wartime Casablanca
(narratively.com)
2021-04-01
One-Horse Town
(www.eater.com)
2021-03-30
Lawsuits, secret taping and the unraveling of a powerhous...
(www.espn.com)
2021-03-30
Inside America’s Most Interesting Magazine, and Media’s O...
(www.nytimes.com)
2021-03-29
Harriet Cole’s Mysterious Identity Still Stumps Historians
(www.atlasobscura.com)
2021-03-28
Conscripted Into The Emperor’s Private Orchestra
(getpocket.com)
2021-03-27
Did the Black Death Rampage Across the World a Century Ea...
(www.smithsonianmag.com)
2021-03-27
Meeting the Darkhad, the soul guards of Genghis Khan - Su...
(supchina.com)
2021-03-27
What It’s Really Like When a Prison ‘Lifer’ Gets a New Sh...
(narratively.com)
2021-03-26
The Spy of Night and Fog (2020)
(www.damninteresting.com)
2021-03-25
The Lost Prince of Yacht Rock
(narratively.com)
2021-03-23
Spilling Secrets
(narratively.com)
2021-03-22
Why Extraterrestrial Life May Not Seem Entirely Alien
(www.quantamagazine.org)
2021-03-20
Mark Carney: ‘I didn’t want the Bank of England job. But ...
(www.theguardian.com)
2021-03-20
The fabric no one knows how to make
(www.bbc.com)
2021-03-20
The Wolf That Discovered California
(www.smithsonianmag.com)
2021-03-19
How Freddie Gibbs Beat the Odds to Reach the Mountaintop
(www.theringer.com)
2021-03-19
The art dealer, the £10m Benin Bronze and the Holocaust
(www.bbc.com)
2021-03-19
Brackets, Buzzer Beaters and Burning Jockstraps: For Indi...
(www.si.com)
2021-03-16
What I Learned from Doing 100 Wheelies a Day
(www.outsideonline.com)
2021-03-14
Tuna’s Last Stand | Hakai Magazine
(www.hakaimagazine.com)
2021-03-13
https://www.sierraclub.org/sierra/2021-2-march-april/feat...
(www.sierraclub.org)
2021-03-12
How Hank the Cowdog Made John R. Erickson the King of the...
(www.texasmonthly.com)
2021-03-11
The Audacious Tabloid Couple Who Scammed Their Way Into N...
(narratively.com)
2021-03-09
The story of the worst baseball team ever
(www.mlb.com)
2021-03-09
The Row’s Beige Ambition
(www.thecut.com)
2021-03-05
How to Build an Artificial Heart
(www.newyorker.com)
2021-03-03
The 25 Greatest Art Heists of All Time
(www.artnews.com)
2021-02-28
The Once-Classified Tale of Juanita Moody: The Woman Who ...
(www.smithsonianmag.com)
2021-02-21
50 Great Classic Novels Under 200 Pages
(lithub.com)
2021-02-20
Sitting Atop the World, Sketching the Faces of the Dead
(www.sixthtone.com)
2021-02-18
Huntsville station
(aeon.co)
2021-02-18
The Extraordinary Trial of the Child Soldier Who Became a...
(narratively.com)
2021-02-12
On Hustles - The Paris Review
(www.theparisreview.org)
2021-02-09
All Personal Feeds
(www.nytimes.com)
2021-02-09
The Original Karen
(www.thedriftmag.com)
2021-02-09
Hawkeye Elegy: A collision of pandemic, disaster, and pol...
(fortune.com)
2021-02-07
The Accident on the Pacific Crest Trail
(www.altaonline.com)
2021-02-06
There Is No Chinese ‘Debt Trap’
(www.theatlantic.com)
2021-02-04
Reading
(austenallred.com)
2021-02-03
Two Elderly Sisters in Lifelong Isolation in India
(www.newyorker.com)
2021-01-31
The Century-Old Neon Sign Tearing Up LA Conservationists
(www.vice.com)
2021-01-30
List of Logical Fallacies with Examples
(www.logicalfallacies.org)
2021-01-30
The mind-blowing secret of the Armenian alphabet - People...
(www.peopleofar.com)
2021-01-30
The Long History of Japan’s Tidying Up
(www.newyorker.com)
2021-01-29
Lunik: Inside the CIA’s audacious plot to steal a S...
(www.technologyreview.com)
2021-01-28
The Sultan of Spatter
(narratively.com)
2021-01-27
How the Most Hyped U.S. Oil Merger in a Decade Went Bust
(www.texasmonthly.com)
2021-01-26
How to be a genius
(aeon.co)
2021-01-22
C’est Si Bon: Eartha Kitt’s Transformative Life
(www.vanityfair.com)
2021-01-22
Palantir’s God’s-Eye View of Afghanistan
(www.wired.com)
2021-01-22
This ‘hillbilly madman’ is country music royalty. So why ...
(www.washingtonpost.com)
2021-01-20
Neil Peart: Rush Drummer's Bold Life and Brave Final Year...
(www.rollingstone.com)
2021-01-19
WHERE IS BUM FARTO
(www.sun-sentinel.com)
2021-01-19
What Do Wall Street Leaders Think Is the Next Big Risk?
(www.bloomberg.com)
2021-01-16
How to Go From Working in a Steel Mill to Being the Highe...
(www.wealthsimple.com)
2021-01-14
The Catch
(www.bbc.co.uk)
2021-01-13
Ted Danson Was Never Sam Malone. That’s Why He Was Such a...
(melmagazine.com)
2021-01-10
Keeping Watch Over Seabirds at the World’s Edge | Hakai M...
(www.hakaimagazine.com)
2021-01-08
The Lost History of Yellowstone
(www.smithsonianmag.com)
2021-01-07
The Last Two Northern White Rhinos On Earth - The New Yor...
(www.nytimes.com)
2021-01-06
Perspective | My two weeks with John le Carré: What I lea...
(www.washingtonpost.com)
2021-01-02
The Poke Paradox
(longreads.com)
2021-01-02
When COVID hit, a Colorado county kicked out second-home ...
(www.hcn.org)
2021-01-02
In this rapaciously dry year, a quiet question grows loud...
(www.hcn.org)
2021-01-02
The Stoner Arms Dealers
(reprints.longform.org)
2021-01-02
Dr. Death: The Shocking Story of Christopher Duntsch, a M...
(www.dmagazine.com)
2021-01-01
Russian Off-Roaders Crossed 2,000 Miles of Siberia to Rea...
(www.thedrive.com)
2021-01-01
My Bodyguard, My Self | Topic
(www.topic.com)
2021-01-01
The Golden Guide to Hallucinogenic Plants: Discover the 1...
(www.openculture.com)
2021-01-01
The Squid Hunter | The New Yorker
(www.newyorker.com)
2020-12-30
Herschel, the Very Hungry Sea Lion | Hakai Magazine
(www.hakaimagazine.com)
2020-12-30
Why Is There a Bucatini Shortage in America?
(www.grubstreet.com)
2020-12-29
The Plague Year | The New Yorker
(www.newyorker.com)
2020-12-29
Raiders of the lost steel
(www.chemistryworld.com)
2020-12-28
Reading, That Strange and Uniquely Human Thing
(nautil.us)
2020-12-28
Pugilism on the Plains
(www.damninteresting.com)
2020-12-26
The Tasting Menu at the End of the World
(www.eater.com)
2020-12-26
The Proving Grounds: Charley Crockett and the Story of De...
(longreads.com)
2020-12-26
The Curious Cons of the Man Who Wouldn’t Die | GQ
(www.gq.com)
2020-12-26
A family with no fingerprints
(www.bbc.co.uk)
2020-12-26
The Mystery of Mistletoe’s Missing Genes
(www.quantamagazine.org)
2020-12-26
Louisiana’s Disappearing Coast | The New Yorker
(www.newyorker.com)
2020-12-26
The World’s Cheapest Hospital Has to Get Even Cheaper - B...
(www.bloomberg.com)
2020-12-26
John Franzese ratted out his Colombo crime family father ...
(www.indystar.com)
2020-12-26
How To Lose Everything And Get Some Of It Back
(deadspin.com)
2020-12-26
The hunt to find Dorothy’s stolen ruby slippers from ‘The...
(www.washingtonpost.com)
2020-12-26
Secret spectacles - BBC News
(www.bbc.co.uk)
2020-12-26
‘None of this happened the way you think it did’ — High C...
(www.hcn.org)
2020-12-26
How SoulCycle lost its soul
(www.vox.com)
2020-12-26
The Year in Physics
(www.quantamagazine.org)
2020-12-26
Ads Don’t Work That Way | Melting Asphalt
(meltingasphalt.com)
2020-12-26
Gravity, Gizmos, and a Grand Theory of Interstellar Trave...
(www.wired.com)
2020-12-24
The Mystery of Deceased Hiker ‘Mostly Harmless’ Is At Lon...
(www.adventure-journal.com)
2020-12-24
Why Iceland’s Christmas Witch Is Much Cooler (and Scarier...
(getpocket.com)
2020-12-24
In a Pandemic Fairy Tale, a Garden Leads to a Magical Fri...
(www.nytimes.com)
2020-12-22
Strange Company
(strangeco.blogspot.com)
2020-12-22
The Skeletons at the Lake
(www.newyorker.com)
2020-12-21
"If it Hadn't Been for the Prompt Work of the Medics": FS...
(www.bellingcat.com)
2020-12-21
The Fall Of Mic Was A Warning | HuffPost
(www.huffpost.com)
2020-12-19
Earth on Nautilus: The Strange Blissfulness of Storms
(earth.nautil.us)
2020-12-18
Leaving the Grace of This World
(www.outsideonline.com)
2020-12-10
The Obsessive Life and Mysterious Death of the Fisherman ...
(narratively.com)
2020-12-10
A Chain Cut Through a Capsized Cargo Ship Filled W' Cars:...
(jalopnik.com)
2020-12-06
Thirty-six Thousand Feet Under the Sea
(www.newyorker.com)
2020-11-27
What It Takes to Be a Short-Order Cook in Las Vegas
(www.newyorker.com)
2020-11-17
How an intimate burial can make death human-sized
(www.hcn.org)
2020-11-14
The History of Creepy Dolls
(getpocket.com)
2020-11-05
An Atlas of the Cosmos - Longreads
(longreads.com)
2020-11-05
No Pulse: How Doctors Reinvented The Human Heart
(getpocket.com)
2020-11-03
https://silahreport.com/2019/08/23/the-last-gunsmiths-of-...
(silahreport.com)
2020-11-03
Shelved: Pink Floyd's Household Objects - Longreads
(longreads.com)
2020-10-20
Secret Knowledge—or a Hoax? | Eamon Duffy
(getpocket.com)
2020-10-20
What My Sled Dogs Taught Me About Planning for the Unknow...
(www.nytimes.com)
2020-09-15
The Man Who Refused to Spy
(www.newyorker.com)
2020-09-09
BBC - Travel - This desolate English path has killed more...
(www.bbc.com)
2020-08-25
The Wildest Insurance Fraud Scheme Texas Has Ever Seen
(www.texasmonthly.com)
2020-08-21
The jaw-dropping story behind an NFL coach's search for h...
(www.espn.com)
2020-08-19
How a White Lie Gave Japan KFC for Christmas
(getpocket.com)
2020-08-18
Searching for Misha: The Life and Tragedies of the World’...
(getpocket.com)
2020-08-13
How the Library of Congress Unrolled a 2,000-Year-Old Bud...
(getpocket.com)
2020-08-10
On the Midway With the Carnival Game Investigators Out to...
(getpocket.com)
2020-08-10
Electric Crypto Balkan Acid Test | Alexander Clapp
(thebaffler.com)
2020-08-10
Too Clever By Half - Epsilon Theory
(epsilontheory.com)
2020-08-06
Unraveling the mystery of a stolen ceremonial shield - Hi...
(www.hcn.org)
2020-08-03
Buster Keaton’s Last Stand
(altaonline.com)
2020-08-02
The Misplaced Wallet and The Year of Delightful Deception
(getpocket.com)
2020-07-30
Cryin’, Dyin’, or Goin’ Somewhere: A Country Music Readin...
(longreads.com)
2020-07-29
A Border Town Built for Vice
(narratively.com)
2020-07-25
If language began in the hands, why did it ever leave? | ...
(aeon.co)
2020-07-24
The Valley of the Cheese of the Dead
(getpocket.com)
2020-07-24
Exclusive: How Carlos Ghosn Escaped Japan, According to t...
(www.vanityfair.com)
2020-07-24
A Monk’s Life in Turmoil in Tibet
(www.newyorker.com)
2020-07-23
7 Weeks, 11,000 Miles, and 2 Tiny Cars: Tales from the Mo...
(bit.ly)
2020-07-23
“This Was Abuse”: The Fall of a CBS Showrunner
(www.vanityfair.com)
2020-07-23
How to Make Sense of an Undrowned Town
(getpocket.com)
2020-07-22
In Plain Sight, by Annie Hylton
(harpers.org)
2020-07-22
How viruses evolve
(www.knowablemagazine.org)
2020-07-22
California’s Lone Wolf Pack
(altaonline.com)
2020-07-22
Alone in the Wilderness, Again and Again
(www.guernicamag.com)
2020-07-21
Under Wraps
(getpocket.com)
2020-07-19
The Guy Who Wouldn't Write a Hit: An Interview with David...
(getpocket.com)
2020-07-18
How a Single Mom Created a Plastic Food-Storage Empire
(getpocket.com)
2020-07-17
How Ultra-Black Fish Disappear in the Deepest Seas
(www.nytimes.com)
2020-07-16
The Smell of America
(narratively.com)
2020-07-16
The Donkey Farmer’s Magical Matchmaking Book
(getpocket.com)
2020-07-16
Coronavirus Conversations With One of America’s Richest Men
(www.bloomberg.com)
2020-07-16
Welcome to One of the Most Remote Islands on Earth
(www.outsideonline.com)
2020-07-15
Bob and Evelyn’s Seven-Decade Dance
(getpocket.com)
2020-07-15
Highway Through Hell
(getpocket.com)
2020-07-15
A California Type Foundry Is Keeping Vintage Printing Alive
(getpocket.com)
2020-07-15
The Kung Fu Nuns Of Kathmandu
(www.npr.org)
2020-07-15
The Man Who Went to War With Canada
(getpocket.com)
2020-07-15
A Bizarre 1970 Arctic Killing Offers a Road Map for How N...
(slate.com)
2020-07-15
https://orionmagazine.org/article/deep-intellect/
(orionmagazine.org)
2020-07-13
The Dangerous Undersea Search for Missing Military Heroes
(narratively.com)
2020-07-12
https://lettersofnote.com/2015/10/23/do-not-remain-namele...
(lettersofnote.com)
2020-07-11
The Political Education of Killer Mike
(www.gq.com)
2020-07-11
An Icy Conquest | Susan Dunn
(getpocket.com)
2020-07-11
From cow to customer, a $20 cheeseburger’s tumultuous jou...
(www.washingtonpost.com)
2020-07-10
On Knowing the Winged Whale | Hakai Magazine
(www.hakaimagazine.com)
2020-07-10
Unlucky Charms: The Rise and Fall of Billion-Dollar Jewel...
(marker.medium.com)
2020-07-10
How Cars and Hygiene Killed the Middle-Class Hat | by Han...
(medium.com)
2020-07-03
The Not-So-Simple Life
(getpocket.com)
2020-07-03
The Stranger-Than-Fiction Secret History of Prog-Rock Ico...
(www.vanityfair.com)
2020-06-27
The Wondrous Lives of Julius Shapiro
(getpocket.com)
2020-06-23
Blast From the Past
(getpocket.com)
2020-06-17
Why Gravity Is Not Like the Other Forces
(www.quantamagazine.org)
2020-06-13
The White Man in That Photo
(www.filmsforaction.org)
2020-06-12
The Rise of the Cyber-Mercenaries
(getpocket.com)
2020-06-11
The Untouchables
(getpocket.com)
2020-06-10
Sort By Controversial
(slatestarcodex.com)
2020-06-10
Leonard Cohen: Remembering the Life and Legacy of the Poe...
(getpocket.com)
2020-06-03
The Boogaloo Movement Is Not What You Think - bellingcat
(www.bellingcat.com)
2020-06-01
The Witness
(getpocket.com)
2020-05-28
The Remaking of Steve Buscemi
(www.gq.com)
2020-05-25
The Drug Runners
(getpocket.com)
2020-05-19
The Chernobyl Syndrome | Sophie Pinkham
(getpocket.com)
2020-05-19
The Twilight of the Iranian Revolution
(www.newyorker.com)
2020-05-19
Why This Woman Chooses to Live in a Ghost Town
(www.outsideonline.com)
2020-05-16
On the Shoulders of Giants — THE BITTER SOUTHERNER
(bittersoutherner.com)
2020-05-15
A Mystery at Oxford
(www.theatlantic.com)
2020-05-03
68 Bits of Unsolicited Advice
(kk.org)
2020-05-03
Exxon’s Humbling Fall From Oil Juggernaut to Mediocre Com...
(www.bloomberg.com)
2020-05-03
The Day Treva Throneberry Disappeared
(getpocket.com)
2020-05-03
The Rise of the Valkyries
(www.historytoday.com)
2020-05-03
Dirty money piling up in L.A. as coronavirus cripples int...
(www.latimes.com)
2020-05-03
“This Land Is Your Land”: The Story Behind America’s Best...
(getpocket.com)
2020-04-30
Sherry Goes with Everything
(getpocket.com)
2020-04-30
The Mysterious Bronze Objects that Have Baffled Archaeolo...
(getpocket.com)
2020-04-28
10 Incredible Long-Reads That’ll Transport You to Another...
(blog.getpocket.com)
2020-04-27
Joey Santore: Oakland’s Stealth Arborist
(altaonline.com)
2020-04-26
The Adventures of a Pakistani in Texas
(narratively.com)
2020-04-24
“Just Like at Madrid, Comrades!” | Lapham’s Quarterly
(www.laphamsquarterly.org)
2020-04-24
The value of lives saved by social distancing outweighs t...
(arstechnica.com)
2020-04-24
A Man Who Designed Ghost Armies and Opera Houses (2016)
(nautil.us)
2020-04-06
Baking Bread in Lyon
(www.newyorker.com)
2020-04-06
The Maine Farmer Saving the World's Rarest Heirloom Seeds
(downeast.com)
2020-04-01
Looking for a distraction? Here are 25 of our favourite l...
(www.theguardian.com)
2020-03-31
Every Inch of Earth
(www.guernicamag.com)
2020-03-31
Total recall: the people who never forget | Science | The...
(www.theguardian.com)
2020-03-30
Bowel movement: the push to change the way you poo
(www.theguardian.com)
2020-03-27
Cold-Case Cure: Inside New Era of Hunting Serial Killers
(getpocket.com)
2020-03-27
Phineas Gage, Neuroscience’s Most Famous Patient
(getpocket.com)
2020-03-26
Radical Solutions
(www.damninteresting.com)
2020-03-23
Everything on 'Naked and Afraid' Is Real—and I Lived It |...
(www.outsideonline.com)
2020-03-22
The Hunt for Planet Nine - Longreads
(longreads.com)
2020-03-16
How China's 'Bat Woman' Hunted Down Viruses from SARS to ...
(www.scientificamerican.com)
2020-03-11
Victorian Culinary Trading Cards Are a Feast for the Eyes
(getpocket.com)
2020-03-11
Why Japan is obsessed with paper
(www.bbc.com)
2020-03-09
It’s been brought to my attention not every single human ...
(twitter.com)
2020-03-09
How to Become an International Gold Smuggler
(getpocket.com)
2020-03-05
Nothing Compares to Yuzu
(www.newyorker.com)
2020-02-29
The Shipwrecked Sailors & the Wandering Cod
(getpocket.com)
2020-02-23
Chasing the Pearl of Lao Tzu
(getpocket.com)
2020-02-23
The Recipe to Bob's Red Mill's Supreme Recipes
(www.tastecooking.com)
2020-02-23
How One Man and His Dog Rowed More Than 700 Kākāpōs to Sa...
(www.atlasobscura.com)
2020-02-21
In Search of Darkness
(www.nytimes.com)
2020-02-20
Louis Armstrong, the King of Queens
(www.nytimes.com)
2020-02-19
The Hacker Classics
(jsomers.net)
2020-02-19
Overcoming Bias : How Bees Argue
(www.overcomingbias.com)
2020-02-19
Singular science
(www.knowablemagazine.org)
2020-02-19
The Best Little Museum You Never Visited in Paris
(www.smithsonianmag.com)
2020-02-19
Why Japan Is Obsessed With Kentucky Fried Chicken on Chri...
(www.smithsonianmag.com)
2020-02-19
Unnamed and Unsurveilled
(thebaffler.com)
2020-02-19
Grand Theft Cobalt: Rotterdam
(getpocket.com)
2020-02-19
Snow Fall: The Avalanche at Tunnel Creek (2012)
(www.nytimes.com)
2020-02-19
The Legend of John Holmes Jenkins
(www.texasmonthly.com)
2020-02-15
The Guerrilla Car Washers of N.Y.C.
(www.nytimes.com)
2020-02-15
He Is Building a Home. And a Career in the N.B.A.
(www.nytimes.com)
2020-02-15
The geology and geophysics of Kuiper Belt object (486958)...
(science.sciencemag.org)
2020-02-13
The Donkey Farmer’s Magical Matchmaking Book
(narratively.com)
2020-02-12
The quest to explore Colombia’s untouched jungle
(getpocket.com)
2020-02-12
The Grand Unified Theory of Rogue Waves | Quanta Magazine
(www.quantamagazine.org)
2020-02-06
Keeping the Country — THE BITTER SOUTHERNER
(bittersoutherner.com)
2020-02-05
The Family That Couldn’t Say Hippopotamus
(nautil.us)
2020-02-02
The Ghost Hunter - The Atavist Magazine
(magazine.atavist.com)
2020-02-01
The Great Heavy Metal Hoax
(getpocket.com)
2020-01-25
‘The Story of a Weird World I Was Warned Never to Tell’
(getpocket.com)
2020-01-22
A Battle for the Soul of Marfa
(www.texasmonthly.com)
2020-01-22
This Is the Secret Michelin-Star Capital of the World
(getpocket.com)
2020-01-20
The Untold Story of the Vegetable Peeler That Changed the...
(getpocket.com)
2020-01-20
A Pilgrimage to the Pub at the End of the World
(www.outsideonline.com)
2020-01-19
How 17 Outsize Portraits Rattled a Small Southern Town
(www.nytimes.com)
2020-01-18
The Most Dangerous Job: The Murder of America’s First Bir...
(getpocket.com)
2020-01-17
Bring up the bodies: the retired couple who find drowning...
(www.theguardian.com)
2020-01-13
Overtaken by Frigid Seas, Hours From Help, There Was Litt...
(www.nytimes.com)
2020-01-12
How to Spot a Perfect Fake: The World’s Top Art Forgery D...
(getpocket.com)
2020-01-12
How New York’s Bagel Union Fought — and Beat — the Mafia
(www.grubstreet.com)
2020-01-12
This Flood-Savaged Hamlet Proves Climate Change Isn’t Jus...
(narratively.com)
2020-01-11
They Started a Ned Flanders Metal Band. Then ‘The Simpson...
(getpocket.com)
2020-01-10
The Chef Restoring Appalachia's World-Class Food Culture
(www.atlasobscura.com)
2020-01-09
Red Sea Diving Resort: The Holiday Village Run by Spies
(getpocket.com)
2020-01-05
What Big History Says About How Royal Women Exercise Power
(getpocket.com)
2020-01-05
The Night the Music Died
(getpocket.com)
2020-01-05
What I Learned in Avalanche School (Published 2019)
(www.nytimes.com)
2020-01-04
The Doctor, the Dentist, and the Killer
(longform.org)
2020-01-02
Mecca 1979: The mosque siege that changed the course of S...
(www.bbc.com)
2020-01-01
What It’s Like to Live in a California Ghost Town
(getpocket.com)
2020-01-01
In the Jungle: Inside the Long, Hidden Genealogy of ‘The ...
(getpocket.com)
2019-12-28
Miss Girard’s Christmas Gift
(www.texasmonthly.com)
2019-12-24
A Navy Seal's Semester at Yale, at Age 52
(medium.com)
2019-12-23
The Story of a Great Monopoly - The Atlantic
(www.theatlantic.com)
2019-12-23
Queens of Infamy: Njinga - Longreads
(longreads.com)
2019-12-23
Out of Water
(www.guernicamag.com)
2019-12-23
The Ugly History of Beautiful Things: Orchids
(longreads.com)
2019-12-23
Ghost ships, crop circles, and soft gold: A GPS mystery i...
(www.technologyreview.com)
2019-12-23
Let's Create a Simple Load Balancer With Go
(kasvith.github.io)
2019-12-23
The Cry of Alice
(thebaffler.com)
2019-12-23
The Wild Ones
(longform.org)
2019-12-23
Mathematical Model Reveals the Patterns of How Innovation...
(getpocket.com)
2019-12-23
AN41
(www.technologyreview.com)
2019-12-23
Inside Wayne LaPierre’s Battle for the N.R.A. (Published ...
(www.nytimes.com)
2019-12-23
The Invisible Boy Who Became Mr. Invincible
(narratively.com)
2019-12-22
A Doctor’s Diary: The Overnight Shift in the E.R. (Publis...
(www.nytimes.com)
2019-12-22
Perspective | Blight wiped out the American chestnut. Par...
(www.washingtonpost.com)
2019-12-21
Prime Power: How Amazon Squeezes the Businesses Behind It...
(www.nytimes.com)
2019-12-21
How Do You Save an Endangered Tree from Extinction When Y...
(blogs.scientificamerican.com)
2019-12-19
The falling price of a TV set is the story of the America...
(theoutline.com)
2019-12-15
What Ecstasy Does to Octopuses
(getpocket.com)
2019-12-15
The Influencer and the Hit Man: How a Years-Long Domain N...
(link.medium.com)
2019-12-15
The Chinese Roots of Italy’s Far-Right Rage
(www.nytimes.com)
2019-12-15
The Absurd Story Behind China's Biggest Bank Robbery
(marker.medium.com)
2019-12-15
How Renaissance’s Medallion Fund Became Finance’s Blackes...
(getpocket.com)
2019-12-15
How to Survive Solitary Confinement
(getpocket.com)
2019-12-15
Henry Lee Lucas Was Considered America's Most Prolific Se...
(www.esquire.com)
2019-12-15
‘It appeared that we had time’: How the FAA missed a chan...
(www.washingtonpost.com)
2019-12-14
A Powerful Statement of Resistance from a College Student...
(www.newyorker.com)
2019-12-14
All Hail the Rat King - Longreads
(longreads.com)
2019-12-14
Longreads Best of 2019: Crime Reporting
(longreads.com)
2019-12-13
The forgotten nurse who saved hundreds of American lives ...
(taskandpurpose.com)
2019-12-13
A Man Who Never Was (2010)
(reprints.longform.org)
2019-12-13
They Were the Renaissance Men of Roman Antiquity - The Ne...
(www.nytimes.com)
2019-12-12
The Mystical, Mind-Sharing Lives of Tulpamancers
(narratively.com)
2019-12-12
Coach O & The Cajun People
(www.theamericanconservative.com)
2019-12-11
The Startling Secret of an Invincible Virus
(www.theatlantic.com)
2019-12-11
The Resurrection of the Greatest Sci-Fi Writer You’ve Nev...
(slate.com)
2019-12-10
Anyone’s Son
(longreads.com)
2019-12-09
The Hummingbird Whisperer
(altaonline.com)
2019-12-02
Kitchen Rhythm: A Year in a Parisian Pâtisserie - Longreads
(longreads.com)
2019-11-28
A ‘Thrilling’ Mission to Get the Swedish to Change Overnight
(getpocket.com)
2019-11-28
Crossed Stitches
(getpocket.com)
2019-11-27
The First Family of Counterfeit Hunting
(getpocket.com)
2019-11-27
Lessons From a ‘Local Food’ Scam Artist
(getpocket.com)
2019-11-27
The Real-Life Hollywood Hoax That Turned a Fake Bradley C...
(melmagazine.com)
2019-11-27
Snow’s Queen
(getpocket.com)
2019-11-26
Inside the Secret World of Global Food Spies
(getpocket.com)
2019-11-26
The last of the great explorers
(www.1843magazine.com)
2019-11-26
In Search of Life’s Smoking Gun
(getpocket.com)
2019-11-24
The wild story behind the NBA's most unlikely heist
(www.espn.com)
2019-11-20
A Very Old Man for a Wolf
(getpocket.com)
2019-11-19
The Innocent Pleasure of Trespassing
(www.currentaffairs.org)
2019-11-19
The transhumanists who want to live forever
(www.technologyreview.com)
2019-11-19
The Final Days Of Japan's Most Incredible Arcade
(kotaku.com)
2019-11-18
How Turkish coffee destroyed an empire
(www.1843magazine.com)
2019-11-17
They Love Trash
(www.nytimes.com)
2019-11-14
Into the abyss: The story of the MV Lyubov Orlova
(newsinteractives.cbc.ca)
2019-11-14
Life, in Dog Years
(getpocket.com)
2019-11-13
Yes, You Can Catch Insanity
(getpocket.com)
2019-11-13
Trigger: The Life of Willie Nelson’s Guitar
(getpocket.com)
2019-11-11
LimeWire: The Oral History of the App That Changed Music ...
(melmagazine.com)
2019-11-10
In Kansas, girls didn’t have a wrestling championship of ...
(www.washingtonpost.com)
2019-11-09
Undercover in the Orthodox Underworld
(gen.medium.com)
2019-11-08
Inside Shenzhen’s race to outdo Silicon Valley
(www.technologyreview.com)
2019-11-08
O Sister, Where Art Thou?
(getpocket.com)
2019-11-07
The Minor Regional Novelist
(getpocket.com)
2019-11-07
Leonard Cohen and the Divine Voice
(www.newyorker.com)
2019-11-05
On a Remote Siberian Island Asking, Was It Just a Dream?
(www.nytimes.com)
2019-11-03
The Wrong Goodbye
(features.propublica.org)
2019-11-03
Of Meat and Men
(getpocket.com)
2019-11-02
The story of Tunnel 29
(www.bbc.co.uk)
2019-10-31
The Agony and the Ecstasy of the State Fair Food Finalists
(getpocket.com)
2019-10-29
Bank of the Underworld - The Atlantic
(www.theatlantic.com)
2019-10-28
In Afghanistan’s War and Peace, WhatsApp Delivers the Mes...
(www.nytimes.com)
2019-10-26
The buyers and sellers of Khorgos, a special trade zone o...
(qz.com)
2019-10-26
To Catch A Bomb-Maker
(getpocket.com)
2019-10-26
I Now Suspect the Vagus Nerve Is the Key to Well-being
(www.thecut.com)
2019-10-25
The Planet Hunting Machine
(altaonline.com)
2019-10-25
Outfoxed and Outgunned: How China Routed the U.S. in a U....
(foreignpolicy.com)
2019-10-24
Flea Had a Wild Life. Then He Joined Red Hot Chili Pepper...
(www.nytimes.com)
2019-10-24
»I have no desire to open up this man’s skull. I do it be...
(www.information.dk)
2019-10-23
The Symbolic Seashell | Hakai Magazine
(www.hakaimagazine.com)
2019-10-23
One Family Built Forever 21, and Fueled Its Collapse
(www.nytimes.com)
2019-10-23
Man on Fire
(getpocket.com)
2019-10-22
Inside Olympic Destroyer, the Most Deceptive Hack in History
(www.wired.com)
2019-10-22
Honor Thy Father
(getpocket.com)
2019-10-21
Unholy Act
(getpocket.com)
2019-10-21
Inside the Members-Only Eating Clubs of San Sebastián
(getpocket.com)
2019-10-17
When 'Angels in America' Came to East Texas – Texas Monthly
(www.texasmonthly.com)
2019-10-16
A Lone Postman Delivers the Mail to the Far Reaches of th...
(www.texasmonthly.com)
2019-10-16
Old Dudes On Skateboards
(longreads.com)
2019-10-16
The Acid Farmers - Mike Jay
(mikejay.net)
2019-10-14
The Epic Hunt for a Lost World War II Aircraft Carrier (P...
(www.nytimes.com)
2019-10-09
The fast track to a life well lived is feeling grateful
(aeon.co)
2019-10-09
Shackleton’s Medical Kit
(granta.com)
2019-10-09
Still Life
(getpocket.com)
2019-10-09
I Worked at Capital One for Five Years. This Is How We Ju...
(newrepublic.com)
2019-10-06
The Long, Loving Search for Betsy the Cow
(story.californiasunday.com)
2019-10-05
My fancy smartphone could never give me what the landline...
(t.co)
2019-10-03
A terrible crime, a patient waiting for a transplant: The...
(www.washingtonpost.com)
2019-10-03
The Diver Who Brings Up the Bodies
(narratively.com)
2019-10-03
You Can Do More Good Than You Think
(medium.com)
2019-10-01
A Hole in the Head: A History of Trepanation | The MIT Pr...
(thereader.mitpress.mit.edu)
2019-09-30
The Octopus: An Alien Among Us
(lithub.com)
2019-09-21
L
(nyti.ms)
2019-09-21
Wind Power: How the 19th-Century’s Greatest Shipbuilder O...
(www.collectorsweekly.com)
2019-09-17
SFO: The typo that almost crashed a plane - SFChronicle.com
(www.sfchronicle.com)
2019-09-17
Ship of horrors: life and death on the lawless high seas
(www.theguardian.com)
2019-09-17
Something Special Is Happening in Rural America
(www.nytimes.com)
2019-09-17
Dead Reckoning • Damn Interesting
(www.damninteresting.com)
2019-09-16
Starshift
(www.guernicamag.com)
2019-09-15
How Kentucky Gambled for Hundreds of Millions of Dollars ...
(www.propublica.org)
2019-09-15
Solving Wildlife's Strangest Mysteries
(getpocket.com)
2019-09-10
https://rockandice.com/features/searching-for-adolfo/
(rockandice.com)
2019-09-10
On the Hunt for the World’s Rarest Pasta
(getpocket.com)
2019-09-04
Everything We Do Not Know
(www.guernicamag.com)
2019-09-03
Inside the elite, detail-obsessed world of the people who...
(www.latimes.com)
2019-09-03
Paul Clarke Wants to Live
(longreads.com)
2019-08-31
Masterpiece Theater
(longform.org)
2019-08-30
https://longreads.com/2018/10/12/the-power-of-shutting-up...
(longreads.com)
2019-08-30
Palaces for the People - 99% Invisible
(99percentinvisible.org)
2019-08-30
Confessions of a Professional Fake Shopper
(narratively.com)
2019-08-29
The High-Stakes World of High-End Yo Yos
(www.theatlantic.com)
2019-08-29
Column One: 'Blink once if you can hear me’ — a brain-inj...
(www.latimes.com)
2019-08-29
The Death of Alexander the Great: One of History’s Great ...
(lithub.com)
2019-08-29
A Lawyer, 40 Dead Americans, and a Billion Gallons of Coa...
(longform.org)
2019-08-29
The Golden Bough | The New Yorker
(www.newyorker.com)
2019-08-26
Inside the Twisted, Worldwide Hunt for a $7 Million Stole...
(www.esquire.com)
2019-08-24
How Graffiti Became Gentrified
(newrepublic.com)
2019-08-24
The Hidden Half: How the World Conceals its Secrets eBook...
(www.amazon.co.uk)
2019-08-24
Buy Low-Tops, Sell High-Tops: A Sneaker Exchange Is Worth...
(www.nytimes.com)
2019-08-24
The Disappearing Physicist and His Elusive Particle - Iss...
(nautil.us)
2019-08-22
The Curse of Playing the Wicked Witch of the West
(narratively.com)
2019-08-20
The Mystery of ‘Skeleton Lake’ Gets Deeper
(www.theatlantic.com)
2019-08-17
To date a dinosaur
(www.knowablemagazine.org)
2019-08-17
What Happened to Aung San Suu Kyi?
(www.theatlantic.com)
2019-08-17
Sahara Desert Libraries Are Home to Thousands of Ancient ...
(mymodernmet.com)
2019-08-15
Feral Horses, Fierce Controversy - Features - Jason G. Go...
(altaonline.com)
2019-08-15
The British Once Built a 1,100-Mile Hedge Through the Mid...
(getpocket.com)
2019-08-14
Arming the Cartels
(longform.org)
2019-08-12
Finding Amelia Earhart’s Plane Seemed Impossible. Then Ca...
(www.nytimes.com)
2019-08-09
Is It Possible to Stop a Mass Shooting Before It Happens?
(longform.org)
2019-08-05
This Is Why It's Nearly Impossible to Study Pain
(psmag.com)
2019-08-05
The Admiral of the String Theory Wars
(getpocket.com)
2019-08-05
Brain Damage Saved His Music
(getpocket.com)
2019-08-05
How to Save a Loggerhead
(gardenandgun.com)
2019-08-04
He'd been kept alive with tubes for nearly 17 years. Who ...
(www.latimes.com)
2019-08-01
Why Not The Worst?
(www.washingtonpost.com)
2019-07-31
In Search of Alaska’s Deadliest Catch: The Sea Cucumber
(getpocket.com)
2019-07-31
The King of Adventure Stares Down Death
(getpocket.com)
2019-07-30
On Hitler’s Last Desperate Plan to Destroy Paris
(lithub.com)
2019-07-30
The Murders That Shook a Mountain Town
(www.outsideonline.com)
2019-07-27
Restaurant Secrets From Nobu: Reservations, Unruly Celebs...
(www.bloomberg.com)
2019-07-27
Dr. John: The Joy and Mystery of a New Orleans Saint
(www.rollingstone.com)
2019-07-27
Wanderland: a journey through Iran’s wild west
(www.1843magazine.com)
2019-07-27
Losing the News
(psmag.com)
2019-07-26
Stan Smith: The Man Who Became A Shoe
(www.esquire.com)
2019-07-26
The Comedians, The Mob and the American Supperclub by Kli...
(blog.wfmu.org)
2019-07-25
The Show Horse and the Work Horse – Granola Shotgun
(granolashotgun.com)
2019-07-25
Inside a Top-Secret Factory Where Scent Is Made
(getpocket.com)
2019-07-25
UT Southwestern’s Cutting-Edge Battle Against Rare, Fatal...
(www.texasmonthly.com)
2019-07-25
To avoid moral failure, don’t see people as Sherlock does...
(aeon.co)
2019-07-25
Archaeology of the 99%
(www.knowablemagazine.org)
2019-07-24
The Bizarre Tale of a Cursed Russian Ghost Ship
(mysteriousuniverse.org)
2019-07-23
Kevin Kelly - The Best Magazine Articles Ever | Hacker News
(news.ycombinator.com)
2019-07-22
Why Arabic Is Terrific (Idle Words)
(idlewords.com)
2019-07-21
The Oyster Poachers of Connemara - Saveur - Pocket
(getpocket.com)
2019-07-20
Wolves of Karelia
(www.theatlantic.com)
2019-07-15
The Pet Cemetery
(www.theatlantic.com)
2019-07-15
Searching for Keith | Hakai Magazine
(www.hakaimagazine.com)
2019-07-10
Ricky Jay’s Magical Secrets
(www.newyorker.com)
2019-07-09
Is it possible to disrupt a cow?
(perspicacity.xyz)
2019-07-07
How to Unlearn a Disease
(m.nautil.us)
2019-07-04
A Casino Card Shark’s First Time Getting Caught
(narratively.com)
2019-07-04
The High Priest of Heavy Metal
(narratively.com)
2019-07-04
https://members.tortoisemedia.com/2019/06/29/8chan/conten...
(members.tortoisemedia.com)
2019-07-01
King of the Snitches: The Fashion Photographer Who Duped ...
(longform.org)
2019-07-01
Why plants don’t die from cancer
(www.pbs.org)
2019-06-30
https://stories.californiasunday.com/2015-06-07/somerton-...
(stories.californiasunday.com)
2019-06-29
The Sibling Rivalry Burning Up an $800 Million Oil Dynasty
(nymag.com)
2019-06-26
He's Making the Spice Trade Less Shady
(www.ozy.com)
2019-06-24
The Storm
(longform.org)
2019-06-20
Speed Kills
(publicintegrity.org)
2019-06-20
Bodies in Seats
(www.theverge.com)
2019-06-19
Narratively | Substack
(narr.ly)
2019-06-18
Remembering Dr. John
(longreads.com)
2019-06-17
Do You Trust Your People?
(www.leadershipnow.com)
2019-06-16
The real Goldfinger: the London banker who broke the world
(www.theguardian.com)
2019-06-16
Someone Donated His Frostbitten Toe to a Canadian Bar
(www.atlasobscura.com)
2019-06-16
The Illuminating Geometry of Viruses | Quanta Magazine
(www.quantamagazine.org)
2019-06-16
The Ultimate Lock Picker (2009)
(www.wired.com)
2019-06-16
An Orbit Map of the Solar System
(tabletopwhale.com)
2019-06-16
https://digest.bps.org.uk/2019/06/12/breakthrough-investi...
(digest.bps.org.uk)
2019-06-14
The Curse of the Ship of Gold
(narratively.com)
2019-06-09
Sky HISTORY TV Channel
(www.history.com)
2019-06-09
How Legalization Changed Humboldt County Marijuana
(www.newyorker.com)
2019-06-08
Meet the Product Designer Who Made Mid-Century America Lo...
(www.smithsonianmag.com)
2019-06-07
Why I Traveled the World Hunting for Mutant Bugs - Issue ...
(nautil.us)
2019-06-01
Meet the Carousing Texan Who Won a Nobel Prize
(www.wired.com)
2019-05-31
Why Would Anyone Choose to Run 100 Miles Through the Desert?
(lithub.com)
2019-05-31
The Secret Oral History of Bennington: The 1980s' Most De...
(www.esquire.com)
2019-05-31
Outlaw Country — The Atavist Magazine
(magazine.atavist.com)
2019-05-29
A student in Boston wrote ‘I am from Hong Kong.’ An onsla...
(www.washingtonpost.com)
2019-05-29
Antonio Salieri’s Revenge
(www.newyorker.com)
2019-05-29
Thai cave rescue: Inside the near-impossible mission to s...
(www.macleans.ca)
2019-05-28
The Undercover Fascist
(www.newyorker.com)
2019-05-25
Shovel, Knife, Story, Ax
(longreads.com)
2019-05-24
The Wealth Detective Who Finds the Hidden Money of the Su...
(www.bloomberg.com)
2019-05-21
30 Days Timelapse at Sea | 4K | Through Thunderstorms, To...
(youtube.com)
2019-05-21
I Played Meat Bingo at a Century-Old Oregon Dive Bar
(www.vice.com)
2019-05-20
World's Oldest Terrarium / Sealed Bottle Ecosystem by Dav...
(biologicperformance.com)
2019-05-16
Nothing But Solitude | Lapham’s Quarterly
(www.laphamsquarterly.org)
2019-05-16
The Chinese village that kept a courtesan’s secret for ce...
(www.scmp.com)
2019-05-15
I Entered the World’s Longest, Loneliest Horse Race on a ...
(longreads.com)
2019-05-15
Joe Exotic
(longform.org)
2019-05-15
Adventures in the Ransom Trade
(longform.org)
2019-05-12
How the Hell Has Danielle Steel Managed to Write 179 Books?
(www.glamour.com)
2019-05-12
During the Cold War, the CIA Secretly Plucked a Soviet Su...
(www.smithsonianmag.com)
2019-05-10
Hundreds of Bodies, One Nurse: German Serial Killer Leave...
(www.nytimes.com)
2019-05-09
China’s rust belt cities shrouded in uncertainty as exhau...
(www.scmp.com)
2019-05-09
Twenty-Eight Days on the John Muir Trail
(longreads.com)
2019-05-09
An Airplane’s Extraordinary Story Recalls Bygone U.S.-Rus...
(www.nytimes.com)
2019-05-08
The Mystery of the Millionaire Hermit
(longform.org)
2019-05-07
The Mysterious Disappearance of Sam Sayers
(longreads.com)
2019-05-04
How America’s Oldest Gun Maker Went Bankrupt: A Financial...
(www.nytimes.com)
2019-05-04
Giannis Antetokounmpo Is the Pride of a Greece That Shunn...
(nytimes.com)
2019-05-02
Deepfakes for good
(www.axios.com)
2019-05-02
She Hunted History’s Worst Arms Dealers. Now She’s Taking...
(narratively.com)
2019-04-27
The Raisin Situation (Published 2019)
(www.nytimes.com)
2019-04-27
Why are so many people getting rare cancers in this small...
(www.atlantamagazine.com)
2019-04-26
Just a Spoonful of Siouxsie
(longreads.com)
2019-04-25
A Dispatch From the Fast-Paced, Makeshift World of High-E...
(longreads.com)
2019-04-24
The Wild Carnival at the Heart of Skiing’s Most Dangerous...
(www.newyorker.com)
2019-04-23
The Best 'I Don't Know the Answer' Jeopardy! Answers
(www.theatlantic.com)
2019-04-21
Mystery Alaska
(longreads.com)
2019-04-21
The Curious Tale of the Salish Sea Feet
(longreads.com)
2019-04-21
The amazing rise — and shocking fall — of Indiana's cavia...
(www.indystar.com)
2019-04-21
From the archives: Inside the exclusive team dinners that...
(espn.com)
2019-04-19
How to identify a body: the Marchioness disaster and my l...
(www.theguardian.com)
2019-04-18
Where Grizzly Bears and Hobby Farmers Come Face to Face
(lithub.com)
2019-04-17
“The Big Error Was That She Was Caught”: The Untold Story...
(www.vanityfair.com)
2019-04-16
Dog rescued after it's found swimming 135 MILES out at sea
(www.dailymail.co.uk)
2019-04-16
Q: Why was it so hard to take a picture of a black hole? ...
(www.askamathematician.com)
2019-04-13
The Astronaut Who Might Actually Get Us to Mars – Texas M...
(www.texasmonthly.com)
2019-04-10
How Rupert Murdoch’s Empire of Influence Remade the World...
(www.nytimes.com)
2019-04-10
Part 2: Inside the Succession Battle for the Murdoch Empi...
(www.nytimes.com)
2019-04-10
Part 3: The Future of Fox: An Even More Powerful Politica...
(www.nytimes.com)
2019-04-09
The dogs that protect little penguins
(www.bbc.com)
2019-04-08
She falsely accused a stranger of trying to abduct her ch...
(www.washingtonpost.com)
2019-04-08
One night of telescope time rules out black hole/dark mat...
(arstechnica.com)
2019-04-03
Abigail Disney Has More Money Than She’ll Ever Spend
(www.thecut.com)
2019-04-03
My dispiriting, infuriating – and illuminating – tim...
(www.theguardian.com)
2019-04-03
A Drug Shows an Astonishing Ability to Regenerate Damaged...
(www.scientificamerican.com)
2019-04-02
Every Living Creature – Truly*Adventurous – Medium
(medium.com)
2019-04-02
How Anna Delvey Tricked New York’s Party People
(www.thecut.com)
2019-04-02
The Day the Dinosaurs Died
(www.newyorker.com)
2019-04-02
This woman quit her job to live on the road. Now capturin...
(www.vox.com)
2019-04-02
The Underground Railroad of North Korea - GQ
(www.gq.com)
2019-04-02
Casting Curses and Love Spells with the Most Powerful Wit...
(broadly.vice.com)
2019-04-01
The Brain That Remade Itself
(onezero.medium.com)
2019-04-01
‘In Afghanistan, We Laugh Differently’
(www.nytimes.com)
2019-04-01
The Last Ride of Cowboy Bob
(www.texasmonthly.com)
2019-03-28
Heaven Can Wait: The Hidden Genius of Elaine May - The Ri...
(www.theringer.com)
2019-03-28
A US$28 million Picasso masterpiece was missing for 20 ye...
(www.scmp.com)
2019-03-25
I wrote a story that became a legend. Then I discovered i...
(www.cjr.org)
2019-03-25
How the music of 1950’s Cuba revolutionized the sound of ...
(qz.com)
2019-03-25
Who Still Buys Wite-Out, and Why?
(www.theatlantic.com)
2019-03-25
Boy, 12, said to have created nuclear reaction in playroo...
(www.theguardian.com)
2019-03-25
The Quest to Acquire the Oldest, Most Expensive Book on t...
(lithub.com)
2019-03-25
Buc-ee’s: The Path to World Domination
(www.texasmonthly.com)
2019-03-22
A journey to the Disappointment Islands
(www.bbc.com)
2019-03-21
100-Year-Old Negatives Discovered in Block of Ice in Anta...
(mymodernmet.com)
2019-03-21
The Dark Romance and Grim Reality of Life in the French F...
(www.vanityfair.com)
2019-03-20
What a beautiful tiny house in rural Japan can teach us a...
(qz.com)
2019-03-16
How Turkish coffee destroyed an empire
(www.1843magazine.com)
2019-03-15
The Home Of SXSW Is So Much More Than That: How Austin Go...
(www.npr.org)
2019-03-15
The Believer — The California Sunday Magazine
(story.californiasunday.com)
2019-03-14
The History of the Color Blue: From Ancient Egypt to the ...
(mymodernmet.com)
2019-03-12
Is This the Greatest Photo in Jazz History?
(www.nytimes.com)
2019-03-09
The Prized Pepper That Comes From a Single New Mexican Town
(www.atlasobscura.com)
2019-03-06
The Female Chef Making Japan’s Most Elaborate Cuisine Her...
(www.newyorker.com)
2019-03-06
The Exile of Rick Pitino
(longform.org)
2019-03-05
‘The Island Always Brings You Back’: Finding a Caribbean ...
(www.nytimes.com)
2019-03-03
Texas Monthly Recommends: Soaking Up the Sounds on Saturd...
(www.texasmonthly.com)
2019-02-28
Culture Shock for French in Quebec: ‘We Smoke Cigarettes,...
(www.nytimes.com)
2019-02-27
This Picture Has No Red Pixels—So Why Do the Strawberries...
(motherboard.vice.com)
2019-02-22
Syria's wall of impunity begins to crack
(mondediplo.com)
2019-02-21
“She Never Looks Back”: Inside Elizabeth Holmes’s Final M...
(www.vanityfair.com)
2019-02-20
Who Killed Tulum?
(longform.org)
2019-02-19
The hunt to catch the fish pirates
(www.bbc.com)
2019-02-17
The Caviar Con - Longreads
(longreads.com)
2019-02-17
The Battle for the Soul of America in Garden City, Kansas
(link.medium.com)
2019-02-15
This Yacht Influencer Has the Perfect Life. Don't You Fee...
(melmagazine.com)
2019-02-12
OTL: The inside story of how Bob Costas got yanked from t...
(www.espn.com)
2019-02-11
Abuse of Faith
(longform.org)
2019-02-10
Lost in the Valley of Death
(www.outsideonline.com)
2019-02-10
A Surgeon Reflects On Death, Life And The 'Incredible Gif...
(www.npr.org)
2019-02-10
The Nazi Interrogator Who Revealed the Value of Kindness
(psmag.com)
2019-02-09
An Interview With the Realtor Selling the Suburban House ...
(slate.com)
2019-02-07
A Short History of Punk: From Late 50s Rockabilly and Gar...
(www.openculture.com)
2019-02-07
In the 1920s America, Jazz Music Was Considered Harmful t...
(www.openculture.com)
2019-02-07
Death and Valor on an American Warship Doomed by its Own ...
(features.propublica.org)
2019-02-05
Why Air France Really Stopped Flying the Concorde
(www.flyingmag.com)
2019-02-03
How a Freak Accident Happens
(www.esquire.com)
2019-02-02
A Guide to the Resplendent Riads of Marrakech
(www.afar.com)
2019-02-02
The Deported Americans
(story.californiasunday.com)
2019-02-02
The Desperado - The Atavist Magazine
(magazine.atavist.com)
2019-01-31
(29) Harry Patch: The Last Tommy - YouTube
(www.youtube.com)
2019-01-31
https://curiosity.com/topics/anatoli-bugorski-the-man-who...
(curiosity.com)
2019-01-30
https://downeast.com/oceans7/
(downeast.com)
2019-01-30
How an Olympic Hopeful Robbed 26 Banks on His Bike
(www.chicagomag.com)
2019-01-28
The Secret Sushi Bar on the 10th Floor
(www.nytimes.com)
2019-01-26
The Plot to Kill George Washington
(www.smithsonianmag.com)
2019-01-26
The Tech Revolt
(story.californiasunday.com)
2019-01-18
The Mysterious Life (and Death) of Africa’s Oldest Trees
(longform.org)
2019-01-18
The Ministry of Mr. Rogers
(longform.org)
2019-01-18
How a Stroke Turned a 63-Year-Old Into a Rap Legend
(longform.org)
2019-01-16
Well, That Was One Hell of a Ride | By Richard Jefferson
(www.theplayerstribune.com)
2019-01-14
Arborists Are Bringing the 'Dinosaur of Trees' Back To Life
(science.slashdot.org)
2019-01-13
Science’s pirate queen
(getpocket.com)
2019-01-13
Underrated | By Stephen Curry
(www.theplayerstribune.com)
2019-01-11
"Leave No Soldier Behind"
(longform.org)
2019-01-11
The Strange and Mysterious Death of Mrs. Jerry Lee Lewis ...
(www.rollingstone.com)
2019-01-10
Beautiful But Deadly: The Creepiest Devices From Medicine...
(www.collectorsweekly.com)
2019-01-10
The castaway tribal woman who spent 18 years alone on an ...
(www.neatorama.com)
2019-01-10
Pickup™ turns romance into a commodity for male consumpti...
(aeon.co)
2019-01-09
On the Trail of the World's Most Daring Egg Smuggler
(www.outsideonline.com)
2019-01-09
The blind spot of science is the neglect of lived experie...
(aeon.co)
2019-01-09
Brannock Device History: A Machine That Measures Feet
(tedium.co)
2019-01-07
How a soccer agent and Chinese billionaire aimed to trade...
(www.reuters.com)
2019-01-07
The Story of Dyngo, a War Dog Brought Home From Combat
(www.smithsonianmag.com)
2019-01-07
The French Burglar Who Pulled Off His Generation’s Bigges...
(longform.org)
2019-01-07
The French Burglar Who Pulled Off His Generation’s Bigges...
(www.newyorker.com)
2019-01-03
The King of Adventure Stares Down Death
(narratively.com)
2019-01-01
Deal-Master Debbane: Meet The Secretive Lebanese Immigran...
(www.forbes.com)
2018-12-31
How a Real-Estate Scuffle Turned into a True Tale of Miam...
(www.vanityfair.com)
2018-12-26
The unbelievable tale of a fake hitman, a kill list, a da...
(www.wired.co.uk)
2018-12-24
The game of their lives was 25 years ago. They’re still r...
(www.washingtonpost.com)
2018-12-24
Max Cooper - Emergence
(emergence.maxcooper.net)
2018-12-21
Was History Fair to the Triangle Shirtwaist Factory Owner...
(www.smithsonianmag.com)
2018-12-21
An Elephant Crackup? - The New York Times
(www.nytimes.com)
2018-12-21
Make Peace with Your Unlived Life
(hbr.org)
2018-12-21
The Secret Baby Catchers of Alabama
(highline.huffingtonpost.com)
2018-12-17
The Yoda of Silicon Valley (Published 2018)
(www.nytimes.com)
2018-12-16
My Dad's Friendship With Charles Barkley
(longform.org)
2018-12-16
The Bleeding Edge: a terrifying, enraging look at the cor...
(boingboing.net)
2018-12-16
A Professional Safecracker Reveals His Craft - The Atlantic
(www.theatlantic.com)
2018-12-16
Ruth Bader Ginsburg on the power of ‘difficult women’
(www.nationalgeographic.com)
2018-12-16
Tarrare: The Medical Marvel Who Could Eat Anything — And Did
(allthatsinteresting.com)
2018-12-16
In praise of parasites
(www.knowablemagazine.org)
2018-12-14
“Looking for Elvis”: An Oral History of Saddam Hussein's ...
(www.esquire.com)
2018-12-14
The Unlikely New Generation of Unabomber Acolytes
(nymag.com)
2018-12-10
Brittney Griner and Diana Taurasi opted to play in Russia...
(www.espn.com)
2018-12-10
An Archive of 800 Imaginative Propaganda Maps Designed to...
(www.openculture.com)
2018-12-10
Syria’s Last Bastion of Freedom
(longform.org)
2018-12-10
https://www.rbth.com/longreads/jackals/
(www.rbth.com)
2018-12-07
Mr Wu
(granta.com)
2018-12-06
The Woman Who Outruns the Men, 200 Miles at a Time
(www.nytimes.com)
2018-12-03
Ansel Adams’ pictures of Los Angeles recall an era of war...
(medium.californiasun.co)
2018-11-30
“I Don’t Want to Shoot You, Brother”
(longform.org)
2018-11-29
The Expectations and Realities of Six-Man Football in Sma...
(www.texasmonthly.com)
2018-11-28
Looking Inside My Heart - Longreads
(longreads.com)
2018-11-26
The Triple Jeopardy of a Chinese Math Prodigy
(longform.org)
2018-11-22
The Fire and Everything After
(longform.org)
2018-11-21
We Thought We Knew Faith, Until We Didn’t
(www.thecut.com)
2018-11-21
Predatory Lending Practices: Business Borrowers Hurt By ’...
(www.bloomberg.com)
2018-11-21
Tossing a Bird That Does Not Fly Out of a Plane
(longform.org)
2018-11-20
The amazing craft of samurai swords
(www.bbc.com)
2018-11-20
A day in the life of Lloyd Squires, Vermont's 'best' bage...
(www.burlingtonfreepress.com)
2018-11-19
The Captivating Story Behind the Making of Ansel Adams’ M...
(www.openculture.com)
2018-11-18
An Oral History of Laurel Canyon, the Sixties and Seventi...
(www.vanityfair.com)
2018-11-17
Built to Burn - 99% Invisible
(99percentinvisible.org)
2018-11-17
The Lethal Lunch That Shook Scotland
(www.atlasobscura.com)
2018-11-17
Will Stanich's Ever Reopen? Why America's Best Burger Spo...
(www.thrillist.com)
2018-11-16
Crossing the Sahara in the Fourteenth Century | François-...
(www.laphamsquarterly.org)
2018-11-16
A new wave of grain - Boulder Weekly
(www.boulderweekly.com)
2018-11-11
Secret Life of a Psych Ward Security Guard
(narratively.com)
2018-11-10
The Stranger in the Shelter
(longform.org)
2018-11-08
Moonshine and the Mountaineers: West Virginia's tailgate ...
(kwese.espn.com)
2018-11-07
The Florida Man Can’t | Nathan Taylor Pemberton
(thebaffler.com)
2018-11-07
A Debaculous Fiasco
(www.damninteresting.com)
2018-11-07
The Lessons Of Dien Bien Phu | Hoover Institution
(www.hoover.org)
2018-11-03
War of the Worlds
(www.wnycstudios.org)
2018-11-03
Is Agnes Gund the Last Good Rich Person?
(www.nytimes.com)
2018-10-31
The Shipbreakers
(longform.org)
2018-10-31
After the Fire
(longform.org)
2018-10-28
A Cardiologist’s 9/11 Story - Issue 64: The Unseen
(nautil.us)
2018-10-28
The Halfway House
(barrenmagazine.com)
2018-10-28
From Lithuania, with love
(roadsandkingdoms.com)
2018-10-28
What the Hell Happened to Darius Miles? | By Darius Miles
(www.theplayerstribune.com)
2018-10-28
Inside the Tiger Factory
(longform.org)
2018-10-28
https://www.curbed.com/a/texas-california/gilroy-californ...
(www.curbed.com)
2018-10-25
Buying My First Gun in the Dark Heart of America
(lithub.com)
2018-10-25
The Unsolved Murder of an Unusual Billionaire
(longform.org)
2018-10-25
Sword Swallowers and Shrunken Heads: An Ode to Johnny Fox...
(www.collectorsweekly.com)
2018-10-24
The elephant as a person
(aeon.co)
2018-10-23
The man who has eaten at more than 7,300 Chinese restaura...
(www.scmp.com)
2018-10-22
Hemingway, a Lost Suitcase, and the Recipe for Stupidity
(fs.blog)
2018-10-22
How a Gang of Hedge Funders Strip-Mined Kentucky’s Public...
(theintercept.com)
2018-10-21
How Being a Line Cook Ruined Me
(munchies.vice.com)
2018-10-20
How the Finnish survive without small talk
(www.bbc.com)
2018-10-20
For Want of a Nail
(www.texasmonthly.com)
2018-10-18
Dandelion seeds fly using ‘impossible’ method never befor...
(www.nature.com)
2018-10-12
The Love Story that Upended the Texas Prison System – Tex...
(www.texasmonthly.com)
2018-10-11
Proof of life: how would we recognise an alien if we saw ...
(aeon.co)
2018-10-11
Small-Town Injustice
(longform.org)
2018-10-10
West Virginia’s Small-Town Revival
(www.nytimes.com)
2018-10-08
My Bodyguard, My Self
(longform.org)
2018-10-07
Death at Delta Sig: Heiress Wages a Million-Dollar War on...
(www.bloomberg.com)
2018-10-07
Meet the Undercover Crime Unit Battling Miami's Black Mar...
(www.audubon.org)
2018-10-07
The Loneliest Democrat in America
(longform.org)
2018-10-07
The Royal Touch
(mondediplo.com)
2018-10-07
The Missing Parents and the Melting Glacier
(www.gq.com)
2018-10-06
Narratively | Substack
(t.co)
2018-09-29
Encounters: Afternoon Beers With a Former Sex Pistol
(www.nytimes.com)
2018-09-28
My career as an international blood smuggler
(www.theguardian.com)
2018-09-28
Man-Eaters
(longform.org)
2018-09-25
Dial-a-Ride
(aeon.co)
2018-09-21
The Brilliant, Playful, Bloodthirsty Raven
(www.theatlantic.com)
2018-09-15
The Best Life Ever Lived? | Current Affairs
(www.currentaffairs.org)
2018-09-15
The mind of an anthill
(www.knowablemagazine.org)
2018-09-15
Inside the Mind of a Bodega Signmaker - CityLab
(www.citylab.com)
2018-09-15
He Was a First-Round Draft Pick in the NBA. 14 Years Late...
(longform.org)
2018-09-15
What Happened at the Lake
(longform.org)
2018-09-14
The frozen bodies of Antarctica
(www.bbc.com)
2018-09-09
Blood and Oil
(longform.org)
2018-09-09
A Turbulent Mind
(longform.org)
2018-09-07
The enormous lakes in the air
(www.bbc.com)
2018-09-05
Losers' Lunch - Longreads
(longreads.com)
2018-09-05
Riding With the Diplomatic Couriers Who Deliver America's...
(www.wired.com)
2018-09-04
Meet the table busser who’s worked at the same Wilmette p...
(www.chicagotribune.com)
2018-08-31
Rare Condition Means Blind Woman Can Only See Moving Objects
(www.newsweek.com)
2018-08-31
The Mauritania Railway: backbone of the Sahara
(aeon.co)
2018-08-31
Mystery of the cargo ships that sink when their cargo sud...
(theconversation.com)
2018-08-31
How a Brutal Mafia Enforcer Became a Deadly Serious Marat...
(narrative.ly)
2018-08-29
How to be human: the man who was raised by wolves
(www.theguardian.com)
2018-08-28
It Came From the ’70s: The Story of Your Grandma’s Weird ...
(www.collectorsweekly.com)
2018-08-28
The Man Who Walked Backward
(www.texasmonthly.com)
2018-08-28
The Fences Between Us
(www.texasmonthly.com)
2018-08-28
https://stephenmann.io/post/whats-in-a-production-web-app...
(stephenmann.io)
2018-08-24
How a hacker network turned stolen press releases into $1...
(www.theverge.com)
2018-08-23
The Hobo Code: An Introduction to the Hieroglyphic Langua...
(www.openculture.com)
2018-08-22
The Strange Life and Mysterious Death of a Panther-Trappi...
(narrative.ly)
2018-08-20
Narratively | Substack
(narrative.ly)
2018-08-20
The Super Bowl of Beekeeping
(longform.org)
2018-08-18
Language at the End of the World
(longform.org)
2018-08-18
The Great Chinese Art Heist
(longform.org)
2018-08-18
Snowbound
(longform.org)
2018-08-18
The Charmed Life of Esther the Wonder Pig
(longform.org)
2018-08-17
The High-Stakes Race to Create the World's First Artifici...
(www.texasmonthly.com)
2018-08-16
How a Transplanted Face Transformed a Young Woman’s Life
(www.nationalgeographic.com)
2018-08-15
What It Takes to Hold Your Breath for 24 Minutes (Yeah, I...
(www.wired.com)
2018-08-15
Into the Cave of Chile’s Witches
(www.smithsonianmag.com)
2018-08-15
Portrait of an Artist as an Old Man
(longform.org)
2018-08-15
The Spy Who Drove Me
(longform.org)
2018-08-13
Inside the Poisoning of a Russian Double Agent
(longform.org)
2018-08-13
Serie Nacional
(longform.org)
2018-08-09
Predators, Prey, and Vodka - Issue 63: Horizons
(nautil.us)
2018-08-05
Why I Ripped The Same CD 300 Times
(john-millikin.com)
2018-08-05
Horseman, Pass By
(longform.org)
2018-08-04
The pilots who risk their lives flying tiny planes over t...
(www.bbc.com)
2018-07-30
Meet the Anarchists Making Their Own Medicine
(motherboard.vice.com)
2018-07-07
The Vineyard Where Retired French Soldiers Make Wine
(www.atlasobscura.com)
2018-07-06
Feature: Who’s Afraid of the Big Bad Wolf Scientist?
(www.nytimes.com)
2018-07-02
Death and Dying in the Canadian Arctic
(lithub.com)
2018-07-02
An Ohio Startup Rebuilds Lives One Piece of Fried Chicken...
(www.politico.com)
2018-07-01
Inside the 20-year decline of Toys R Us
(www.retaildive.com)
2018-07-01
The Counterfeit Queen of Soul | Arts & Culture | Smithsonian
(www.smithsonianmag.com)
2018-06-25
What a Russian Smile Means - Issue 61: Coordinates
(nautil.us)
2018-06-08
The Left Side of Steve Kerr’s Brain
(www.nytimes.com)
2018-05-20
The All-American Bank Heist
(longform.org)
2018-05-19
Jeff Pike, Texas’s Own Tony Soprano
(www.texasmonthly.com)
2018-05-13
Inside the Final Days of Robin Williams
(www.vanityfair.com)
2018-05-09
The Most Unlikely D.A. In America - POLITICO Magazine
(www.politico.com)
2018-05-09
The Most Unlikely D.A. In America
(longform.org)
2018-05-08
The Great Unsolved Mystery of Missing Marjorie West
(narrative.ly)
2018-05-07
Little Sunfish: The Robot That Could - Longreads
(t.co)
2018-05-06
The Great High School Impostor | GQ
(www.gq.com)
2018-05-01
Murder at the Alcatraz of the Rockies
(longform.org)
2018-05-01
Murder at the Alcatraz of the Rockies — The Atavist Magazine
(magazine.atavist.com)
2018-04-13
Monsieur Bébé: The Brief, Strange Life of Raymond Radiguet
(www.theparisreview.org)
2018-04-08
“The Clock Is Ticking”: Inside the Worst U.S. Maritime Di...
(www.vanityfair.com)
2018-04-08
What the Arlee Warriors Were Playing For
(longform.org)
2018-04-01
After 30 years, she was about to be deported. Then, a tin...
(www.washingtonpost.com)
2018-03-30
Pretending to Be Okay
(longform.org)
2018-03-30
Traffic: How Air Traffic Control Works | GQ
(www.gq.com)
2018-03-29
Coronado High - The Atavist Magazine
(magazine.atavist.com)
2018-03-24
Gangster’s paradise: how organised crime took over Russia
(www.theguardian.com)
2018-03-12
Ball Breakers
(longform.org)
2018-03-07
The Story of Dave and His Killer Bread
(www.theringer.com)
2018-02-24
The Amazing Story of the Russian Defector Who Changed his...
(www.washingtonian.com)
2018-02-20
The Tiger Balm story: how ointment for every ailment was ...
(www.scmp.com)
2018-02-20
The Daring Plan to Save a Religious Minority from ISIS | ...
(www.newyorker.com)
2018-02-12
How New Zealand made Edmund Hillary, the man who conquere...
(www.sbnation.com)
2018-02-12
Meet the last practitioners of sfyria, Greece's whistling...
(theoutline.com)
2018-02-12
The Conqueror Who Longed for Melons - Gastro Obscura
(www.atlasobscura.com)
2018-02-01
An abandoned lifeboat at world’s end
(mikedashhistory.com)
2018-01-30
What to Do When Your Brain Insists You’re Always on a Boa...
(nautil.us)
2018-01-28
The Noose Beneath the Waves
(longform.org)
2018-01-24
The Long Fall of iHeart, Once the Most Powerful and Feare...
(www.texasmonthly.com)
2018-01-14
The Encyclopedia of the Missing
(longform.org)
2018-01-10
Twilight Of The Yellowstone Winterkeepers
(mountainjournal.org)
2017-12-24
Doctors: Christmas in the I.C.U.
(www.nytimes.com)
2017-12-22
Explorer: In the California Desert: Vast Darkness, Vibran...
(www.nytimes.com)
2017-12-15
Revealed: The Secrets Of One Of The World's Dirtiest Bank...
(www.buzzfeed.com)
2017-12-01
A Lonely Death
(www.nytimes.com)
2017-11-24
Baseball, BBQ, and Dead Ponies—A History of Fat Men’s Clu...
(www.texasmonthly.com)
2017-11-21
How an unpaid UK researcher saved the Japanese seaweed in...
(arstechnica.com)
2017-11-16
Rough, smooth or deep: why the sound of a voice is multis...
(aeon.co)
2017-11-15
Despite devastating injuries, struggling towns still see ...
(www.washingtonpost.com)
2017-11-10
In the Land of Vendettas That Go On Forever
(longform.org)
2017-10-27
‘Tiny House Hunters’ and the shrinking American dream
(www.curbed.com)
2017-10-13
The scientists persuading terrorists to spill their secrets
(www.theguardian.com)
2017-10-10
See the Beautiful, Campy Posters of Meat Fight
(www.texasmonthly.com)
2017-09-24
Did Frank Sinatra Really Perform at My Grandma's High Sch...
(www.cantgetmuchhigher.com)
2012-09-24
Just Listen to This Extremely Remote Canadian Mechanic Ta...
(www.thedrive.com)
2011-09-24
The Nazi of Oak Park
(www.chicagomag.com)
2011-08-24
Home - Works in Progress
(worksinprogress.co)
2010-10-24
Was doomed US submarine caught by a monster whirlpool in ...
(www.scmp.com)
2010-08-24
Emma Carey: The skydiver who survived a 14000-foot fall
(www.espn.com)
2009-09-24
Troy Aikman ‘never lost at anything.’ He’s just now start...
(www.nytimes.com)
2009-09-24
Russia’s Espionage War in the Arctic
(www.newyorker.com)
2002-09-24
A Strange Encounter With A Stranger
(open.substack.com)
-->
behaviors (all)
categories:
tags:
behaviors
date: 30 Mar 2025
slug:raindrop-behaviors-all
(www.dailydot.com)
2025-04-08
The Bandwagon Effect: Why People Tend to Follow the Crowd...
(effectiviology.com)
2025-04-02
Psychology’s Groupthink Helps Explain the Signal Chat Fiasco
(www.scientificamerican.com)
2025-03-29
Breaking Through
(www.nytimes.com)
2025-03-18
How do we start learning to ‘read’ other people’s minds?
(psyche.co)
2025-02-06
Curiosity Snacks: How to Redirect Your Impulse to Know
(nesslabs.com)
2025-01-29
Fix Three Broken Things
(www.raptitude.com)
2025-01-20
Frustration Tolerance: An Essential for Surviving Large Orgs
(www.leadingsapiens.com)
2025-01-12
THERE ARE IDIOTS: Seven pillars of market bubbles | Acadi...
(www.acadian-asset.com)
2025-01-11
The Anti-Social Century
(www.theatlantic.com)
2024-12-29
Instead of Being Cynical, Try Becoming Skeptical - by Jam...
(behavioralscientist.org)
2024-12-28
Most Read Articles of 2024 - By The Editorial Board - Beh...
(behavioralscientist.org)
2024-12-24
A User’s Guide to Building a Subculture—Asterisk
(asteriskmag.com)
2024-11-19
The Ancient Art of Saying No: Plutarch's Guide to Breakin...
(www.artofmanliness.com)
2024-11-11
Hofstadter’s Law: It always Takes Longer Than You Expect
(effectiviology.com)
2024-11-03
The 20 Best Lessons from Social Psychology
(blog.zmh.org)
2024-10-22
The Fundamental Attribution Error: When People Underestim...
(effectiviology.com)
2024-10-18
How to manage people's behavior- Fast Company
(www.fastcompany.com)
2024-08-04
Can We Create a Pattern Language for Behavioral Design? -...
(behavioralscientist.org)
2024-07-28
Judge People Effectively and Accurately Using Personality...
(nextbigideaclub.com)
2024-07-13
A Pickpocket’s Tale
(www.newyorker.com)
2024-06-16
Useful and Overlooked Skills
(collabfund.com)
2024-06-11
Who’s Afraid of Mickey Mouse?
(www.thedial.world)
2024-06-01
Who Still Buys Wite-Out, and Why?
(getpocket.com)
2024-05-21
How to Cultivate Taste in the Age of Algorithms
(behavioralscientist.org)
2024-05-20
Con-Culture Experts On the History and Future of Scamming
(getpocket.com)
2024-05-20
The Amazing Psychology of Japanese Train Stations
(getpocket.com)
2024-05-17
The '3.5% rule': How a small minority can change the world
(www.bbc.com)
2024-05-14
Narcissism and Self-Esteem Are Very Different
(getpocket.com)
2024-05-12
Scientists have found a simple yet brilliant hack for spo...
(www.good.is)
2024-04-30
Sunday Firesides: Just Be Cool
(www.artofmanliness.com)
2024-04-19
The 'shopping cart theory' supposedly tests if you are a ...
(www.good.is)
2024-04-16
The Laws of Human Nature by Robert Greene - Summary & Notes
(www.grahammann.net)
2024-04-16
Startling differences between humans and jukeboxes
(www.experimental-history.com)
2024-04-15
The Post Hoc Ergo Propter Hoc Fallacy: “After This, There...
(effectiviology.com)
2024-04-15
Story #1 - Embezzlers are Nice People | Stimmel Law
(www.stimmel-law.com)
2024-04-10
No Spoilers, Please! Why Curiosity Makes Us Patient
(www.scientificamerican.com)
2024-04-06
How to drive a stake through your own good heart
(www.experimental-history.com)
2024-04-04
Goodhart's law
(en.wikipedia.org)
2024-04-01
So You Think You’ve Been Gaslit
(www.newyorker.com)
2024-03-27
Uber-style pricing is coming for everything
(www.vox.com)
2024-03-27
Why are Russians so stingy with their smiles?
(theconversation.com)
2024-03-25
To Make Your Product a Habit, Start With These Powerful T...
(www.choicehacking.com)
2024-03-04
Why Do East Asian Firms Value Drinking? - by Alice Evans
(www.ggd.world)
2024-03-03
What is Maslow’s Hammer?
(www.choicehacking.com)
2024-03-03
What is the Concorde Fallacy?
(www.choicehacking.com)
2024-02-29
How the brain responds to reward is linked to socioeconom...
(news.mit.edu)
2024-02-29
Precommitment: Intentionally Limiting Your Future Options...
(effectiviology.com)
2024-02-29
How to spot a liar: 10 essential tells – from random laug...
(www.theguardian.com)
2024-02-29
The Curiosity Matrix: 9 Habits of Curious Minds
(nesslabs.com)
2024-02-29
Mimicry, Camouflage and Deceptive Behavior
(www.brisbaneinsects.com)
2024-02-29
The Shirky Principle: Institutions Try to Preserve the Pr...
(effectiviology.com)
2024-02-29
desk moves
(larahogan.me)
2024-02-12
Why Incompetent People Think They’re Competent: The Dunni...
(www.openculture.com)
2024-02-11
Personal and political shaming is running hot, yet it doe...
(psyche.co)
2024-02-10
Tools for better thinking | Untools
(untools.co)
2024-02-06
Shari Liu: How babies think about danger | TED Talk
(www.ted.com)
2024-02-05
15 Quotes on the Unparalleled Power of Example
(www.artofmanliness.com)
2024-02-05
How Inuit Parents Teach Kids To Control Their Anger
(www.npr.org)
2024-02-01
The Two Ways of Doing
(www.raptitude.com)
2024-01-23
What happens when an astronaut in orbit says he’s not com...
(arstechnica.com)
2024-01-17
Psychology for UX: Study Guide
(www.nngroup.com)
2024-01-16
How to be More Agentic
(usefulfictions.substack.com)
2024-01-11
Building an antilibrary: the power of unread books
(nesslabs.com)
2023-10-24
Unlocking User Engagement: 8 Strategies to Drive Conversi...
(www.behavioraleconomics.com)
2023-10-06
The Sociological Eye: FIVE KINDS OF FRIENDS
(sociological-eye.blogspot.com)
2023-10-06
These are the mental processes required to tell a convinc...
(psyche.co)
2023-10-04
Never say “no,” but rarely say “yes.”
(longform.asmartbear.com)
2023-10-03
The all-out revolt against Knitting.com helps explain boy...
(qz.com)
2023-09-29
Hagakure: Book of the Samurai - hagakure.pdf
(ia804603.us.archive.org)
2023-09-19
Ness Labs Best Books of September 2023
(nesslabs.com)
2023-09-17
The Science of Gift Giving
(theness.com)
2023-08-27
When in Doubt, Copy
(thereader.mitpress.mit.edu)
2023-08-14
Aristotle’s 10 Rules for a Good Life
(www.theatlantic.com)
2023-08-09
Debiasing: How to Reduce Cognitive Biases in Yourself and...
(effectiviology.com)
2023-08-07
Do You Know How to Behave? Are You Sure?
(www.thecut.com)
2023-08-05
The Michael Scott Theory of Social Class
(link.sbstck.com)
2023-07-29
The secret economics of the Birkin bag
(businessday.ng)
2023-07-28
How PEZ Evolved From an Anti-Smoking Tool to a Beloved Co...
(getpocket.com)
2023-07-24
Why We Laugh
(kutkutx.studio)
2023-07-24
How to (Actually) Change Someone’s Mind
(getpocket.com)
2023-07-24
The Secret History And Strange Future Of Charisma
(noemamag.com)
2023-07-24
The fear of being duped is ubiquitous, but excessive scep...
(aeon.co)
2023-07-22
How We Determine What to Believe as True
(theness.com)
2023-07-22
Notes From the Inner Lives of Con Artists
(getpocket.com)
2023-07-16
‘The Bear’ and the Need for a Place to Belong
(www.nytimes.com)
2023-06-18
People Can Be Convinced They Committed a Crime That Never...
(www.psychologicalscience.org)
2023-06-01
An Illustrated Guide to Mouth Gestures and Their Meanings...
(thereader.mitpress.mit.edu)
2023-05-31
Taxonomy of procrastination
(dynomight.net)
2023-05-06
How Your Body Posture Communicates Feelings to Others
(greatergood.berkeley.edu)
2023-05-03
Make Yourself Happy: Be Kind
(www.theatlantic.com)
2023-04-30
Whistleblowers Are the Conscience of Society, Yet Suffer ...
(covertactionmagazine.com)
2023-04-24
The von Restorff Isolation Effect: What Stands Out Is Rem...
(effectiviology.com)
2023-04-12
Small acts of kindness matter more than you think
(www.vox.com)
2023-04-12
Nudge: How Small Changes Can Significantly Influence Peop...
(effectiviology.com)
2023-04-08
The Art and Science of Spending Money
(collabfund.com)
2023-04-08
Hacker News
(tedgioia.substack.com)
2023-04-05
The Purpose Of Life Is Not Happiness: It’s Usefulness
(getpocket.com)
2023-03-29
The Running Conversation in Your Head
(getpocket.com)
2023-03-28
Be Dignified, as a Rule
(www.raptitude.com)
2023-03-22
How to live like an Epicurean | Psyche Guides
(psyche.co)
2023-03-20
Why can’t Americans agree on, well, nearly anything? Phil...
(theconversation.com)
2023-03-19
How to be a better loser | Psyche Guides
(psyche.co)
2023-03-16
Shoshikantetsu
(asnewman.github.io)
2023-03-16
Dunning–Kruger Effect - The Decision Lab
(thedecisionlab.com)
2023-03-16
Why Do Stupid People Think They're Smart? The Dunning Kru...
(www.youtube.com)
2023-03-15
Young Chinese Ask: Does This Life Spark Joy?
(www.sixthtone.com)
2023-03-13
Why we usually can't tell when a review is fake
(npr.org)
2023-03-12
lifehacks - Alexey Guzey
(guzey.com)
2023-03-02
How Loneliness Reshapes the Brain | Quanta Magazine
(www.quantamagazine.org)
2023-02-22
A ‘Distinctly Human’ Trait That Might Actually Be Universal
(www.theatlantic.com)
2023-02-20
Research: How Risky Behavior Spreads
(hbr.org)
2023-02-17
How to have more fun: 5 ideas to make your life more play...
(www.npr.org)
2023-02-16
What Is Psychological Safety?
(hbr.org)
2023-02-16
There’s a Growing Crisis in Our Social Lives. Is the Cure...
(slate.com)
2023-02-15
A neuroscientist shares the 4 ‘highly coveted’ skills tha...
(www.cnbc.com)
2023-02-10
Why Everyone Feels Like They’re Faking It
(www.newyorker.com)
2023-02-08
Hacker News
(www.wisdomination.com)
2023-02-07
The PR Power of Fessing Up
(sloanreview.mit.edu)
2023-02-07
Kind Engineering: How To Engineer Kindness
(kind.engineering)
2023-02-03
Bonhoeffer's "theory of stupidity": We have more to fear ...
(bigthink.com)
2023-02-02
The Burden of Proof: Why People Should Support Their Clai...
(effectiviology.com)
2023-01-31
An alternate ending to the tragedy of the commons
(medium.com)
2023-01-31
The Power of the Stora Rör Swimming Association and Other...
(behavioralscientist.org)
2023-01-29
The Benjamin Franklin Effect: Build Rapport by Asking for...
(effectiviology.com)
2023-01-29
The Alchian-Allen Effect
(www.thediff.co)
2023-01-27
How to Talk with Your Team About the Elephant in the Room
(hbr.org)
2023-01-25
The Manipulative Power of Small Favors: How to Disarm Rec...
(betterhumans.pub)
2023-01-23
The lonely zone
(seths.blog)
2023-01-22
Easily Distracted? You Need to Think Like a Medieval Monk
(www.wired.com)
2023-01-22
Mental Models to Help You Cut Your Losses - By Annie Duke...
(behavioralscientist.org)
2023-01-13
Life Lessons from 1,000 Years | The Curiosity Chronicle
(www.sahilbloom.com)
2023-01-02
The Five Tools of Hedonic Design
(experimentalhistory.substack.com)
2022-12-28
The Coach in the Operating Room (2011)
(www.newyorker.com)
2022-12-21
Why vinyl records survive in the digital age | Ars Technica
(arstechnica.com)
2022-12-18
An Ancient Solution to Modern Problems | Hidden Brain Media
(hiddenbrain.org)
2022-12-06
Deliberate doubt: the art of questioning our assumptions
(nesslabs.com)
2022-11-23
Why Do We Love the Music We Love?
(gizmodo.com)
2022-11-22
The Secret To Talking To Someone Who Always Gets Defensive
(www.fatherly.com)
2022-11-21
A "psychological vaccine": Why prebunking is the best way...
(bigthink.com)
2022-11-18
'Persuasion Fatigue' Is a Unique Form of Social Frustration
(www.scientificamerican.com)
2022-11-17
The stigma around secondhand gifting is fading away
(retailwire.com)
2022-11-05
How we tune out distractions
(news.mit.edu)
2022-11-05
https://www.sciencemag.org/news/2019/06/psychologist-expl...
(www.sciencemag.org)
2022-11-05
How to Be Resilient in the Face of Harsh Criticism
(hbr.org)
2022-10-30
The Psychologist | BPS
(www.bps.org.uk)
2022-10-29
A Complete Taxonomy of Internet Chum - The Awl
(www.theawl.com)
2022-10-18
Brandolini’s Law: The Bullshit Asymmetry Principle
(effectiviology.com)
2022-10-05
The four horsemen of fear
(nesslabs.com)
2022-10-04
Charlie Tyson: "Theater of Shame"
(yalereview.org)
2022-10-01
How to have better arguments | Psyche Guides
(psyche.co)
2022-09-27
The strange psychology of Reddit's r/RoastMe
(www.inverse.com)
2022-09-22
Escape the perfectionist trap with the Japanese philosoph...
(bigthink.com)
2022-09-20
Do You Even Need a Hobby?
(getpocket.com)
2022-09-18
The Real Magic of Rituals
(nautil.us)
2022-09-15
The utterly delightful site dedicated to classifying plas...
(www.inputmag.com)
2022-09-14
A Gentleman’s Guide to Getting Out of a Conversation
(getpocket.com)
2022-09-13
Four Ways to Cool Down Your Defensiveness
(greatergood.berkeley.edu)
2022-09-09
Purring Is a Love Language No Human Can Speak
(www.theatlantic.com)
2022-09-09
How to cope with shame | Psyche Guides
(psyche.co)
2022-09-05
The Midwit Trap
(philo.substack.com)
2022-09-01
How to Figure Out the Power Dynamics in a New Job
(hbr.org)
2022-09-01
A Game Designer’s Analysis Of QAnon
(medium.com)
2022-08-31
How I Learned to Talk to Aggressive People | by Savannah ...
(betterhumans.pub)
2022-08-30
Down the Rabbit Hole: Why People Fall for Conspiracy Theo...
(getpocket.com)
2022-08-28
The Trait That ‘Super Friends’ Have in Common
(www.theatlantic.com)
2022-08-27
Five Lessons from History
(www.collaborativefund.com)
2022-08-25
L
(www.bbc.com)
2022-08-22
The Neuroscience Behind Bad Decisions
(getpocket.com)
2022-08-22
The Church of Interruption | Sam Bleckley
(sambleckley.com)
2022-08-19
Kind gestures bring recipients more joy than we assume
(www.futurity.org)
2022-08-19
The Hidden Power of Workplace Rituals
(hbr.org)
2022-08-17
The Scientific Underpinnings and Impacts of Shame
(getpocket.com)
2022-08-17
Judgment is an exercise in discretion: circumstances are ...
(aeon.co)
2022-08-15
Seven Things I Learnt Doing Stand-Up Comedy | Michael Gom...
(michaelgv.uk)
2022-08-14
All time best interviews with accused fraudsters
(bedrock.substack.com)
2022-08-14
The Economic Principle That Helps Me Order at Restaurants
(www.theatlantic.com)
2022-08-14
The Importance of Holiday Cards
(getpocket.com)
2022-08-13
Animal Magic: Why Intelligence Isn’t Just for Humans
(getpocket.com)
2022-08-12
On the moral virtues of mischief and mischievous people |...
(aeon.co)
2022-08-09
How effective altruism went from a niche movement to a bi...
(www.vox.com)
2022-08-09
The Psychology of FOMO
(theness.com)
2022-08-08
Taxonomy of Influence Strategies | Playmaker
(www.playmakersystems.com)
2022-08-05
The Making of a Conspiracy Theory | Tzafrir Barzilay
(www.laphamsquarterly.org)
2022-08-01
How the Brain Links Gestures, Perception and Meaning
(getpocket.com)
2022-07-29
What Keeps a Crowd from Becoming a Mob?
(www.scientificamerican.com)
2022-07-28
The value of not flying
(koenfucius.medium.com)
2022-07-26
Shamelessness as a strategy
(nadia.xyz)
2022-07-24
When Did Shaking Hands Become a Standard Way of Greeting ...
(getpocket.com)
2022-07-19
Quiet People in Meetings Are Incredible
(medium.com)
2022-07-19
Be the Most Persuasive Person in the Room: 9 Things Highl...
(www.inc.com)
2022-07-19
Medium
(medium.com)
2022-07-19
https://betterhumans.coach.me/how-to-sell-anything-aristo...
(betterhumans.coach.me)
2022-07-19
Medium
(medium.com)
2022-07-19
12-tactic-to-become-more-leaderlike-influential-and-chari...
(projectcharisma.com)
2022-07-19
https://betterhumans.coach.me/cognitive-bias-cheat-sheet-...
(betterhumans.coach.me)
2022-07-19
Medium
(medium.com)
2022-07-19
A Checklist of eCommerce Tactics
(www.nickkolenda.com)
2022-07-19
How to Seize Attention with the Secrets of a Sideshow Barker
(betterhumans.coach.me)
2022-07-19
How Great Leaders Respond to Negative Criticism in the Di...
(readwrite.com)
2022-07-19
Tribal Leadership: The Key To Building Great Teams
(www.farnamstreetblog.com)
2022-07-19
Medium
(medium.com)
2022-07-19
Getting Your Product Into the Habit Zone
(www.nirandfar.com)
2022-07-19
The Nine Primary Tactics Used to Influence Others
(www.farnamstreetblog.com)
2022-07-19
Loyalists vs Mercenaries
(avc.com)
2022-07-19
Product Leadership Rules to Live By From My Experience at...
(firstround.com)
2022-07-19
Harvard's Sendhil Mullainathan on behavior and poverty | ...
(www.harvardmagazine.com)
2022-07-19
https://measureofdoubt.com/2017/02/05/which-cognitive-bia...
(measureofdoubt.com)
2022-07-19
Medium
(medium.com)
2022-07-19
Habits v2
(jamesclear.com)
2022-07-19
save-for-later
(dianaberlin.com)
2022-07-19
Use the "But You Are Free" Technique to Persuade Anyone
(lifehacker.com)
2022-07-19
Get your work recognized: write a brag document
(jvns.ca)
2022-07-19
how-to-get-promoted-based-on-merit-rather-than-hubris
(medium.com)
2022-07-19
How Two Companies Hooked Customers On Products They Rarel...
(getpocket.com)
2022-07-19
Conservation of Intent: The hidden reason why A/B tests a...
(andrewchen.co)
2022-07-18
Separating Yourself from the Pack | Hidden Brain Media
(hiddenbrain.org)
2022-07-18
Clay Christensen’s Milkshake Marketing
(hbswk.hbs.edu)
2022-07-18
What Really Makes Customers Buy a Product
(hbr.org)
2022-07-18
How to sell to the 42 different archetypes
(cdn2.hubspot.net)
2022-07-18
https://www.fastcompany.com/3062156/lessons-learned/this-...
(www.fastcompany.com)
2022-07-18
Summary of Nudge, presented to IxDA LA
(www.slideshare.net)
2022-07-18
How Darknet Sellers Build Trust
(nautil.us)
2022-07-18
The Paralyzing Effect of Choice - SuperMoney
(www.supermoney.com)
2022-07-18
How to Make the Most of Your Customer Testimonials - Help...
(www.helpscout.net)
2022-07-18
CEOs Don't Come Pre-Made, Authentic Leadership Has To Be ...
(techcrunch.com)
2022-07-18
Resonance: How to Open Doors For Other People
(fs.blog)
2022-07-18
14 Mental Models to Help You (And Me) Think Clearly, Rati...
(medium.com)
2022-07-18
The Zero-Sum Bias: When People Think that Everything is a...
(effectiviology.com)
2022-07-18
https://curiosity.com/topics/when-your-beliefs-change-you...
(curiosity.com)
2022-07-18
Block Your Talk
(eleganthack.com)
2022-07-18
6 Ways to Look More Confident During a Presentation
(getpocket.com)
2022-07-18
The Psychologist’s Fallacy: It’s Wrong to Assume that You...
(effectiviology.com)
2022-07-18
Mistakes Managers Should Avoid
(blogs.wsj.com)
2022-07-18
Here’s How To Know If Your “Values” Are Really Values
(medium.com)
2022-07-18
The Handicap Principle: Why Accepting a Disadvantage Can ...
(effectiviology.com)
2022-07-18
Signaling as a Service
(julian.digital)
2022-07-18
19 Psychological Hacks To Gain A Selling Advantage | The ...
(www.thesalesexperts.com)
2022-07-18
You want people to do the right thing? Save them the guil...
(psyche.co)
2022-07-18
Henry Rollins on defining success
(thecreativeindependent.com)
2022-07-18
How To Get People To Like You: 7 Ways From An FBI Behavio...
(www.bakadesuyo.com)
2022-07-18
Home
(gamestorming.com)
2022-07-18
Made to Stick: Summary & Examples + PDF | The Power Moves
(thepowermoves.com)
2022-07-18
21 Fascinating Persuasion Techniques That Boost Website C...
(conversionsciences.com)
2022-07-18
How to avoid cognitive biases when you get paid to think ...
(invertedpassion.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
Empathy is a skill. Here's how to cultivate it
(www.futurity.org)
2022-07-18
Military reading lists
(militaryreadinglists.com)
2022-07-18
Managing Two People Who Hate Each Other
(hbr.org)
2022-07-18
Willful Disobedience: Character Traits of Independent Thi...
(mwi.usma.edu)
2022-07-18
Book Summary: Spark by Dr. Jeremy Dean | Sam Thomas Davies
(www.samuelthomasdavies.com)
2022-07-18
50+ examples of Robert Cialdini's 6 Principles Of Influen...
(www.reddit.com)
2022-07-18
How to Uncover Your Creative Talent by Using the "Equal O...
(jamesclear.com)
2022-07-18
Most Common Cognitive Biases Visualised & Explained
(blog.usejournal.com)
2022-07-18
‘I’ll have what she’s having’ – how and why we copy the c...
(theconversation.com)
2022-07-18
8 common traits of uncommon product leaders
(medium.com)
2022-07-18
Take Your Team From Worst To First: Leadership Lessons Fr...
(www.americanexpress.com)
2022-07-18
A Navy SEAL Explains 8 Secrets To Grit And Resilience - B...
(www.bakadesuyo.com)
2022-07-18
The Four-Letter Code to Selling Just About Anything
(www.theatlantic.com)
2022-07-18
http://www.growhack.com/2013/10/how-artificial-scarcity-c...
(www.growhack.com)
2022-07-18
A Story from Google Shows You Don’t Need Power to Drive S...
(hbr.org)
2022-07-18
Have the Courage to Be Direct
(hbr.org)
2022-07-18
You’re Already More Persuasive than You Think
(hbr.org)
2022-07-18
The Overkill Backfire Effect: On The Danger of Presenting...
(effectiviology.com)
2022-07-18
21st-Century Propaganda: A Guide to Interpreting and Conf...
(getpocket.com)
2022-07-18
Mentors Are The Secret Weapons Of Successful Startups | T...
(techcrunch.com)
2022-07-18
To Fight Polarization, Ask, “How Does That Policy Work?” ...
(behavioralscientist.org)
2022-07-18
Living a Lie: We Deceive Ourselves to Better Deceive Others
(getpocket.com)
2022-07-18
Book Review: Turn the Ship Around! How to Create Leadersh...
(tubarksblog.com)
2022-07-18
8 Ways to be UBER Charismatic | HighExistence
(highexistence.com)
2022-07-18
Beautiful People Don’t Always Win in the Workplace
(getpocket.com)
2022-07-18
The Principle of Charity: Assume the Best Interpretation ...
(effectiviology.com)
2022-07-18
20 Rules for a Knight: A Timeless Guide from 1483
(fs.blog)
2022-07-18
Basic Social Skills Guide - Improve Your Social Skills
(www.improveyoursocialskills.com)
2022-07-18
Play May Be a Deeper Part of Human Nature Than We Thought
(www.scientificamerican.com)
2022-07-18
Habit Stacking: 17 Small Productivity Habits
(www.farnamstreetblog.com)
2022-07-18
How to Deliver Constructive Feedback in Difficult Situations
(medium.com)
2022-07-18
The art of memory: mnemonic techniques
(nesslabs.com)
2022-07-18
Todoist Inspiration
(doist.com)
2022-07-18
People Literally Don't Know When to Shut Up--or Keep Talk...
(www.scientificamerican.com)
2022-07-18
The Anatomy of Charisma
(nautil.us)
2022-07-18
The Master of Spin
(www.cjr.org)
2022-07-18
Cavemen, Samurais and Fight Club on breaking through fail...
(www.spikelab.org)
2022-07-18
The Way Humans Point Isn’t as Universal as You Might Think
(getpocket.com)
2022-07-18
Why Is Art Expensive? - Priceonomics
(priceonomics.com)
2022-07-18
Mental models
(www.defmacro.org)
2022-07-18
8 body-language tricks that are hard to master but will p...
(www.businessinsider.com)
2022-07-18
LappleApple/awesome-leading-and-managing: Awesome List of...
(github.com)
2022-07-18
A Look Back at the Package Under the Golden Arches
(www.adweek.com)
2022-07-18
Identify Leaders By Giving People Assignments - Brad Feld
(www.feld.com)
2022-07-18
8,760 Hours: How to get the most out of next year
(alexvermeer.com)
2022-07-18
4 Leadership Types That Can Destroy a Perfectly Good Stra...
(www.processexcellencenetwork.com)
2022-07-18
Why Being Bored Is Good | The Walrus
(thewalrus.ca)
2022-07-18
Real Leaders Don’t Do Focus Groups
(hbr.org)
2022-07-18
http://cmxhub.com/growthhackers-hooked-retention/
(cmxhub.com)
2022-07-18
Cherry Picking: When People Ignore Evidence that They Dis...
(effectiviology.com)
2022-07-18
Bad at public speaking? The trick is to distill your mess...
(www.cnbc.com)
2022-07-18
How a Preview Image Increased a Landing Page's Conversion...
(searchenginewatch.com)
2022-07-18
Why The Other Side Won't Listen to Reason
(www.raptitude.com)
2022-07-18
Pliny the Elder: A case study in scarcity marketing - Mar...
(www.marketplace.org)
2022-07-18
14 Persuasive Writing Techniques That Trigger A Response
(conversionsciences.com)
2022-07-18
Theories about belief
(changingminds.org)
2022-07-18
9 Ways to Strengthen Your “Good Attitude” Muscle
(addicted2success.com)
2022-07-18
The Best Article Ever Written About Bragging
(www.lesspenguiny.com)
2022-07-18
Fixing the Smartest Person in the Room Issue
(www.linkedin.com)
2022-07-18
Moving Your Agenda | The Leading Blog: A Leadership Blog
(www.leadershipnow.com)
2022-07-18
From Forever 21 to Online Shopping, Why Fast Fashion Is S...
(www.theatlantic.com)
2022-07-18
Inversion and The Power of Avoiding Stupidity
(fs.blog)
2022-07-18
Managing the “Invisibles”
(hbr.org)
2022-07-18
7 Reasons Why Emotional Intelligence Is One Of The Fastes...
(getpocket.com)
2022-07-18
How An Ancient Chinese War General Would Run Your Startup...
(mattermark.com)
2022-07-18
Prospect Theory: What It Is and How It Works, With Examples
(www.investopedia.com)
2022-07-18
How to Fail at Almost Everything and Still Win Big
(www.farnamstreetblog.com)
2022-07-18
How to Create a Chain Reaction of Good Habits
(getpocket.com)
2022-07-18
How two companies hooked customers on rarely used products
(thenextweb.com)
2022-07-18
How to be Approachable
(www.lesspenguiny.com)
2022-07-18
4 Ways to Use Social Proof on an Ecommerce Site
(www.practicalecommerce.com)
2022-07-18
Habits Are The New Viral: Why Startups Must Be Behavior E...
(techcrunch.com)
2022-07-18
Why Should Anyone Be Led by You?
(hbr.org)
2022-07-18
Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...
(behavioralscientist.org)
2022-07-18
Why the Most Important Idea in Behavioral Decision-Making...
(getpocket.com)
2022-07-18
Better If It’s Man-Made?
(www.gsb.stanford.edu)
2022-07-18
Why the French love to say no
(www.bbc.com)
2022-07-18
Reiss' 16 Human Needs
(changingminds.org)
2022-07-18
How to do hard things
(www.drmaciver.com)
2022-07-18
Scott Hanselman's Complete List of Productivity Tips
(www.hanselman.com)
2022-07-18
How YouTube is changing toys
(www.vox.com)
2022-07-18
https://dcgross.com/how-to-convince-people/
(dcgross.com)
2022-07-18
A Crash Course in the Neuroscience of Human Motivation — ...
(lesswrong.com)
2022-07-18
Itamar Simonson: What Makes People Collect Things?
(www.gsb.stanford.edu)
2022-07-18
How to Make Your Product Scientifically Irresistible | Ga...
(www.gainsight.com)
2022-07-18
The Ability To Focus And Make The Best Move When There Ar...
(www.farnamstreetblog.com)
2022-07-18
The Tipping Point Summary
(fourminutebooks.com)
2022-07-18
The Psychology Behind Costco's Free Samples
(www.theatlantic.com)
2022-07-18
Who Wouldn’t Want to Be More Charismatic?
(www.uncommonhelp.me)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
How To Get Respect: 5 Points Backed By Science - Barking ...
(www.bakadesuyo.com)
2022-07-18
Grabbing Attention and Holding Onto It
(www.instigatorblog.com)
2022-07-18
The Appeal to the Stone Fallacy: When People Are Dismissi...
(effectiviology.com)
2022-07-18
Be a Minimally Invasive Manager
(hbr.org)
2022-07-18
Tiny, New, Addictive Behaviors (or How to Build an Awesom...
(www.instigatorblog.com)
2022-07-18
Anna Shipman
(www.annashipman.co.uk)
2022-07-18
9 Ways This Introvert Polished His Public Speaking Skills
(www.riskology.co)
2022-07-18
Google’s Quest to Build a Better Boss (Published 2011)
(www.nytimes.com)
2022-07-18
We Need to Talk About Servant Leadership
(mfbt.ca)
2022-07-18
How to Mentor a Perfectionist
(hbr.org)
2022-07-18
Theories about attention
(changingminds.org)
2022-07-18
Why People Buy Perception And Not Reality
(marcbarros.com)
2022-07-18
Lincoln on Leadership
(www.farnamstreetblog.com)
2022-07-18
Why Rituals Work
(www.scientificamerican.com)
2022-07-18
Why Japan is so successful at returning lost property
(www.bbc.com)
2022-07-18
The Top 10 Psychology Books You Should Read
(www.blog.theteamw.com)
2022-07-18
Understand the world better with 35 concepts | Conceptually
(conceptually.org)
2022-07-18
Pursuing the Psychological Building Blocks of Music - Beh...
(behavioralscientist.org)
2022-07-18
Why Washing Machines Are Learning to Play the Harp
(www.theatlantic.com)
2022-07-18
The Nine Primary Tactics Used to Influence Others
(fs.blog)
2022-07-18
https://www.fastcompany.com/3016115/leadership-now/7-toug...
(www.fastcompany.com)
2022-07-18
“Get them to say no”: Expert lessons in influence from th...
(qz.com)
2022-07-18
The generation effect
(nesslabs.com)
2022-07-18
https://betterhumans.coach.me/this-is-the-fastest-way-to-...
(betterhumans.coach.me)
2022-07-18
http://zsoltbabocsai.org/hooked-book-summary/%23sthash.PR...
(zsoltbabocsai.org)
2022-07-18
Biases and Blunders
(www.farnamstreetblog.com)
2022-07-18
Social Proof Is the Most Important Factor in Selling
(www.practicalecommerce.com)
2022-07-18
How To Pay Attention
(medium.com)
2022-07-18
Habits, Obstacles, and Media Manipulation with Ryan Holiday
(www.nirandfar.com)
2022-07-18
Persuasion Triggers In Web Design — Smashing Magazine
(www.smashingmagazine.com)
2022-07-18
The Invention of Sliced Bread - Priceonomics
(priceonomics.com)
2022-07-18
Brands Are Behaving Like Organized Religions
(hbr.org)
2022-07-18
A List Of 8 Core Values I Live By
(getpocket.com)
2022-07-18
The Elephant in the Brain — a new book by Kevin Simler an...
(elephantinthebrain.com)
2022-07-18
Why Do We Gesture When We Talk?
(www.mentalfloss.com)
2022-07-18
Understand the 4 Components of Influence
(hbr.org)
2022-07-18
Why a Surprise Drop Can Be a Great Marketing Ploy for Brands
(www.adweek.com)
2022-07-18
Book summary the 21 irrefutable laws of leadership by joh...
(hgimnetwork.org)
2022-07-18
Why too much evidence can be a bad thing
(phys.org)
2022-07-18
Principles-of-Adult-Behavior.md
(gist.github.com)
2022-07-18
This Is How To Stop Checking Your Phone: 5 Secrets From R...
(www.bakadesuyo.com)
2022-07-18
7 Persuasion Tips For More Influence and Better Engagemen...
(secretpmhandbook.com)
2022-07-18
Behance
(99u.com)
2022-07-18
Ten Techniques To (Quickly) Build Trust With Anyone
(www.farnamstreetblog.com)
2022-07-18
A Dozen Lessons about Business from Anthony Bourdain
(25iq.com)
2022-07-18
How to Get an MBA from Eminem? - James Altucher
(www.jamesaltucher.com)
2022-07-18
The Psychology of the Self-Appointed Genius - Priceonomics
(priceonomics.com)
2022-07-18
How to Respond to a Bullshit Apology
(lifehacker.com)
2022-07-18
Tap into the power to persuade by using these 6 technique...
(ideas.ted.com)
2022-07-18
The Science of Snobbery: How We're Duped Into Thinking Fa...
(www.theatlantic.com)
2022-07-18
How to Build a New Habit: This is Your Strategy Guide
(jamesclear.com)
2022-07-18
Medium
(medium.com)
2022-07-18
Double Crux — A Strategy for Resolving Disagreement
(www.rationality.org)
2022-07-18
The Key to Giving and Receiving Negative Feedback
(hbr.org)
2022-07-18
How to Persuade Anyone of Anything in Ten Seconds - James...
(jamesaltucher.com)
2022-07-18
GTD in 15 minutes – A Pragmatic Guide to Getting Things Done
(hamberg.no)
2022-07-18
The Ultimate Guide to Conversion Rate Optimization
(blog.wishpond.com)
2022-07-18
The Psychology of a Fanboy: Why You Keep Buying the Same ...
(lifehacker.com)
2022-07-18
The tricks to make yourself effortlessly charming
(www.bbc.com)
2022-07-18
The Ten Golden Rules of Leadership: Classical Wisdom for ...
(www.farnamstreetblog.com)
2022-07-18
Beginner's Guide to Arguing Constructively
(liamrosen.com)
2022-07-18
Cultural Coaching: Knowing When to Shut Up
(hbr.org)
2022-07-18
Beyond Biohazard: Why Danger Symbols Can't Last Forever -...
(99percentinvisible.org)
2022-07-18
Medium
(medium.com)
2022-07-18
How to Negotiate with a Liar
(hbr.org)
2022-07-18
How Our Brain Determines if the Product is Worth the Price
(hbswk.hbs.edu)
2022-07-18
15 Psychological Triggers to Convert Leads into Customers
(blog.kissmetrics.com)
2022-07-18
Why Do We Even Listen to New Music?
(pitchfork.com)
2022-07-18
Are you outspoken at work? How to use your voice – and no...
(ideas.ted.com)
2022-07-17
Constructive Pessimism - SKMurphy, Inc.
(www.skmurphy.com)
2022-07-16
How Do You Know if You’re Actually Humble?
(greatergood.berkeley.edu)
2022-07-10
gift exchanges behavior - Google Search
(www.google.com)
2022-07-06
What Makes Shoppers Click? A Lesson in E-Commerce Consume...
(conversionsciences.com)
2022-07-05
8 Reasons Users Don’t Fill Out Sign Up Forms
(uxmovement.com)
2022-07-05
The Science of Asking What People Want
(blogs.scientificamerican.com)
2022-07-05
Auction Addiction: This Online Industry's Dirty Secrets
(www.nirandfar.com)
2022-07-05
Viral Marketing
(medium.com)
2022-07-05
The Case for the Supermarket Supershopper
(tastecooking.com)
2022-07-05
Why criticism lasts longer than praise
(www.bbc.com)
2022-07-04
Incidental Learning: Learning Without Trying to Learn
(effectiviology.com)
2022-07-03
Don’t Surround Yourself With Admirers
(www.theatlantic.com)
2022-06-30
The Productive Art of Doing Nothing
(betterhumans.pub)
2022-06-30
The rise, fall, and rise of the status pineapple
(www.bbc.com)
2022-06-30
The Three Types of Specialists Needed for Any Revolution
(kottke.org)
2022-06-29
7 Techniques for Capturing People's Attention
(www.artofmanliness.com)
2022-06-28
How Self-Service Kiosks Are Changing Customer Behavior
(hbr.org)
2022-06-28
Lessons in negotiation from Stalin at Yalta
(abe-winter.github.io)
2022-06-28
Why Thieves Steal Soap - Priceonomics
(priceonomics.com)
2022-06-28
Urban Dictionary: Bumping the lamp
(www.urbandictionary.com)
2022-06-27
Lifelong Quests! Lawsuits! Feuds! A Super-Serious Story A...
(narratively.com)
2022-06-26
Sunday Firesides: If You See Something, Say Something
(www.artofmanliness.com)
2022-06-25
Ultimate Terms
(changingminds.org)
2022-06-25
What to Look For When Hiring a Community Manager
(mashable.com)
2022-06-25
What People Hate Most About Waiting in Line
(slate.com)
2022-06-25
An Exercise to Help Your Team Feel More Comfortable with ...
(hbr.org)
2022-06-25
Premature Optimization: Why It’s the “Root of All Evil” a...
(effectiviology.com)
2022-06-25
The Psychology of Limitation: How Constraints Make Us Mor...
(blog.bufferapp.com)
2022-06-25
How Asian dating sites cracked your biggest complaint—eve...
(qz.com)
2022-06-25
http://georg-grey.blogspot.mx/2014/05/23-psychological-li...
(georg-grey.blogspot.mx)
2022-06-25
Want to Win Someone Over? Talk Like They Do.
(hbr.org)
2022-06-25
The Hustler’s MBA
(tynan.com)
2022-06-25
Motivation theories
(changingminds.org)
2022-06-25
Take "the Other" to lunch
(www.ted.com)
2022-06-25
The Backfire Effect: Why Facts Don’t Always Change Minds
(effectiviology.com)
2022-06-25
When the Nerves of Knowledge Send False Signals: A Conver...
(behavioralscientist.org)
2022-06-25
How to Be a Stoic
(www.newyorker.com)
2022-06-25
LinkedIn Learning Blog: Where Professionals Go to Learn
(learning.linkedin.com)
2022-06-25
Mental Models: The Best Way to Make Intelligent Decisions...
(www.fs.blog)
2022-06-24
5 Reasons Good Deals Get Rejected
(hbr.org)
2022-06-24
The Personal Brand Is Dead
(www.theatlantic.com)
2022-06-24
Finish Line: Weaponize the chip on your shoulder
(www.axios.com)
2022-06-23
The Secrecy Effect
(www.behavioraleconomics.com)
2022-06-23
GTA V: 9 Facts That Will Blow Your Mind
(whatculture.com)
2022-06-23
The data or the hunch
(www.1843magazine.com)
2022-06-23
How to Market Taboo Products
(www.entrepreneur.com)
2022-06-22
How Psychology Could Change the Way We Understand Consent
(behavioralscientist.org)
2022-06-22
The psychology of unfinished tasks
(nesslabs.com)
2022-06-21
Why we need rituals, not routines
(www.vox.com)
2022-06-21
Drew Houston's Commencement address
(news.mit.edu)
2022-06-21
How to Feel Better Naked
(www.nytimes.com)
2022-06-18
‘Just stop buying lattes’: The origins of a millennial ho...
(thehustle.co)
2022-06-15
A history of the smile through art, culture and etiquette...
(aeon.co)
2022-06-14
They Were Cigarette Smokers. Then a Stroke Vanquished The...
(www.nytimes.com)
2022-06-13
The Desirability of Storytellers
(getpocket.com)
2022-06-13
We don t do that here
(www.thagomizer.com)
2022-06-13
The Dark Art of Pretending You Are Fine
(dariusforoux.com)
2022-06-13
Sometimes It’s Not the Change They Hate — Users Know
(www.usersknow.com)
2022-06-12
Why We Use Less Information Than We Think to Make Decisions
(www.behavioraleconomics.com)
2022-06-11
The Greatest Privilege We Hardly Talk About: Beauty
(medium.com)
2022-06-10
Why your favourite colour is probably blue
(www.bbc.com)
2022-06-07
Human Contact Is Now a Luxury Good (Published 2019)
(www.nytimes.com)
2022-06-04
Notes on Effective Altruism
(michaelnotebook.com)
2022-06-02
The science of regrettable decisions
(www.vox.com)
2022-06-01
Nonverbal comms types
(i.redd.it)
2022-05-28
Learn Street Epistemology To Deal With Difficult People a...
(codecapsule.com)
2022-05-22
https://www.visualcapitalist.com/wp-content/uploads/2020/...
(www.visualcapitalist.com)
2022-05-17
What makes hate a unique emotion – and why that matters |...
(psyche.co)
2022-05-15
Personas vs. Archetypes
(www.nngroup.com)
2022-04-13
The Endgames of Bad Faith Communication
(consilienceproject.org)
2022-02-24
Using interactions to shape user behavior patterns
(medium.muz.li)
2022-02-24
How to Learn the Trick of Confidence
(getpocket.com)
2022-02-19
Decision-Making: Research Shows What Happens When We Wait...
(getpocket.com)
2022-02-18
The Most Prized Watch Brands You’ve Never Heard Of
(www.nytimes.com)
2022-02-11
Micromanipulation: The Covert Tactic That Narcissists Use...
(getpocket.com)
2022-02-10
How Artists Use Psychology to Price a Painting
(www.psychologytoday.com)
2022-02-10
How privilege impacts empathy
(uxdesign.cc)
2022-02-10
18 Cognitive Bias Examples Show Why Mental Mistakes Get Made
(www.visualcapitalist.com)
2022-02-08
Storming Reddit's Moat
(floodstate.substack.com)
2022-01-29
Scarcity in UX: The psychological bias that became the norm
(uxdesign.cc)
2022-01-29
A Game Designer’s Analysis Of QAnon
(link.medium.com)
2022-01-29
UX Crash Course: User Psychology
(thehipperelement.com)
2022-01-29
Do We Create Shoplifters? - Unintended Consequences
(unintendedconsequenc.es)
2022-01-21
Read the CIA’s Simple Sabotage Field Manual: A Timeless G...
(www.openculture.com)
2022-01-17
How to Gather Quantitative Data on User Behaviors
(thenextweb.com)
2022-01-17
UX Design Psychology Tricks for Design Excellence
(www.uxpin.com)
2022-01-17
The User Experience of Public Bathrooms [APRIL FOOLS]
(www.nngroup.com)
2022-01-17
The Authority Principle
(www.nngroup.com)
2022-01-17
Creepiness–Convenience Tradeoff
(www.nngroup.com)
2022-01-17
Sympathy vs. Empathy in UX
(www.nngroup.com)
2022-01-17
Medium
(medium.com)
2022-01-17
It turns out you can bullshit a bullshitter after all | BPS
(digest.bps.org.uk)
2022-01-17
Medium
(medium.com)
2022-01-17
How Are You Fascinating?
(www.howtofascinate.com)
2022-01-17
How to perform well under pressure | Psyche Guides
(psyche.co)
2022-01-13
My Favorite Liar
(zenmoments.org)
2022-01-12
How to learn the trick of confidence
(www.theguardian.com)
2022-01-09
The rise of performative work
(www.economist.com)
2022-01-07
Your sense of right and wrong is interwoven with your per...
(psyche.co)
2022-01-07
What Makes Group Decisions Go Wrong. And Right.
(nautil.us)
2022-01-06
https://www.collaborativefund.com/blog/does-not-compute
(www.collaborativefund.com)
2022-01-06
Sensitive People Bring a Major Happiness Habit to the Wor...
(getpocket.com)
2021-12-28
Why are some people compelled to cheat at games? - BBC Fu...
(www.bbc.com)
2021-12-27
The Four Desires Driving All Human Behavior: Bertrand Rus...
(www.themarginalian.org)
2021-12-25
Instant gratification: The neuroscience of impulse buying
(bigthink.com)
2021-12-23
Most Read Articles of 2021
(behavioralscientist.org)
2021-12-15
The Sorting Hat of Sales Mindset
(dimitarsimeonov.com)
2021-12-08
The Behavioral Economics of Price-Setting
(www.behavioraleconomics.com)
2021-12-02
Among Social Scientists, a Vigorous Debate Over Loss Aver...
(undark.org)
2021-12-01
CD box sets are wonderful
(smackeyacky.blogspot.com)
2021-11-29
Why overly kind and moral people can rub you up the wrong...
(www.bbc.com)
2021-11-11
Sign of the Times: Why Young Chinese Are Removing Their T...
(www.sixthtone.com)
2021-11-09
How to Harness the Power of Belonging
(knowledge.wharton.upenn.edu)
2021-11-03
Kant’s Categorical Imperative: Act the Way You Want Other...
(effectiviology.com)
2021-10-27
Interoception: The Hidden Sense That Shapes Wellbeing
(getpocket.com)
2021-10-08
Psychological ‘Specialness Spirals’ Can Make Ordinary Ite...
(getpocket.com)
2021-08-19
Why Spanish colonial officials feared the power of clothi...
(psyche.co)
2021-08-09
The Parallel-Parking Job That Ignited the Internet
(www.curbed.com)
2021-08-05
Declined invitations go over more graciously when lack of...
(theconversation.com)
2021-07-24
Why Horror Films Are More Popular Than Ever
(m.nautil.us)
2021-07-24
Intercultural Management
(hi.hofstede-insights.com)
2021-07-17
Why do we buy what we buy?
(www.vox.com)
2021-07-17
Assertiveness is a virtue that anyone can develop with pr...
(psyche.co)
2021-07-17
How to Become a Master at Talking to Strangers
(www.entrepreneur.com)
2021-07-13
The 10 Must-Read Psychology Books Every Human Being Shoul...
(durmonski.com)
2021-07-05
The Revival of Stoicism
(www.vice.com)
2021-07-04
Why Charging for Plastic Bags Makes People Give Them Up
(www.smithsonianmag.com)
2021-07-02
How to Spot a Cult
(newrepublic.com)
2021-06-23
The Power of Apologies
(open.spotify.com)
2021-06-21
How to judge a public apology in the age of cancel culture
(theweek.com)
2021-06-20
Does the Rorschach Inkblot Test Really Work?
(www.verywellmind.com)
2021-06-17
Why People Fall For Conspiracy Theories
(fivethirtyeight.com)
2021-06-09
Behavioral Scientist’s Summer Book List 2021 - By Antonia...
(behavioralscientist.org)
2021-06-07
How Political Parties Can Win Converts
(www.politico.com)
2021-06-07
The Availability Bias: How to Overcome a Common Cognitive...
(fs.blog)
2021-06-07
Anthropologists and the business of sense-making at work
(www.theguardian.com)
2021-06-05
Dunning-Kruger meets fake news | Ars Technica
(arstechnica.com)
2021-06-03
Why are we so uncharitable to those doing good deeds?
(www.theguardian.com)
2021-05-31
One simple way to build someone’s confidence: Ask for the...
(ideas.ted.com)
2021-05-30
Folk Festival a success, but students in short supply
(www.chicagomaroon.com)
2021-05-30
The Truth about Lying - JSTOR Daily
(email.substack1.exponentialview.co)
2021-05-29
The Joy of Writing a Recommendation
(www.nextavenue.org)
2021-05-29
Why do you feel lonely? Neuroscience is starting to find ...
(www.technologyreview.com)
2021-05-27
How to Quietly Get People’s Attention in a Noisy World
(link.medium.com)
2021-05-24
The Secret Psychology of Sneaker Colors
(www.nytimes.com)
2021-05-24
8 damn good creative hacks
(www.reddit.com)
2021-05-22
All hail King Pokémon!
(www.inputmag.com)
2021-05-18
Fierce Nerds
(paulgraham.com)
2021-05-18
Bullshit and Intelligence
(theness.com)
2021-05-18
Turn it down: how to silence your inner voice
(getpocket.com)
2021-05-12
'He knew something': The Bay Area flight of Rangers that ...
(www.sfgate.com)
2021-05-01
Hacker News
(nautil.us)
2021-04-23
A guide to body language, from former FBI Special Agent J...
(www.scmp.com)
2021-04-22
How to think like a detective | Psyche Guides
(psyche.co)
2021-04-21
Declinism: how rosy retrospection impacts decision-making
(nesslabs.com)
2021-04-20
The Glossary of Happiness
(www.newyorker.com)
2021-04-18
Find the Right Words to Inspire Your Team
(hbr.org)
2021-04-18
15 Years of Spotify: How the Streaming Giant Has Changed ...
(variety.com)
2021-04-18
This is How to Repair a Toxic Work Culture
(getpocket.com)
2021-04-13
When Red Means “Go”: Color and Cultural Reactance in Risk...
(www.behavioraleconomics.com)
2021-04-12
Embrace the Grind - Jacob Kaplan-Moss
(jacobian.org)
2021-04-10
Neuroscience may have a part in why you're playing Taylor...
(massivesci.com)
2021-04-06
FUD: Fear, Uncertainty, and Doubt
(effectiviology.com)
2021-04-03
A Visual Guide to Human Emotion
(www.visualcapitalist.com)
2021-04-02
A Simple Tip for Staying Assertive in Emotional Conversat...
(getpocket.com)
2021-03-30
The truth about lying
(knowablemagazine.org)
2021-03-30
How can you tell if someone is lying?
(www.theatlantic.com)
2021-03-23
What to Do When You Are Asking Yourself, “Is My Product M...
(www.skmurphy.com)
2021-03-22
Breaking Through the Uncanny Valley
(theness.com)
2021-03-21
5 phrases to use to improve your emotional intelligence a...
(www.businessinsider.com)
2021-03-20
Extrinsic Motivation: Why You Make Terrible Life Choices
(getpocket.com)
2021-03-19
How to laugh more | Psyche Guides
(psyche.co)
2021-03-14
Jon Lai on Twitter: "The best apps today are games in dis...
(twitter.com)
2021-03-11
Public Speaking Nightmare: How to Shut Down Bullies and H...
(www.entrepreneur.com)
2021-03-11
Finance
(zander.substack.com)
2021-03-08
The evolutionary psychology of talking with your hands - ...
(bigthink.com)
2021-03-06
How to Build a Culture of Generosity at Work
(greatergood.berkeley.edu)
2021-02-24
If smiles are so easy to fake, why do we trust them? | Ps...
(psyche.co)
2021-02-23
The Ultimate Guide to Liars and Lying: Everyone Falls Int...
(www.nirandfar.com)
2021-02-23
Veblen good - Wikiwand
(www.wikiwand.com)
2021-02-21
The Decoy Effect: How You Are Influenced to Choose Withou...
(getpocket.com)
2021-02-20
Persuading the Unpersuadable
(hbr.org)
2021-02-19
The Real Reason Why You Sabotage Your Own Goals
(nireyal.medium.com)
2021-02-19
How to be more productive without forcing yourself
(www.deprocrastination.co)
2021-02-18
How to have better arguments online
(www.theguardian.com)
2021-02-12
What Drives Us to Peek into Someone's Medicine Cabinet?
(getpocket.com)
2021-02-12
Dissecting the Bloodthirsty Bliss of Death Metal
(getpocket.com)
2021-02-12
Interpersonal Reactivity Index - Psychology | Eckerd College
(www.eckerd.edu)
2021-02-12
A neurosurgeon shares his effective strategy for overcomi...
(www.fastcompany.com)
2021-02-10
How To Reduce Decision Noise - Commonplace - The Commonco...
(commoncog.com)
2021-02-09
The surprising problem with ranked-choice voting
(seths.blog)
2021-02-07
How to be angry | Psyche Guides
(psyche.co)
2021-02-06
Navigating the mind: 40 major fields of psychology and ne...
(nesslabs.com)
2021-02-05
How the Brain Responds to Beauty
(www.scientificamerican.com)
2021-02-03
Why Losing Bonds Sports Fans
(www.sapiens.org)
2021-02-03
The 6 Types of Grit (And How to Develop Them)
(www.artofmanliness.com)
2021-01-31
The Science of Changing Someone's Mind
(www.nytimes.com)
2021-01-31
Sunday Firesides: Don’t Confuse Niceness With Kindness
(www.artofmanliness.com)
2021-01-31
To Counteract Propaganda, We Should Look to Lessons from ...
(getpocket.com)
2021-01-30
https://www.toptal.com/designers/brand/virtue-signalinght...
(www.toptal.com)
2021-01-30
Mixed Signals: Why People Misunderstand Each Other
(www.theatlantic.com)
2021-01-30
Loaded Questions: What They Are and How to Respond to The...
(effectiviology.com)
2021-01-30
Carl Braun on Communicating Like a Grown-Up
(www.farnamstreetblog.com)
2021-01-30
http://www.howtofascinate.com/about-the-personality-test/...
(coolerinsights.com)
2021-01-30
Turn the Ship Around
(docs.google.com)
2021-01-30
http://jamesclear.com/equal-odds&ust=1560104325212000
(jamesclear.com)
2021-01-30
The Psychology of Limitation: How Constraints Make Us Mor...
(blog.bufferapp.com)
2021-01-30
http://gamestorming.com/&ust=1560104325211000
(gamestorming.com)
2021-01-30
Medium
(medium.com)
2021-01-30
Medium
(medium.com)
2021-01-30
https://effectiviology.com/principle-of-charity/&ust=1560...
(effectiviology.com)
2021-01-30
What Psychology Says About Why Bystanders Sometimes Fail ...
(www.verywellmind.com)
2021-01-30
7 Ways Narcissists Manipulate Relationships
(www.psychologytoday.com)
2021-01-30
https://psychlens.com/psychology-of-bragging/
(psychlens.com)
2021-01-30
The Dark Side of Boredom
(www.psychologytoday.com)
2021-01-30
How to Give Better Advice
(getpocket.com)
2021-01-28
Pocket - Best reads of 2020
(www.vox.com)
2021-01-25
The High Price of Mistrust
(fs.blog)
2021-01-25
Hacker News
(julian.digital)
2021-01-25
How to Talk to People You Disagree With
(getpocket.com)
2021-01-23
The enduring allure of conspiracies
(www.niemanlab.org)
2021-01-22
How to be lucky | Psyche Guides
(psyche.co)
2021-01-18
Three types of kindness
(seths.blog)
2021-01-08
How to figure out if someone is telling you the truth
(www.fastcompany.com)
2021-01-08
How to tackle the monsters holding you back from being a ...
(www.fastcompany.com)
2021-01-08
How to Get Someone to Apologize
(www.nytimes.com)
2021-01-07
Moral Competence
(evanjconrad.com)
2021-01-02
Social Cooling - Big Data's unintended side effect
(www.socialcooling.com)
2021-01-01
Why procrastination is about managing emotions, not time ...
(www.bbc.com)
2020-12-30
[silk] Barlow's principles of adult behaviour
(www.mail-archive.com)
2020-12-29
Talking out loud to yourself is a technology for thinking...
(psyche.co)
2020-12-26
Ads Don’t Work That Way | Melting Asphalt
(meltingasphalt.com)
2020-12-19
Enneagram of Personality
(en.wikipedia.org)
2020-12-18
Constructive criticism: how to give and receive feedback
(nesslabs.com)
2020-12-18
How the Brain Reacts to Difficult Moral Issues - Neurosci...
(neurosciencenews.com)
2020-12-18
How to Talk to an Audience of 40,000 People
(medium.com)
2020-12-16
How to Compliment | Less Penguiny
(www.lesspenguiny.com)
2020-12-10
TikTok's 'What I Like About People' Trend Is Like a Grati...
(www.vice.com)
2020-12-10
The Pros to Being a Psychopath
(getpocket.com)
2020-12-06
5 leadership tactics that build trust
(www.fastcompany.com)
2020-11-30
The Persian Art of Etiquette (2016)
(www.bbc.com)
2020-11-29
Mistaking Intention for Behavior
(theness.com)
2020-11-29
An Extensive List of Human Emotions and Their Meanings - ...
(psychologenie.com)
2020-11-29
The Ultimate List of Emotions and How to Control Your Emo...
(www.scienceofpeople.com)
2020-11-29
The subtle art of forgiveness
(www.bbc.com)
2020-11-24
https://bjolfur.org/wp-content/uploads/2011/04/Mike-Caro-...
(bjolfur.org)
2020-11-14
The History of Creepy Dolls
(getpocket.com)
2020-11-03
We Learn Faster When We Aren’t Told What Choices to Make
(www.scientificamerican.com)
2020-11-03
Forming Experimental Product Hypotheses | by Chris Compst...
(medium.com)
2020-11-03
Four Ways to Use Psychology to Win Your Competition's Cus...
(getpocket.com)
2020-11-03
Introduction to the Zettelkasten Method
(zettelkasten.de)
2020-11-03
Decision Table Patterns
(www.hillelwayne.com)
2020-11-02
To Succeed in a Negotiation, Help Your Counterpart Save Face
(hbr.org)
2020-10-28
Are you outspoken at work? How to use your voice – and no...
(getpocket.com)
2020-10-20
What My Sled Dogs Taught Me About Planning for the Unknow...
(www.nytimes.com)
2020-10-20
How to Win an Argument (at the U.S. Supreme Court, or Any...
(www.openculture.com)
2020-10-20
Psychological Safety and the Only Pyramid Scheme That Works
(iamevan.me)
2020-09-24
An Acting Coach Explains the Three Pillars of Charismatic...
(medium.com)
2020-09-16
Groovy Findings: Researching How and Why Music Moves You
(getpocket.com)
2020-08-14
How to stop procrastinating by using the Fogg Behavior Model
(www.deprocrastination.co)
2020-08-14
Expiring vs. Permanent Skills · Collaborative Fund
(www.collaborativefund.com)
2020-08-11
8 Habits of Deeply Inspiring People
(forge.medium.com)
2020-08-11
How to make your arguments stronger (hint: longer is not ...
(getpocket.com)
2020-08-10
Ways to Get People to Do Things They Don’t Want to Do
(getpocket.com)
2020-08-10
Healthy Self-Doubt
(nerdygirl.com)
2020-08-10
The Dunning–Kruger effect: you don’t know what you don’t ...
(nesslabs.com)
2020-08-10
The Concorde Fallacy and why people make bad decisions - ...
(creativesamba.substack.com)
2020-07-11
Pay Attention: The Art of Noticing - Adobe 99U
(99u.adobe.com)
2020-06-24
22 Life Lessons I Learned From My Mentors That Every Pers...
(dariusforoux.com)
2020-06-10
Sort By Controversial
(slatestarcodex.com)
2020-06-01
Counterfactual Regret Minimization with Kuhn Poker
(blog.varunajayasiri.com)
2020-05-21
Chief’s Newsletter
(chiefofstuff.substack.com)
2020-05-11
How to Disagree with Someone More Powerful than You
(getpocket.com)
2020-04-23
Army Ranger School Is a Laboratory of Human Endurance
(www.outsideonline.com)
2020-04-20
How OKRs can make you a better leader
(thenextweb.com)
2020-04-19
The Five Pillars of Gregg Popovich
(getpocket.com)
2020-04-17
The IKEA Effect: How We Value the Fruits of Our Labor Ove...
(getpocket.com)
2020-04-07
Unlikely Optimism: The Conjunctive Events Bias
(fs.blog)
2020-03-31
The Human Xerox
(tedium.co)
2020-03-24
Fun Delivered: World’s Foremost Experts on Whoopee Cushio...
(www.collectorsweekly.com)
2020-03-20
Panic Buying Coronavirus - Why We Buy Weird Things in Tim...
(www.sapiens.org)
2020-03-13
The Power of Lampshading
(dev.to)
2020-03-10
Chesterton’s Fence: A Lesson in Thinking
(fs.blog)
2020-03-09
The Behavioral Economics Diet: The Science of Killing a B...
(getpocket.com)
2020-03-09
Opinion | Are You an Anti-Influencer? (Published 2020)
(www.nytimes.com)
2020-02-23
How to Become a Great Impostor
(getpocket.com)
2020-02-21
Why Talented People Don’t Use Their Strengths
(getpocket.com)
2020-02-19
Quotes and Lessons about Strategy from Machiavelli’s “The...
(effectiviology.com)
2020-02-19
Reactance (psychology) - Wikipedia
(en.wikipedia.org)
2020-02-19
Ask a researcher: How do needs drive intent?
(www.thinkwithgoogle.com)
2020-02-19
The dark side of expertise [LWN.net]
(lwn.net)
2020-02-19
Ad Hominem: When People Use Personal Attacks in Arguments
(effectiviology.com)
2020-02-19
Why We Love to Be Grossed Out - Facts So Romantic
(nautil.us)
2020-02-18
The Passion Economy: A Conversation with Adam Davidson
(behavioralscientist.org)
2020-02-18
In a Life-or-Death Crisis, Humility Is Everything - WSJ
(www.wsj.com)
2020-02-12
Emotional Intelligence: The Social Skills You Weren’t Tau...
(getpocket.com)
2020-02-09
How Bullwinkle Taught Kids Sophisticated Political Satire
(www.smithsonianmag.com)
2020-01-25
Who Wants to Play the Status Game? | The Point Magazine
(thepointmag.com)
2020-01-21
3 tricks to start working despite not feeling like it
(www.deprocrastination.co)
2020-01-12
The Verbatim Effect: Why People Remember Gist Better than...
(effectiviology.com)
2020-01-09
Why Don’t People Return Their Shopping Carts?
(getpocket.com)
2020-01-05
The economics of unused gift cards
(thehustle.co)
2020-01-05
Why the French Don’t Show Excitement
(getpocket.com)
2019-12-31
The Charisma Effect
(getpocket.com)
2019-12-31
‘Would You Be Willing?’: Words to Turn a Conversation Aro...
(getpocket.com)
2019-12-30
The Elements of Good Judgment
(hbr.org)
2019-12-30
How to Be Lucky
(getpocket.com)
2019-12-28
Brian Piercy on LinkedIn: The Surprising Value of Obvious...
(www.linkedin.com)
2019-12-23
We Are All Confident Idiots
(psmag.com)
2019-12-23
How Rituals of Pain Help Heal
(www.sapiens.org)
2019-12-23
The 7 psychological triggers to boost your eCommerce stor...
(jilt.com)
2019-12-23
What You Can't Say
(paulgraham.com)
2019-12-23
The Art of Persuasion Hasn’t Changed in 2,000 Years
(hbr.org)
2019-12-23
What Makes You “Multicultural”
(hbr.org)
2019-12-23
Why Your Kid Loves the Garbage Truck So Much
(www.theatlantic.com)
2019-12-23
Jumping to Conclusions: When People Decide Based on Insuf...
(effectiviology.com)
2019-12-23
delivery.php
(poseidon01.ssrn.com)
2019-12-23
The psychology of gift giving
(nesslabs.com)
2019-12-15
Why the Best Things in Life Are All Backwards
(getpocket.com)
2019-12-11
What Great Listeners Actually Do
(getpocket.com)
2019-12-11
But wait, there’s more: the psychology of selling - Ness ...
(nesslabs.com)
2019-12-09
How to conquer work paralysis like Ernest Hemingway
(www.bbc.com)
2019-12-05
Ethos, Pathos, Logos: how to persuade people
(nesslabs.com)
2019-11-29
Paradoxical Geniuses: “Let us burn the ships”
(notesonliberty.com)
2019-11-22
Behavior Science Expert Chase Hughes Trains Real-World Ja...
(www.entrepreneur.com)
2019-11-10
It’s Not Enough to Be Right. You Also Have to Be Kind.
(link.medium.com)
2019-10-27
People Are Confused About the Usefulness of Buying Fancy ...
(getpocket.com)
2019-10-26
Why wonder is the most human of all emotions | Aeon Essays
(aeon.co)
2019-10-23
If You Master This Listening Technique, You’ll Hear What ...
(getpocket.com)
2019-10-18
On Humility and Making Better Decisions
(tomtunguz.com)
2019-10-17
Teaching Ethics in Appalachia Taught Me About Bridging Am...
(www.politico.com)
2019-10-15
The Cobra Effect: how linear thinking leads to unintended...
(nesslabs.com)
2019-10-09
The fast track to a life well lived is feeling grateful
(aeon.co)
2019-10-09
The Cure for Toxic Positivity
(forge.medium.com)
2019-09-21
What Makes Someone a Fan?
(www.nytimes.com)
2019-09-16
To Persuade Someone, Look Emotional
(getpocket.com)
2019-09-12
The value of shame
(aeon.co)
2019-08-31
What can psychopaths teach us about AI?
(thenextweb.com)
2019-08-31
Hooked on Loot Boxes: How Behavioral Design Gets Gamers
(medium.com)
2019-08-30
How to Introvert | Less Penguiny
(www.lesspenguiny.com)
2019-08-30
Consumer Behavior Rituals
(medium.com)
2019-08-30
https://blog.rescuetime.com/workplace-routines-and-rituals/
(blog.rescuetime.com)
2019-08-29
How privilege impacts empathy
(t.co)
2019-08-29
The Art of Virtue Signaling: Why so Many Brands Get It Wrong
(www.toptal.com)
2019-08-29
Why Open Secrets Exist in Organizations
(hbr.org)
2019-08-29
https://t.co/5oaFLodGNL?ssr=true
(t.co)
2019-08-29
Strawman Arguments: What They Are and How to Counter Them
(effectiviology.com)
2019-08-29
The Strategic Advantage of Being a Small Fish – Effectivi...
(effectiviology.com)
2019-08-26
Deliberate Practice: A Mindful & Methodical Way to Master...
(www.openculture.com)
2019-08-20
How to Overcome Your Fear of Failure
(getpocket.com)
2019-08-20
Building intrinsic motivation
(nesslabs.com)
2019-08-20
Why We Can’t Sit Quietly In A Room Alone
(www.raptitude.com)
2019-08-20
Veblen good - Wikipedia
(en.wikipedia.org)
2019-08-20
Why is “courage” suddenly such a popular job requirement?
(qz.com)
2019-08-06
This Is Your Brain on Silence - Issue 38: Noise - Nautilus
(nautil.us)
2019-07-31
Why Power Brings Out Your True Self
(getpocket.com)
2019-07-25
Articles - Ness Labs
(nesslabs.com)
2019-07-25
The Science Behind “Blade Runner”’s Voight-Kampff Test - ...
(nautil.us)
2019-07-25
The Peculiar Blindness of Experts
(www.theatlantic.com)
2019-07-25
To avoid moral failure, don’t see people as Sherlock does...
(aeon.co)
2019-07-19
The Attention Diet
(markmanson.net)
2019-07-13
Six Degrees of Separation at Burning Man - Issue 74: Netw...
(nautil.us)
2019-07-05
A Quick And Easy Survival Guide For Dealing With Jerks
(getpocket.com)
2019-06-14
3 Reasons Why Brand-Specific Rituals Are So Powerful
(www.psychologytoday.com)
2019-05-12
Buy Me a Coffee
(buymeacoffee.com)
2019-04-29
Marcus Aurelius: 3 Rules For Life
(dariusforoux.com)
2019-03-22
15 Steps to Understand & Influence User Behavior: A Deep ...
(ui-patterns.us10.list-manage.com)
2019-03-13
Outline of The Elephant in the Brain
(elephantinthebrain.com)
2019-03-12
Reciprocity Decay
(www.coglode.com)
2019-03-12
What Is Signaling, Really? - LessWrong 2.0
(www.lesswrong.com)
2019-03-03
The Surprising Power of Simply Asking Coworkers How They’...
(hbr.org)
2019-02-10
The 3 Elements of Trust
(hbr.org)
2019-02-09
When Your Child Is a Psychopath
(www.theatlantic.com)
2019-01-19
Why Japan's Rail Workers Can't Stop Pointing at Things - ...
(www.atlasobscura.com)
2019-01-11
Creating a useful spec
(seths.blog)
2019-01-10
Pickup™ turns romance into a commodity for male consumpti...
(aeon.co)
2018-12-14
30 Behaviors That Will Make You Unstoppable In 2019
(medium.com)
2018-11-20
There’s Seldom Any Traffic on the High Road
(fs.blog)
2018-11-14
Research: Whistleblowers Are a Sign of Healthy Companies
(hbr.org)
2018-10-20
How the Finnish survive without small talk
(www.bbc.com)
2018-10-19
https://listabs.com/19-simple-psychological-tricks-that-a...
(listabs.com)
2018-10-17
Why Doctors Reject Tools That Make Their Jobs Easier
(blogs.scientificamerican.com)
2018-10-11
What to Do at Parties If You Hate Small Talk
(www.theschooloflife.com)
2018-10-07
What I learned from a Taipei alley — Remains of the Day
(www.eugenewei.com)
2018-10-01
Delighting Without Asking
(peoplescience.maritz.com)
2018-09-25
These Apology Critics Want to Teach You How to Say Sorry
(www.thecut.com)
2018-09-13
When Everything Looks Like a Nail: Building Better “Behav...
(behavioralscientist.org)
2018-09-12
My magic response to "Hey, can I pick your brain?"
(stackingthebricks.com)
2018-09-12
Why we buy the things we buy
(www.vox.com)
2018-09-12
Troy Hunt: The Effectiveness of Publicly Shaming Bad Secu...
(www.troyhunt.com)
2018-08-25
People Don’t Buy Products, They Buy Better Versions of Th...
(medium.com)
2018-07-15
Why Envy Might Be Good for Us
(www.sapiens.org)
2018-07-07
The 25 Principles for Adult Behavior: John Perry Barlow (...
(www.openculture.com)
2018-05-03
Envy’s hidden hand
(aeon.co)
2018-03-27
The Key to Good Luck Is an Open Mind - Facts So Romantic
(nautil.us)
2018-03-05
The Power of a Free Popsicle | Stanford Graduate School o...
(www.gsb.stanford.edu)
2018-01-27
How your supermarket manipulates you
(www.bbc.com)
2017-11-22
How restaurant menus play tricks on you
(www.bbc.com)
2017-10-23
The Falsification Mindset: How to Change Your Own Mind
(betterhumans.coach.me)
2017-10-21
How to be a World-Class Negotiator
(betterhumans.coach.me)
2017-10-13
The scientists persuading terrorists to spill their secrets
(www.theguardian.com)
2017-07-04
Bulletproof Confidence: The Secrets of a Professional Pok...
(medium.com)
2016-10-03
Confidence Through Feedback, or Why Imposter Syndrome is ...
(blog.bethcodes.com)
2016-10-03
Behavioral Profiling: The password you can't change
(paul.reviews)
2008-10-24
Virtue Signaling: When People Try to Show Their Goodness
(effectiviology.com)
2006-10-24
We should take awkwardness less personally and more serio...
(aeon.co)
-->
machine-learning (all)
categories:
tags:
machine-learning
date: 30 Mar 2025
slug:raindrop-ml-all
(medium.com)
2025-03-27
Beginner’s Guide to Deploying a Machine Learning API with...
(www.marktechpost.com)
2025-03-14
How to Implement CatBoost in R
(www.statology.org)
2025-03-13
What is triplet loss? - Dataconomy
(dataconomy.com)
2025-03-12
What are Support Vector Machines (SVM)? - Dataconomy
(dataconomy.com)
2025-03-02
Olivier Grisel - Predictive survival analysis with scikit...
(m.youtube.com)
2025-02-11
10 Little-Known Python Libraries That Will Make You Feel ...
(www.kdnuggets.com)
2025-02-07
50+ Projects to Learn Data Analysis | Aman Kharwal
(thecleverprogrammer.com)
2025-02-05
A Practical Guide to Survival Analysis
(www.statology.org)
2025-02-03
Support Vector Machines: A Progression of Algorithms
(medium.com)
2025-01-31
80+ Data Science Projects | Aman Kharwal
(thecleverprogrammer.com)
2025-01-29
Multi-Head Latent Attention and Other KV Cache Tricks
(www.pyspur.dev)
2025-01-24
50+ AI & ML Projects with Python | Aman Kharwal
(thecleverprogrammer.com)
2025-01-18
Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...
(sebastianraschka.com)
2025-01-15
Don't use cosine similarity carelessly - Piotr Migdał
(p.migdal.pl)
2024-12-30
Massively Speed-Up your Learning Algorithm, with Stochast...
(mltechniques.com)
2024-12-10
7 Essential Python Libraries for MLOps - KDnuggets
(www.kdnuggets.com)
2024-11-28
10 Types of Machine learning Algorithms and Their Use Cases
(www.marktechpost.com)
2024-11-24
How to Run a Paper Club (also: LIVE at NeurIPS 2024!)
(open.substack.com)
2024-11-21
AI Alone Isn’t Ready for Chip Design
(spectrum.ieee.org)
2024-11-11
Transforming Location Retrieval at Airbnb: A Journey from...
(medium.com)
2024-10-28
Difference Between a Batch and an Epoch in a Neural Netwo...
(machinelearningmastery.com)
2024-10-22
Calculating the Uncertainty Coefficient (Theil’s U) in Py...
(towardsdatascience.com)
2024-10-20
The m=√p rule for random forests | R-bloggers
(www.r-bloggers.com)
2024-10-19
The m=√p rule for random forests
(freakonometrics.hypotheses.org)
2024-10-16
10 GitHub Repositories for Advanced Machine Learning Proj...
(www.kdnuggets.com)
2024-10-16
Marketing Mix Modeling (MMM): How to Avoid Biased Channel...
(towardsdatascience.com)
2024-06-20
Counts Outlier Detector: Interpretable Outlier Detection
(towardsdatascience.com)
2024-05-28
Basis Functions: Simple Definition - Statistics How To
(www.statisticshowto.com)
2024-05-13
Cosine Similarity
(algebrica.org)
2024-05-04
7 Cool Technical GenAI & LLM Job Interview Questions
(www.datasciencecentral.com)
2024-04-24
Permutation Feature Importance from Scratch
(towardsdatascience.com)
2024-04-15
Tips for LLM Pretraining and Evaluating Reward Models
(magazine.sebastianraschka.com)
2024-04-08
SVM and Kernels: The Math that Makes Classification Magic
(dev.to)
2024-04-07
A Benchmark and Taxonomy of Categorical Encoders
(towardsdatascience.com)
2024-04-06
Algorithm Repository
(algorist.com)
2024-03-31
Customers Prefer to Crowdfund Products They Can Improve
(hbr.org)
2024-03-12
Speech and Language Processing
(web.stanford.edu)
2024-03-07
CatBoost - state-of-the-art open-source gradient boosting...
(catboost.ai)
2024-03-05
Master Dispersion Plots in 6 Minutes!
(towardsdatascience.com)
2024-03-05
What Is a Schur Decomposition? – Nick Higham
(nhigham.com)
2024-02-29
Encoding Categorical Variables: A Deep Dive into Target E...
(towardsdatascience.com)
2024-02-19
Getting started predicting time series data with Facebook...
(towardsdatascience.com)
2024-02-19
The Math behind Adam Optimizer
(towardsdatascience.com)
2024-02-19
3 Key Encoding Techniques for Machine Learning: A Beginne...
(towardsdatascience.com)
2024-02-11
Understanding Latent Dirichlet Allocation (LDA) — A Data ...
(towardsdatascience.com)
2024-02-03
An Overview of Contextual Bandits
(towardsdatascience.com)
2024-01-19
Pearson vs Spearman Correlation: Find Harmony between the...
(towardsdatascience.com)
2024-01-18
The Perfect Way to Smooth Your Noisy Data
(towardsdatascience.com)
2024-01-07
10 Noteworthy AI Research Papers of 2023
(magazine.sebastianraschka.com)
2024-01-05
Boosting Algorithms in Machine Learning, Part I: AdaBoost
(towardsdatascience.com)
2023-12-29
An unusual introduction to manifolds
(www.johndcook.com)
2023-10-30
Market Basket Analysis using Python
(thecleverprogrammer.com)
2023-10-24
The Power of Independent Component Analysis (ICA) on Real...
(towardsdatascience.com)
2023-10-20
Math for Machine Learning: 14 Must-Read Books
(mltechniques.com)
2023-10-07
A Gentle Introduction to Complementary Log-Log Regression
(towardsdatascience.com)
2023-09-24
No sacred masterpieces
(open.substack.com)
2023-09-24
XGBoost: How Deep Learning Can Replace Gradient Boosting ...
(towardsdatascience.com)
2023-09-21
Dirty Secrets of BookCorpus, a Key Dataset in Machine Lea...
(towardsdatascience.com)
2023-09-17
Pearson, Spearman and Kendall Correlation Coefficients, b...
(statsandr.com)
2023-09-17
Machine Learning Using Decision Trees in Ruby
(www.vector-logic.com)
2023-09-12
Probabilistic Machine Learning: Advanced Topics
(probml.github.io)
2023-08-19
Why is Feature Scaling Important in Machine Learning? Dis...
(towardsdatascience.com)
2023-08-19
Kernel Density Estimation explained step by step
(towardsdatascience.com)
2023-08-19
Dynamic Pricing with Multi-Armed Bandit: Learning by Doing!
(towardsdatascience.com)
2023-08-11
Evaluation Metrics for Recommendation Systems — An Overview
(towardsdatascience.com)
2023-08-07
patchy631/machine-learning
(github.com)
2023-08-07
Self-Organizing Maps
(towardsdatascience.com)
2023-08-06
Breaking the Data Barrier: How Zero-Shot, One-Shot, and F...
(saturncloud.io)
2023-08-06
Machine Learning Basics: Polynomial Regression
(towardsdatascience.com)
2023-08-06
Geographic Clustering with HDBSCAN
(towardsdatascience.com)
2023-08-03
Mastering Monte Carlo: How To Simulate Your Way to Better...
(towardsdatascience.com)
2023-07-29
LGBMClassifier: A Getting Started Guide
(www.kdnuggets.com)
2023-07-28
Similarity Search, Part 3: Blending Inverted File Index a...
(towardsdatascience.com)
2023-07-28
Similarity Search, Part 4: Hierarchical Navigable Small W...
(towardsdatascience.com)
2023-07-27
Building a Vector Search Engine Using HNSW and Cosine Sim...
(esteininger.medium.com)
2023-07-27
Similarity Search, Part 1: kNN & Inverted File Index
(towardsdatascience.com)
2023-07-27
Similarity Search, Part 2: Product Quantization
(towardsdatascience.com)
2023-07-27
Similarity Search, Part 5: Locality Sensitive Hashing (LSH)
(towardsdatascience.com)
2023-07-27
Similarity Search, Part 6: Random Projections with LSH Fo...
(towardsdatascience.com)
2023-07-27
Similarity Search, Part 7: LSH Compositions
(towardsdatascience.com)
2023-07-27
Variational Inference: The Basics
(towardsdatascience.com)
2023-07-24
The Complete Introduction to Survival Analysis in Python ...
(towardsdatascience.com)
2023-07-24
Unbox the Cox: Intuitive Guide to Cox Regressions
(towardsdatascience.com)
2023-07-24
A Deep Dive into Autoencoders and Their Relationship to P...
(towardsdatascience.com)
2023-07-24
Machine Learning in a Non-Euclidean space
(towardsdatascience.com)
2023-07-23
Unsupervised Learning Series — Exploring Hierarchical Clu...
(towardsdatascience.com)
2023-07-23
Creating Incredible Decision Tree Visualizations with dtr...
(towardsdatascience.com)
2023-07-23
A Gentle Introduction to Support Vector Machines
(www.kdnuggets.com)
2023-07-23
Uplift Modeling — A Data Scientist’s Guide to Optimizing ...
(towardsdatascience.com)
2023-07-23
Feature Transformations: A Tutorial on PCA and LDA
(towardsdatascience.com)
2023-07-14
Introduction to Vector Similarity Search
(zilliz.com)
2023-07-10
The Basics of Anomaly Detection
(towardsdatascience.com)
2023-07-07
A Gentle Introduction to K-Means Clustering in R (Feat. T...
(www.r-bloggers.com)
2023-06-21
Spectral Clustering Algorithm Demystified
(dev.to)
2023-06-05
Diminishing Returns in Machine Learning Part 1
(www.fromthenew.world)
2023-05-31
Sklearn Pipelines for the Modern ML Engineer: 9 Technique...
(towardsdatascience.com)
2023-05-14
Hidden Data Science Gem: Rainbow Method for Label Encodin...
(towardsdatascience.com)
2023-05-02
eBay’s Blazingly Fast Billion-Scale Vector Similarity Engine
(tech.ebayinc.com)
2023-04-10
Beginner’s Guide to the Must-Know LightGBM Hyperparameters
(towardsdatascience.com)
2023-04-05
A Guide to Association Rule Mining
(towardsdatascience.com)
2023-04-05
Cycle Detection for Recursive Search in Hierarchical Tree...
(sqlfordevs.com)
2023-04-01
Master Semantic Search at Scale: Index Millions of Docume...
(towardsdatascience.com)
2023-03-31
Top Machine Learning Papers to Read in 2023 - KDnuggets
(www.kdnuggets.com)
2023-03-31
Announcing PyCaret 3.0: Open-source, Low-code Machine Lea...
(moez-62905.medium.com)
2023-03-29
Hashing in Modern Recommender Systems: A Primer
(towardsdatascience.com)
2023-03-26
The Meaning Behind Logistic Classification, from Physics ...
(towardsdatascience.com)
2023-03-25
https://www.uber.com/blog/research/maximum-relevance-and-...
(www.uber.com)
2023-03-23
Mixture Models, Latent Variables and the Expectation Maxi...
(towardsdatascience.com)
2023-03-20
12 Ways to Test Your Forecasts like A Pro
(towardsdatascience.com)
2023-03-19
Jaccard index
(en.wikipedia.org)
2023-03-19
How to make 40 interactive plots to analyze your machine ...
(towardsdatascience.com)
2023-03-19
Uplift Modeling with Cost Optimization
(towardsdatascience.com)
2023-03-19
Gradient Boosted Linear Regression in Excel
(towardsdatascience.com)
2023-03-16
2012.03854.pdf
(arxiv.org)
2023-03-16
2003.05689.pdf
(arxiv.org)
2023-03-16
Model Evaluation, Model Selection, and Algorithm Selectio...
(arxiv.org)
2023-03-16
2108.02497.pdf
(arxiv.org)
2023-03-14
?Top ML Papers of the Week - by elvis - NLP Newsletter
(nlpnews.substack.com)
2023-03-12
Y Combinator–backed Patterns is building a platform to ab...
(techcrunch.com)
2023-03-12
Write Readable Tests for Your Machine Learning Models wit...
(towardsdatascience.com)
2023-03-02
How to Understand and Use the Jensen-Shannon Divergence
(towardsdatascience.com)
2023-02-19
Introduction of Four Types of Item Similarity Measures
(towardsdatascience.com)
2023-02-17
Probability stats for ds
(cims.nyu.edu)
2023-02-16
A practical introduction to sequential feature selection
(towardsdatascience.com)
2023-02-15
How to Improve Clustering Accuracy with Bayesian Gaussian...
(towardsdatascience.com)
2023-02-09
How to Perform Multivariate Outlier Detection in Python P...
(towardsdatascience.com)
2023-02-02
Linear Algebra: LU Decomposition, with Python
(towardsdatascience.com)
2023-02-02
Correlation — When Pearson’s r Is Not Enough
(towardsdatascience.com)
2023-02-02
skops: a new library to improve scikit-learn in production
(www.kdnuggets.com)
2023-01-30
PageRank Algorithm for Graph Databases
(memgraph.com)
2023-01-30
Comparing Different Automatic Image Augmentation Methods ...
(sebastianraschka.com)
2023-01-27
Hyperparameter Optimization: 10 Top Python Libraries
(www.kdnuggets.com)
2023-01-24
Introducing PyCircular: A Python Library for Circular Dat...
(towardsdatascience.com)
2023-01-22
What does Entropy Measure? An Intuitive Explanation
(towardsdatascience.com)
2023-01-18
Complete guide to Association Rules (2/2)
(towardsdatascience.com)
2023-01-16
Brief Introduction to Correspondence Analysis
(towardsdatascience.com)
2023-01-13
7 Scikit-Learn Best Practices For Data Scientists
(towardsdatascience.com)
2023-01-07
Introduction to Multi-Armed Bandit Problems
(www.kdnuggets.com)
2023-01-01
Geometric Kernels
(geometric-kernels.github.io)
2022-12-28
Simple Parquet Tutorial and Best Practices
(towardsdatascience.com)
2022-12-28
Dense Vectors | Pinecone
(www.pinecone.io)
2022-12-28
Milvus · An Open Source Vector Similarity Search Engine -...
(milvus.io)
2022-12-25
PacktPublishing/Python-Feature-Engineering-Cookbook-Secon...
(github.com)
2022-12-23
What Is Survival Analysis? Examples by Hand and in R
(towardsdatascience.com)
2022-12-23
Zero-shot Learning, Explained - KDnuggets
(www.kdnuggets.com)
2022-12-16
ChatGPT and the Imagenet moment — Benedict Evans
(www.ben-evans.com)
2022-12-10
Survival Analysis: Optimize the Partial Likelihood of the...
(towardsdatascience.com)
2022-12-09
Google brings machine learning to online spreadsheets wit...
(venturebeat.com)
2022-12-07
Dual Confidence Regions: A Simple Introduction - DataScie...
(www.datasciencecentral.com)
2022-12-06
Machine Learning Dictionary - Machine Learning Techniques
(mltechniques.com)
2022-12-05
Density-Based Clustering: DBSCAN vs. HDBSCAN
(towardsdatascience.com)
2022-11-30
An Introduction to SMOTE - KDnuggets
(www.kdnuggets.com)
2022-11-23
How to Choose the Best Machine Learning Technique: Compar...
(www.datasciencecentral.com)
2022-11-09
What Is an Eigenvalue? – Nick Higham
(nhigham.com)
2022-11-07
Last Mile Delivery From Multiple Depots in Python
(towardsdatascience.com)
2022-10-30
An Introduction to Topic-Noise Models
(towardsdatascience.com)
2022-10-30
2 Ways to Build Your Own Custom Scikit Learn Transformers
(towardsdatascience.com)
2022-10-28
An Effective Approach for Image Anomaly Detection
(towardsdatascience.com)
2022-10-27
New Book: Approaching (Almost) Any Machine Learning Probl...
(mltechniques.com)
2022-10-27
5 Essential Qualities of Anomaly Detection Systems
(towardsdatascience.com)
2022-10-24
Scikit-learn 1.1 Comes with an Improved OneHotEncoder
(towardsdatascience.com)
2022-10-21
Understanding Logistic Regression — the Odds Ratio, Sigmo...
(towardsdatascience.com)
2022-10-20
What is ‘Image Super Resolution’, and why do we need it?
(towardsdatascience.com)
2022-10-20
Image Super-Resolution: An Overview of the Current State ...
(towardsdatascience.com)
2022-10-20
Logistic Regression: Statistics for Goodness-of-Fit
(towardsdatascience.com)
2022-10-16
A New, Transparent AI Tool May Help Detect Blood Poisoning
(undark.org)
2022-10-14
19 Examples of Merging plots to Maximize your Clustering ...
(towardsdatascience.com)
2022-10-14
How can you beat XGBoost, CatBoost, and TabNet on tabular...
(twitter.com)
2022-10-14
How to Interpret the Odds Ratio with Categorical Variable...
(towardsdatascience.com)
2022-10-14
Topic Modeling with LSA, pLSA, LDA, NMF, BERTopic, Top2Ve...
(towardsdatascience.com)
2022-10-14
Product Quantization for Similarity Search
(towardsdatascience.com)
2022-10-14
Bayesian Hierarchical Marketing Mix Modeling in PyMC
(buff.ly)
2022-10-14
IVFPQ HNSW for Billion-scale Similarity Search | by Peggy...
(towardsdatascience.com)
2022-10-13
NSVQ: Improved Vector Quantization technique for Neural N...
(towardsdatascience.com)
2022-10-11
The Basics of Object Detection: YOLO, SSD, R-CNN
(towardsdatascience.com)
2022-10-01
7 Techniques to Handle Imbalanced Data - KDnuggets
(www.kdnuggets.com)
2022-10-01
Chi-Square Test to Compare Categorical Variables
(towardsdatascience.com)
2022-09-27
The Mindset Technique to Understand Precision and Recall ...
(towardsdatascience.com)
2022-09-24
Pricing at Lyft
(eng.lyft.com)
2022-09-24
Principal Component Analysis: Everything You Need To Know
(towardsdatascience.com)
2022-09-22
[P] My co-founder and I quit our engineering jobs at AWS ...
(www.reddit.com)
2022-09-20
Linear Regression Analysis – Part 1 - DataScienceCentral.com
(www.datasciencecentral.com)
2022-09-16
Introduction to Embedding, Clustering, and Similarity
(towardsdatascience.com)
2022-09-16
An Intuitive Explanation of Collaborative Filtering
(www.kdnuggets.com)
2022-09-14
How to Use UMAP For Much Faster And Effective Outlier Det...
(towardsdatascience.com)
2022-09-13
Multi-Objective Ranking for Promoted Auction Items
(tech.ebayinc.com)
2022-09-12
Adjacency networks
(www.johndcook.com)
2022-09-08
https://www.einblick.ai/blog/problems-with-notebooks-msft...
(www.einblick.ai)
2022-09-05
Demystifying Object Detection and Instance Segmentation f...
(mlwhiz.com)
2022-08-22
Patterns, Predictions, and Actions
(mlstory.org)
2022-08-21
How to Perform Motion Detection Using Python - KDnuggets
(www.kdnuggets.com)
2022-08-13
SHAP for Categorical Features with CatBoost
(towardsdatascience.com)
2022-08-08
9 Visualizations with Python that Catch More Attention th...
(towardsdatascience.com)
2022-08-05
OCR-free document understanding with Donut
(towardsdatascience.com)
2022-08-04
An Introduction to Graph Partitioning Algorithms and Comm...
(towardsdatascience.com)
2022-08-04
5 Less-Known Python Libraries That Can Help in Your Next ...
(towardsdatascience.com)
2022-07-22
https://twitter.com/freakonometrics/status/15504396025944...
(twitter.com)
2022-07-21
Building classifiers with biased classes: AdaSampling com...
(towardsdatascience.com)
2022-07-18
What is YOLOv7? A Complete Guide.
(blog.roboflow.com)
2022-07-18
YOLOv7: Trainable bag-of-freebies sets new state-of-the-a...
(arxiv.org)
2022-07-18
Modeling Marketing Mix Using Smoothing Splines
(towardsdatascience.com)
2022-07-18
Linear Algebra for Data Science - KDnuggets
(www.kdnuggets.com)
2022-07-18
https://lionbridge.ai/datasets/24-best-ecommerce-retail-d...
(lionbridge.ai)
2022-07-13
Build Complex Time Series Regression Pipelines with sktime
(towardsdatascience.com)
2022-07-13
Machine Learning Operations (MLOps): Overview, Definition...
(arxiv.org)
2022-07-13
Understanding Self-Organising Map Neural Network with Pyt...
(towardsdatascience.com)
2022-07-11
How to Solve Scheduling Problems in Python
(towardsdatascience.com)
2022-07-11
what is discriminant analysis at DuckDuckGo
(www.digitalvidya.com)
2022-07-10
Topological Data Analysis for Machine Learning
(substack.com)
2022-07-10
Probabilistic Numerics | Textbooks
(substack.com)
2022-07-06
firmai/financial-machine-learning: A curated list of prac...
(substack.com)
2022-07-05
Essential Math for Data Science: Eigenvectors and Applica...
(www.kdnuggets.com)
2022-07-05
An Introduction to Regularization
(towardsdatascience.com)
2022-06-28
grahamjenson/list_of_recommender_systems: A List of Recom...
(github.com)
2022-06-28
Home Page of Evan Miller
(www.evanmiller.org)
2022-06-24
T-LEAF: Taxonomy Learning and EvaluAtion Framework
(medium.com)
2022-06-24
FIGS: Attaining XGBoost-level performance with the interp...
(bair.berkeley.edu)
2022-06-23
Three Performance Evaluation Metrics of Clustering When G...
(towardsdatascience.com)
2022-06-23
Multi-Relevance Ranking Model for Similar Item Recommenda...
(tech.ebayinc.com)
2022-06-22
Complete Step-by-step Genetic Algorithm from Scratch for ...
(towardsdatascience.com)
2022-06-22
The Battle of Choropleths — Part 3 — Folium
(towardsdatascience.com)
2022-06-22
Precision, Recall, and F1 Score of Multiclass Classificat...
(towardsdatascience.com)
2022-06-22
Super Study Guides
(superstudy.guide)
2022-06-22
Neighborhood Analysis, KD-Trees, and Octrees for Meshes a...
(towardsdatascience.com)
2022-06-21
Time Series Forecasting with ARIMA
(thecleverprogrammer.com)
2022-06-21
Essential Math for Data Science: Visual Introduction to S...
(www.kdnuggets.com)
2022-06-21
Say Hello To Recommendation Systems
(towardsdatascience.com)
2022-06-21
DAGs and Control Variables
(link.medium.com)
2022-06-21
A Guide To Using The Difference-In-Differences Regression...
(towardsdatascience.com)
2022-06-21
Sobol Indices to Measure Feature Importance
(towardsdatascience.com)
2022-06-21
Reproducible ML: Maybe you shouldn’t be using Sklearn’s t...
(towardsdatascience.com)
2022-06-15
Machines are haunted by the curse of dimensionality
(dataconomy.com)
2022-06-11
Survival Analysis in R (in under 10-minutes)
(www.r-bloggers.com)
2022-06-07
How to Evaluate Survival Analysis Models
(link.medium.com)
2022-06-05
Flip Flop: Why Zillow’s Algorithmic Home Buying Venture I...
(www.gsb.stanford.edu)
2022-06-03
XGBoost Alternative Base Learners
(towardsdatascience.com)
2022-05-28
Similarity-Based Image Search for Visual Art
(towardsdatascience.com)
2022-05-28
Useful Python decorators for Data Scientists
(bytepawn.com)
2022-05-27
One Line of Code to Accelerate Your Sklearn Algorithms on...
(towardsdatascience.com)
2022-05-27
CatBoost vs. LightGBM vs. XGBoost
(towardsdatascience.com)
2022-05-18
The Big Six Matrix Factorizations – Nick Higham
(nhigham.com)
2022-05-13
93 Datasets That Load With A Single Line of Code
(towardsdatascience.com)
2022-05-13
Survival Analysis: A Brief Introduction
(towardsdatascience.com)
2022-05-07
Focal Loss : A better alternative for Cross-Entropy
(link.medium.com)
2022-04-30
Data Mining: Market Basket Analysis with Apriori Algorithm
(towardsdatascience.com)
2022-04-12
How does Shazam work? Music Recognition Algorithms, Finge...
(www.toptal.com)
2022-04-11
() - bookNew.pdf
(www.it-weise.de)
2022-04-09
19 Hidden Sklearn Features You Were Supposed to Learn The...
(towardsdatascience.com)
2022-04-08
Louvain’s Algorithm for Community Detection in Python
(link.medium.com)
2022-04-07
Improving Shopping Recommendations for Customers Through ...
(tech.ebayinc.com)
2022-04-03
Introduction to SHAP Values and their Application in Mach...
(link.medium.com)
2022-03-27
Multi-Armed Bandit Algorithms: Thompson Sampling
(towardsdatascience.com)
2022-03-26
The Top 10 Algorithms Every Programmer Should Know In Gra...
(dev.to)
2022-03-23
Introduction — Machine Learning from Scratch
(dafriedman97.github.io)
2022-03-23
Evaluating the potential return of a model with Lift, Gai...
(towardsdatascience.com)
2022-03-23
CamDavidsonPilon/Probabilistic-Programming-and-Bayesian-M...
(github.com)
2022-03-23
Natural Language Processing with Transformers Book
(transformersbook.com)
2022-03-21
Welcome · Advanced R.
(adv-r.had.co.nz)
2022-03-21
Welcome | Data Science at the Command Line, 2e
(datascienceatthecommandline.com)
2022-03-21
AI Virtual Assistant Technology Guide 2022
(dev.to)
2022-03-19
3 t7n57q bj g
(t.co)
2022-03-17
5–10x Faster Hyperparameter Tuning with HalvingGridSearch
(www.dataknowsall.com)
2022-03-17
Experiment Tracking with MLflow in 10 Minutes
(towardsdatascience.com)
2022-03-17
A Guide To ML Experiment Tracking — With Weights & Biases
(towardsdatascience.com)
2022-03-17
Read this before using ROC-AUC as a metric
(towardsdatascience.com)
2022-03-17
Text Summarization with NLP: TextRank vs Seq2Seq vs BART
(towardsdatascience.com)
2022-03-16
SHAP: Explain Any Machine Learning Model in Python
(towardsdatascience.com)
2022-03-10
Real-world website visitor forecast with Facebook Prophet...
(towardsdatascience.com)
2022-02-28
Asset2Vec: Turning 3D Objects into Vectors and Back
(towardsdatascience.com)
2022-02-28
Interpretable Machine Learning using SHAP — theory and ap...
(towardsdatascience.com)
2022-02-25
Introducing TorchRec, a library for modern production rec...
(pytorch.org)
2022-02-22
What is Relational Machine Learning?
(link.medium.com)
2022-02-20
Machine Learning Algorithms Cheat Sheet — Accel.AI
(www.accel.ai)
2022-02-11
Topic Modeling in Python | Toptal
(www.toptal.com)
2022-02-08
What Color Is This? | Stitch Fix Technology – Multithreaded
(multithreaded.stitchfix.com)
2022-02-07
Machine Learning Gets a Quantum Speedup | Quanta Magazine
(www.quantamagazine.org)
2022-02-02
Data Scientists, The 5 Graph Algorithms that you should know
(towardsdatascience.com)
2022-01-29
scikit-and-tensorflow-workbooks/ch03-classification.ipynb...
(github.com)
2022-01-25
What Internet Search Patterns Can Teach Us About Coping
(getpocket.com)
2022-01-24
3 Reasons Why Data Scientists Should Use LightGBM
(www.kdnuggets.com)
2022-01-23
https://github.com/bjpcjp/scikit-image-tutorial/blob/mast...
(github.com)
2022-01-21
Survival Analysis in Python: A Quick Guide to The Weibull...
(towardsdatascience.com)
2022-01-17
https://github.com/bjpcjp/scikit-cribsheet/blob/master/sk...
(github.com)
2022-01-17
fb-prophet/01_docs.ipynb at master · bjpcjp/fb-prophet
(github.com)
2022-01-17
scikit-learn/64_imputation.ipynb at master · bjpcjp/sciki...
(github.com)
2022-01-17
python-data-science-handbook/scikit/SciKit-Kernel-Density...
(github.com)
2022-01-17
https://github.com/bjpcjp/scikit-cribsheet/blob/master/sk...
(github.com)
2022-01-17
https://github.com/bjpcjp/scikit-cribsheet/blob/master/sk...
(github.com)
2022-01-17
Multi-dimensional Decision Boundary : why current ap...
(towardsdatascience.com)
2022-01-16
python-data-science-handbook/scikit/SciKit-Principal-Comp...
(github.com)
2022-01-16
scikit-and-tensorflow-workbooks/ch05-support-vector-machi...
(github.com)
2022-01-16
The Kaggle Way to Tune Hyperparameters with Optuna
(towardsdatascience.com)
2022-01-16
Top ten Machine Learning APIs.
(twitter.com)
2022-01-13
https://www.mapr.com/blog/apache-spark-machine-learning-t...
(www.mapr.com)
2022-01-12
Introduction to Survival Analysis
(towardsdatascience.com)
2022-01-12
thoughtworks/mlops-platforms: Compare MLOps Platforms. Br...
(github.com)
2022-01-12
Essential Guide to Auto Encoders in Data Science (Part 2)
(heartbeat.comet.ml)
2022-01-12
How a Kalman filter works, in pictures | Bzarg
(www.bzarg.com)
2021-12-28
A Comprehensive Guide of Regularization Techniques in Dee...
(towardsdatascience.com)
2021-12-25
eugeneyan/applied-ml: ? Papers & tech blogs by companies ...
(github.com)
2021-12-23
Python Computer Vision Libraries Every Developer Should Know
(dev.to)
2021-12-20
A Practical Guide to ARIMA Models using PyCaret — Part 4
(towardsdatascience.com)
2021-12-15
11 Different Uses of Dimensionality Reduction
(towardsdatascience.com)
2021-12-14
PyTorch vs TensorFlow in 2023
(www.assemblyai.com)
2021-12-13
Machine-Learning-Tokyo/Interactive_Tools: Interactive Too...
(github.com)
2021-12-08
Image Kernels explained visually
(setosa.io)
2021-12-08
Learning with not Enough Data Part 1: Semi-Supervised Lea...
(lilianweng.github.io)
2021-12-08
Drift in Machine Learning
(link.medium.com)
2021-12-07
3 (and Half) Powerful Tricks To Effectively Read CSV Data...
(towardsdatascience.com)
2021-12-04
Mito: One of the Coolest Python Libraries You Have Ever Seen
(link.medium.com)
2021-12-03
A Guide to Dimensionality Reduction in Python
(builtin.com)
2021-12-02
Efficient matrix multiplication
(gist.github.com)
2021-11-29
Why fast, effective data labeling has become a competitiv...
(venturebeat.com)
2021-11-29
7 DevOps skills for Machine Learning Operations | by Rica...
(towardsdatascience.com)
2021-11-28
Three R Libraries Every Data Scientist Should Know (Even ...
(towardsdatascience.com)
2021-11-23
An Introduction to Lagrange Multipliers
(www.slimy.com)
2021-11-17
9 Distance Measures in data science with algorithms.
(twitter.com)
2021-11-14
Semi-Supervised Learning — How to Assign Labels with Labe...
(towardsdatascience.com)
2021-11-03
A Complete Machine Learning Project From Scratch: Setting Up
(www.mihaileric.com)
2021-10-29
MedMNIST v2 Dataset | Papers With Code
(paperswithcode.com)
2021-10-29
Applications and Techniques for Fast Machine Learning in ...
(arxiv.org)
2021-10-24
A Free And Powerful Labelling Tool Every Data Scientist S...
(link.medium.com)
2021-10-17
An Introduction to PyTorch Lightning
(www.exxactcorp.com)
2021-10-17
Benefits of the CatBoost Machine Learning Algorithm
(link.medium.com)
2021-10-17
Clustering Made Easy with PyCaret
(link.medium.com)
2021-10-15
Kernel Methods: A Simple Introduction
(towardsdatascience.com)
2021-10-12
Streamlit, which helps data scientists build apps, hits v...
(venturebeat.com)
2021-10-07
Essential Linux Command-Line Tricks for Computer Vision R...
(towardsdatascience.com)
2021-10-03
A friendly introduction to machine learning compilers and...
(huyenchip.com)
2021-10-01
graviraja/MLOps-Basics
(github.com)
2021-10-01
Optimal Estimation Algorithms: Kalman and Particle Filters
(towardsdatascience.com)
2021-10-01
Topic Modeling: Algorithms, Techniques, and Application
(www.datasciencecentral.com)
2021-10-01
How to Analyze 100-Dimensional Data with UMAP in Breathta...
(towardsdatascience.com)
2021-09-30
Top 38 Python Libraries for Data Science, Data Visualizat...
(www.kdnuggets.com)
2021-09-28
A Practical Introduction to 9 Regression Algorithms
(towardsdatascience.com)
2021-09-25
1211570060
(storage.ning.com)
2021-09-24
Carl-McBride-Ellis/Compendium-of-free-ML-reading-resources
(github.com)
2021-09-03
[2106.10860v1] Multiplying Matrices Without Multiplying
(arxiv.org)
2021-09-01
Gaussian Belief Propagation
(gaussianbp.github.io)
2021-08-31
Detecting knee- / elbow points in a graph
(towardsdatascience.com)
2021-08-17
Complete guide to understanding Node2Vec algorithm
(towardsdatascience.com)
2021-08-09
The history of Amazon’s forecasting algorithm
(www.amazon.science)
2021-08-05
An Introduction to Statistical Learning
(www.statlearning.com)
2021-08-05
Tokenization Algorithms Explained
(towardsdatascience.com)
2021-08-01
Hora | Hora Search Everywhere
(horasearch.com)
2021-07-30
5 Ultimate Python Libraries for Image Processing
(towardsdatascience.com)
2021-07-26
An introduction to A* pathfinding (tutorial)
(dev.to)
2021-07-26
How to Add Uncertainty Estimation to your Models with Con...
(towardsdatascience.com)
2021-07-25
8 Dimensionality Reduction Techniques every Data Scientis...
(towardsdatascience.com)
2021-07-20
scikit-learn-intelex · PyPI
(pypi.org)
2021-07-20
Papers with Code - Paper with Code Newsletter
(paperswithcode.com)
2021-07-17
HOG(Histogram of Oriented Gradients)
(towardsdatascience.com)
2021-07-13
Apriori Algorithm for Association Rule Learning — How To ...
(towardsdatascience.com)
2021-07-05
Types of Correlation Coefficients
(link.medium.com)
2021-07-04
Hands-on Survival Analysis with Python
(towardsdatascience.com)
2021-07-03
Building a VAE Playground with Streamlit
(towardsdatascience.com)
2021-07-03
Semantic Search: Measuring Meaning From Jaccard to Bert
(www.pinecone.io)
2021-07-03
Read Excel files with Python. 1000x Faster.
(towardsdatascience.com)
2021-06-29
The Methods Corpus | Papers With Code
(paperswithcode.com)
2021-06-26
Face Detection Explained: State-of-the-Art Methods and Be...
(www.datasciencecentral.com)
2021-06-26
Same or Different? The Question Flummoxes Neural Networks...
(www.quantamagazine.org)
2021-06-26
Deep Scatterplots
(creatingdata.us)
2021-06-25
GPBoost: Combining Tree-Boosting with Gaussian Process an...
(github.com)
2021-06-20
New Machine Learning Gems for Ruby
(ankane.org)
2021-06-05
Learn R through examples
(gexijin.github.io)
2021-06-01
Complete Guide to Data Augmentation for Computer Vision
(towardsdatascience.com)
2021-05-31
Supercharge Your Machine Learning Experiments with PyCare...
(www.kdnuggets.com)
2021-05-31
Sentiment Analysis — Comparing 3 Common Approaches: Naive...
(towardsdatascience.com)
2021-05-30
Interpreting Scattertext: a seductive tool for plotting text
(towardsdatascience.com)
2021-05-30
Metric-Based (Ratings-based) Conjoint Analysis
(towardsdatascience.com)
2021-05-29
Introduction to Object Detection Model Evaluation
(towardsdatascience.com)
2021-05-29
10 Must Read ML Blog Posts
(elvissaravia.substack.com)
2021-05-29
https://ruder.io/optimizing-gradient-descent/
(ruder.io)
2021-05-28
NeurIPS 2021 Announcement: The Billion-Scale Approximate ...
(link.medium.com)
2021-05-24
Machine learning and recommender systems using your own S...
(link.medium.com)
2021-05-18
A/B/C Tests: How to Analyze Results From Multi-Group Expe...
(towardsdatascience.com)
2021-05-18
Causal ML for Data Science: Deep Learning with Instrument...
(towardsdatascience.com)
2021-05-18
An Introduction to PyTorch Lightning
(towardsdatascience.com)
2021-05-18
Mapping Sales Hotspots and Anomaly Detection
(towardsdatascience.com)
2021-05-17
Combinatorial Optimization: The Knapsack Problem
(towardsdatascience.com)
2021-05-15
Algorithm-Assisted Inventory Curation
(multithreaded.stitchfix.com)
2021-05-12
How image search works at Dropbox - Dropbox
(dropbox.tech)
2021-05-12
12 Jupyter Notebook Extensions That Will Make Your Life E...
(towardsdatascience.com)
2021-05-09
Theoretical Understandings of Product Embedding for E-com...
(arxiv.org)
2021-05-09
Projects
(opensource.facebook.com)
2021-05-07
Artificial Intelligence Develops an Ear for Birdsong - Sc...
(www.scientificamerican.com)
2021-05-07
Game theory as an engine for large-scale data analysis | ...
(deepmind.com)
2021-05-07
Singular value decomposition - Wikipedia
(en.wikipedia.org)
2021-05-05
GLMs Part I: A Rigorous Mathematical Formulation | by And...
(towardsdatascience.com)
2021-05-05
GLMs Part II: Newton-Raphson, Fisher Scoring, & Iterative...
(towardsdatascience.com)
2021-05-05
The 5 Feature Selection Algorithms every Data Scientist s...
(towardsdatascience.com)
2021-05-05
Prophet | Forecasting at scale.
(facebook.github.io)
2021-05-05
11 Dimensionality reduction techniques you should know in...
(towardsdatascience.com)
2021-05-05
Kolmogorov Complexity: Extensions and Applications
(blog.neotree.uber.space)
2021-05-03
Principal Component Analysis explained visually
(setosa.io)
2021-05-01
https://betterexplained.com/articles/hyperbolic-functions/
(betterexplained.com)
2021-05-01
Amazon open-sources library for prediction over large out...
(www.amazon.science)
2021-05-01
Notebook on nbviewer
(nbviewer.ipython.org)
2021-05-01
Advanced forecasting using Bayesian diffusion modeling
(towardsdatascience.com)
2021-05-01
Nine Emerging Python Libraries You Should Add to Your Dat...
(towardsdatascience.com)
2021-05-01
Instacart Market Basket Analysis. Winner’s Interview: 2nd...
(medium.com)
2021-05-01
Best Practices for Using AI to Develop the Most Accurate ...
(developer.nvidia.com)
2021-05-01
Automate Hyperparameter Tuning for Multiple Models with H...
(towardsdatascience.com)
2021-04-30
Deep In Singular Value Decomposition
(towardsdatascience.com)
2021-04-28
nbterm: Jupyter Notebooks in the terminal
(blog.jupyter.org)
2021-04-28
Spotify Genre Classification Algorithm
(towardsdatascience.com)
2021-04-28
A Summary of Active Learning Frameworks
(towardsdatascience.com)
2021-04-26
Gentle introduction to 2D Hand Pose Estimation: Approach ...
(towardsdatascience.com)
2021-04-25
What Really IS a Matrix Determinant?
(towardsdatascience.com)
2021-04-25
A Primer on the EM Algorithm
(towardsdatascience.com)
2021-04-22
When and how to use power transform in machine learning
(towardsdatascience.com)
2021-04-22
Time Series Forecasting with PyCaret Regression Module
(www.kdnuggets.com)
2021-04-18
Zero-Shot Learning: Can you classify an object without se...
(www.kdnuggets.com)
2021-04-18
Using Gaussian Mixture Models to Transform User-Item Embe...
(link.medium.com)
2021-04-17
9 Distance Measures in Data Science
(towardsdatascience.com)
2021-04-15
How to create custom scikit-learn classification and regr...
(towardsdatascience.com)
2021-04-13
DIY XGBoost library in less than 200 lines of python
(towardsdatascience.com)
2021-04-12
11 Times Faster Hyperparameter Tuning with HalvingGridSearch
(towardsdatascience.com)
2021-04-09
CPU-based algorithm trains deep neural nets up to 15 time...
(techxplore.com)
2021-04-07
Deploying a basic Streamlit app to Heroku
(towardsdatascience.com)
2021-04-07
Beginner’s Guide to XGBoost for Classification Problems
(towardsdatascience.com)
2021-04-04
Deploying a basic Streamlit app
(towardsdatascience.com)
2021-04-04
You are underutilizing shap values — feature groups and c...
(towardsdatascience.com)
2021-04-03
AI Planning using Constraint Satisfaction Problems
(towardsdatascience.com)
2021-04-03
Principal component regression
(en.wikipedia.org)
2021-04-03
Quadratic Discriminant Analysis
(towardsdatascience.com)
2021-04-03
UCI Machine Learning Repository
(archive.ics.uci.edu)
2021-04-02
Evaluating Search Algorithms
(shopify.engineering)
2021-03-30
130 Machine Learning Projects Solved and Explained
(medium.com)
2021-03-30
Prediction Intervals for Gradient Boosting Regression
(scikit-learn.org)
2021-03-30
Polynomial Regression in Python
(towardsdatascience.com)
2021-03-30
Three Model Compression Methods You Need To Know in 2021
(towardsdatascience.com)
2021-03-28
5 Things You Should Know About Covariance
(link.medium.com)
2021-03-28
A Beginner’s Guide to Image Augmentations in Machine Lear...
(towardsdatascience.com)
2021-03-28
3 Key Pieces of Information About Logistic Regression Alg...
(towardsdatascience.com)
2021-03-28
4 Machine learning techniques for outlier detection in Py...
(towardsdatascience.com)
2021-03-26
UPDATED: Using R and H2O to identify product anomalies du...
(www.r-bloggers.com)
2021-03-23
Xgboost regression training on CPU and GPU in python
(towardsdatascience.com)
2021-03-22
VISSL · A library for state-of-the-art self-supervised le...
(vissl.ai)
2021-03-22
https://sicara.ai/blog/en/speed-jax-python
(sicara.ai)
2021-03-22
Scikit-learn Tutorial – Beginner’s Guide to GPU Accelerat...
(developer.nvidia.com)
2021-03-22
Graph Theory Basics
(towardsdatascience.com)
2021-03-21
Conda: essential concepts and tricks
(towardsdatascience.com)
2021-03-21
XGBoost: Extreme Gradient Boosting — How to Improve on Re...
(towardsdatascience.com)
2021-03-21
4 Easy Steps for Implementing CatBoost
(towardsdatascience.com)
2021-03-21
Two outlier detection techniques you should know in 2021
(towardsdatascience.com)
2021-03-20
stitchfix/mab: Library for multi-armed bandit selection s...
(github.com)
2021-03-16
Gaussian Process Regression From First Principles
(link.medium.com)
2021-03-12
Introduction to hierarchical clustering (Part 3 — Spatial...
(towardsdatascience.com)
2021-03-11
A Comprehensive Mathematical Approach to Understand AdaBoost
(towardsdatascience.com)
2021-03-10
How you can quickly build ML web apps with Streamlit.
(towardsdatascience.com)
2021-03-10
Thompson Sampling using Conjugate Priors
(towardsdatascience.com)
2021-03-09
stanfordmlgroup/ngboost: Natural Gradient Boosting for Pr...
(github.com)
2021-03-06
How to use PyCaret — the library for lazy data scientists
(towardsdatascience.com)
2021-03-05
The Algorithms That Make Instacart Roll
(spectrum.ieee.org)
2021-03-05
State-of-the-Art Image Generation Models
(arankomatsuzaki.wordpress.com)
2021-03-01
Gradient-Free-Optimizers A collection of modern optimizat...
(github.com)
2021-02-25
PyCaret — pycaret 2.2.0 documentation
(pycaret.readthedocs.io)
2021-02-25
Home - PyCaret
(pycaret.org)
2021-02-24
A Complete Guide To Survival Analysis In Python, part 3 -...
(www.kdnuggets.com)
2021-02-23
www-eio.upc.edu/~pau/cms/rdata/datasets.html
(www-eio.upc.edu)
2021-02-22
An overview of synthetic data types and generation methods
(www.kdnuggets.com)
2021-02-20
Affinity Analysis (Market Basket Analysis)
(towardsdatascience.com)
2021-02-19
Categorical cross-entropy and SoftMax regression
(towardsdatascience.com)
2021-02-19
Explain Machine Learning Models: Partial Dependence
(towardsdatascience.com)
2021-02-11
Error Backpropagation Learning Algorithm
(deepai.org)
2021-02-11
Why you should always use feature embeddings with structu...
(towardsdatascience.com)
2021-02-11
Data Science & AI Glossary | DeepAI
(deepai.org)
2021-02-10
Generative Graph Models with NetworkX
(towardsdatascience.com)
2021-02-04
Hacker News
(www.theorangeduck.com)
2021-02-04
Hacker News
(humanloop.com)
2021-01-28
The Ultimate Scikit-Learn Machine Learning Cheatsheet - K...
(www.kdnuggets.com)
2021-01-28
Image Processing with Python — Blob Detection using Sciki...
(towardsdatascience.com)
2021-01-27
General Methods | Papers With Code
(paperswithcode.com)
2021-01-27
Decades-Old Graph Problem Yields to Amateur Mathematician
(getpocket.com)
2021-01-19
SVM Classifier and RBF Kernel — How to Make Better Models...
(towardsdatascience.com)
2021-01-19
Using strip charts to visualize dozens of time series at ...
(towardsdatascience.com)
2021-01-17
Link Prediction and Information Theory: A Tutorial
(towardsdatascience.com)
2021-01-16
Forget coding, you can now solve your AI problems with Excel
(bdtechtalks.com)
2021-01-16
Hardware for Deep Learning. Part 4: ASIC
(blog.inten.to)
2021-01-13
Algorithms for Decision Making | Hacker News
(news.ycombinator.com)
2021-01-10
Jason's Machine Learning 101
(docs.google.com)
2021-01-10
Model Compression: A Look into Reducing Model Size
(towardsdatascience.com)
2021-01-08
New Features of Scikit-Learn. An Overview of the Most Imp...
(towardsdatascience.com)
2021-01-07
Comparing Binary, Gray, and One-Hot Encoding
(www.allaboutcircuits.com)
2021-01-02
Meet whale! ? The stupidly simple data discovery tool. | ...
(medium.com)
2021-01-02
How to Automate Tasks on GitHub With Machine Learning for...
(towardsdatascience.com)
2021-01-02
10 Stochastic Gradient Descent Optimisation Algorithms Ch...
(towardsdatascience.com)
2021-01-01
Benchmark functions | BenchmarkFcns
(benchmarkfcns.xyz)
2020-12-30
8 New Tools I Learned as a Data Scientist in 2020 | by Be...
(towardsdatascience.com)
2020-12-26
Practical Graph Theory in Ruby
(www.rubyguides.com)
2020-12-23
BFGS in a Nutshell: An Introduction to Quasi-Newton Methods
(towardsdatascience.com)
2020-12-23
Lagrange multipliers with visualizations and code | by Ro...
(towardsdatascience.com)
2020-12-22
Beyond One-Hot. 17 Ways of Transforming Categorical Featu...
(towardsdatascience.com)
2020-12-22
Particle Swarm Optimization Visually Explained
(towardsdatascience.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-18
The Sensitivity Analysis: A Powerful Yet Underused Tool f...
(towardsdatascience.com)
2020-12-18
How to Deploy your Custom ML Model with Streamlit and Heroku
(towardsdatascience.com)
2020-12-18
Project Lighthouse — Part 1: P-sensitive k-anonymity
(medium.com)
2020-12-18
Sensitivity, Specificity and Meaningful Classifiers
(towardsdatascience.com)
2020-12-18
SVM Kernels: What Do They Actually Do?
(towardsdatascience.com)
2020-12-18
Log-Normal Distribution
(t.co)
2020-12-18
Stop One-Hot Encoding Your Categorical Variables.
(towardsdatascience.com)
2020-12-18
Support Vector Machines under the hood: An advanced expla...
(towardsdatascience.com)
2020-12-18
Matching of Bipartite Graphs using NetworkX
(towardsdatascience.com)
2020-12-10
AI system for high precision recognition of hand gestures
(www.sciencedaily.com)
2020-12-10
Clustering Using Convex Hulls
(towardsdatascience.com)
2020-11-30
Getting Started with Random Matrices: A Step-by-Step Guide
(medium.com)
2020-11-29
10 Graph Algorithms Visually Explained
(towardsdatascience.com)
2020-11-27
www.cheatsheets.aqeel-anwar.com
(sites.google.com)
2020-11-24
Peregrine: A Pattern-Aware Graph Mining System
(github.com)
2020-11-19
5 Categorical Encoding Tricks you need to know today as a...
(towardsdatascience.com)
2020-11-19
Speech Recognition with Python. Learn which of the 9 most...
(towardsdatascience.com)
2020-11-19
4 Rarely-Used Yet Very Useful Pandas Tricks
(towardsdatascience.com)
2020-11-17
A radical new technique lets AI learn with practically no...
(www.technologyreview.com)
2020-11-10
A Comparison of Bandit Algorithms
(towardsdatascience.com)
2020-11-09
How to Choose a Feature Selection Method For Machine Lear...
(machinelearningmastery.com)
2020-11-09
MLWhiz: Helping You Learn Data Science!
(mlwhiz.com)
2020-11-05
A review of consensus protocols
(thomasvilhena.com)
2020-11-05
Algorithms for Collision Detection
(www.jeffreythompson.org)
2020-11-03
Cataloging Tools for Data Teams
(towardsdatascience.com)
2020-11-03
Complete Guide to Adam Optimization
(towardsdatascience.com)
2020-11-03
63 Machine Learning Algorithms — Introduction | by Priyan...
(medium.com)
2020-11-03
All the ~Eigen-stuff they never thought you should know
(towardsdatascience.com)
2020-11-03
Improving complementary-product recommendations
(www.amazon.science)
2020-11-03
Make kNN 300 times faster than Scikit-learn’s in 20 lines!
(towardsdatascience.com)
2020-11-03
5 SMOTE Techniques for Oversampling your Imbalance Data
(towardsdatascience.com)
2020-11-03
What is Perspective Warping ? | OpenCV and Python
(towardsdatascience.com)
2020-11-03
Helping robots avoid collisions
(news.mit.edu)
2020-11-03
Leveraging Value from Postal Codes, NAICS Codes, Area Cod...
(towardsdatascience.com)
2020-11-03
Floating-Point Formats and Deep Learning
(eigenfoo.xyz)
2020-11-03
Z-score for anomaly detection
(towardsdatascience.com)
2020-11-03
Writing a Production-Level Machine Learning Framework: Le...
(towardsdatascience.com)
2020-11-03
https://blog.exxactcorp.com/autograd-the-best-machine-lea...
(blog.exxactcorp.com)
2020-11-03
Causal Inference Book | Miguel Hernan | Harvard T.H. Chan...
(www.hsph.harvard.edu)
2020-11-03
Vectorizing code matters
(towardsdatascience.com)
2020-11-03
A Gentle Introduction to Information Entropy - MachineLea...
(machinelearningmastery.com)
2020-11-03
How to Calculate the KL Divergence for Machine Learning -...
(machinelearningmastery.com)
2020-11-03
Kullback–Leibler divergence
(en.wikipedia.org)
2020-11-03
Latent Dirichlet Allocation: Intuition, math, implementat...
(towardsdatascience.com)
2020-11-03
XGBoost, LightGBM, and Other Kaggle Competition Favorites
(towardsdatascience.com)
2020-11-03
10 Hyperparameter optimization frameworks.
(towardsdatascience.com)
2020-11-03
Geospatial Indexing with Quadkeys
(towardsdatascience.com)
2020-11-03
Part 7: Fast Pattern Searching with STUMPY
(towardsdatascience.com)
2020-11-03
Anomaly Detection using Benford’s Law
(towardsdatascience.com)
2020-11-02
Advanced Ensemble Learning Techniques
(towardsdatascience.com)
2020-11-02
Machine learning for anomaly detection: Elliptic Envelope
(towardsdatascience.com)
2020-11-02
How to peek inside a black box model — Understand Partial...
(towardsdatascience.com)
2020-11-02
The Hundred-Page Machine Learning Book by Andriy Burkov
(www.mlebook.com)
2020-11-02
Why Does No One Use Advanced Hyperparameter Tuning? | by ...
(towardsdatascience.com)
2020-11-02
Tutorial: Uncertainty estimation with CatBoost
(towardsdatascience.com)
2020-11-02
Python 3.9 New Features & How to Use Them
(towardsdatascience.com)
2020-11-02
Histogram Matching
(towardsdatascience.com)
2020-11-02
Hidden Markov Model (HMM) — simple explanation in high level
(towardsdatascience.com)
2020-11-02
An intuitive guide to PCA
(towardsdatascience.com)
2020-11-02
Silhouette Method — Better than Elbow Method to find Opti...
(towardsdatascience.com)
2020-11-02
Handling Outliers in Clusters using Silhouette Analysis
(towardsdatascience.com)
2020-10-20
Machine Learning Enabled High-Sigma Verification Of Memor...
(semiengineering.com)
2020-10-16
Seven Must-Know Statistical Distributions and Their Simul...
(towardsdatascience.com)
2020-10-10
DBSCAN — a density-based unsupervised algorithm for fraud...
(towardsdatascience.com)
2020-08-11
AI 101: Intro to Evolutionary Algorithms
(www.sentient.ai)
2020-08-11
Polynomial Regression: The Only Introduction You’ll Need
(towardsdatascience.com)
2020-08-10
A Novel Approach to Feature Importance — Shapley Additive...
(towardsdatascience.com)
2020-08-10
New features in scikit-learn
(towardsdatascience.com)
2020-07-05
Entropy, Cross-Entropy, and KL-Divergence Explained!
(towardsdatascience.com)
2020-07-05
Part 5: Fast Approximate Matrix Profiles with STUMPY
(towardsdatascience.com)
2020-06-24
The Jewel of the Matrix: A Deep Dive Into Eigenvalues & E...
(towardsdatascience.com)
2020-06-24
The Singular Value Decomposition without Algebra
(towardsdatascience.com)
2020-06-24
Solving a Chicken and Egg Problem: Expectation-Maximizati...
(towardsdatascience.com)
2020-06-24
Deep dive into ROC-AUC
(towardsdatascience.com)
2020-06-24
The Ultimate Guide to Multiclass A/B Testing
(towardsdatascience.com)
2020-06-24
How Sklearn’s “TF-IDF” is different from the standard “TF...
(towardsdatascience.com)
2020-06-24
Variational Gaussian Process — What To Do When Things Are...
(towardsdatascience.com)
2020-06-24
A Visual Explanation of Gradient Descent Methods (Momentu...
(towardsdatascience.com)
2020-06-24
Dimensionality Reduction in Hyperspectral Images using Py...
(towardsdatascience.com)
2020-06-24
Multiclass Classification with Support Vector Machines (S...
(towardsdatascience.com)
2020-06-03
Ten Eisen features that changed the way I do deep learning
(towardsdatascience.com)
2020-06-02
5 Fabulous Python Packages For Data-Science Nobody Knows ...
(towardsdatascience.com)
2020-06-02
Simple Guide to Choropleth Maps
(towardsdatascience.com)
2020-06-02
Visualizing Geospatial Data in Python
(towardsdatascience.com)
2020-06-01
External Redirection | LinkedIn
(bit.ly)
2020-06-01
Comment Ranking Algorithms: Hacker News vs. YouTube vs. R...
(amacfie.github.io)
2020-06-01
Federated Learning using PyTorch and PySyft | LearnOpenCV
(www.learnopencv.com)
2020-06-01
Eigenfaces — Face Classification in Python
(towardsdatascience.com)
2020-06-01
A Machine Learning Algorithm Every Data Scientist Needs: ...
(towardsdatascience.com)
2020-06-01
Short technical information about Word2Vec, GloVe and Fas...
(towardsdatascience.com)
2020-06-01
A Product Manager’s Guide to Machine Learning: Cloud Mach...
(towardsdatascience.com)
2020-06-01
Contrasting contrastive loss functions
(towardsdatascience.com)
2020-06-01
An Introduction to Optical Character Recognition for Begi...
(towardsdatascience.com)
2020-06-01
Factor Analysis — A Complete Tutorial
(towardsdatascience.com)
2020-06-01
Using K-Means to detect changes in a retail store | Towar...
(towardsdatascience.com)
2020-06-01
Graph Theory | BFS Shortest Path Problem on a Grid
(towardsdatascience.com)
2020-06-01
Insurance Risk Pricing — Tweedie Approach - Towards Data ...
(towardsdatascience.com)
2020-06-01
Five Cool Python Libraries for Data Science - KDnuggets
(www.kdnuggets.com)
2020-06-01
Isolation Forest from Scratch
(towardsdatascience.com)
2020-06-01
Dot Product in Linear Algebra for Data Science using Python
(towardsdatascience.com)
2020-06-01
The Power-Law Distribution
(towardsdatascience.com)
2020-06-01
Text Mining with R: Gathering and Cleaning Data
(towardsdatascience.com)
2020-06-01
What is isotonic regression?
(www.r-bloggers.com)
2020-06-01
A Simplified approach using PyCaret for Anomaly Detection
(towardsdatascience.com)
2020-06-01
Recursive Feature Elimination (RFE) for Feature Selection...
(machinelearningmastery.com)
2020-06-01
Entropy and Information Gain
(towardsdatascience.com)
2020-06-01
Speeding training of decision trees
(www.amazon.science)
2020-06-01
How to Use Polynomial Feature Transforms for Machine Lear...
(machinelearningmastery.com)
2020-06-01
Deploy Machine Learning Applications using Chef
(towardsdatascience.com)
2020-05-20
Hierarchical Clustering: An Application to World Currencies
(towardsdatascience.com)
2020-05-20
The Illustrated Guide To Classification Metrics: The Basics
(towardsdatascience.com)
2020-05-20
What, Why and How of t-SNE
(towardsdatascience.com)
2020-05-19
Categorical Feature Encoding in Python
(towardsdatascience.com)
2020-05-19
Understanding Associative Embedding
(towardsdatascience.com)
2020-05-19
Amazon’s AI tool can plan collision-free paths for 1,000 ...
(venturebeat.com)
2020-05-19
firmai/datagene: DataGene - Identify How Similar Datasets...
(github.com)
2020-05-17
Time Series Analysis: Creating Synthetic Datasets
(towardsdatascience.com)
2020-05-16
Complete guide to machine learning and deep learning in r...
(towardsdatascience.com)
2020-05-16
A picture is worth 1,000 false-positive bug reports
(multithreaded.stitchfix.com)
2020-05-15
Open sourcing the AI Model Efficiency Toolkit
(www.qualcomm.com)
2020-05-15
Latent Semantic Analysis: intuition, math, implementation
(towardsdatascience.com)
2020-05-15
Spatial Autocorrelation: Close Objects Affecting Other Cl...
(towardsdatascience.com)
2020-05-15
An Intro to Graph Theory, Centrality Measurements, and Ne...
(towardsdatascience.com)
2020-05-15
mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...
(towardsdatascience.com)
2020-05-15
An Intuitive Explanation of Kernels in Support Vector Mac...
(towardsdatascience.com)
2020-05-15
Generative vs Discriminative Probabilistic Graphical Models
(towardsdatascience.com)
2020-05-15
Using Q-Learning in Numpy to teach an agent to play a game
(towardsdatascience.com)
2020-05-15
7 advanced tricks in pandas for data science
(towardsdatascience.com)
2020-05-15
5 Great New Features in Latest Scikit-learn Release - KDn...
(www.kdnuggets.com)
2020-05-15
Modeling in Seconds: Using PyCaret as a Tool for Data Sci...
(towardsdatascience.com)
2020-05-15
Cross Entropy, Log-Loss And Intuition Behind It
(towardsdatascience.com)
2020-05-15
How to Deploy your Machine Learning Models on Kubernetes
(towardsdatascience.com)
2020-05-15
SVM and Kernel SVM
(towardsdatascience.com)
2020-05-15
PyTorch BentoML Heroku: The simple stack
(towardsdatascience.com)
2020-05-15
Handling imbalanced dataset in supervised learning using ...
(www.datasciencecentral.com)
2020-05-15
Feature Engineering: Data scientist's Secret Sauce ! - Da...
(www.datasciencecentral.com)
2020-05-15
L1 and L2 Regularization — Explained
(towardsdatascience.com)
2020-05-15
Netflix Data Science Interview Practice Problems
(towardsdatascience.com)
2020-05-14
Detecting Weird Data: Conformal Anomaly Detection
(towardsdatascience.com)
2020-05-14
30 Data Science Interview Questions from FAANG Tech Giants
(towardsdatascience.com)
2020-05-14
Machine Learning in Industrial Chemicals: Process Quality...
(blog.bigml.com)
2020-05-10
A brief introduction to the beauty of Information Theory
(notamonadtutorial.com)
2020-05-06
Lines Detection with Hough Transform
(towardsdatascience.com)
2020-05-06
A Deep Dive into Lane Detection with Hough Transform
(towardsdatascience.com)
2020-05-06
Getting Started with Spectral Clustering - Dr. Juan Camil...
(juanitorduz.github.io)
2020-04-27
Stochastic-, Batch-, and Mini-Batch Gradient Descent Demy...
(towardsdatascience.com)
2020-04-26
Gaussian Mixture Models(GMM)
(towardsdatascience.com)
2020-04-24
Stacked Auto-encoder as a Recommendation System for Movie...
(towardsdatascience.com)
2020-04-24
RecSys Series Part 5: Neural Matrix Factorization for Col...
(towardsdatascience.com)
2020-04-23
1. Getting started — csvkit 1.0.5 documentation
(csvkit.readthedocs.io)
2020-04-22
5 Machine Learning Techniques for Sales Forecasting
(towardsdatascience.com)
2020-04-21
Deep Dive into Polynomial Regression and Overfitting - Da...
(www.datasciencecentral.com)
2020-04-21
Optimization Techniques — Simulated Annealing
(towardsdatascience.com)
2020-04-21
So why the heck are they called Support Vector Machines?
(towardsdatascience.com)
2020-04-19
Layered Label Propagation Algorithm
(towardsdatascience.com)
2020-04-19
Visualizing Three-Dimensional Data — Heatmaps, Contours, ...
(towardsdatascience.com)
2020-04-19
Multicollinearity in Regression Analysis: Problems, Detec...
(www.datasciencecentral.com)
2020-04-19
tf.data: Creating data input pipelines
(towardsdatascience.com)
2020-04-19
A Complete Beginners Guide to Matrix Multiplication for D...
(towardsdatascience.com)
2020-04-19
Partial Correlation Vs. Conditional Mutual Information
(towardsdatascience.com)
2020-04-15
Build PyTorch Models Easily Using torchlayers
(www.kdnuggets.com)
2020-04-15
Pandas tips I wish I knew before
(towardsdatascience.com)
2020-04-15
Co-variance: An intuitive explanation!
(towardsdatascience.com)
2020-04-15
Matthews Correlation Coefficient: when to use it and when...
(towardsdatascience.com)
2020-04-15
t-SNE clearly explained
(towardsdatascience.com)
2020-04-01
Visualizing Gaussian Elimination
(towardsdatascience.com)
2020-04-01
Bayesian Inference Algorithms: MCMC and VI
(towardsdatascience.com)
2020-04-01
Comprehensive Guide on Item Based Recommendation Systems
(towardsdatascience.com)
2020-04-01
Matrix Factorization as a Recommender System
(towardsdatascience.com)
2020-04-01
Machine Learning Benchmarking: You’re Doing It Wrong
(blog.bigml.com)
2020-04-01
Lesser-known pandas tricks (2019)
(towardsdatascience.com)
2020-04-01
How to Use DBSCAN Effectively
(towardsdatascience.com)
2020-04-01
[P] PyCM 2.6 released : Multi-class confusion matrix libr...
(www.reddit.com)
2020-04-01
Learn how to read data into a Pandas DataFrame in 5 minutes
(towardsdatascience.com)
2020-04-01
Boosting Showdown: Scikit-Learn vs XGBoost vs LightGBM vs...
(towardsdatascience.com)
2020-04-01
Decision Trees for Classification: ID3 Algorithm Explained
(towardsdatascience.com)
2020-04-01
Optimization — Descent Algorithms
(towardsdatascience.com)
2020-03-31
Less Known but Very Useful Pandas Functions
(towardsdatascience.com)
2020-03-31
Hyperparameter Tuning with Python: Complete Step-by-Step ...
(towardsdatascience.com)
2020-03-31
How to Share your Jupyter Notebook in 3 Lines of Code wit...
(towardsdatascience.com)
2020-03-30
A Friendly Introduction to Text Clustering
(towardsdatascience.com)
2020-03-29
Local Links Run The World
(getpocket.com)
2020-03-18
Retail Analytics: A Novel and Intuitive way of finding Su...
(towardsdatascience.com)
2020-03-18
Test Your Skills: 26 Data Science Interview Questions & A...
(towardsdatascience.com)
2020-03-16
Hyper-Parameter Optimization: A Review of Algorithms and ...
(arxiv.org)
2020-03-11
How exactly does PCA work?
(towardsdatascience.com)
2020-03-11
A One-Stop Shop for Principal Component Analysis - Toward...
(towardsdatascience.com)
2020-03-09
Over 150 of the Best Machine Learning, NLP, and Python Tu...
(medium.com)
2020-03-09
Why Is Imbalanced Classification Difficult?
(machinelearningmastery.com)
2020-03-09
How to Develop an Imbalanced Classification Model to Dete...
(machinelearningmastery.com)
2020-03-09
An introduction to time series forecasting
(algorithmia.com)
2020-03-09
Exploring the fundamentals of multi-armed bandits
(www.microsoft.com)
2020-03-09
Convex Hull: An Innovative Approach to Gift-Wrap your Data
(towardsdatascience.com)
2020-03-09
QR Matrix Factorization
(towardsdatascience.com)
2020-03-09
The Curious Case of Kalman Filters
(towardsdatascience.com)
2020-03-09
https://www.datasciencecentral.com/profiles/blogs/6448529...
(www.datasciencecentral.com)
2020-03-09
Self Supervised Depth Estimation: Breaking down the ideas
(towardsdatascience.com)
2020-03-09
Run 100x faster your Scikit-learn ML apps: A use case on ...
(www.datasciencecentral.com)
2020-03-09
[P] pytorch-optimizer -- collections of ready to use opti...
(www.reddit.com)
2020-03-09
Building an Incremental Recommender System: Part II
(towardsdatascience.com)
2020-03-09
An Introduction to Support Vector Regression (SVR)
(towardsdatascience.com)
2020-03-09
How to use Residual Plots for regression model validation?
(towardsdatascience.com)
2020-03-09
The Most Useful ML Tools 2020
(towardsdatascience.com)
2020-03-09
Implementing XGBoost from scratch
(towardsdatascience.com)
2020-03-09
Semi-Supervised Classification of Unlabeled Data (PU Lear...
(towardsdatascience.com)
2020-03-09
Beyond A/B Testing: Primer on Causal Inference
(towardsdatascience.com)
2020-03-09
What is a Markov Decision Process Anyways?
(towardsdatascience.com)
2020-02-19
Accuracy vs Speed – what Data Scientists can learn from S...
(www.kdnuggets.com)
2020-02-19
Reinforcement Learning, Part 3: The Markov Decision Process
(medium.com)
2020-02-19
MCMC Methods: Metropolis-Hastings and Bayesian Inference
(www.toptal.com)
2020-02-19
MIT Linear Algebra, Lecture 4: A=LU Factorization
(catonmat.net)
2020-02-19
TinyML Book
(tinymlbook.com)
2020-02-19
Beyond L2 Loss – How We Experiment with Loss Functions
(eng.lyft.com)
2020-02-19
Market Basket Analysis: A Tutorial
(www.kdnuggets.com)
2020-02-19
Polynomial Regression from Scratch in Python
(rickwierenga.com)
2020-02-19
What are some fast similarity search algorithms and data ...
(www.quora.com)
2020-02-19
[OC] Updated version of my recent maze finding algorithm ...
(www.reddit.com)
2020-02-19
40+ Modern Tutorials Covering All Aspects of Machine Lear...
(www.datasciencecentral.com)
2020-02-19
Survey Segmentation Tutorial
(www.kdnuggets.com)
2020-02-19
Classify A Rare Event Using 5 Machine Learning Algorithms
(www.kdnuggets.com)
2020-02-19
Key Graph Based Shortest Path Algorithms With Illustratio...
(www.datasciencecentral.com)
2020-02-19
https://stepupanalytics.com/beginners-guide-to-statistica...
(stepupanalytics.com)
2020-02-19
The Data Science Interview Study Guide
(www.kdnuggets.com)
2020-02-19
The 5 most useful Techniques to Handle Imbalanced datasets
(mlwhiz.com)
2020-02-19
auto-sklearn — AutoSklearn 0.6.0 documentation
(automl.github.io)
2020-02-19
[N] scikit-optimize 0.7 release
(www.reddit.com)
2020-02-19
Comparing Apples, Oranges and Bananas - ssense-tech - Medium
(medium.com)
2020-02-19
Practical Hyperparameter Optimization
(www.kdnuggets.com)
2020-02-19
Adversarial Validation Overview
(www.kdnuggets.com)
2020-02-19
Evolutionary Algorithms
(deepai.org)
2020-02-19
Independent Component Analysis
(deepai.org)
2020-02-19
“Machine learning - Clustering, Density based clustering ...
(jhui.github.io)
2020-02-19
Introduction To Machine Learning Deployment Using Docker ...
(mlfromscratch.com)
2020-02-09
10 tools and platforms for data preparation - Data Scienc...
(www.datasciencecentral.com)
2019-12-23
vumaasha/Atlas: Atlas: A Dataset and Benchmark for E-comm...
(github.com)
2019-12-23
Introduction to Stochastic Processes [pdf]
(web.ma.utexas.edu)
2019-12-23
Predictive Analytics Techniques in One Picture
(www.datasciencecentral.com)
2019-12-14
Markov Chain Analysis and Simulation using Python - Towar...
(towardsdatascience.com)
2019-12-14
A Pirate's Guide to Accuracy, Precision, Recall, and Othe...
(blog.floydhub.com)
2019-12-14
Workflow Tools for Model Pipelines
(towardsdatascience.com)
2019-12-14
Correlation Coefficients in One Picture - DataScienceCent...
(www.datasciencecentral.com)
2019-12-14
Time Series Prediction - A short introduction for pragmat...
(www.liip.ch)
2019-12-14
The 5 Classification Evaluation metrics every Data Scient...
(mlwhiz.com)
2019-12-14
Deep Learning in the Real World: Dealing with Non-Differe...
(fruty.io)
2019-12-14
[D] Tools/Techniques for Efficiently Sorting Image Data
(www.reddit.com)
2019-12-14
Density Estimation: MLE, MAP, MOM, KDE, ECDF, Q-Q Plot, GAN
(medium.com)
2019-12-14
[R] How UMAP works -- a detailed comparison with t-SNE
(www.reddit.com)
2019-12-14
Is Rectified Adam actually *better* than Adam? - PyImageS...
(www.pyimagesearch.com)
2019-12-14
https://www.datasciencecentral.com/profiles/blogs/tutoria...
(www.datasciencecentral.com)
2019-12-14
Clustering Metrics Better Than the Elbow Method
(www.kdnuggets.com)
2019-12-14
101 Machine Learning Algorithms for Data Science | Data S...
(blog.datasciencedojo.com)
2019-12-05
The Simple Math behind 3 Decision Tree Splitting criterions
(mlwhiz.com)
2019-11-14
Rules of Machine Learning: | Google for Developers
(developers.google.com)
2019-11-07
https://blog.floydhub.com/introduction-to-adversarial-mac...
(blog.floydhub.com)
2019-11-07
https://mitpress.ublish.com/ereader/7093/?preview=#page/C...
(mitpress.ublish.com)
2019-11-07
Understanding UMAP
(pair-code.github.io)
2019-11-07
Inference Results – MLPerf
(mlperf.org)
2019-11-07
Research Guide: Advanced Loss Functions for Machine Learn...
(www.kdnuggets.com)
2019-10-08
150 successful machine learning models: 6 lessons learned...
(blog.acolyer.org)
2019-10-07
How UMAP Works — umap 0.3 documentation
(umap-learn.readthedocs.io)
2019-09-30
The Math of Machine Learning - Berkeley University Textbook
(www.datasciencecentral.com)
2019-09-30
What is Hierarchical Clustering?
(www.kdnuggets.com)
2019-09-24
An In-Depth Guide to Contrastive Learning: Techniques Mod...
(myscale.com)
2019-08-30
How exactly Stitch Fix’s “Tinder for clothes” learns your...
(qz.com)
2019-08-30
Understanding AdaBoost – or how to turn Weakness into Str...
(www.r-bloggers.com)
2019-08-30
Knowledge extraction from unstructured texts | Tech Blog
(blog.heuritech.com)
2019-08-30
benedekrozemberczki/awesome-gradient-boosting-papers: A c...
(github.com)
2019-08-30
Modeling the Unseen
(tech.instacart.com)
2019-08-30
Arima Model – Complete Guide to Time Series Forecasting i...
(www.machinelearningplus.com)
2019-08-30
Machine Learning: Association Rule Mining
(www.datasciencecentral.com)
2019-08-29
Synthetic data generation — a must-have skill for new dat...
(towardsdatascience.com)
2019-08-29
Kernel density estimation explainer
(flowingdata.com)
2019-08-29
Comparison of the Text Distance Metrics | ActiveWizards: ...
(activewizards.com)
2019-08-29
https://dhruvonmath.com/2019/04/04/kernels
(dhruvonmath.com)
2019-08-29
How to Use t-SNE Effectively
(distill.pub)
2019-08-29
9 Python Libraries Which Can Help You In Image Processing...
(www.datasciencecentral.com)
2019-08-29
L
(buff.ly)
2019-08-29
Principal component analysis: pictures, code and proofs
(joellaity.com)
2019-08-28
Python Data Science Handbook | Python Data Science Handbook
(jakevdp.github.io)
2019-08-20
The Hitchhiker’s Guide to Feature Extraction
(mlwhiz.com)
2019-08-20
What is (Gaussian) curvature?
(bastian.rieck.me)
2019-08-20
Algorithms by Jeff Erickson
(jeffe.cs.illinois.edu)
2019-08-09
Distill — Latest articles about machine learning
(distill.pub)
2019-08-06
Jacobian matrix and determinant - Wikipedia
(en.wikipedia.org)
2019-08-03
One-Shot Learning: Learning More with Less Data
(blog.floydhub.com)
2019-08-02
The 5 Sampling Algorithms every Data Scientist need to know
(mlwhiz.com)
2019-08-02
Five Command Line Tools for Data Science
(www.kdnuggets.com)
2019-07-25
TF-IDF: The best content optimization tool SEOs aren’t us...
(searchengineland.com)
2019-07-25
yzhao062/pyod: A Python Toolbox for Scalable Outlier Dete...
(github.com)
2019-07-25
A Gentle Introduction to Noise Contrastive Estimation
(www.kdnuggets.com)
2019-07-09
Introduction to Genetic Algorithms
(blog.floydhub.com)
2019-05-21
The Hitchhiker’s Guide to Feature Extraction
(www.reddit.com)
2019-05-14
Designing Data-Intensive Applications (DDIA) — an O’Reill...
(dataintensive.net)
2019-05-04
The Complete Guide to Decision Trees
(www.datasciencecentral.com)
2019-04-21
The mathematics and Intuitions of Principal Component Ana...
(medium.com)
2019-04-20
Applied Category Theory | Mathematics | MIT OpenCourseWare
(ocw.mit.edu)
2019-04-18
Policy Gradient Algorithms
(lilianweng.github.io)
2019-04-17
About the Curse of Dimensionality - Data Science Central
(www.datasciencecentral.com)
2019-04-05
A Visual Exploration of Gaussian Processes
(distill.pub)
2019-03-29
The Illustrated Word2vec
(jalammar.github.io)
2019-03-12
ROC Curve Explained in One Picture - DataScienceCentral.com
(www.datasciencecentral.com)
2019-03-10
How to Use ROC Curves and Precision-Recall Curves for Cla...
(machinelearningmastery.com)
2019-02-18
The why and how of nonnegative matrix factorization
(blog.acolyer.org)
2018-12-21
A Visual Guide to Evolution Strategies | 大トロ
(blog.otoro.net)
2018-12-16
http://precisionagricultu.re/how-machine-learning-is-grad...
(precisionagricultu.re)
2018-12-14
The Swiss Army Knife of Hashmaps
(blog.waffles.space)
2018-12-08
Four Techniques for Outlier Detection
(www.kdnuggets.com)
2018-11-13
https://semanti.ca/blog/?glossary-of-machine-learning-terms
(semanti.ca)
2018-10-07
How to visualize decision tree
(explained.ai)
2018-09-29
A Machine Learning Approach to Shipping Box Design. (arXi...
(arxiv.org)
2018-08-31
Cookbook — Bayesian Modelling with PyMC3
(eigenfoo.xyz)
2018-08-30
Choosing the Right Metric for Evaluating Machine Learning...
(www.kdnuggets.com)
2018-08-30
A Feature Selection Tool for Machine Learning in Python
(towardsdatascience.com)
2018-08-28
Vertical Spotlight: Machine Learning for Manufacturing
(blog.algorithmia.com)
2018-07-20
Receiver Operating Characteristic Curves Demystified (in ...
(www.kdnuggets.com)
2018-06-11
Attacks against machine learning — an overview
(elie.net)
2018-06-08
Model evaluation, model selection, and algorithm selectio...
(sebastianraschka.com)
2018-06-08
Feature Engineering with Tidyverse
(opendatascience.com)
2018-06-08
Text Classifier Algorithms in Machine Learning – Stats an...
(blog.statsbot.co)
2018-06-08
Introduction to Market Basket Analysis in Python
(pbpython.com)
2018-06-08
Set Theory Ordered Pairs and Cartesian Product with R
(www.aaronschlegel.com)
2018-06-08
Top speed for top-k queries
(opendatascience.com)
2018-06-08
Monte Carlo theory, methods and examples (2013)
(statweb.stanford.edu)
2018-06-08
Modern Machine Learning Algorithms: Strengths and Weaknesses
(elitedatascience.com)
2018-06-08
Berkeley CS189 Machine Learning: Complete Lecture Notes [...
(www.cs.berkeley.edu)
2018-06-08
40 Techniques Used by Data Scientists - Data Science Central
(www.datasciencecentral.com)
2018-06-08
https://t.co/B9ujn9Ad4e
(t.co)
2018-06-08
https://blog.statsbot.co/introduction-to-imitation-learni...
(blog.statsbot.co)
2018-06-08
scikit-surprise 1.0.5 : Python Package Index
(pypi.python.org)
2018-06-08
Eecs227at
(fa.bianp.net)
2018-06-08
ML beyond Curve Fitting: An Intro to Causal Inference and...
(www.inference.vc)
2018-06-08
Machine Learning Explained: Vectorization and matrix oper...
(enhancedatascience.com)
2018-06-08
Gaussian Processes for Machine Learning: Contents
(www.gaussianprocess.org)
2018-06-08
Sequence Modeling with CTC
(distill.pub)
2018-06-08
A Deep Dive into Monte Carlo Tree Search
(www.moderndescartes.com)
2018-06-04
Why Momentum Really Works
(distill.pub)
2018-06-04
Kernel Cookbook
(www.cs.toronto.edu)
2018-05-30
Introducing Similarity Search at Flickr | code.flickr.com
(code.flickr.net)
2018-05-15
Eigenvectors and Eigenvalues explained visually
(setosa.io)
2018-05-11
LightTag is a text annotation platform for data scientist...
(techcrunch.com)
2018-05-01
A guide to receptive field arithmetic for Convolutional N...
(medium.com)
2018-04-30
Command Line Tricks For Data Scientists
(medium.com)
2018-04-10
How we grew from 0 to 4 million women on our fashion app,...
(medium.com)
2018-04-09
Understanding Feature Engineering (Part 3) — Traditional ...
(towardsdatascience.com)
2018-04-03
A Gentle Introduction to Concept Drift in Machine Learnin...
(machinelearningmastery.com)
2018-04-01
Start With Gradient Boosting, Results from Comparing 13 A...
(machinelearningmastery.com)
2018-03-29
Probabilistic Filters By Example: Cuckoo Filter and Bloom...
(bdupras.github.io)
2018-03-25
CatBoost vs. Light GBM vs. XGBoost - KDnuggets
(www.kdnuggets.com)
2018-03-24
Multiscale Methods and Machine Learning - KDnuggets
(www.kdnuggets.com)
2018-03-18
Logistic Regression: A Concise Technical Overview
(www.kdnuggets.com)
2018-03-14
Hierarchical Classification – a useful approach when pred...
(www.johnsnowlabs.com)
2018-03-12
Time Series for Dummies – The 3 Step Process
(www.kdnuggets.com)
2018-03-01
How we grew from 0 to 4 million women on our fashion app,...
(hackernoon.com)
2018-02-25
Linear Algebra Cheat Sheet for Machine Learning
(machinelearningmastery.com)
2018-02-21
passive-agressive-algorithms
(koaning.io)
2018-02-21
The Periodic Table of Data Science
(www.r-bloggers.com)
2018-02-21
Recommendation System Algorithms: An Overview
(www.kdnuggets.com)
2018-02-20
Using Self-Organizing Maps to solve the Traveling Salesma...
(diego.codes)
2017-12-27
One-page R: a survival guide to data science with R - Dat...
(www.datasciencecentral.com)
2017-12-27
Numenta Anomaly Benchmark: A Benchmark for Streaming Anom...
(blog.dominodatalab.com)
2017-12-27
A Seven Dimensional Analysis of Hashing Methods [pdf]
(www.vldb.org)
2017-12-27
Topic Modeling with LDA Introduction
(opendatascience.com)
2017-12-27
Assessing Data with Item Response Theory
(opendatascience.com)
2017-12-27
How to Handle Imbalanced Classes in Machine Learning
(elitedatascience.com)
2017-12-27
arbox/data-science-with-ruby: Practical Data Science with...
(github.com)
2017-12-27
https://news.21.co/quantifying-decentralization-e39db233c28e
(news.21.co)
2017-12-27
Understanding Machine Learning Algorithms
(www.kdnuggets.com)
2017-12-27
Top-100-Data-science-interview-questions
(nitin-panwar.github.io)
2017-12-27
Why you should read Nina Zumel’s 3 part series on princip...
(www.win-vector.com)
2017-12-09
The often-overlooked random forest kernel · RMarcus
(rmarcus.info)
2017-11-29
Parfit — quick and powerful hyper-parameter optimization ...
(medium.com)
2017-11-27
Inside Flipkart’s monster-cruncher: how it gleans insight...
(www.techinasia.com)
2017-11-20
The 10 Statistical Techniques Data Scientists Need to Master
(www.kdnuggets.com)
2017-11-11
Why is Kullback-Leibler divergence not a distance?
(www.johndcook.com)
2017-11-08
Machine Learning: Handbag Brand and Color Detection using...
(technology.condenast.com)
2017-10-29
How to Perform the Principal Component Analysis in R | Op...
(opendatascience.com)
2017-10-29
[P] A Visual Guide to Evolution Strategies
(www.reddit.com)
2017-10-24
The Arms Race to Leverage Machine Learning in Supply Chai...
(logisticsviewpoints.com)
2017-10-08
Machine Learning | Google Developers
(developers.google.com)
2017-08-12
11 Important Model Evaluation Techniques Everyone Should ...
(www.datasciencecentral.com)
2016-12-03
Relative error distributions, without the heavy tail thea...
(www.win-vector.com)
2016-11-13
Be Wrong the Right Number of Times
(multithreaded.stitchfix.com)
2016-10-31
delgado14a.pdf
(www.jmlr.org)
2016-10-03
“Shrinking bull’s-eye” algorithm speeds up complex modeli...
(news.mit.edu)
2016-10-03
How to Evaluate Machine Learning Models, Part 4: Hyperpar...
(blog.dato.com)
2011-10-24
AI & ML Projects with Python
(thecleverprogrammer.com)
2010-09-24
Gradio Documentation
(www.gradio.app)
-->
programming (all)
categories:
tags:
programming
date: 30 Mar 2025
slug:raindrop-programming-all
(github.com)
2025-04-02
How to Vectorize in Python (With Example)
(www.statology.org)
2025-03-26
10 Must-Know Python Libraries for LLMs in 2025
(machinelearningmastery.com)
2025-03-19
https://www.statology.org/how-to-effectively-work-with-ex...
(www.statology.org)
2025-03-18
Packaging a Python App to Executable .deb Binary
(linuxhandbook.com)
2025-03-15
Data Analytics Projects on Various Domains
(thecleverprogrammer.com)
2025-03-12
Getting Started with Python’s asyncio Library - KDnuggets
(www.kdnuggets.com)
2025-02-17
A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer...
(www.marktechpost.com)
2025-02-11
10 Little-Known Python Libraries That Will Make You Feel ...
(www.kdnuggets.com)
2025-02-07
sqlite-s3vfs
(simonwillison.net)
2025-02-07
Using pip to install a Large Language Model that’s under ...
(simonwillison.net)
2025-02-07
50+ Projects to Learn Data Analysis | Aman Kharwal
(thecleverprogrammer.com)
2025-01-31
80+ Data Science Projects | Aman Kharwal
(thecleverprogrammer.com)
2025-01-27
10 Advanced Python Tricks for Data Scientists - KDnuggets
(www.kdnuggets.com)
2025-01-24
50+ AI & ML Projects with Python | Aman Kharwal
(thecleverprogrammer.com)
2025-01-18
10 Python One-Liners That Will Change Your Coding Game - ...
(www.kdnuggets.com)
2025-01-18
Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...
(sebastianraschka.com)
2025-01-08
Image Processing With the Python Pillow Library – Real Py...
(realpython.com)
2025-01-02
Demand Forecasting with Darts: A Tutorial
(towardsdatascience.com)
2024-12-30
CMU Researchers Introduce TNNGen: An AI Framework that Au...
(www.marktechpost.com)
2024-12-24
Welcome to Flask — Flask Documentation (3.1.x)
(flask.palletsprojects.com)
2024-12-20
75 Data Science Projects with Python | Aman Kharwal
(thecleverprogrammer.com)
2024-12-16
An Introduction to Dask: The Python Data Scientist's Powe...
(www.kdnuggets.com)
2024-12-10
7 Essential Python Libraries for MLOps - KDnuggets
(www.kdnuggets.com)
2024-11-25
A Curated List of 57 Amazing GitHub Repositories for Ever...
(janifaangla-473.medium.com)
2024-11-25
10 Python One-Liners
(machinelearningmastery.com)
2024-10-31
10 Essential Python Libraries for Data Science in 2024
(www.kdnuggets.com)
2024-10-24
What Are Python Ternary Operators and How Do You Use Them?
(thenewstack.io)
2024-10-21
Document Analysis using LLMs with Python | Aman Kharwal
(thecleverprogrammer.com)
2024-10-19
Everything you need to know about Python 3.13 – JIT and G...
(drew.silcock.dev)
2024-10-19
Python's GIL, Multithreading and Multiprocessing
(thenewstack.io)
2024-10-16
Marketing Mix Modeling (MMM): How to Avoid Biased Channel...
(towardsdatascience.com)
2024-09-24
rerankers: A Lightweight Python Library to Unify Ranking ...
(www.answer.ai)
2024-08-02
A Python Engineer’s Introduction To 3D Gaussian Splatting...
(medium.com)
2024-08-02
A Python Engineer’s Introduction to 3D Gaussian Splatting...
(medium.com)
2024-08-02
A Python Engineer’s Introduction to 3D Gaussian Splatting...
(towardsdatascience.com)
2024-08-02
PacktPublishing/Modern-Graph-Theory-Algorithms-with-Python
(github.com)
2024-08-01
Customer Satisfaction Analysis with Python
(thecleverprogrammer.com)
2024-07-09
Introducing ‘Mark’, a Markdown CLI tool for GPT4o | Ryan ...
(relston.github.io)
2024-06-25
Understanding and Implementing Genetic Algorithms in Python
(www.kdnuggets.com)
2024-06-23
BM25S: A Python Package that Implements the BM25 Algorith...
(www.marktechpost.com)
2024-06-22
Lessons Learned from Scaling to Multi-Terabyte Datasets
(v2thegreat.com)
2024-06-19
Recommendation Algorithms You Should Know
(thecleverprogrammer.com)
2024-06-12
https://www.perplexity.ai/search/I-have-a-4u4uJ147QbKox0Q...
(www.perplexity.ai)
2024-06-04
Python's many command-line utilities
(www.pythonmorsels.com)
2024-05-31
Computing Minimum Sample Size for A/B Tests in Statsmodel...
(towardsdatascience.com)
2024-05-29
Python venv: How To Create, Activate, Deactivate, And Del...
(python.land)
2024-05-22
A Guide to Working with SQLite Databases in Python
(www.kdnuggets.com)
2024-05-19
Mastering Python: 7 Strategies for Writing Clear, Organiz...
(www.kdnuggets.com)
2024-05-15
10 Python Packages Revolutionizing Data Science Workflow
(www.marktechpost.com)
2024-05-13
How To Use Pyscript To Create Python Web Apps
(thenewstack.io)
2024-05-05
Extract text from a PDF
(www.johndcook.com)
2024-04-12
How to Create and Use Requirements.txt in Python
(dev.to)
2024-04-09
SciPy 1.13.0 Release Notes — SciPy v1.14.0.dev Manual
(scipy.github.io)
2024-04-06
Advanced Data Structures: Sets, Tuples, and Comprehensions
(dev.to)
2024-04-05
The Best Python Cheat Sheet
(kieranholland.com)
2024-04-05
Essential Formulas for Data Science in Finance
(thecleverprogrammer.com)
2024-04-02
Modular Open-Sources Mojo: The Programming Language that ...
(www.marktechpost.com)
2024-03-11
Tiny Python Projects
(tinypythonprojects.com)
2024-03-03
Particle Swarm Optimization (PSO) from scratch. Simplest ...
(towardsdatascience.com)
2024-02-29
Duck Typing in Python: Writing Flexible and Decoupled Code
(realpython.com)
2024-02-17
30 Python Libraries that I Often Use
(www.datasciencecentral.com)
2024-02-17
The Power of Geospatial Intelligence and Similarity Analy...
(towardsdatascience.com)
2024-02-10
Getting started with Elasticsearch Python
(dev.to)
2024-01-18
The Perfect Way to Smooth Your Noisy Data
(towardsdatascience.com)
2024-01-17
Files · master · euri10 / fastapi_cheatsheet · GitLab
(gitlab.com)
2024-01-17
Mastering PDFs: Extracting Sections, Headings, Paragraphs...
(blog.llamaindex.ai)
2024-01-17
Meet neograd: A Deep Learning Framework Created from Scra...
(www.marktechpost.com)
2024-01-15
skfolio/skfolio
(github.com)
2024-01-12
Business Forecasting Project Ideas
(thecleverprogrammer.com)
2024-01-12
FastAPI
(fastapi.tiangolo.com)
2024-01-10
Python 3.13 gets a JIT
(tonybaloney.github.io)
2023-12-28
Mastering Python Development Environments: A Comprehensiv...
(dev.to)
2023-10-30
Market Basket Analysis using Python
(thecleverprogrammer.com)
2023-10-27
Python "magic" methods - part 2
(dev.to)
2023-10-15
python - Using virtualenv on Jupyter Notebook - Stack Ove...
(stackoverflow.com)
2023-10-15
venv — Creation of virtual environments — Python 3.12.0 d...
(docs.python.org)
2023-10-15
Unleashing the Power of Flask: A Guide to Building Web Ap...
(dev.to)
2023-10-04
Hey, Computer, Make Me a Font
(serce.me)
2023-09-30
Two Powerful Python Features to Streamline Your Code and ...
(towardsdatascience.com)
2023-09-29
youtube_channel/Python Tutorial Series/fourier_transform1...
(github.com)
2023-09-25
New Book: Gentle Introduction To Chaotic Dynamical Systems
(mltechniques.com)
2023-09-25
Meet PyGraft: An Open-Sourced Python-Based AI Tool that G...
(www.marktechpost.com)
2023-09-25
Cracking Open the OpenAI (Python) API
(towardsdatascience.com)
2023-09-24
Python Virtual Environments: A Primer – Real Python
(realpython.com)
2023-09-01
Beyond Numpy and Pandas: Unlocking the Potential of Lesse...
(www.kdnuggets.com)
2023-08-31
4 Python Itertools Filter Functions You Probably Didn’t Know
(www.kdnuggets.com)
2023-08-30
What is EDI? Electronic Data Interchange
(towardsdatascience.com)
2023-08-30
Generating a Requirements.txt File from a Jupyter Notebook
(towardsdatascience.com)
2023-08-29
Demand Forecasting and Inventory Optimization using Python
(thecleverprogrammer.com)
2023-08-24
Microsoft Introduces Python in Excel: Bridging Analytical...
(www.marktechpost.com)
2023-08-22
Simulation 104: Electromagnetic Mapping with Vector Fields
(towardsdatascience.com)
2023-08-17
Python Global Interpreter Lock (GIL): Understanding, Work...
(dev.to)
2023-08-07
How to Extract Text from Any PDF and Image for Large Lang...
(towardsdatascience.com)
2023-08-07
pypdfium2 · PyPI
(pypi.org)
2023-08-06
Reliability Analysis with Python
(towardsdatascience.com)
2023-07-29
List: Marketing Mix Modeling | Curated by Abhijeet Talaul...
(medium.com)
2023-07-28
CLI tools hidden in the Python standard library
(til.simonwillison.net)
2023-07-24
The Complete Introduction to Survival Analysis in Python ...
(towardsdatascience.com)
2023-07-24
Mastering Sequence Filtering in Python: Comprehensive Gui...
(dev.to)
2023-07-23
Uplift Modeling — A Data Scientist’s Guide to Optimizing ...
(towardsdatascience.com)
2023-07-01
Clearing Pip Cache
(linuxhandbook.com)
2023-06-19
Why not tell people to "simply" use pyenv, poetry or anac...
(www.bitecode.dev)
2023-05-31
Sklearn Pipelines for the Modern ML Engineer: 9 Technique...
(towardsdatascience.com)
2023-05-15
What Are *args And **kwargs In Python - Guide With Examples
(dev.to)
2023-05-07
Geospatial Data Analysis with GeoPandas
(towardsdatascience.com)
2023-04-26
From Spotify to YouTube: How I Built a Python Script to C...
(dev.to)
2023-04-18
Debugging Made Easy: Use Pytest to Track Down and Fix Pyt...
(towardsdatascience.com)
2023-04-17
Retail Price Optimization using Python
(thecleverprogrammer.com)
2023-04-16
Goodbye os.path: 15 Pathlib Tricks to Quickly Master The ...
(towardsdatascience.com)
2023-04-13
Joblib: running Python functions as pipeline jobs — jobli...
(joblib.readthedocs.io)
2023-04-09
Supply Chain Analysis using Python
(thecleverprogrammer.com)
2023-04-09
An Introduction to Polars for Pandas Users
(towardsdatascience.com)
2023-04-08
Exception Handling in Python: From Basic to Advanced, The...
(towardsdatascience.com)
2023-04-07
Python3 Command and Control How to Guide
(medium.themayor.tech)
2023-04-06
Introduction to mypy
(towardsdatascience.com)
2023-04-05
A Guide to Association Rule Mining
(towardsdatascience.com)
2023-04-01
Finding Patterns in Convenience Store Locations with Geos...
(towardsdatascience.com)
2023-03-31
Announcing PyCaret 3.0: Open-source, Low-code Machine Lea...
(moez-62905.medium.com)
2023-03-26
Exploring the Power of Decorators in Python: A Comprehens...
(dev.to)
2023-03-25
Configuring the spyrograph trace method to explore stunni...
(dev.to)
2023-03-24
Table of contents — voila 0.5.0a0 documentation
(voila.readthedocs.io)
2023-03-24
voila · PyPI
(pypi.org)
2023-03-22
Learn How to Test Flask Applications with Pytest
(dev.to)
2023-03-21
3 Unique Charts You Wouldn’t Think Were Created with Matp...
(towardsdatascience.com)
2023-03-19
Python YAML: How to Load, Read, and Write YAML • Python L...
(python.land)
2023-03-19
How to make 40 interactive plots to analyze your machine ...
(towardsdatascience.com)
2023-03-17
Make your sklearn models up to 100 times faster
(towardsdatascience.com)
2023-03-16
PyTorch 2.0: Our next generation release that is faster, ...
(pytorch.org)
2023-03-13
How virtual environments work
(snarky.ca)
2023-03-13
5 Python Decorators I Use in Almost All My Data Science P...
(towardsdatascience.com)
2023-03-12
Write Readable Tests for Your Machine Learning Models wit...
(towardsdatascience.com)
2023-03-07
Plotting Network Graphs using Python
(towardsdatascience.com)
2023-03-04
35 Hidden Python Libraries That Are Absolute Gems
(avichawla.substack.com)
2023-03-03
Python’s multiprocessing performance problem
(pythonspeed.com)
2023-03-03
Using PyGWalker to Enhance Your Jupyter Notebook EDA Expe...
(towardsdatascience.com)
2023-03-01
Getting Started with Python Generators
(www.kdnuggets.com)
2023-02-26
SymPy makes math fun again
(wordsandbuttons.online)
2023-02-17
Automate the Boring Stuff with Python
(automatetheboringstuff.com)
2023-02-17
40 Open-Source Tools to Supercharge Your Pandas Workflow
(open.substack.com)
2023-02-10
Image Filters with Python
(towardsdatascience.com)
2023-02-10
Building a Recommender System for Amazon Products with Py...
(towardsdatascience.com)
2023-02-10
10 Python Decorators To Take Your Code To The Next Level ...
(towardsdatascience.com)
2023-02-09
How to Perform Multivariate Outlier Detection in Python P...
(towardsdatascience.com)
2023-02-09
Introducing the new JupyterLab Desktop!
(blog.jupyter.org)
2023-02-09
3 Simple Ways to Create a Waterfall Plot in Python
(towardsdatascience.com)
2023-02-09
How to Create Beautiful Waffle Charts for Data Visualisat...
(towardsdatascience.com)
2023-02-02
Export archived article data from Pocket
(gist.github.com)
2023-02-02
skops: a new library to improve scikit-learn in production
(www.kdnuggets.com)
2023-01-30
pythondocument/Fluent Python.pdf at master · hiddenJuliet...
(github.com)
2023-01-27
Hyperparameter Optimization: 10 Top Python Libraries
(www.kdnuggets.com)
2023-01-24
Introducing PyCircular: A Python Library for Circular Dat...
(towardsdatascience.com)
2023-01-16
PyPI · The Python Package Index
(pypi.org)
2023-01-14
SHAP: Explain Any Machine Learning Model in Python
(towardsdatascience.com)
2023-01-13
7 Scikit-Learn Best Practices For Data Scientists
(towardsdatascience.com)
2023-01-13
Why TensorFlow for Python is dying a slow death
(thenextweb.com)
2023-01-09
Malicious PyPI Packages Using Cloudflare Tunnels to Sneak...
(thehackernews.com)
2023-01-01
Geometric Kernels
(geometric-kernels.github.io)
2022-12-28
Numba: A High Performance Python Compiler
(numba.pydata.org)
2022-12-25
PacktPublishing/Python-Feature-Engineering-Cookbook-Secon...
(github.com)
2022-12-18
How to Anonymise Places in Python
(towardsdatascience.com)
2022-12-17
Media Mix Modeling: How to measure the effectiveness of a...
(towardsdatascience.com)
2022-12-16
How to use Python Lambdas
(towardsdatascience.com)
2022-11-28
13 Tips for using PyTest
(towardsdatascience.com)
2022-11-23
11 Less Used but Important Plots for Data Science
(towardsdatascience.com)
2022-11-08
3 Useful Python Automation Scripts
(www.kdnuggets.com)
2022-11-07
Last Mile Delivery From Multiple Depots in Python
(towardsdatascience.com)
2022-10-30
5 Ways to use a Seaborn Heatmap (Python Tutorial)
(towardsdatascience.com)
2022-10-30
How to Create a GIF from Matplotlib Plots in Python
(towardsdatascience.com)
2022-10-30
5 Ways to Transform Your Seaborn Data Visualisations
(towardsdatascience.com)
2022-10-30
Step Up Your Game in Making Beautiful Choropleth Maps
(towardsdatascience.com)
2022-10-30
Basic to Advanced Logging with Python in 10 Minutes
(towardsdatascience.com)
2022-10-30
Python Decorator: What, Why, and How
(towardsdatascience.com)
2022-10-21
Hands-on Guide to Create beautiful Sankey Charts in d3js ...
(towardsdatascience.com)
2022-10-19
12 Essential Visualizations and How to Implement Them, Pa...
(towardsdatascience.com)
2022-10-19
Converting Text Documents to Token Counts with CountVecto...
(www.kdnuggets.com)
2022-10-19
Introducing IceCream: Never Use Print() To Debug Your Pyt...
(towardsdatascience.com)
2022-10-14
matsui528/nanopq: Pure python implementation of product q...
(github.com)
2022-10-14
How to Create Storytelling Moving Bubbles Charts in d3js ...
(towardsdatascience.com)
2022-10-14
CUDA by Numba Examples
(towardsdatascience.com)
2022-10-14
Product Quantization for Similarity Search
(towardsdatascience.com)
2022-10-14
Bayesian Hierarchical Marketing Mix Modeling in PyMC
(buff.ly)
2022-09-24
Signal Processing, beyond the Fourier Transform: Introduc...
(towardsdatascience.com)
2022-09-22
D3Blocks: The Python Library to Create Interactive and St...
(towardsdatascience.com)
2022-09-20
Built-in magic commands — IPython 8.5.0 documentation
(ipython.readthedocs.io)
2022-09-16
Want to find the N largest or N smallest values in a list...
(twitter.com)
2022-09-16
A Comprehensive Tutorial on Stereo Geometry and Stereo Re...
(towardsdatascience.com)
2022-09-15
30 PyTricks I've Learned By Joining the Real Python Maili...
(dev.to)
2022-09-09
Accelerate Python code 100x by import taichi as ti | Taic...
(docs.taichi-lang.org)
2022-09-09
4 Basic Commands When Working with Python Tuples
(towardsdatascience.com)
2022-09-08
https://www.einblick.ai/blog/problems-with-notebooks-msft...
(www.einblick.ai)
2022-09-05
Topic Modeling on PyCaret — Redux
(towardsdatascience.com)
2022-08-31
What Happens When you Import a Python Module? | by Xiaoxu...
(towardsdatascience.com)
2022-08-24
7 spaCy Features To Boost Your NLP Pipelines And Save Time
(towardsdatascience.com)
2022-08-23
Seven Killer Memory Optimization Techniques Every Pandas ...
(towardsdatascience.com)
2022-08-23
Most Important Python Modules for Beginners
(thecleverprogrammer.com)
2022-08-20
Uncommon Uses of Python in Commonly Used Libraries
(eugeneyan.com)
2022-08-19
How to Create File System Triggers in Python
(www.the-analytics.club)
2022-08-19
A Guide to Python Itertools Like No Other
(towardsdatascience.com)
2022-08-19
Visualizing Part-of-Speech Tags with NLTK and SpaCy
(towardsdatascience.com)
2022-08-17
How to get your home folder with using 2️⃣ lines of code ...
(twitter.com)
2022-08-08
9 Visualizations with Python that Catch More Attention th...
(towardsdatascience.com)
2022-08-04
An Introduction to Graph Partitioning Algorithms and Comm...
(towardsdatascience.com)
2022-08-04
5 Less-Known Python Libraries That Can Help in Your Next ...
(towardsdatascience.com)
2022-08-01
Parallel Processing Large File in Python - KDnuggets
(www.kdnuggets.com)
2022-08-01
Pytest with Marking, Mocking, and Fixtures in 10 Minutes
(towardsdatascience.com)
2022-07-26
Stream Graphs Basics with Python's Matplotlib
(towardsdatascience.com)
2022-07-26
4 Quick Tricks For Better Plots in Matplotlib
(towardsdatascience.com)
2022-07-23
How to Make a Database Connection in Python for Absolute ...
(towardsdatascience.com)
2022-07-20
Command Line | Graphviz
(www.graphviz.org)
2022-07-20
codecrafters-io/build-your-own-x: Master programming by r...
(github.com)
2022-07-20
Welcome | Handbook of Graphs and Networks in People Analy...
(ona-book.org)
2022-07-18
Modeling Marketing Mix Using Smoothing Splines
(towardsdatascience.com)
2022-07-18
Hands on introduction to reinforcement learning in Python
(towardsdatascience.com)
2022-07-13
Build Complex Time Series Regression Pipelines with sktime
(towardsdatascience.com)
2022-07-13
githublog/2022/6/15/rolling-your-own-crypto-aes.md at mai...
(github.com)
2022-07-13
Understanding Self-Organising Map Neural Network with Pyt...
(towardsdatascience.com)
2022-07-11
How to Solve Scheduling Problems in Python
(towardsdatascience.com)
2022-07-07
Need to turn your code into an executable for Windows, Ma...
(twitter.com)
2022-07-06
Gif Creation in Python.
(twitter.com)
2022-07-05
Learn the Python Anvil Framework
(pythonanvil.com)
2022-07-02
Python for Data Analysis, 3E
(wesmckinney.com)
2022-06-24
FIGS: Attaining XGBoost-level performance with the interp...
(bair.berkeley.edu)
2022-06-23
Usage · ArchiveBox/ArchiveBox Wiki · GitHub
(github.com)
2022-06-23
Getting your reading history out of Pocket using Python |...
(medium.com)
2022-06-23
A Guide to Python's Secret Superpower: Magic Methods
(dev.to)
2022-06-22
The Battle of Choropleths — Part 3 — Folium
(towardsdatascience.com)
2022-06-22
Creating Choropleth Maps with Python’s Folium Library
(towardsdatascience.com)
2022-06-22
Neighborhood Analysis, KD-Trees, and Octrees for Meshes a...
(towardsdatascience.com)
2022-06-07
Introduction to Simulation with SimPy
(link.medium.com)
2022-06-04
Animated and Racing Bar Plots Tutorial
(towardsdatascience.com)
2022-06-04
The one pip config you need to have
(dev.to)
2022-06-03
Simple Text Extraction Using Python And Tesseract OCR
(dev.to)
2022-06-03
3 Ways to Create a Multi-Page Streamlit App
(towardsdatascience.com)
2022-06-01
Cython for absolute beginners: 30x faster code in two sim...
(towardsdatascience.com)
2022-06-01
faif/python-patterns: A collection of design patterns/idi...
(github.com)
2022-05-28
A Python Tutorial on Geomapping using Folium and GeoPandas
(link.medium.com)
2022-05-28
Solving Complex NLP Tasks with 5 Simple Python Snippets/L...
(towardsdatascience.com)
2022-05-28
Python's fileinput module makes it easy to write CLI tool...
(twitter.com)
2022-05-28
An In-Depth Tutorial to Python Decorators That You Can Ac...
(towardsdatascience.com)
2022-05-28
Useful Python decorators for Data Scientists
(bytepawn.com)
2022-05-27
One Line of Code to Accelerate Your Sklearn Algorithms on...
(towardsdatascience.com)
2022-05-27
CatBoost vs. LightGBM vs. XGBoost
(towardsdatascience.com)
2022-05-26
Why We Switched from Python to Go - Software Engineering ...
(softwareengineeringdaily.com)
2022-05-07
10 Must-know Seaborn Functions for Multivariate Data Anal...
(towardsdatascience.com)
2022-05-04
Sparse Autoencoder Neural Networks — How to Utilise Spars...
(towardsdatascience.com)
2022-05-04
Breaking Down the Powerful Magic Behind the Pandas GroupB...
(towardsdatascience.com)
2022-04-28
Python is About to Become 64% Faster — Python 3.10 vs. Py...
(betterdatascience.com)
2022-04-09
19 Hidden Sklearn Features You Were Supposed to Learn The...
(towardsdatascience.com)
2022-04-08
Louvain’s Algorithm for Community Detection in Python
(link.medium.com)
2022-04-07
Everything About Python Tuple Data Structure: Beginner’s ...
(link.medium.com)
2022-04-03
Amazing Functools Features in Python
(dev.to)
2022-03-26
How To Create a SQL Practice Database with Python
(towardsdatascience.com)
2022-03-26
7 Useful Examples of Python’s itertools
(towardsdatascience.com)
2022-03-23
D-Tale: One of the Best Python Libraries You Have Ever Seen
(towardsdatascience.com)
2022-03-23
Glossary — Python 3.10.3 documentation
(docs.python.org)
2022-03-23
Explore and Visualize Geospatial Data using Leafmap Pytho...
(towardsdatascience.com)
2022-03-23
vinta/awesome-python: A curated list of awesome Python fr...
(github.com)
2022-03-21
20 Python Interview Questions To Challenge Your Knowledge
(towardsdatascience.com)
2022-03-19
What is The Difference Between requirements.txt and setup.py
(towardsdatascience.com)
2022-03-17
A Gentle Introduction to Testing with PyTest
(dev.to)
2022-03-10
Real-world website visitor forecast with Facebook Prophet...
(towardsdatascience.com)
2022-02-21
How to Scrape and Extract Data from PDFs Using Python and...
(towardsdatascience.com)
2022-02-21
How to Use Tesseract OCR to Convert PDFs to Text
(dev.to)
2022-02-21
Scrape Data from PDF Files Using Python and PDFQuery
(towardsdatascience.com)
2022-02-20
Understanding Attributes, Dicts and Slots in Python
(dev.to)
2022-02-20
Bipartite — NetworkX 2.6.2 documentation
(networkx.org)
2022-02-11
Topic Modeling in Python | Toptal
(www.toptal.com)
2022-02-06
Create a simple "Hello World" PDF with and with 4 lines o...
(twitter.com)
2022-02-03
33 Useful Python Snippets For Everyday Problems With Lists
(towardsdatascience.com)
2022-02-02
Data Scientists, The 5 Graph Algorithms that you should know
(towardsdatascience.com)
2022-01-29
scikit-and-tensorflow-workbooks/ch03-classification.ipynb...
(github.com)
2022-01-26
5 Advanced Tips on Python Decorators
(towardsdatascience.com)
2022-01-21
Survival Analysis in Python: A Quick Guide to The Weibull...
(towardsdatascience.com)
2022-01-17
fb-prophet/01_docs.ipynb at master · bjpcjp/fb-prophet
(github.com)
2022-01-17
category-scatterplot/demo.ipynb at master · bjpcjp/catego...
(github.com)
2022-01-17
Creating Beautiful Topography Maps with Python
(towardsdatascience.com)
2022-01-16
PostgreSQL Python
(www.postgresqltutorial.com)
2022-01-16
python-data-science-handbook/seaborn at master · bjpcjp/p...
(github.com)
2022-01-16
pycaret-intro/01_intro.ipynb at master · bjpcjp/pycaret-i...
(github.com)
2022-01-16
scikit-and-tensorflow-workbooks/ch05-support-vector-machi...
(github.com)
2022-01-16
python-data-science-handbook/numpy at master · bjpcjp/pyt...
(github.com)
2022-01-16
A ~5 minute guide to Numba — Numba 0.52.0.dev0+274.g626b4...
(numba.pydata.org)
2022-01-16
Python Language Services — Python 3.8.20 documentation
(docs.python.org)
2022-01-16
pandas - Python Data Analysis Library
(pandas.pydata.org)
2022-01-16
python-data-science-handbook/pandas at master · bjpcjp/py...
(github.com)
2022-01-16
The Kaggle Way to Tune Hyperparameters with Optuna
(towardsdatascience.com)
2022-01-16
Download a YouTube video with in 6 lines of code!
(twitter.com)
2022-01-15
Blankly - Rapidly Build Quant Models Across Exchanges
(blankly.finance)
2022-01-15
Trading Algos - 5 Key Metrics and How to Implement Them i...
(dev.to)
2022-01-15
Python Resources for working with Excel - Working with Ex...
(www.python-excel.org)
2022-01-12
Built-in Exceptions — Python 3.8.20 documentation
(docs.python.org)
2022-01-12
Miscellaneous Services — Python 3.8.20 documentation
(docs.python.org)
2022-01-12
Cryptographic Services — Python 3.8.20 documentation
(docs.python.org)
2022-01-12
Release of IPython 8.0. IPython is a powerful Python REPL...
(blog.jupyter.org)
2021-12-23
Python Computer Vision Libraries Every Developer Should Know
(dev.to)
2021-12-15
pandas-tips-tricks/pandas-tips-tricks.ipynb at master · b...
(github.com)
2021-12-08
Python Programming And Numerical Methods: A Guide For Eng...
(pythonnumericalmethods.berkeley.edu)
2021-12-08
5 Python open-source tools to extract text and tabular da...
(towardsdatascience.com)
2021-12-07
3 (and Half) Powerful Tricks To Effectively Read CSV Data...
(towardsdatascience.com)
2021-12-04
Mito: One of the Coolest Python Libraries You Have Ever Seen
(link.medium.com)
2021-12-03
A Guide to Dimensionality Reduction in Python
(builtin.com)
2021-11-03
A Complete Machine Learning Project From Scratch: Setting Up
(www.mihaileric.com)
2021-10-23
Probability Distributions with Python’s SciPy
(towardsdatascience.com)
2021-10-19
functools — Higher-order functions and operations on call...
(docs.python.org)
2021-10-18
Understanding all of Python, through its builtins
(sadh.life)
2021-10-18
Getting Started with Streamlit for Data Science
(learning.oreilly.com)
2021-10-17
Python Assert Statement — Everything You Need To Know Exp...
(towardsdatascience.com)
2021-10-17
Clustering Made Easy with PyCaret
(link.medium.com)
2021-10-12
Streamlit, which helps data scientists build apps, hits v...
(venturebeat.com)
2021-10-03
Python/DIRECTORY.md at master · TheAlgorithms/Python
(github.com)
2021-10-01
How to deploy streamlit app to Heroku
(dev.to)
2021-10-01
Create a Web App in Under Thirty Minutes with Streamlit, ...
(towardsdatascience.com)
2021-09-28
A Practical Introduction to 9 Regression Algorithms
(towardsdatascience.com)
2021-09-25
If You Can Write Functions, You Can Use Dask
(www.kdnuggets.com)
2021-09-25
How to Generate Automated PDF Documents with Python
(towardsdatascience.com)
2021-09-14
Scikit-Learn Version 1.0
(scikit-learn.org)
2021-09-08
Beautiful Soup Documentation — Beautiful Soup 4.9.0 docum...
(www.crummy.com)
2021-09-06
ABZ-Aaron/CheatSheets: Just a place to store cheatsheets
(github.com)
2021-08-28
15 Python Snippets to Optimize your Data Science Pipeline
(www.kdnuggets.com)
2021-08-21
Python Imaging Library (PIL) Tutorial
(thecleverprogrammer.com)
2021-08-17
How to Create a Geofence with Python
(towardsdatascience.com)
2021-08-09
https://pandas.pydata.org/pandas-docs/stable/pandas.pdf
(pandas.pydata.org)
2021-07-30
5 Ultimate Python Libraries for Image Processing
(towardsdatascience.com)
2021-07-20
scikit-learn-intelex · PyPI
(pypi.org)
2021-07-18
PyMOL | pymol.org
(pymol.org)
2021-07-16
Python Tricks: Generators Explained
(towardsdatascience.com)
2021-07-15
14 Must-Know pip Commands For Data Scientists and Engineers
(towardsdatascience.com)
2021-07-13
How to Parameterize Python Tests Using Pytest
(towardsdatascience.com)
2021-07-10
Martin Heinz | Functools - The Power of Higher-Order Func...
(martinheinz.dev)
2021-07-05
Why decorators in Python are pure genius
(link.medium.com)
2021-07-04
Hands-on Survival Analysis with Python
(towardsdatascience.com)
2021-07-03
fairseq/examples/stories at main · facebookresearch/fairseq
(github.com)
2021-07-03
Read Excel files with Python. 1000x Faster.
(towardsdatascience.com)
2021-06-28
TheAlgorithms/Python: All Algorithms implemented in Python
(github.com)
2021-06-26
Turn Excel Into a Beautiful Web Application Using Streamlit
(towardsdatascience.com)
2021-06-25
The torch.linalg module: Accelerated Linear Algebra with ...
(pytorch.org)
2021-06-25
GPBoost: Combining Tree-Boosting with Gaussian Process an...
(github.com)
2021-06-23
A from-scratch tour of Bitcoin in Python
(karpathy.github.io)
2021-06-21
Introduction - Hugging Face NLP Course
(huggingface.co)
2021-06-21
Functioning with python functional programming- lambda, m...
(www.linkedin.com)
2021-06-19
How to Schedule Python Scripts With Cron — The Only Guide...
(towardsdatascience.com)
2021-06-19
Virtual environments for absolute beginners — what is it ...
(link.medium.com)
2021-06-14
The Quick Guide To Using Environment Variables in Python
(towardsdatascience.com)
2021-06-14
Web Development with Python: Dash (complete tutorial)
(towardsdatascience.com)
2021-06-14
Mastering Web Applications with Streamlit
(towardsdatascience.com)
2021-06-12
Seaborn can do the job, then why Matplotlib?
(towardsdatascience.com)
2021-06-08
Python Factories for Scalable, Reusable, and Elegant Code
(towardsdatascience.com)
2021-05-31
Make Pandas 3 Times Faster with PyPolars
(www.kdnuggets.com)
2021-05-30
Interpreting Scattertext: a seductive tool for plotting text
(towardsdatascience.com)
2021-05-28
Dask DataFrames — How to Run Pandas in Parallel With Ease
(towardsdatascience.com)
2021-05-28
Understanding *args and **kwargs in Python
(towardsdatascience.com)
2021-05-27
Quantra — a Python coding platform to learn quantitative ...
(towardsdatascience.com)
2021-05-24
How to cartoonize an image with Python
(dev.to)
2021-05-24
Predict Customer Churn (the right way) using PyCaret
(towardsdatascience.com)
2021-05-22
Handling exceptions in Python like a pro ? ?
(blog.guilatrova.dev)
2021-05-19
Pytorchvideo a deep learning library for video understanding
(ai.facebook.com)
2021-05-18
Web Scraping to Create a Dataset using Python
(thecleverprogrammer.com)
2021-05-18
Show HN: MPL Plotter – Python library to make technical p...
(github.com)
2021-05-18
An Introduction to PyTorch Lightning
(towardsdatascience.com)
2021-05-17
Vaex: Pandas but 1000x faster
(www.kdnuggets.com)
2021-05-07
Top 5 Python libraries for Computer vision
(dev.to)
2021-05-05
My Favorite One Liners | Muhammad
(muhammadraza.me)
2021-05-05
Prophet | Forecasting at scale.
(facebook.github.io)
2021-05-05
Make Beautiful Spatial Visualizations with Plotly and Mapbox
(towardsdatascience.com)
2021-05-05
How to start with streamlit web framework.
(dev.to)
2021-05-05
What is Dask and How Does it Work?
(towardsdatascience.com)
2021-05-05
A Hitchhiker's Guide to SQLite with Python
(dev.to)
2021-05-02
Simple but Stunning: Animated Cellular Automata in Python
(towardsdatascience.com)
2021-05-02
30 Examples to Get You From a Novice to an Advanced Panda...
(towardsdatascience.com)
2021-05-01
Nine Emerging Python Libraries You Should Add to Your Dat...
(towardsdatascience.com)
2021-04-28
A Summary of Active Learning Frameworks
(towardsdatascience.com)
2021-04-26
Geopandas Hands-on: Geospatial Relations and Operations
(towardsdatascience.com)
2021-04-25
Five Numpy Functions You Should Understand
(towardsdatascience.com)
2021-04-22
Time Series Forecasting with PyCaret Regression Module
(www.kdnuggets.com)
2021-04-20
Basic Music Theory in ~200 Lines of Python
(www.mvanga.com)
2021-04-18
Use Python to Design Automation Tools for Excel Users
(towardsdatascience.com)
2021-04-18
Extract Tables from PDF file in a single line of Python Code
(towardsdatascience.com)
2021-04-17
3 Python Tricks That Will Ease Your Life
(towardsdatascience.com)
2021-04-13
DIY XGBoost library in less than 200 lines of python
(towardsdatascience.com)
2021-04-11
Using PyTorch + NumPy? You're making a mistake.
(tanelp.github.io)
2021-04-09
How to Accelerate Signal Processing in Python
(developer.nvidia.com)
2021-04-09
Wicked Fast Python With Itertools
(towardsdatascience.com)
2021-04-03
Data Preprocessing in Python Pandas — Part 6 Dropping Dup...
(towardsdatascience.com)
2021-03-28
Building a full-text search engine in 150 lines of Python...
(bart.degoe.de)
2021-03-23
Xgboost regression training on CPU and GPU in python
(towardsdatascience.com)
2021-03-22
https://sicara.ai/blog/en/speed-jax-python
(sicara.ai)
2021-03-22
Scikit-learn Tutorial – Beginner’s Guide to GPU Accelerat...
(developer.nvidia.com)
2021-03-22
11 Pandas Built-in Functions You Should Know
(towardsdatascience.com)
2021-03-21
Conda: essential concepts and tricks
(towardsdatascience.com)
2021-03-19
How to use loc and iloc for selecting data in Pandas
(towardsdatascience.com)
2021-03-10
7 Must-Know Data Wrangling Operations with Python Pandas
(towardsdatascience.com)
2021-03-06
10 powerful built-in functions from the Python standard l...
(dev.to)
2021-03-06
How to use PyCaret — the library for lazy data scientists
(towardsdatascience.com)
2021-03-06
8 Things to Know to Get Started with With Pandas Groupby
(towardsdatascience.com)
2021-03-04
Jupyter: Get ready to ditch the IPython kernel | by Dimit...
(towardsdatascience.com)
2021-03-01
Gradient-Free-Optimizers A collection of modern optimizat...
(github.com)
2021-03-01
Are You Still Using Pandas to Process Big Data in 2021?
(link.medium.com)
2021-02-25
PyCaret — pycaret 2.2.0 documentation
(pycaret.readthedocs.io)
2021-02-25
Home - PyCaret
(pycaret.org)
2021-02-24
A Complete Guide To Survival Analysis In Python, part 3 -...
(www.kdnuggets.com)
2021-02-18
A/B Testing — A complete guide to statistical testing
(towardsdatascience.com)
2021-02-18
AB_Testing/AB_Testing.ipynb at main · bjpcjp/AB_Testing
(github.com)
2021-02-10
Generative Graph Models with NetworkX
(towardsdatascience.com)
2021-02-07
8 Must-Know File System Operations In Python
(towardsdatascience.com)
2021-02-01
Image Processing with Python — Using RG Chromaticity
(towardsdatascience.com)
2021-01-30
Image Processing with Python — Template Matching with Sci...
(towardsdatascience.com)
2021-01-28
Image Processing with Python — Blob Detection using Sciki...
(towardsdatascience.com)
2021-01-19
SVM Classifier and RBF Kernel — How to Make Better Models...
(towardsdatascience.com)
2021-01-19
How to Create PDF Reports with Python — The Essential Guide
(towardsdatascience.com)
2021-01-17
Python Parallelism: Essential Guide to Speeding up Your P...
(towardsdatascience.com)
2021-01-08
New Features of Scikit-Learn. An Overview of the Most Imp...
(towardsdatascience.com)
2021-01-04
6 Cool Python Tricks You Should Know | by Soner Yıldırım ...
(towardsdatascience.com)
2021-01-02
Image Processing with Python — Blurring and Sharpening fo...
(towardsdatascience.com)
2021-01-02
Pylift: A Fast Python Package for Uplift Modeling – Wayfair
(tech.wayfair.com)
2020-12-29
Introduction to Image Processing with Python — Dilation a...
(towardsdatascience.com)
2020-12-26
Annotated Heatmaps of a Correlation Matrix in 5 Simple St...
(towardsdatascience.com)
2020-12-25
Applications of Deep Neural Networks 575 page free book&n...
(www.datasciencecentral.com)
2020-12-24
KMP Algorithm (String Matching) Demystified
(medium.com)
2020-12-23
BFGS in a Nutshell: An Introduction to Quasi-Newton Methods
(towardsdatascience.com)
2020-12-22
Top 10 Python libraries of 2020 you should know about | T...
(tryolabs.com)
2020-12-18
shutil — High-level file operations
(docs.python.org)
2020-12-18
Quickstart: Create a Python app - Azure App Service | Mic...
(docs.microsoft.com)
2020-12-18
How to make an animated GIF map in Python using Folium an...
(towardsdatascience.com)
2020-12-18
https://t.co/dck2KvPavp?amp=1
(t.co)
2020-12-18
Improve Warehouse Productivity using Order Batching with ...
(medium.com)
2020-12-18
Forecasting the Copper Producer Price Index with Prophet
(towardsdatascience.com)
2020-12-18
Matching of Bipartite Graphs using NetworkX
(towardsdatascience.com)
2020-12-10
Visualizing and Animating Optimization Algorithms with Ma...
(www.datasciencecentral.com)
2020-12-10
How to Install Flask on Ubuntu 20.04
(linuxize.com)
2020-12-10
Hands-on guide to Python Optimal Transport toolbox: Part 2
(towardsdatascience.com)
2020-12-10
A Step by Step Guide to Interactive Choropleth Map in Python
(towardsdatascience.com)
2020-12-10
Data Visualization Using Pandas Bokeh
(towardsdatascience.com)
2020-12-09
Favorites
(towardsdatascience.com)
2020-11-30
20 NumPy Operations That Every Data Scientist Should Know
(towardsdatascience.com)
2020-11-29
Introduction to PyMC3: A Python package for probabilistic...
(towardsdatascience.com)
2020-11-29
Optimization in Python — Peephole
(towardsdatascience.com)
2020-11-29
Show HN: A list of 470 static analysis tools
(analysis-tools.dev)
2020-11-29
Optimization in Python — Interning
(towardsdatascience.com)
2020-11-29
Five Advanced Python Features
(towardsdatascience.com)
2020-11-29
Part 8: AB-Joins with STUMPY
(towardsdatascience.com)
2020-11-22
5 Minute Guide to Decorators in Python
(towardsdatascience.com)
2020-11-19
Speech Recognition with Python. Learn which of the 9 most...
(towardsdatascience.com)
2020-11-19
4 Rarely-Used Yet Very Useful Pandas Tricks
(towardsdatascience.com)
2020-11-17
Complete Introduction to PySpark-Part 4 | by Himanshu Sha...
(towardsdatascience.com)
2020-11-03
How-To: using Python Virtual Environments - Debuntu
(www.debuntu.org)
2020-11-03
Achieving asynchronous behavior using asyncio in Python
(dev.to)
2020-11-03
System status : Stanford Libraries
(stacks.stanford.edu)
2020-11-03
Geometric Algebra for Python
(github.com)
2020-11-03
Numba: JIT Compilation, But For Python
(towardsdatascience.com)
2020-11-03
An Introduction to Python Higher Order Functions
(dev.to)
2020-11-03
What is Perspective Warping ? | OpenCV and Python
(towardsdatascience.com)
2020-11-03
fastcore: An Underrated Python Library
(t.co)
2020-11-03
https://www.kdnuggets.com/2020/09/pycaret-21-new.html
(www.kdnuggets.com)
2020-11-03
Python Pro Tip: Start using Python defaultdict and Counte...
(towardsdatascience.com)
2020-11-03
Python behind the scenes #2: how the CPython compiler works
(tenthousandmeters.com)
2020-11-03
Making Python Programs Blazingly Fast
(www.kdnuggets.com)
2020-11-03
ReactJS Python Flask on Heroku
(towardsdatascience.com)
2020-11-03
Vectorizing code matters
(towardsdatascience.com)
2020-11-03
Pytest for Data Scientists
(towardsdatascience.com)
2020-11-03
Latent Dirichlet Allocation: Intuition, math, implementat...
(towardsdatascience.com)
2020-11-03
Six Python Tips for Geospatial Data Science
(towardsdatascience.com)
2020-11-03
Manage Files and Database Connections in Python Like a Pro
(towardsdatascience.com)
2020-11-03
Pandas on the Cloud with Dask
(towardsdatascience.com)
2020-11-03
Choropleth Maps — 101 using Plotly
(towardsdatascience.com)
2020-11-02
Elegant Geographic plots in Python and R using GeoPandas ...
(towardsdatascience.com)
2020-11-02
Python 3.9 New Features & How to Use Them
(towardsdatascience.com)
2020-11-02
Add External Data to Your Pandas Dataframe with a One-Liner
(towardsdatascience.com)
2020-11-02
PySDR: A Guide to SDR and DSP Using Python
(pysdr.org)
2020-11-02
DASK: A Guide to Process Large Datasets using Paralleliza...
(towardsdatascience.com)
2020-11-02
NumPy Array Processing With Cython: 1250x Faster
(towardsdatascience.com)
2020-11-02
Implementation plan for speeding up CPython
(github.com)
2020-10-20
Python For Feature Film
(www.gfx.dev)
2020-08-18
How to extract tables from PDF files with Camelot
(towardsdatascience.com)
2020-08-10
How to integrate Excel with Python
(towardsdatascience.com)
2020-08-10
20 Pandas Functions That Will Boost Your Data Analysis Pr...
(towardsdatascience.com)
2020-08-10
Get Started With PyTorch With These 5 Basic Functions.
(towardsdatascience.com)
2020-08-10
New features in scikit-learn
(towardsdatascience.com)
2020-08-10
3 Advanced Python Features You Should Know
(www.kdnuggets.com)
2020-08-10
5 Obscure Python Libraries Every Data Scientist Should Know
(towardsdatascience.com)
2020-08-10
Brownian motion with Python
(towardsdatascience.com)
2020-07-25
Top 6 Python Libraries for Visualization: Which one to Use?
(towardsdatascience.com)
2020-07-22
5 Lesser-Known Seaborn Plots Most People Don’t Know
(towardsdatascience.com)
2020-07-21
7 Advanced Python Dictionary Techniques
(towardsdatascience.com)
2020-07-08
SymPy - a Python library for symbolic mathematics
(www.sympy.org)
2020-06-24
3 Key Differences Between Merge and Concat Functions of P...
(towardsdatascience.com)
2020-06-24
Ultimate PySpark Cheat Sheet
(towardsdatascience.com)
2020-06-24
10 Techniques to Speed Up Python Runtime
(towardsdatascience.com)
2020-06-24
Using Enumerated Types in Python
(johnlekberg.com)
2020-06-24
Understand zip() — A Hidden Gem in Python
(towardsdatascience.com)
2020-06-17
Polymorphism in Python: Fundamentals For Data Scientists
(towardsdatascience.com)
2020-06-03
Martin Heinz - Personal Website & Blog
(martinheinz.dev)
2020-06-03
Aggregation, Transform, Filter — How and When to use them?
(towardsdatascience.com)
2020-06-02
5 Fabulous Python Packages For Data-Science Nobody Knows ...
(towardsdatascience.com)
2020-06-01
The Python Standard Library — modules you should know as ...
(towardsdatascience.com)
2020-06-01
Eigenfaces — Face Classification in Python
(towardsdatascience.com)
2020-06-01
Creating High Resolution Satellite Images with Mapbox and...
(towardsdatascience.com)
2020-06-01
Automated Data Import with Python
(towardsdatascience.com)
2020-06-01
Financial Independence — Simulating ODEs With Python
(towardsdatascience.com)
2020-06-01
Short technical information about Word2Vec, GloVe and Fas...
(towardsdatascience.com)
2020-06-01
Iris Classifier Flask App
(towardsdatascience.com)
2020-06-01
Venvs & Pyenvs & Pipenvs, OH MY!
(towardsdatascience.com)
2020-06-01
Pandas with Dask, For an Ultra-Fast Notebook
(towardsdatascience.com)
2020-06-01
Creating typography using word cloud in python
(towardsdatascience.com)
2020-06-01
Lambda, Map, Filter and Sorted — Efficient Programming Wi...
(towardsdatascience.com)
2020-06-01
Five Cool Python Libraries for Data Science - KDnuggets
(www.kdnuggets.com)
2020-06-01
Dot Product in Linear Algebra for Data Science using Python
(towardsdatascience.com)
2020-06-01
Learn Python: Sets
(dev.to)
2020-06-01
All About Python List Comprehension
(towardsdatascience.com)
2020-06-01
10 things you should know about Sets in Python
(towardsdatascience.com)
2020-06-01
A Simplified approach using PyCaret for Anomaly Detection
(towardsdatascience.com)
2020-06-01
Recursive Feature Elimination (RFE) for Feature Selection...
(machinelearningmastery.com)
2020-06-01
Guide to Concurrency in Python with Asyncio
(www.integralist.co.uk)
2020-06-01
Hypermodern Python · Claudio Jolowicz
(cjolowicz.github.io)
2020-06-01
3 Highly Practical Operations of Pandas
(towardsdatascience.com)
2020-06-01
https://towardsdatascience.com/the-end-of-flask-in-data-s...
(towardsdatascience.com)
2020-05-19
Everything You Need to Know About “loc” and “iloc” of Pandas
(towardsdatascience.com)
2020-05-16
Optimization with constraints using Lagrange Multiplier i...
(towardsdatascience.com)
2020-05-15
Python SQLite Tutorial — The Ultimate Guide
(towardsdatascience.com)
2020-05-15
10 Interesting Python Tricks to knock your socks off
(towardsdatascience.com)
2020-05-15
Stop Hurting Your Pandas!
(www.kdnuggets.com)
2020-05-15
My Top 5 Pandas Data Manipulation Function
(towardsdatascience.com)
2020-05-15
NumPy Array Manipulation
(towardsdatascience.com)
2020-05-15
mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...
(towardsdatascience.com)
2020-05-15
Using Q-Learning in Numpy to teach an agent to play a game
(towardsdatascience.com)
2020-05-15
Basic Curve Fitting of Scientific Data with Python
(towardsdatascience.com)
2020-05-15
Why and How to Use Dask with Big Data
(www.kdnuggets.com)
2020-05-15
Modeling in Seconds: Using PyCaret as a Tool for Data Sci...
(towardsdatascience.com)
2020-05-15
Hyperspectral Image Analysis — Getting Started
(towardsdatascience.com)
2020-05-15
SICP in Python
(wizardforcel.gitbooks.io)
2020-05-15
Solving a Quadratic Problem (QP) in an open source linear...
(towardsdatascience.com)
2020-05-15
Examples of Using Apache Spark with PySpark Using Python
(towardsdatascience.com)
2020-05-15
A Comprehensive Guide to Pandas’ Advanced Features in 20 ...
(link.medium.com)
2020-05-15
Computational Category Theory in Python III: Monoids, Gro...
(www.philipzucker.com)
2020-05-15
Python Power Tip: Enumerated Types
(towardsdatascience.com)
2020-05-12
https://maticalderini.github.io/blog/tutorial/2020/05/11/...
(maticalderini.github.io)
2020-04-30
Open Source Spatial Analysis Tools for Python: A Quick Guide
(makepath.com)
2020-04-28
Python Libraries for Natural Language Processing - Toward...
(towardsdatascience.com)
2020-04-27
Web Applications in Python - Towards Data Science
(towardsdatascience.com)
2020-04-21
How to Master Python Command Line Arguments
(towardsdatascience.com)
2020-04-21
3 Insane Secret Weapons for Python
(towardsdatascience.com)
2020-04-19
Bar chart race with Plotly
(towardsdatascience.com)
2020-04-19
3 Python Visualization Libraries You MUST Know as A Data ...
(towardsdatascience.com)
2020-04-19
Memoization in Python
(towardsdatascience.com)
2020-04-19
A Complete Beginners Guide to Matrix Multiplication for D...
(towardsdatascience.com)
2020-04-15
Mastering Pandas Groupby
(towardsdatascience.com)
2020-04-15
Pandas tips I wish I knew before
(towardsdatascience.com)
2020-04-08
Visualize Categorical Relationships With Catscatter
(towardsdatascience.com)
2020-04-01
The Art of Geofencing in Python
(towardsdatascience.com)
2020-04-01
Computer Vision 101: Working with Color Images in Python
(towardsdatascience.com)
2020-04-01
Lesser-known pandas tricks (2019)
(towardsdatascience.com)
2020-04-01
How to Export Pandas DataFrame to CSV
(towardsdatascience.com)
2020-04-01
Seaborn Visualizations Tutorial
(towardsdatascience.com)
2020-04-01
Probability Learning: Monte Carlo Methods
(towardsdatascience.com)
2020-04-01
[P] PyCM 2.6 released : Multi-class confusion matrix libr...
(www.reddit.com)
2020-04-01
Learn how to read data into a Pandas DataFrame in 5 minutes
(towardsdatascience.com)
2020-04-01
Concurrency in Python
(towardsdatascience.com)
2020-03-31
Less Known but Very Useful Pandas Functions
(towardsdatascience.com)
2020-03-31
Hyperparameter Tuning with Python: Complete Step-by-Step ...
(towardsdatascience.com)
2020-03-27
Streamz: Python pipelines to manage continuous streams of...
(streamz.readthedocs.io)
2020-03-23
10 Python built-in functions you should know
(towardsdatascience.com)
2020-03-23
NumPy indexing explained
(towardsdatascience.com)
2020-03-23
PostgreSQL Python: Connect To PostgreSQL Database Server
(www.postgresqltutorial.com)
2020-03-20
"Pandas" - KDnuggets
(www.kdnuggets.com)
2020-03-20
Top 3 Numpy Functions You Don’t Know About (Probably)
(towardsdatascience.com)
2020-03-19
Two Pandas functions you must know for easy data manipula...
(towardsdatascience.com)
2020-03-18
Why and How to Use Dask with Big Data
(towardsdatascience.com)
2020-03-14
Decorators in Python
(towardsdatascience.com)
2020-03-14
Top 3 Python Functions You Don’t Know About (Probably)
(towardsdatascience.com)
2020-03-09
PyTorch internals
(blog.ezyang.com)
2020-03-09
Advanced usage of Python requests: timeouts, retries, hooks
(findwork.dev)
2020-03-09
Please Stop Doing These 5 Things in Pandas
(towardsdatascience.com)
2020-03-09
Rahul Agarwal on LinkedIn: #regex #python #datascience #nlp
(www.linkedin.com)
2020-03-09
Fast & Asynchronous in Python
(towardsdatascience.com)
2020-03-09
Finding cyclic patterns: a tutorial on how to implement S...
(towardsdatascience.com)
2020-03-09
Using Pytesseract to Convert Images into a HTML Site
(armaizadenwala.com)
2020-03-09
12 Amazing Pandas & NumPy Functions
(towardsdatascience.com)
2020-02-19
Data animations with Python and MoviePy - __del__( self )
(zulko.github.io)
2020-02-19
Automate the Boring Stuff with Python
(automatetheboringstuff.com)
2020-02-19
Python String Processing Primer
(www.kdnuggets.com)
2020-02-19
Build pipelines with Pandas using “pdpipe” - Towards Data...
(towardsdatascience.com)
2020-02-19
Martin Heinz - Personal Website & Blog
(martinheinz.dev)
2020-02-19
10 Python Tips and Tricks You Should Learn Today - KDnuggets
(www.kdnuggets.com)
2020-02-19
Learn Metaflow in 10 mins — Netflix’s Python/R Framework ...
(towardsdatascience.com)
2020-02-19
https://www.thrum.engineering/python-module-dependency-trees
(www.thrum.engineering)
2020-02-12
SciPy 1.0: fundamental algorithms for scientific computin...
(www.nature.com)
2019-12-23
HTML Parser: How to scrap HTML content | Python Central
(www.pythoncentral.io)
2019-12-23
Building an OCR Engine with Python and Tesseract
(nanonets.com)
2019-12-14
Python Tuples and Tuple Methods
(www.kdnuggets.com)
2019-12-14
How to Speed up Pandas by 4x with one line of code
(www.kdnuggets.com)
2019-12-14
When your data doesn’t fit in memory: the basic techniques
(pythonspeed.com)
2019-12-14
How to Extend Scikit-learn and Bring Sanity to Your Machi...
(www.kdnuggets.com)
2019-12-14
5 Advanced Features of Pandas and How to Use Them
(www.kdnuggets.com)
2019-11-24
Counting FLOPS and other CPU counters in Python
(www.bnikolic.co.uk)
2019-11-03
What’s New In Python 3.8 — Python 3.8.0 documentation
(docs.python.org)
2019-10-09
PyPy's New JSON Parser
(morepypy.blogspot.com)
2019-09-24
Partial Functions in Python: A Guide for Developers
(www.kdnuggets.com)
2019-08-30
Async IO in Python: A Complete Walkthrough – Real Python
(realpython.com)
2019-08-30
A Grammar of Graphics for Python – plotnine 0.13.6
(plotnine.readthedocs.io)
2019-08-30
PySpark Cheat Sheet: Spark in Python
(www.datacamp.com)
2019-08-30
Installation — Datashader v0.16.3
(datashader.org)
2019-08-30
Arima Model – Complete Guide to Time Series Forecasting i...
(www.machinelearningplus.com)
2019-08-29
Python at Netflix
(link.medium.com)
2019-08-29
9 Python Libraries Which Can Help You In Image Processing...
(www.datasciencecentral.com)
2019-08-29
L
(buff.ly)
2019-08-28
Python Data Science Handbook | Python Data Science Handbook
(jakevdp.github.io)
2019-08-23
Make your own Super Pandas using Multiproc
(mlwhiz.com)
2019-08-23
How to Use C Functions in Python
(dev.to)
2019-08-21
An Introduction to Cython, the Secret Python Extension wi...
(okigiveup.net)
2019-07-25
yzhao062/pyod: A Python Toolbox for Scalable Outlier Dete...
(github.com)
2019-07-13
10 Simple Hacks to Speed up Your Data Analysis in Python
(www.kdnuggets.com)
2019-07-13
Top 5 Tips Developers Should Know For Python Codes Optimi...
(habr.com)
2019-05-21
Cython
(shop.oreilly.com)
2019-05-15
https://datawhatnow.com/things-you-are-probably-not-using...
(datawhatnow.com)
2019-04-21
Designing a RESTful API with Python and Flask - miguelgri...
(blog.miguelgrinberg.com)
2019-04-17
Talking to Python from JavaScript (and Back Again!)
(dev.to)
2019-04-02
Welcome to Bokeh — Bokeh 1.0.4 documentation
(bokeh.pydata.org)
2019-03-05
Forecasting in Python with Prophet | Reports - Mode
(mode.com)
2019-02-20
Dash ? – plotly – Medium
(medium.com)
2019-02-12
15 Statistical Hypothesis Tests in Python (Cheat Sheet)
(machinelearningmastery.com)
2019-01-08
Why you should be using pathlib
(treyhunner.com)
2019-01-01
Python profiling with Pyflame
(medium.com)
2018-12-21
Top Python Libraries in 2018 in Data Science, Deep Learni...
(www.kdnuggets.com)
2018-11-26
Python Data Visualization 2018: Why So Many Libraries?
(www.anaconda.com)
2018-09-12
newspaper3k · PyPI
(pypi.org)
2018-09-06
The Ultimate Guide to 12 Dimensionality Reduction Techniq...
(www.analyticsvidhya.com)
2018-09-06
An A-Z of useful Python tricks
(medium.freecodecamp.org)
2018-09-05
mukund109/word-mesh: A context-preserving word cloud gene...
(github.com)
2018-08-31
Cookbook — Bayesian Modelling with PyMC3
(eigenfoo.xyz)
2018-08-30
A Feature Selection Tool for Machine Learning in Python
(towardsdatascience.com)
2018-06-08
Introduction to Market Basket Analysis in Python
(pbpython.com)
2018-06-08
Python For Finance: Algorithmic Trading
(medium.com)
2018-06-08
Frequency Distribution Analysis using Python Data Stack –...
(dataconomy.com)
2018-06-08
Elliptic Curves as Python Objects | Math ∩ Programming
(jeremykun.com)
2018-06-08
Python decorators, the right way: the 4 audiences of prog...
(codewithoutrules.com)
2018-06-08
scikit-surprise 1.0.5 : Python Package Index
(pypi.python.org)
2018-06-08
(1) Cohort Analysis with Python | LinkedIn
(www.linkedin.com)
2018-06-08
Table Visualization — pandas 2.2.3 documentation
(pandas.pydata.org)
2018-05-12
Topic Modeling with Gensim (Python) - A Practical Guide
(www.machinelearningplus.com)
2018-04-30
HyperTools: A python toolbox for gaining geometric insigh...
(hypertools.readthedocs.io)
2018-02-09
Python: How to import other Python files - Stack Overflow
(stackoverflow.com)
2018-01-23
Introduction to Python Generators
(code.tutsplus.com)
2018-01-02
Getting Started on Heroku with Python | Heroku Dev Center
(devcenter.heroku.com)
2017-12-27
keon/algorithms: Minimal examples of data structures and ...
(github.com)
2017-12-27
Removing Outliers Using Standard Deviation in Python
(www.kdnuggets.com)
2017-12-27
Numba: High-Performance Python with CUDA Acceleration
(devblogs.nvidia.com)
2017-12-27
Understanding Args and Kwargs in Python
(code.tutsplus.com)
2017-12-27
vestuto/reusable-python: A tutorial on organizing python ...
(github.com)
2017-11-11
The Python Graph Gallery – Visualizing data – with Python
(python-graph-gallery.com)
2017-10-31
Anvil: Web Apps with Nothing but Python
(anvil.works)
2017-10-27
Making a Static Blog with Pelican | EF
(nafiulis.me)
2017-10-25
Why Python is Slow: Looking Under the Hood | Pythonic Per...
(jakevdp.github.io)
2014-10-24
Beginner’s Guide to FastAPI
(www.kdnuggets.com)
2014-09-24
Graphiti: A Python Library for Building Temporal Knowledg...
(www.marktechpost.com)
2011-10-24
AI & ML Projects with Python
(thecleverprogrammer.com)
2010-09-24
Gradio Documentation
(www.gradio.app)
2008-09-24
Lesser known parts of Python standard library – Trickster...
(www.trickster.dev)
2008-09-24
PyMuPDF 1.24.10 documentation
(pymupdf.readthedocs.io)
2005-10-24
MinerU: An Open-Source PDF Data Extraction Tool
(www.marktechpost.com)
-->
semiconductors (all)
categories:
tags:
semiconductors
date: 30 Mar 2025
slug:raindrop-semiconductors-all
(www-huaweicentral-com.cdn.ampproject.org)
2025-03-31
Notes on the Pentium's microcode circuitry
(www.righto.com)
2025-03-28
SMIC Is Rumored To Complete 5nm Chip Development By 2025;...
(wccftech.com)
2025-03-27
First-Time Silicon Success Plummets
(semiengineering.com)
2025-03-26
The Future of AI Accelerators: A Roadmap of Industry Lead...
(www.linkedin.com)
2025-03-25
A Crucial Optical Technology Has Finally Arrived
(spectrum.ieee.org)
2025-03-15
AMD's Strix Halo - Under the Hood
(chipsandcheese.com)
2025-02-18
BintangChip: Your specialty foundry for the analog world
(www.bintangchip.com)
2025-01-30
The Road Ahead For Datacenter Compute Engines: The CPUs
(www.nextplatform.com)
2025-01-29
Improving Uniformity And Linearity For All Masks
(semiengineering.com)
2025-01-28
Demystifying GPU Compute Architectures
(open.substack.com)
2025-01-23
Improving GaN Device Architectures
(semiengineering.com)
2025-01-21
300mm wafer pricing by node Jan2025
(media.licdn.com)
2025-01-16
100x Defect Tolerance: How Cerebras Solved the Yield Prob...
(cerebras.ai)
2025-01-08
AMD Reveals Real Reason It Won't Put 3D V-Cache On Multip...
(hothardware.com)
2025-01-05
The Ultimate Guide to Gate-All-Around (GAA) - AnySilicon
(anysilicon.com)
2024-12-29
Intel's $475 million error: the silicon behind the Pentiu...
(www.righto.com)
2024-12-21
AMD Ryzen 7 9800X3D Uses A Thick Dummy Silicon That Compr...
(wccftech.com)
2024-12-21
Slim-Llama: An Energy-Efficient LLM ASIC Processor Suppor...
(www.marktechpost.com)
2024-12-15
TSMC Lifts the Curtain on Nanosheet Transistors
(spectrum.ieee.org)
2024-12-12
Is In-Memory Compute Still Alive?
(semiengineering.com)
2024-12-10
China Unveils Xiaohong-504: a 504-Qubit Quantum Computing...
(www.techpowerup.com)
2024-12-09
Google Claims Quantum Error Correction Milestone With “Wi...
(www.nextplatform.com)
2024-12-03
98 Hardware Security Failure Scenarios (NIST)
(semiengineering.com)
2024-12-03
Strain engineering approach enhances performance of 2D se...
(techxplore.com)
2024-12-01
AMD Disables Zen 4's Loop Buffer
(open.substack.com)
2024-11-29
TWINSCAN EXE:5000 Lego Set
(asmlstore.com)
2024-11-25
Predictive PDK (ASAP) – ASU Engineering
(asap.asu.edu)
2024-11-24
Antenna diodes in the Pentium processor
(www.righto.com)
2024-11-23
Why Intel Lost Its CPU Crown To AMD (And How Ryzen Change...
(www.slashgear.com)
2024-11-23
Intel Arc B580 "Battlemage" GPU Leak Confirms 12 GB Memor...
(wccftech.com)
2024-11-21
AI Alone Isn’t Ready for Chip Design
(spectrum.ieee.org)
2024-11-17
New Ultrafast Memory Boosts Intel Data Center Chips
(www.techpowerup.com)
2024-11-04
Amazon’s Cloud Crisis: How AWS Will Lose The Future Of Co...
(www.semianalysis.com)
2024-10-27
One Laser To Pump Up AI Interconnect Bandwidth By 10X
(www.nextplatform.com)
2024-10-26
Graphene-Based Memristors Inch Towards Practical Producti...
(hardware.slashdot.org)
2024-10-25
Gate-All-Around (GAA): The Ultimate Solution to Reduce Le...
(www.eetimes.com)
2024-10-22
Google's Tensor G6 Chip Will Be Built on TSMC's 2nm Archi...
(wccftech.com)
2024-10-19
Mini Review of Photodetectors and Image Sensors: Material...
(semiengineering.com)
2024-10-19
Wide-Bandgap Semiconductors Shape Next-Gen SDVs
(www.eetimes.com)
2024-10-17
One Laser To Pump Up AI Interconnect Bandwidth By 10X
(www.nextplatform.com)
2024-08-01
Introduction to the Class C Power Amplifier
(www.allaboutcircuits.com)
2024-07-31
The U.S. has sanctioned 18 Chinese fabs, dozens remain in...
(www.tomshardware.com)
2024-07-31
Understanding Two Port Amplifier Power Gains
(open.substack.com)
2024-07-30
ABCs of Power Amplifier Classes: Foundations
(open.substack.com)
2024-07-27
Intel Vs. Samsung Vs. TSMC
(semiengineering.com)
2024-07-27
Zen 5’s 2-Ahead Branch Predictor Unit: How a 30 Year Old ...
(chipsandcheese.com)
2024-07-23
The Future of Semiconductor Freight
(open.substack.com)
2024-07-22
Poor Thermal Paste Quality Pointed Out As Culprit Behind ...
(wccftech.com)
2024-07-20
Tenstorrent Launches Wormhole AI Processors: 466 FP8 TFLO...
(www.anandtech.com)
2024-07-13
AMD Plans to Use Glass Substrates in its 2025/2026 Lineup...
(www.techpowerup.com)
2024-07-13
JEDEC Finalizes HBM4 Spec With A Key Upgrade For Memory M...
(hothardware.com)
2024-07-13
Applied Materials' New Deposition Tool Enables Copper Wir...
(www.anandtech.com)
2024-07-12
Unleashing the Potential of Alternative Deep Learning Har...
(www.eetimes.com)
2024-07-10
Standard cells: Looking at individual gates in the Pentiu...
(www.righto.com)
2024-07-07
Beyond GPUs: Innatera and the quiet uprising in AI hardware
(venturebeat.com)
2024-07-03
Fabricated Knowledge Q2 2024 Quarterly Review
(open.substack.com)
2024-06-28
Meet Sohu: The World’s First Transfor...
(www.marktechpost.com)
2024-06-27
Qorvo Introduces Alternative to Mechanical Circuit Breakers
(www.allaboutcircuits.com)
2024-06-26
Intel’s Latest FinFET Is Key to Its Foundry Plans
(spectrum.ieee.org)
2024-06-25
Controlling Warpage In Advanced Packages
(semiengineering.com)
2024-06-20
Single Vs. Multi-Patterning Advancements For EUV
(semiengineering.com)
2024-06-20
About Nantian Electronics : IC chips & IGBT modules Disct...
(www.ntchip.com)
2024-06-20
ST remains largest silicon carbide power device maker, wi...
(www.semiconductor-today.com)
2024-06-20
US chipmaker Onsemi to invest $2bn in Czech Republic sili...
(www.datacenterdynamics.com)
2024-06-17
DRAM: an industry in full flight
(www.yolegroup.com)
2024-06-12
Flow claims it can 100x any CPU’s power with its companio...
(techcrunch.com)
2024-06-11
Fan-Out Panel-Level Packaging (FO-PLP): Ultimate Guide
(anysilicon.com)
2024-06-11
Record fab capacity in 2025 with 17 new fabs
(www.eenewseurope.com)
2024-06-09
How Japanese Companies Are Benefiting From the Chips Battle
(www.wsj.com)
2024-06-08
TSMC's 3D Stacked SoIC Packaging Making Quick Progress, E...
(www.anandtech.com)
2024-06-07
Hybrid Bonding Plays Starring Role in 3D Chips
(spectrum.ieee.org)
2024-05-23
Understanding CFETs, A Next Generation Transistor Archite...
(semiengineering.com)
2024-05-23
TSMC's Roadmap at a Glance: N3X, N2P, A16 Coming in 2025/...
(www.anandtech.com)
2024-05-22
CMOS Image Sensor: Ultimate Guide
(anysilicon.com)
2024-05-21
Trillium: Google’s TPU Powerhouse Behind Its New AI Models
(www.allaboutcircuits.com)
2024-05-21
TSMC to Expand CoWoS Capacity by 60% Yearly Through 2026
(www.anandtech.com)
2024-05-20
Competitive Open-Source EDA Tools
(semiengineering.com)
2024-05-16
How to Put a Data Center in a Shoebox
(spectrum.ieee.org)
2024-05-16
One Cerebras Wafer Beats An Exascale Super At Molecular D...
(www.nextplatform.com)
2024-05-15
Wafer Dicing: Ultimate Guide
(anysilicon.com)
2024-05-11
AI memory emerges as new battleground for SK Hynix, Samsu...
(asia.nikkei.com)
2024-05-11
AI chip startup Deepx raises $80m, receives $529m valuation
(www.datacenterdynamics.com)
2024-05-07
A Look At Intel 4 Process Technology
(fuse.wikichip.org)
2024-04-29
TSMC Jumps Into Silicon Photonics, Lays Out Roadmap For 1...
(www.anandtech.com)
2024-04-23
Intel’s 14A Magic Bullet: Directed Self-Assembly (DSA)
(www.semianalysis.com)
2024-04-23
Rambus Unveils GDDR7 Memory Controller IP: PAM3 Signaling...
(wccftech.com)
2024-04-17
Biden has brought the ban hammer down on US export of AI ...
(www.theregister.com)
2024-04-17
Intel preps export-friendly lower-power Gaudi 3 AI chips ...
(www.theregister.com)
2024-04-12
Nvidia Blackwell Perf TCO Analysis - B100 vs B200 vs GB20...
(open.substack.com)
2024-04-10
Google just released its AI chip rival to Nvidia
(qz.com)
2024-04-05
How To Build A Better “Blackwell” GPU Than Nvidia Did
(www.nextplatform.com)
2024-04-02
4 Fiber Optic Networking Spotlights From the Optical Fibe...
(www.allaboutcircuits.com)
2024-04-01
The Challenges Of Working With Photonics
(semiengineering.com)
2024-03-31
Half of Russian-Made Chips Are Defective
(hardware.slashdot.org)
2024-03-29
Lenovo Shows Huge Optimism Towards AMD’s Instinct MI300X ...
(wccftech.com)
2024-03-26
The world's semiconductor industry hinges on a single qua...
(www.tomshardware.com)
2024-03-25
Silicon carbide substrate costs falling as larger diamete...
(www.semiconductor-today.com)
2024-03-14
Accelerator Industry Model
(www.semianalysis.com)
2024-03-04
Synopsys Shepards Circuits Towards 1.6T Ethernet
(www.nextplatform.com)
2024-02-29
Techniques To Identify And Correct Asymmetric Wafer Map D...
(newsroom.lamresearch.com)
2024-02-28
Authority.Integrity. Accuracy.
(ig.ft.com)
2024-02-24
ASAP5: A predictive PDK for the 5 nm node
(www.sciencedirect.com)
2024-02-22
Grokking Groq’s Groqness
(blocksandfiles.com)
2024-02-22
Groq Inference Tokenomics: Speed, But At What Cost?
(www.semianalysis.com)
2024-02-17
The Seven Pillars Of IC Package Physical Design
(semiengineering.com)
2024-02-11
Application Specific Lithography: Avoiding Stochastic Def...
(semiwiki.com)
2024-02-07
Nvidia’s Big Tech Rivals Put Their Own A.I. Chips on the ...
(www.nytimes.com)
2024-02-01
The New, New Transistor
(spectrum.ieee.org)
2024-01-09
Micron NVDRAM may never become a product
(blocksandfiles.com)
2024-01-07
Choosing the Best Wide Bandgap Technology for Your Applic...
(www.allaboutcircuits.com)
2023-10-30
Wafer Wars: Deciphering Latest Restrictions On AI And Sem...
(www.semianalysis.com)
2023-10-21
Samsung Unveils Shinebolt HBM3E Memory At Nearly 10Gbps A...
(hothardware.com)
2023-10-07
A Comprehensive RF Characterization and Modeling Methodol...
(ieeexplore.ieee.org)
2023-10-02
The Ultimate Signoff (TapeOut) Checklist
(anysilicon.com)
2023-09-27
VLSI Physical Design
(www.ifte.de)
2023-09-19
Intel unveils glass substrates for chips to advance Moore...
(venturebeat.com)
2023-09-08
ASML to Deliver First High-NA EUV Tool This Year
(www.anandtech.com)
2023-08-19
Criteria & Assumptions — SkyWater SKY130 PDK 0.0.0-356-g4...
(skywater-pdk.readthedocs.io)
2023-08-10
“Downfall” bug affects years of Intel CPUs, can leak encr...
(arstechnica.com)
2023-08-09
Downfall Attacks
(downfall.page)
2023-07-30
TSMC’s 3nm yield rate reportedly just 55% · TechNode
(technode.com)
2023-07-28
AMD’s Radeon Instinct MI210: GCN Lives On
(chipsandcheese.com)
2023-07-28
Atomera Plans to Breathe New Life into Older Chip Manufac...
(spectrum.ieee.org)
2023-07-24
What is an Image Processor? Turns Out the Answer is Hazy
(www.allaboutcircuits.com)
2023-07-22
Mitigating Electromigration In Chip Design
(semiengineering.com)
2023-07-19
Lossy Transmission Lines: Introduction to the Skin Effect
(www.allaboutcircuits.com)
2023-07-19
‘An Act of War’: Inside America’s Silicon Blockade Agains...
(www.nytimes.com)
2023-07-18
Gallery of Processor Cache Effects
(igoro.com)
2023-07-16
Kryo: Qualcomm’s Last In-House Mobile Core
(chipsandcheese.com)
2023-07-09
AI Capacity Constraints - CoWoS and HBM Supply Chain
(www.semianalysis.com)
2023-06-30
Micron to Introduce GDDR7 Memory in 1H 2024
(www.tomshardware.com)
2023-06-30
Micron Announces GDDR7 for GPUs Coming in First Half of 2024
(www.extremetech.com)
2023-06-28
FinFETs: The Ultimate Guide
(anysilicon.com)
2023-06-23
The chip patterning machines that will shape computing’s ...
(www.technologyreview.com)
2023-06-22
AI Server Cost Analysis – Memory Is The Biggest Loser
(www.semianalysis.com)
2023-06-20
Panmnesia speeds up vector search with CXL
(blocksandfiles.com)
2023-06-19
WIN Semiconductors Releases Next Generation mmWave Enhanc...
(www.einnews.com)
2023-06-19
AMD Expands AI/HPC Product Lineup With Flagship GPU-only ...
(www.anandtech.com)
2023-06-14
The Third Time Charm Of AMD’s Instinct GPU
(www.nextplatform.com)
2023-06-11
Smart TV industry rocked by alleged patent conspiracy fro...
(arstechnica.com)
2023-06-09
Intel Is All-In on Back-Side Power Delivery
(spectrum.ieee.org)
2023-06-02
The Ultimate Guide for Optimal SoC Floorplan
(anysilicon.com)
2023-06-02
The Case for Running AI on CPUs Isn’t Dead Yet
(spectrum.ieee.org)
2023-05-28
ARM’s Cortex A53: Tiny But Important
(chipsandcheese.com)
2023-05-28
Intel CPU Die Topology - by Jason Rahman - Delayed Branch
(jprahman.substack.com)
2023-05-22
Photonic Chips Curb AI Training’s Energy Appetite
(spectrum.ieee.org)
2023-05-12
Google dives into the ‘supercomputer’ game by knitting to...
(venturebeat.com)
2023-05-05
3D DRAM could be revolutionary – if it works
(blocksandfiles.com)
2023-05-01
Tech Tuesday: Silicon Assurance
(www.wcjb.com)
2023-04-29
GaN HEMT Circuit Topologies for High-resolution LiDAR
(www.allaboutcircuits.com)
2023-04-28
TSMC Announces Early Access Nodes for Next-Gen Car Chips:...
(www.anandtech.com)
2023-04-27
TSMC Details 3nm Evolution: N3E On Schedule, N3P and N3X ...
(www.anandtech.com)
2023-04-26
Salience Labs advances its AI agenda using new chip design
(www.theceomagazine.com)
2023-04-25
Memory Roundup: Ultra-low-power SRAM, ULTRARAM, & 3D Flas...
(www.allaboutcircuits.com)
2023-04-19
State of the Art And Future Directions of Rowhammer (ETH ...
(semiengineering.com)
2023-04-15
Latest GaN ICs Crank out More Speed, Efficiency, and Powe...
(www.allaboutcircuits.com)
2023-04-13
How To Plan And Conduct Highly Accelerated Life Testing
(semiengineering.com)
2023-04-10
RF Energy Harvesting and Wireless Power Transfer Technolo...
(semiengineering.com)
2023-04-09
4 Ways to Put Lasers on Silicon - IEEE Spectrum
(spectrum.ieee.org)
2023-04-08
The Future of the Transistor
(www.semianalysis.com)
2023-04-08
Google’s TPU v4 Architecture: 3 Major Features
(semiengineering.com)
2023-04-07
Samsung steps up fan-out wafer-level packaging deployment
(www.digitimes.com)
2023-04-06
Hacker News
(arxiv.org)
2023-04-06
Interconnect Under the Spotlight as Core Counts Accelerat...
(semiwiki.com)
2023-04-06
Ending an Ugly Chapter in Chip Design
(spectrum.ieee.org)
2023-04-05
Growth of 300mm fab capacity picks up pace again - Bits&C...
(bits-chips.nl)
2023-04-05
RISC-V In The Datacenter Is No Risky Proposition
(www.nextplatform.com)
2023-04-05
True 3D Is Much Tougher Than 2.5D
(semiengineering.com)
2023-04-05
RDL and Flip Chip Design
(link.springer.com)
2023-04-05
The Most Complex Chip Ever Made?
(www.nextplatform.com)
2023-04-05
Video: Intel EMIB Technology Explained
(www.intel.com)
2023-04-05
US Semiconductor Manufacturing | CHIPS and Science Act | ...
(www.intel.com)
2023-04-04
New Chip Purportedly Offers the “Best Memory of Any Chip ...
(www.allaboutcircuits.com)
2023-03-31
Tiny Tapeout - Tiny Tapeout
(tinytapeout.com)
2023-03-29
Cerebras open sources seven GPT-based LLMs, ranging from ...
(www.techmeme.com)
2023-03-27
https://octopart.com/blog/archives/2023/03/what-are-the-d...
(octopart.com)
2023-03-26
Gallium Nitride and Silicon Carbide Fight for Green Tech ...
(spectrum.ieee.org)
2023-03-22
I Saw the Face of God in a Semiconductor Factory
(www.wired.com)
2023-03-21
New method gets better performance out of atomically thin...
(arstechnica.com)
2023-03-21
Nvidia Tackles Chipmaking Process, Claims 40X Speed Up wi...
(www.tomshardware.com)
2023-03-21
https://www.edn.com/tsmcs-3-nm-progress-report-better-tha...
(www.edn.com)
2023-03-19
Chinese chipmaking technology development may stall at 40...
(news.google.com)
2023-03-19
China’s flagship CPU designer puts on a brave face amid U...
(www.scmp.com)
2023-03-17
SK hynix breezes past 300-layer 3D NAND mark
(blocksandfiles.com)
2023-03-16
Taking a look at the ReRAM state of play
(blocksandfiles.com)
2023-03-15
Aehr receives $6.7m order for FOX WaferPak full-wafer con...
(www.semiconductor-today.com)
2023-03-15
Deep Learning (DL) Applications In Photomask To Wafer Sem...
(semiengineering.com)
2023-03-14
Wafer foundry capacity in China, 2023
(www.digitimes.com)
2023-03-14
Wafer foundries in China expected to continue with capaci...
(www.digitimes.com)
2023-03-14
Total Revenue of Top 10 Foundries Fell by 4.7% QoQ for 4Q...
(anysilicon.com)
2023-03-13
Meet the 16 members of the EDA Alliance underpinning TSMC...
(www.digitimes.com)
2023-03-12
The basics of Arm64 Assembly - by Diego Crespo
(www.deusinmachina.net)
2023-03-07
Setting The Stage For 1.6T Ethernet, And Driving 800G Now
(www.nextplatform.com)
2023-03-05
Asynchronously Parallel Optimization Method For Sizing An...
(semiengineering.com)
2023-02-25
Five key reasons to switch to GaN - DCD
(www.datacenterdynamics.com)
2023-02-25
Meet the $10,000 Nvidia chip powering the race for A.I.
(www.cnbc.com)
2023-02-09
An AI 'Engineer' Has Now Designed 100 Chips - ExtremeTech
(www.extremetech.com)
2023-02-04
Update on Samsung SSD Reliability
(www.pugetsystems.com)
2023-02-02
AMD is 'Undershipping' Chips To Keep CPU, GPU Prices Elev...
(hardware.slashdot.org)
2023-01-25
Choosing The Correct High-Bandwidth Memory
(semiengineering.com)
2023-01-22
Security IP Cores: Ultimate Guide - AnySilicon
(anysilicon.com)
2023-01-20
Hacker News
(timdettmers.com)
2023-01-20
More CPU Cores Isn’t Always Better, Especially In HPC
(www.nextplatform.com)
2023-01-18
🎙️ | ASML & EUV Lithography Deep Dive with Asianometry
(compoundingcuriosity.substack.com)
2023-01-17
bmurmann/Book-on-MOS-stages: Book repository "Analysis an...
(github.com)
2023-01-14
DigiTimes: TSMC 3nm wafer price breaks $20,000. Expect pr...
(twitter.com)
2023-01-14
My Articles on AAC (Page I)
(forum.allaboutcircuits.com)
2023-01-14
RF Design Basics—Introduction to Transmission Lines
(www.allaboutcircuits.com)
2023-01-14
TSMC Might Cut 3nm Prices to Lure AMD, Nvidia
(www.tomshardware.com)
2023-01-13
TSMC’s Wafer Prices Revealed: 300mm Wafer at 5nm Is Nearl...
(www.tomshardware.com)
2023-01-02
Big Trouble in Little Interconnects
(spectrum.ieee.org)
2022-12-31
Book-on-MOS-stages/Analysis and Design of Elementary MOS ...
(github.com)
2022-12-22
aolofsson/awesome-opensource-hardware: List of awesome op...
(github.com)
2022-12-21
APU Spec r0.48.pdf - Google Drive
(drive.google.com)
2022-12-18
Safeguarding SRAMs From IP Theft (Best Paper Award)
(semiengineering.com)
2022-12-13
Metrology Primer
(www.fabricatedknowledge.com)
2022-12-11
Gallium Arsenide (GaAs) Overview
(anysilicon.com)
2022-12-08
SK hynix boosts DDR5 DRAM speed with parallel reads
(blocksandfiles.com)
2022-12-06
Just How Bad Is CXL Memory Latency?
(www.nextplatform.com)
2022-11-23
Opportunities and Challenges for Carbon Nanotube Transistors
(semiengineering.com)
2022-11-20
On-Chip Power Distribution Modeling Becomes Essential Bel...
(semiengineering.com)
2022-11-15
Cerebras Reveals Andromeda, a 13.5 Million Core AI Superc...
(www.tomshardware.com)
2022-11-08
Startup Knocks Down Chiplet Hurdles with High-performance...
(www.allaboutcircuits.com)
2022-11-05
Aaron tsmc sweep of eda timeline big
(www.allaboutcircuits.com)
2022-11-05
TSMC Grants a Sweep of EDA Certifications for New Process...
(www.allaboutcircuits.com)
2022-10-27
Introduction to Extrinsic Semiconductors
(anysilicon.com)
2022-10-25
What's different about next-gen transistors | Hacker News
(news.ycombinator.com)
2022-10-21
What's Different About Next-Gen Transistors
(semiengineering.com)
2022-10-21
Biden Just Clobbered China’s Chip Industry
(www.nytimes.com)
2022-10-19
Four Cornerstones of CPU Performance.
(easyperf.net)
2022-10-13
Researchers Develop Transistor-free Compute-in-Memory Arc...
(www.allaboutcircuits.com)
2022-10-10
Fab capacity by node
(i0.wp.com)
2022-10-02
What Time is It? A Timing Market Primer and Overview
(www.fabricatedknowledge.com)
2022-09-29
Decreasing Refresh Latency of Off-the-Shelf DRAM Chips
(semiengineering.com)
2022-09-29
Monolithic Sapphire Rapids
(www.angstronomics.com)
2022-09-26
How Memory Design Optimizes System Performance
(semiengineering.com)
2022-09-24
Ultimate Guide: Clock Tree Synthesis
(anysilicon.com)
2022-09-05
Performance Benefits of Using Huge Pages for Code. | Easy...
(easyperf.net)
2022-09-03
Page Not Available | Mailchimp
(mailchi.mp)
2022-08-14
Industry Structure: Fabs are in Favor - LTAs are the Tell
(www.fabricatedknowledge.com)
2022-08-08
Perspective | Electronics are built with death dates. Let...
(www.washingtonpost.com)
2022-08-04
GlobalFoundries joins Google's open-source silicon initia...
(www.digitimes.com)
2022-08-01
Semis for Everyone?
(d2dadvisory.us6.list-manage.com)
2022-07-30
SkyWater and Google expand open source program to new 90n...
(opensource.googleblog.com)
2022-07-18
Moneyball for engineers: What the semiconductor industry ...
(www.mckinsey.com)
2022-07-12
New working speculative execution attack sends Intel and ...
(arstechnica.com)
2022-07-11
Memristive, Spintronic, and 2D‐Materials‐Based Devices to...
(onlinelibrary.wiley.com)
2022-07-08
CXL: Protocol for Heterogenous Datacenters
(www.fabricatedknowledge.com)
2022-07-08
Ayar Labs: Solving Bandwidth and Power Bottlenecks with O...
(ayarlabs.com)
2022-07-08
Intel® Silicon Photonics
(www.intel.com)
2022-07-08
Intel Showcases a Photonics “First” — an Eight-wavelength...
(www.allaboutcircuits.com)
2022-07-07
CXL Enables Microsoft Azure To Cut Server Capital Expendi...
(semianalysis.com)
2022-07-05
Intel announces silicon photonics advancement towards opt...
(t.co)
2022-07-04
An Introduction to MEMS Vibratory Gyroscopes
(www.allaboutcircuits.com)
2022-06-29
Can You Trust Semiconductor Capital Equipment Firms? Supp...
(semianalysis.com)
2022-06-24
The Basics of Electrical Engineering Standards
(www.allaboutcircuits.com)
2022-06-23
A new vulnerability in Intel and AMD CPUs lets hackers st...
(arstechnica.com)
2022-06-23
PCI Express 7.0 standard provides eight times the bandwid...
(arstechnica.com)
2022-06-23
High-Performance 5G IC Designs Need High-Performance Para...
(semiengineering.com)
2022-06-21
Die Size And Reticle Conundrum – Smaller Isn’t Always Bet...
(semianalysis.com)
2022-06-21
GaN Systems Cup 2022 design competition underway
(www.semiconductor-today.com)
2022-06-21
Designing and Simulating Low-Voltage CMOS Circuits Using ...
(semiengineering.com)
2022-06-21
Thermal Management Challenges and Requirements of 3 types...
(semiengineering.com)
2022-06-21
Will optics replace copper interconnects? We asked Ayar Labs
(www.theregister.com)
2022-05-23
Practical Power Beaming Gets Real
(spectrum.ieee.org)
2022-05-02
Another Firing Among Google’s A.I. Brain Trust, and More ...
(www.nytimes.com)
2022-04-30
The X-Ray Tech That Reveals Chip Designs
(spectrum.ieee.org)
2022-03-21
Sandia reports GaN diode with record 6.4kV breakdown ultr...
(www.semiconductor-today.com)
2022-03-14
waferscale cpu design
(nanocad.ee.ucla.edu)
2022-03-14
Designing a 2048-Chiplet, 14336-Core Waferscale Processor
(semiengineering.com)
2022-03-14
Semiconductor Engineering - Technical
(semiengineering.com)
2022-01-13
5.5 mm in 1.25 nanoseconds | Random ASCII – tech blog of ...
(randomascii.wordpress.com)
2022-01-06
Nvidia Research Plots A Course To Multiple Multichip GPU ...
(www.nextplatform.com)
2022-01-05
Ten Lessons From Three Generations Shaped Google’s TPUv4i...
(www.gwern.net)
2021-12-23
TSMC, The Drug Dealer, Is Trying To Make An Addicted Junk...
(semianalysis.com)
2021-12-18
TSMC Unveils N4X Node: Extreme High-Performance at High V...
(www.anandtech.com)
2021-12-14
Low-Power AI Startup Eta Compute Delivers First Commercia...
(spectrum.ieee.org)
2021-12-11
SRAM vs. DRAM: The Future of Memory - EE Times
(www.eetimes.com)
2021-12-11
http://bsim.berkeley.edu/?page=BSIM6_LR
(bsim.berkeley.edu)
2021-12-11
HewlettPackard/cacti: An integrated cache and memory acce...
(github.com)
2021-12-11
Gallium Arsenide: Another Player in Semiconductor Technol...
(www.allaboutcircuits.com)
2021-12-11
Under The Hood Of Google’s TPU2 Machine Learning Clusters
(www.nextplatform.com)
2021-12-10
Magnetoresistance in Magnetic Field Sensors: Applications...
(www.allaboutcircuits.com)
2021-12-08
3D Stacking Could Boost GPU Machine Learning
(www.nextplatform.com)
2021-12-08
How to make multicore chips faster more efficient
(spectrum.ieee.org)
2021-12-07
baidu-research/warp-ctc
(github.com)
2021-12-07
First In-Depth Look at Google’s TPU Architecture
(www.nextplatform.com)
2021-12-07
NVIDIA Develops NVLink Switch: NVSwitch, 18 Ports For DGX...
(www.anandtech.com)
2021-12-07
D&R Silicon IP Catalog: Directory of Semiconductor IP
(www.design-reuse.com)
2021-12-07
FET vs. BJT vs. IGBT: What’s the Right Choice for Your Po...
(www.allaboutcircuits.com)
2021-12-07
Asplos 17 cam
(rakeshk.crhc.illinois.edu)
2021-12-07
Stacking Up AMD MI200 Versus Nvidia A100 Compute Engines
(www.nextplatform.com)
2021-12-06
http://www.isine.com/DieYieldCalculator.html
(www.isine.com)
2021-12-06
NeuroMem IC Matches Patterns, Sees All, Knows All - EE Times
(www.eetimes.com)
2021-12-06
An Introduction to Semiconductor Economics
(www.adapteva.com)
2021-12-06
Semiconductor IP Vendors List | ChipEstimate.com
(www.chipestimate.com)
2021-12-05
Magic VLSI
(opencircuitdesign.com)
2021-12-04
The Gatekeeper of a Successful Design is the Interconnect...
(www.eetimes.com)
2021-12-04
Synopsys Blog | Latest Insights on EDA, IP & Systems Design
(blogs.synopsys.com)
2021-12-04
Domain-Specific Hardware Accelerators – Communications of...
(cacm.acm.org)
2021-12-03
Advantages Of LPDDR5: A New Clocking Scheme
(semiengineering.com)
2021-12-03
Die-Per-Wafer Estimator
(www.silicon-edge.co.uk)
2021-12-03
OpenROAD – Home
(theopenroadproject.org)
2021-12-03
Library Design - Silvaco
(www.nangate.com)
2021-12-03
Issues In Designing 5G Beamforming Antennas
(semiengineering.com)
2021-12-03
Effect of Design on Transistor Density - Semiwiki
(semiwiki.com)
2021-12-03
How to make your own deep learning accelerator chip!
(towardsdatascience.com)
2021-12-03
What Exactly Is a Phase-Locked Loop, Anyways? - Technical...
(www.allaboutcircuits.com)
2021-12-03
Using Multiple Inferencing Chips In Neural Networks
(semiengineering.com)
2021-12-03
Vivienne Sze · Efficient Processing of Deep Neural Networ...
(slideslive.com)
2021-12-03
Using Memory Differently To Boost Speed
(semiengineering.com)
2021-12-03
UPMEM Puts CPUs Inside Memory to Allow Applications to Ru...
(www.hpcwire.com)
2021-12-03
DRAM Tradeoffs: Speed Vs. Energy
(semiengineering.com)
2021-12-03
Precise timing of machine code with Linux perf. | Easyperf
(easyperf.net)
2021-12-03
TOPS, Memory, Throughput And Inference Efficiency
(semiengineering.com)
2021-12-03
What Is Silicon Germanium’s Place at the Semiconductor Ta...
(www.allaboutcircuits.com)
2021-12-02
How 10 leading companies are trying to make powerful, low...
(arstechnica.com)
2021-12-02
X7R, X5R, C0G…: A Concise Guide to Ceramic Capacitor Type...
(www.allaboutcircuits.com)
2021-12-02
How to Reduce Power Consumption with Clock Gating - Techn...
(www.allaboutcircuits.com)
2021-12-02
'Unclonable' digital fingerprints boost IoT device security
(www.futurity.org)
2021-12-02
How lidar makers are coping with slow progress of self-dr...
(arstechnica.com)
2021-12-02
Microarchitecture
(www.agner.org)
2021-12-02
Using Verilog to Describe a Sequential Circuit - Technica...
(www.allaboutcircuits.com)
2021-12-02
Process Control For Next-Generation Memories
(semiengineering.com)
2021-12-02
https://blog.riseml.com/comparing-google-tpuv2-against-nv...
(blog.riseml.com)
2021-12-02
Understanding PLL Applications: Frequency Multiplication ...
(www.allaboutcircuits.com)
2021-12-02
To reinvent the processor
(medium.com)
2021-12-02
Sample Efficient Evolutionary Algorithm for Analog Circui...
(bair.berkeley.edu)
2021-12-02
Whitepapers - Silicon Labs
(www.silabs.com)
2021-12-02
Executing Commands in Memory: DRAM Commands - Technical A...
(www.allaboutcircuits.com)
2021-12-02
The Floppy Disk of Floating Point
(www.evanmiller.org)
2021-12-01
Understanding SoC Clock Design - AnySilicon
(anysilicon.com)
2021-12-01
What is a Probe Card? - AnySilicon
(anysilicon.com)
2021-12-01
Overview and Types of Capacitors in ASIC Design - AnySilicon
(anysilicon.com)
2021-12-01
Category:EDA file formats
(en.wikipedia.org)
2021-12-01
How FPGAs work, and why you'll buy one
(yosefk.com)
2021-12-01
Software optimization resources. C++ and assembly. Window...
(www.agner.org)
2021-12-01
http://www.cnf.cornell.edu/cnf_spie9.html
(www.cnf.cornell.edu)
2021-12-01
An Introduction to Semiconductor Physics, Technology, and...
(www.anandtech.com)
2021-12-01
Standard Test Data Format
(en.wikipedia.org)
2021-12-01
Memory at the Core of New Deep Learning Research Chip
(www.nextplatform.com)
2021-12-01
https://www.graphcore.ai/blog/why-is-so-much-memory-neede...
(www.graphcore.ai)
2021-12-01
Design and Analysis of Stability-Guaranteed PUFs
(arxiv.org)
2021-11-30
Caches: LRU v. random
(danluu.com)
2021-11-30
Analog Technical Articles - Electrical Engineering & Elec...
(www.allaboutcircuits.com)
2021-11-30
Describing Combinational Circuits in Verilog - Technical ...
(www.allaboutcircuits.com)
2021-11-30
Understanding and Addressing 5 Key Power Supply Issues - ...
(www.allaboutcircuits.com)
2021-11-29
R2: What it Means to be 1 Less Than S3 - by Doug (mule) -...
(www.fabricatedknowledge.com)
2021-11-29
Lam Research, Tokyo Electron, JSR Battle It Out In The $5...
(semianalysis.substack.com)
2021-11-28
The Rising Tide of Semiconductor Cost - by Doug (mule) - ...
(www.fabricatedknowledge.com)
2021-10-15
Semiconductor Wafer Installed Capacity Per Process Node
(anysilicon.com)
2021-10-03
A friendly introduction to machine learning compilers and...
(huyenchip.com)
2021-09-07
Does an AMD Chiplet Have a Core Count Limit?
(www.anandtech.com)
2021-09-04
Did IBM Just Preview The Future of Caches?
(www.anandtech.com)
2021-08-28
Next-Gen Chips Will Be Powered From Below
(spectrum.ieee.org)
2021-08-17
Impact Of GAA Transistors At 3/2nm
(semiengineering.com)
2021-07-25
The Novel Material That’s Shrinking Phone Chargers, Power...
(www.wsj.com)
2021-07-13
Gutting Decades Of Architecture To Build A New Kind Of Pr...
(www.nextplatform.com)
2021-07-10
How Intel Financialized and Lost Leadership in Semiconduc...
(www.nakedcapitalism.com)
2021-07-07
What Does It Take To Build A Successful Multi-Chip Module...
(semiengineering.com)
2021-07-07
https://d2dadvisory.us6.list-manage.com/track/click?u=c03...
(d2dadvisory.us6.list-manage.com)
2021-06-30
Xoilac TV Thiên Đường Bóng Đá Trực Tiếp Xoilac 90P
(caly-technologies.com)
2021-06-30
Let’s Build a Chip – With Math
(digitstodollars.com)
2021-06-26
A Look at Baidu’s Industrial-Scale GPU Training Architecture
(www.nextplatform.com)
2021-06-26
Tenstorrent Wormhole Analysis – A Scale Out Architecture ...
(semianalysis.com)
2021-06-26
Mythic Resizes its AI Chip
(www.eetimes.com)
2021-06-24
What Happens When Multipliers No Longer Define AI Acceler...
(www.nextplatform.com)
2021-06-23
Bumps Vs. Hybrid Bonding For Advanced Packaging
(semiengineering.com)
2021-06-12
AMD 3D Stacks SRAM Bumplessly
(fuse.wikichip.org)
2021-06-08
Intel: AMD Threat Is Finished (NASDAQ:INTC)
(seekingalpha.com)
2021-05-30
As Chips Shrink, Rowhammer Attacks Get Harder to Stop
(www.wired.com)
2021-05-29
1nm Breakthrough: TSMC, MIT and NTU Published on Nature
(buzzorange.com)
2021-05-25
New 'Morpheus' CPU Design Defeats Hundreds of Hackers in ...
(www.extremetech.com)
2021-05-19
Google details new AI accelerator chips
(venturebeat.com)
2021-05-18
Circuit Synthesis for Analog Computing | SIGPLAN Blog
(blog.sigplan.org)
2021-05-17
2021 Perception Sensor Industry Map: 75 Companies Powerin...
(www.tangramvision.com)
2021-05-14
Untether AI: At Memory Computation A Transformative Compu...
(youtube.com)
2021-05-13
11 Ways To Reduce AI Energy Consumption
(semiengineering.com)
2021-04-25
More Data Drives Focus On IC Energy Efficiency
(semiengineering.com)
2021-04-24
Apple's M1 Positioning Mocks the Entire x86 Business Model
(www.extremetech.com)
2021-04-09
Sapphire Rapids CPU Leak: Up to 56 Cores, 64GB of Onboard...
(www.extremetech.com)
2021-04-07
First Google-Sponsored MPW Shuttle Launched at SkyWater w...
(anysilicon.com)
2021-03-30
GPU Nomenclature History: No Shortage of GPUs Here
(tedium.co)
2021-03-30
The MIPS R4000, part 9: Stupid branch delay slot tricks
(devblogs.microsoft.com)
2021-03-26
SaaS for component pricing: Q&A with Lytica chairman Ken ...
(www.digitimes.com)
2021-03-26
Deep Dive Into AMD’s “Milan” Epyc 7003 Architecture
(www.nextplatform.com)
2021-03-19
Overcoming Challenges In Next-Generation SRAM Cell Archit...
(www.coventor.com)
2021-03-19
The Rise, Fall and Revival of AMD (2020)
(www.techspot.com)
2021-03-18
Micron Abandons 3D XPoint Memory Technology
(www.anandtech.com)
2021-03-18
SVT: Six Stacked Vertical Transistors
(semiengineering.com)
2021-03-18
Can Graviton Win A Three-Way Compute Race At AWS?
(www.nextplatform.com)
2021-03-16
7Kwafers.mp4 STDF data
(vimeo.com)
2021-03-15
Welcome to AMD ROCm Platform — ROCm Documentation 1.0.0 d...
(rocmdocs.amd.com)
2021-03-15
The Third Time Charm Of AMD’s Milan Epyc Processors
(www.nextplatform.com)
2021-03-13
A brief history of router architecture
(blog.apnic.net)
2021-03-08
Ladies And Gentlemen, Start Your Compute Engines
(www.nextplatform.com)
2021-03-05
Optical Antennas Promise ‘Unlimited’ Data Capacity
(www.eetimes.com)
2021-03-04
Revenue per Wafer Climbs As Demand Surges for 5nm/7nm IC ...
(www.semiconductor-digest.com)
2021-02-25
Semiconductor Wafer Installed Capacity 2020
(anysilicon.com)
2021-02-17
What Chip Startups Can Learn from Google’s TPU Design Team
(www.nextplatform.com)
2021-02-11
Report: Packaging Issues, PS5 Demand May Be Hurting TSMC ...
(www.extremetech.com)
2021-02-11
AMD's Reliance on TSMC Isn't Harming the Company's Growth...
(www.extremetech.com)
2021-02-11
CXL: Sorting Out The Interconnect Soup
(semiengineering.com)
2021-02-05
Understanding Wafer Bumping Packaging Technology - AnySil...
(anysilicon.com)
2021-02-05
Chipbond Website
(www.chipbond.com.tw)
2021-02-04
Intel Processor Names, Numbers and Generation List
(www.intel.com)
2021-02-03
The Ultimate Guide to Clock Gating
(anysilicon.com)
2021-02-02
6 Causes of MOS Transistor Leakage Current
(www.allaboutcircuits.com)
2021-01-27
Introduction to Phototransistors
(www.allaboutcircuits.com)
2021-01-25
New Transistor Structures At 3nm/2nm
(semiengineering.com)
2021-01-20
Intel Problems
(stratechery.com)
2021-01-16
Hardware for Deep Learning. Part 4: ASIC
(blog.inten.to)
2021-01-15
Die Per Wafer (free) Calculator
(anysilicon.com)
2021-01-15
The Ultimate Guide to Static Timing Analysis (STA)
(anysilicon.com)
2021-01-15
Introduction to Thermal Characterization Parameters
(www.allaboutcircuits.com)
2021-01-15
Die Yield Calculator | iSine Analog, Digital & Mixed Sign...
(www.isine.com)
2021-01-04
Speculation Grows As AMD Files Patent for GPU Design
(hardware.slashdot.org)
2021-01-02
Junction-to-Case Thermal Resistance in Thermal Design
(www.allaboutcircuits.com)
2021-01-02
Designing with a Heat Sink for Junction-to-Case Thermal R...
(www.allaboutcircuits.com)
2021-01-02
AMD Patent Reveals Hybrid CPU-FPGA Design That Could Be E...
(hothardware.com)
2020-12-30
Atoms-Thick Transistors Get Faster Using Less Power
(spectrum.ieee.org)
2020-12-29
10 basic advanced IC packaging terms to know
(www.electronicproducts.com)
2020-12-29
Eight Major Steps to Semiconductor Fabrication, Part 7: T...
(global.samsungtomorrow.com)
2020-12-27
How Junction-to-Ambient Thermal Resistance of an IC Packa...
(www.allaboutcircuits.com)
2020-12-22
Semiconductor Assembly Glossary
(eesemi.com)
2020-12-21
Mythic Case Study
(semiengineering.com)
2020-12-18
https://www.edn.com/lost-in-the-advanced-ic-packaging-lab...
(www.edn.com)
2020-12-18
What Makes 5G So Fast? mmWaves, MIMO, and Beamforming, an...
(www.allaboutcircuits.com)
2020-12-18
Transistor Sizing in VLSI Design Using the Linear Delay M...
(www.allaboutcircuits.com)
2020-12-18
List of semiconductor fabrication plants - Wikipedia
(en.wikipedia.org)
2020-12-10
What Is RF Integrated Circuit Design?
(www.allaboutcircuits.com)
2020-12-10
Re-Architecting SerDes
(semiengineering.com)
2020-12-10
What Designers Need to Know About Error Correction Code (...
(semiengineering.com)
2020-12-10
Netlist CDC. Why You Need it and How You do it. - Semiwiki
(semiwiki.com)
2020-12-10
Quick Error Detection. Innovation in Verification - Semiwiki
(semiwiki.com)
2020-12-10
Introduction To Test Data Formats
(semiengineering.com)
2020-12-01
Wafer Capacity by Feature Size Shows Strongest Growth at
(anysilicon.com)
2020-11-29
Explainer on Packaging: Interposers, Bridges and Chiplets
(www.eetimes.com)
2020-11-29
Chip-Package Co-Analysis Using Ansys RedHawk-CPA
(semiengineering.com)
2020-11-29
Advanced System-on-Chip Design Lecture Notes (PDFs, Free)
(iis-people.ee.ethz.ch)
2020-11-27
TSMC and Google push chipmaking boundaries with 3D 'stack...
(asia.nikkei.com)
2020-11-22
New CXL interconnect promises to move data faster, more e...
(venturebeat.com)
2020-11-19
FinFETs Give Way to Gate-All-Around | Lam Research
(blog.lamresearch.com)
2020-11-12
The Elmore Delay Model in VLSI Design
(www.allaboutcircuits.com)
2020-11-11
176 Steps Closer To The Mythical All-Flash Datacenter
(www.nextplatform.com)
2020-11-10
Introduction to CMOS Image Sensors
(www.allaboutcircuits.com)
2020-11-05
New And Innovative Supply Chain Threats Emerging
(semiengineering.com)
2020-11-03
Techniques to Reduce Timing Violations using Clock Tree O...
(semiwiki.com)
2020-11-03
Making Full Memory IP Robust During Design - Semiwiki
(semiwiki.com)
2020-11-03
Why Data Format Slows Chip Manufacturing Progress
(semiengineering.com)
2020-11-03
How Debuggers Work: Getting and Setting x86 Registers
(www.moritz.systems)
2020-11-03
Neural Networks Without Matrix Math
(semiengineering.com)
2020-11-03
https://www-bloomberg-com.cdn.ampproject.org/c/s/www.bloo...
(www-bloomberg-com.cdn.ampproject.org)
2020-11-03
Chip Industry: Events
(semiengineering.com)
2020-11-03
DDR4 Makes Headway Even with DDR5 Modules on Its Heels
(www.allaboutcircuits.com)
2020-11-03
Performance analysis & tuning on modern CPU - DEV Communi...
(dev.to)
2020-11-03
Verification Of Multi-Cycle Paths And False Paths
(semiengineering.com)
2020-11-02
What’s WAT? An Overview Of WAT/PCM Data?
(semiengineering.com)
2020-11-02
100 Shielding Tips and Tricks
(www.assemblymag.com)
2020-11-02
LDM: My Favorite ARM Instruction
(keleshev.com)
2020-11-02
While CPUs and GPUs Work Harder in Data Centers, DPUs Wor...
(www.allaboutcircuits.com)
2020-11-02
Designing and Simulating EMC Filters with LTspice
(www.allaboutcircuits.com)
2020-11-02
https://semianalysis.com/apples-a14-packs-134-million-tra...
(semianalysis.com)
2020-11-01
An ex-ARM engineer critiques RISC-V
(gist.github.com)
2020-10-31
New AI Inferencing Records - IEEE Spectrum
(spectrum.ieee.org)
2020-10-26
https://semianalysis.com/qualcomm-lost-the-iphone-12-mmwa...
(semianalysis.com)
2020-10-23
FreeCAD/FreeCAD: This is the official source code of Free...
(github.com)
2020-10-23
Linux Developers Discussing Possible Kernel Driver for In...
(www.phoronix.com)
2020-10-20
Machine Learning Enabled High-Sigma Verification Of Memor...
(semiengineering.com)
2020-10-20
There’s a Hole in Your SoC: Glitching the MediaTek BootROM
(research.nccgroup.com)
2020-10-16
Intel Networking: Not Just A Bag Of Parts
(www.nextplatform.com)
2020-10-08
Marvell Technology, Inc. | Essential technology, done right
(www.inphi.com)
2020-09-16
How Micron’s GDDR6X memory is the secret to unlocking 4K ...
(venturebeat.com)
2020-09-02
Qualcomm Doubles Range of mmWave 5G to 2.36 Miles
(www.extremetech.com)
2020-09-02
An Analog IC Design Book Draft
(hackaday.com)
2020-08-27
2023 Interposers: TSMC Hints at 3400mm2 12x HBM in one Pa...
(www.anandtech.com)
2020-08-25
‘Better Yield on 5nm than 7nm’: TSMC Update on Defect Rat...
(www.anandtech.com)
2020-08-25
CXMT scaling up 19nm DRAM output with better yield rates
(www.digitimes.com)
2020-08-17
Photonics startup Lightmatter details P1, its AI optical ...
(venturebeat.com)
2020-08-14
Micron Spills on GDDR6X: PAM4 Signaling For Higher Rates,...
(www.anandtech.com)
2020-08-10
Optimizing 128-bit Division
(danlark.org)
2020-07-22
Launching the #CPUOverload Project: Testing Every x86 Des...
(www.anandtech.com)
2020-07-22
Design an Open-Source SoC with Google SkyWater PDK, Get I...
(www-cnx--software-com.cdn.ampproject.org)
2020-07-16
Beyond-Line-Of-Sight Troposcatter Communications Primer
(semiengineering.com)
2020-07-14
DDR5 Memory Specification Released: Setting the Stage for...
(www.anandtech.com)
2020-07-11
Wafer Capacity 2019 By Region
(anysilicon.com)
2020-07-09
Produce your own physical chips. For free. In the Open.
(fossi-foundation.org)
2020-07-09
openhwgroup/cva6: The CORE-V CVA6 is an Application class...
(github.com)
2020-07-05
Open source process design kit for usage with SkyWater Fo...
(github.com)
2020-06-24
What’s After PAM-4?
(semiengineering.com)
2020-06-24
CMOSedu.com
(cmosedu.com)
2020-06-24
How Is the Laplace Transform Used in Circuit Design?
(www.allaboutcircuits.com)
2020-06-23
Domain-Specific Hardware Accelerators | July 2020 | Commu...
(cacm.acm.org)
2020-06-17
What Is the z-Transform?
(www.allaboutcircuits.com)
2020-06-02
x86 instruction listings
(en.wikipedia.org)
2020-06-01
5/3nm Wars Begin
(semiengineering.com)
2020-06-01
Compute-In Memory Accelerators Up-End Network Design Trad...
(semiengineering.com)
2020-06-01
Diving Deep Into The Nvidia Ampere GPU Architecture
(www.nextplatform.com)
2020-06-01
Digital Design of a Leading Zero Counter using Recursion ...
(www.linkedin.com)
2020-05-15
Open sourcing the AI Model Efficiency Toolkit
(www.qualcomm.com)
2020-05-14
NVIDIA Ampere Unleashed: NVIDIA Announces New GPU Archite...
(www.anandtech.com)
2020-05-14
Sony’s first AI image sensor will make cameras everywhere...
(www.theverge.com)
2020-05-14
Fujitsu Begins Shipping Supercomputer Fugaku - Fujitsu Gl...
(www.fujitsu.com)
2020-05-13
BiST Vs. In-Circuit Sensors
(semiengineering.com)
2020-04-22
Caveat Emptor: Counterfeit Intel CPUs Are Popping Up in C...
(www.extremetech.com)
2020-04-17
The Antenna Theory Website
(www.antenna-theory.com)
2020-03-31
Making SPICE available for everyone
(www.fierceelectronics.com)
2020-03-26
Introduction to Image Sensor Technology, from Photons to ...
(www.allaboutcircuits.com)
2020-03-23
TSMC Details 5 nm
(fuse.wikichip.org)
2020-03-19
Introduction to Ultra-Wideband (UWB) Technology
(www.allaboutcircuits.com)
2020-03-11
Getting started with the NVIDIA Jetson Nano - PyImageSearch
(www.pyimagesearch.com)
2020-03-09
How to Increase Slew Rate in Op Amps
(www.allaboutcircuits.com)
2020-03-09
Undocumented CPU Behavior: Analyzing Undocumented Opcodes...
(www.cattius.com)
2020-03-01
BBVA | The digital bank of the 21st century
(www.bbvaopenmind.com)
2020-02-25
Semiconductor Foundry Revenue Per Wafer Trends
(anysilicon.com)
2020-02-19
RISC-V Stumbling Blocks
(x86.lol)
2020-02-19
After 36 years as a paid product, the Micro-Cap Circuit S...
(www.spectrum-soft.com)
2020-02-19
Making Light More Reliable
(semiengineering.com)
2020-02-19
Ultimate Guide to Switch Debounce (Part 4) – EEJournal
(www.eejournal.com)
2020-02-19
De-Risking High-Speed RF Designs from Electromagnetic Cro...
(semiwiki.com)
2020-02-19
96-Core Processor Made of Chiplets
(spectrum.ieee.org)
2020-02-19
How 1500 bytes became the MTU of the internet
(blog.benjojo.co.uk)
2020-02-16
64 Core Threadripper 3990X CPU Review
(www.anandtech.com)
2020-02-12
groups.csail.mit.edu/commit/papers/19/ithemal-measurement...
(groups.csail.mit.edu)
2020-02-12
bhive/README.md at master · ithemal/bhive
(github.com)
2020-02-12
Memory Bandwidth Napkin Math
(www.forrestthewoods.com)
2020-01-13
Here's Some DDR5-4800: Hands-On First Look at Next Gen DRAM
(www.anandtech.com)
2020-01-09
OmniVision unveils 48MP image sensor for 4K video perform...
(www.digitimes.com)
2019-12-29
The Linley Group - Tomahawk 4 Switch First to 25.6Tbps
(www.linleygroup.com)
2019-12-23
SILVACO Technical Library
(www.silvaco.com)
2019-12-23
A Look at Cerebras Wafer-Scale Engine: Half Square Foot S...
(fuse.wikichip.org)
2019-12-23
Part 1 - An Overview of AMD's GPU Architectures
(www.reddit.com)
2019-12-23
Why the Memory Subsystem is Critical in Inferencing Chips
(www.eetimes.com)
2019-11-25
Enhancing IO Ring Checks For Consistent, Customizable Ver...
(semiengineering.com)
2019-11-25
Electromagnetic Challenges In High-Speed Designs
(semiengineering.com)
2019-11-25
It’s a Cascade of 14nm CPUs: AnandTech’s Intel Core i9-10...
(www.anandtech.com)
2019-11-04
Intel 10th Gen Comet Lake CPU Family Leaks With 10-Core, ...
(hothardware.com)
2019-10-31
What’s The Best Advanced Packaging Option?
(semiengineering.com)
2019-10-26
Intel Tremont CPU Microarchitecture: Power Efficient, Hig...
(hothardware.com)
2019-10-26
Intel's new Atom Microarchitecture: The Tremont Core in L...
(www.anandtech.com)
2019-10-17
Building An MRAM Array
(semiengineering.com)
2019-10-07
New chips for machine intelligence
(www.jameswhanlon.com)
2019-08-29
CMOS Circuit Design, Layout, and Simulation
(cmosedu.com)
2019-08-29
AI Inference Memory System Tradeoffs
(semiengineering.com)
2019-08-28
RISC-V from scratch 2: Hardware layouts, linker scripts, ...
(twilco.github.io)
2019-08-12
Manufacturing memory means scribing silicon in a sea of s...
(arstechnica.com)
2019-08-05
TSMC Talks 7nm, 5nm, Yield, And Next-Gen 5G And HPC Packa...
(fuse.wikichip.org)
2019-08-05
First Programmable Memristor Computer
(spectrum.ieee.org)
2019-07-25
In Memory And Near-Memory Compute
(semiengineering.com)
2019-07-22
Startup Runs AI in Novel SRAM
(www.eetimes.com)
2019-07-10
About Us - AnySilicon
(anysilicon.com)
2019-06-24
Avoiding Instruction Cache Misses
(pdziepak.github.io)
2019-06-12
RAMBleed
(rambleed.com)
2019-04-16
Lightelligence releases prototype of its optical AI accel...
(venturebeat.com)
2019-04-04
Memory Architectures In AI: One Size Doesn't Fit All
(semiengineering.com)
2019-03-14
Startup Sheds Some Light On Optical Processing
(www.nextplatform.com)
2019-03-11
Arrow Electronics API | ProgrammableWeb
(www.programmableweb.com)
2019-03-11
http://developers.arrow.com/api/
(developers.arrow.com)
2019-03-11
API Solutions | DigiKey
(www.digikey.com)
2019-02-12
PrincetonUniversity/accelerator-wall: Repository for the ...
(github.com)
2019-02-10
A MEMS Device Harvests Vibrations to Power the IoT
(spectrum.ieee.org)
2019-02-07
Use Inference Benchmarks Similar To Your Application
(semiengineering.com)
2019-01-30
Introduction to Supercapacitors
(www.allaboutcircuits.com)
2019-01-30
Benchmarking Amazon's ARM Graviton CPU With EC2's A1 Inst...
(www.phoronix.com)
2019-01-30
ARM is the NNSA’s New Secret Weapon
(www.nextplatform.com)
2018-12-22
Five Rules For Correlating Rule-based And Field Solver Pa...
(semiengineering.com)
2018-12-21
Right product, right time, right location: Quantifying th...
(www.mckinsey.com)
2018-11-28
Emerging Memories Today: Understanding Bit Selectors - Th...
(thememoryguy.com)
2018-11-26
Why Chips Die
(semiengineering.com)
2018-10-14
Major Pure-Play Foundries Revenue Per Wafer 2017-2018
(anysilicon.com)
2018-09-15
Process Corner Explosion
(semiengineering.com)
2018-09-15
Minimizing Chip Aging Effects
(semiengineering.com)
2018-09-06
Processing In Memory
(semiengineering.com)
2018-09-05
Worldwide Location of Wafer Fabs – Interactive Map
(anysilicon.com)
2018-06-08
An Intro to Integer Programming for Engineers: Simplified...
(blog.remix.com)
2018-06-04
Electronic Parts by Category - Octopart
(octopart.com)
2018-06-04
Overclocked Micron GDDR6 Memory Can Hit 20Gbps Speeds For...
(hothardware.com)
2018-05-27
Cambricon, Makers of Huawei's Kirin NPU IP, Build A Big A...
(www.anandtech.com)
2018-05-12
Alchip Minimizes Dynamic Power For High-Performance Compu...
(semiengineering.com)
2018-05-12
Tearing Apart Google’s TPU 3.0 AI Coprocessor
(www-nextplatform-com.cdn.ampproject.org)
2018-05-10
Google Announces 8x Faster TPU 3.0 For AI, Machine Learni...
(www.extremetech.com)
2018-05-06
gplEDA Homepage
(www.gpleda.org)
2018-05-03
How Does Xilinx Use Its Logic Fabric to Implement Efficie...
(www.allaboutcircuits.com)
2018-03-27
Comparing Low Power Wireless Technologies (Part 3) | DigiKey
(www.digikey.com)
2018-03-27
Comparing Low-Power Wireless Technologies (Part 1) | DigiKey
(www.digikey.com)
2018-03-26
To Speed Up AI, Mix Memory and Processing
(spectrum.ieee.org)
2018-02-07
Imperfect Silicon, Near-Perfect Security
(semiengineering.com)
2018-02-02
accucell_cell_char_intro.ppt - cell_char_intro_090508.pdf
(www.silvaco.com)
2018-01-24
CPU DB - Looking At 40 Years of Processor Improvements | ...
(cpudb.stanford.edu)
2017-11-27
FlipChip Package Overview
(anysilicon.com)
2017-11-07
Ultrafast magnetic reversal points the way toward speedy,...
(news.berkeley.edu)
2017-10-18
Memristor-Driven Analog Compute Engine Would Use Chaos to...
(spectrum.ieee.org)
2017-10-18
Comparing NLDM And CCS delay models - Paripath - improvin...
(www.paripath.com)
2016-10-12
Semiconductor Engineering .:. Making Waves In Deep Learning
(semiengineering.com)
2016-10-10
Memory is the Next Platform
(www.nextplatform.com)
2015-08-24
Topology Makes On-Chip Terahertz Beamforming a Reality
(spectrum.ieee.org)
2013-09-24
Intel Core Ultra 200 “Arrow Lake” Desktop CPU Specs Leak:...
(wccftech.com)
2012-10-24
TSMC and NVIDIA Transform Semiconductor Manufacturing Wit...
(blogs.nvidia.com)
2002-10-24
Clash of the Foundries: Gate All Around + Backside Power ...
(open.substack.com)
2001-10-24
Chip that steers terahertz beams sets stage for ultrafast...
(thenextweb.com)
-->
deep-learning (all)
categories:
tags:
deep-learning
date: 30 Mar 2025
slug:raindrop-deeplearning-all
(www.cis.upenn.edu)
2025-02-19
BERT
(dataconomy.com)
2025-01-21
Why it’s so hard to use AI to diagnose cancer
(www.technologyreview.com)
2025-01-18
5 AI Image Generators You Can Use Now
(spectrum.ieee.org)
2025-01-14
The 2025 AI Engineering Reading List
(www.latent.space)
2024-11-25
Lessons from Optics, The Other Deep Learning
(archives.argmin.net)
2024-11-01
Choosing and Implementing Hugging Face Models
(towardsdatascience.com)
2024-10-21
5 Free Books on Computer Vision - MachineLearningMastery.com
(machinelearningmastery.com)
2024-10-21
Aman's AI Journal • Primers • Ilya Sutskever's Top 30
(aman.ai)
2024-10-19
Summary of Ilya Sutskevers AI Reading List · Tensor Labbet
(tensorlabbet.com)
2024-10-19
Dario Amodei — Machines of Loving Grace
(darioamodei.com)
2024-10-16
10 GitHub Repositories for Advanced Machine Learning Proj...
(www.kdnuggets.com)
2024-05-15
Top Books on Deep Learning and Neural Networks
(www.marktechpost.com)
2024-05-04
Kolmogorov-Arnold Networks (KANs): A New Era of Interpret...
(www.marktechpost.com)
2024-04-16
Hai ai index report 2024
(aiindex.stanford.edu)
2024-04-15
Deep Learning Architectures From CNN, RNN, GAN, and Trans...
(www.marktechpost.com)
2024-03-30
Mamba Explained
(thegradient.pub)
2024-03-05
[2304.05055] A Comprehensive Survey on Deep Graph Represe...
(arxiv.org)
2024-03-05
Conformal_Prediction/paper/Conformal_Prediction_final.pdf...
(github.com)
2024-03-05
The Math behind Adam Optimizer | by Cristian Leo | in Tow...
(towardsdatascience.com)
2024-02-22
Thinking about High-Quality Human Data | Lil'Log
(lilianweng.github.io)
2024-02-01
Give AI curiosity, and it will watch TV forever
(qz.com)
2024-01-17
Meet neograd: A Deep Learning Framework Created from Scra...
(www.marktechpost.com)
2024-01-16
Understanding and Coding Self-Attention, Multi-Head Atten...
(magazine.sebastianraschka.com)
2023-10-20
Understanding Deep Learning
(udlbook.github.io)
2023-08-10
Variational Autoencoder (VAE) with Discrete Distribution ...
(towardsdatascience.com)
2023-07-24
Calculate Computational Efficiency of Deep Learning Model...
(www.kdnuggets.com)
2023-07-24
ELI5: FlashAttention
(gordicaleksa.medium.com)
2023-07-24
Why You Need To Know About Autonomous AI Agents
(www.kdnuggets.com)
2023-06-02
The Case for Running AI on CPUs Isn’t Dead Yet
(spectrum.ieee.org)
2023-05-22
Photonic Chips Curb AI Training’s Energy Appetite
(spectrum.ieee.org)
2023-04-14
A Survey of Large Language Models
(arxiv.org)
2023-04-14
New Ebook: A Beginner’s Guide to Large Language Models
(www.nvidia.com)
2023-04-12
The Sequence Chat: Salesforce Research's Junnan Li on Mul...
(thesequence.substack.com)
2023-04-12
📝 Guest Post: Caching LLM Queries for Improved Performanc...
(thesequence.substack.com)
2023-04-09
How to use Midjourney to generate AI images | Digital Trends
(www.digitaltrends.com)
2023-04-08
Google’s TPU v4 Architecture: 3 Major Features
(semiengineering.com)
2023-04-07
Introducing Segment Anything: Working toward the first fo...
(ai.facebook.com)
2023-04-05
Why AI Inference Will Remain Largely On The CPU
(www.nextplatform.com)
2023-03-31
Hands-on Generative AI with GANs using Python: Autoencoders
(medium.com)
2023-03-31
Hacker News
(johanwind.github.io)
2023-03-29
Cerebras open sources seven GPT-based LLMs, ranging from ...
(www.techmeme.com)
2023-03-20
Must read: the 100 most cited AI papers in 2022
(www.zeta-alpha.com)
2023-03-15
Dalai
(cocktailpeanut.github.io)
2023-03-15
Deep Learning (DL) Applications In Photomask To Wafer Sem...
(semiengineering.com)
2023-03-14
?Top ML Papers of the Week - by elvis - NLP Newsletter
(nlpnews.substack.com)
2023-03-05
Asynchronously Parallel Optimization Method For Sizing An...
(semiengineering.com)
2023-02-25
Meta unveils a new large language model that can run on a...
(arstechnica.com)
2023-02-09
Google Research, 2022 & beyond: Algorithms for efficient ...
(ai.googleblog.com)
2023-02-07
Hacker News
(lilianweng.github.io)
2023-02-03
Paper Review: A Deep Dive into Imagen
(towardsdatascience.com)
2023-02-03
AI Spits Out Exact Copies of Training Images, Real People...
(www.vice.com)
2023-01-29
Text-to-4D dynamic scene generation
(marginalrevolution.com)
2023-01-24
ChatGPT is not all you need. A State of the Art Review of...
(arxiv.org)
2023-01-20
Hacker News
(timdettmers.com)
2023-01-17
Uncovering Anomalies with Variational Autoencoders (VAE):...
(towardsdatascience.com)
2023-01-13
Why WGANs beat GANs: A journey from KL divergence to Wass...
(towardsdatascience.com)
2023-01-13
Why TensorFlow for Python is dying a slow death
(thenextweb.com)
2023-01-12
Deep Learning Pioneer Geoffrey Hinton Publishes New Deep ...
(www.infoq.com)
2023-01-05
To Build Truly Intelligent Machines, Teach Them Cause and...
(www.quantamagazine.org)
2022-12-18
lucidrains/vit-pytorch: Implementation of Vision Transfor...
(github.com)
2022-12-16
ChatGPT and the Imagenet moment — Benedict Evans
(www.ben-evans.com)
2022-12-11
2212.03551.pdf
(arxiv.org)
2022-12-10
DeepMind Created An AI Tool That Can Help Generate Rough ...
(entertainment.slashdot.org)
2022-12-10
A Quick Start on Your Journey to Federated Learning
(towardsdatascience.com)
2022-12-07
AI Homework – Stratechery by Ben Thompson
(stratechery.com)
2022-12-07
Beginner’s Guide to Diffusion Models
(towardsdatascience.com)
2022-11-28
YOLOv7: A deep dive into the current state-of-the-art for...
(towardsdatascience.com)
2022-11-28
6 Reinforcement Learning Algorithms Explained
(towardsdatascience.com)
2022-11-15
Cerebras Reveals Andromeda, a 13.5 Million Core AI Superc...
(www.tomshardware.com)
2022-10-17
Interview: Why Mastering Language Is So Difficult for AI
(undark.org)
2022-10-14
matsui528/nanopq: Pure python implementation of product q...
(github.com)
2022-10-14
IVFPQ HNSW for Billion-scale Similarity Search | by Peggy...
(towardsdatascience.com)
2022-10-14
Similarity Search with IVFPQ
(towardsdatascience.com)
2022-10-13
NSVQ: Improved Vector Quantization technique for Neural N...
(towardsdatascience.com)
2022-10-08
If you thought text-to-image AI was unbelievable, wait un...
(www.fastcompany.com)
2022-09-20
All you need to know about ‘Attention’ and ‘Transformers’...
(towardsdatascience.com)
2022-09-20
All you need to know about ‘Attention’ and ‘Transformers’...
(towardsdatascience.com)
2022-09-10
40,000 Recipes for Murder
(www.wnycstudios.org)
2022-09-05
Demystifying Object Detection and Instance Segmentation f...
(mlwhiz.com)
2022-08-09
Automated reasoning at Amazon: A conversation
(www.amazon.science)
2022-07-30
A Brief Introduction to Geometric Deep Learning
(towardsdatascience.com)
2022-07-30
Rethinking Thinking: How Do Attention Mechanisms Actually...
(towardsdatascience.com)
2022-07-24
fastai/fastbook: The fastai book, published as Jupyter No...
(github.com)
2022-07-18
d2l-ai/d2l-en: Interactive deep learning book with multi-...
(github.com)
2022-07-18
Dive into Deep Learning — Dive into Deep Learning 0.14.4 ...
(d2l.ai)
2022-07-14
Deep Convolutional GAN — How to Use a DCGAN to Generate I...
(towardsdatascience.com)
2022-07-10
Topological Data Analysis for Machine Learning
(substack.com)
2022-07-06
The ArtBench Dataset: Benchmarking Generative Models with...
(substack.com)
2022-07-05
Minerva: Solving Quantitative Reasoning Problems with Lan...
(ai.googleblog.com)
2022-07-05
How Imagen Actually Works
(substack.com)
2022-07-05
Generating Children's Stories Using GPT-3 and DALL·E
(www.surgehq.ai)
2022-06-23
Recipe Cuisine Classification
(towardsdatascience.com)
2022-06-23
How to Build an Image-Captioning Model in Pytorch
(towardsdatascience.com)
2022-06-07
Google bans deepfake-generating AI from Colab
(techcrunch.com)
2022-06-04
Face to Face With Dall-E, The AI Artist That Might Change...
(bigtechnology.substack.com)
2022-06-01
A Guide To Asking Robots To Design Stained Glass Windows
(astralcodexten.substack.com)
2022-05-30
A Face Search Engine Anyone Can Use Is Alarmingly Accurate
(www.nytimes.com)
2022-05-04
Sparse Autoencoder Neural Networks — How to Utilise Spars...
(towardsdatascience.com)
2022-05-02
Another Firing Among Google’s A.I. Brain Trust, and More ...
(www.nytimes.com)
2022-05-01
The Modern Mathematics of Deep Learning
(arxiv.org)
2022-04-08
Pathways Language Model (PaLM): Scaling to 540 Billion Pa...
(ai.googleblog.com)
2022-04-02
Autoencoders (AE) — A Smart Way to Process Your Data Usin...
(link.medium.com)
2022-03-26
NVIDIA NeRF AI Renders Amazingly Realistic 3D Scenes From...
(hothardware.com)
2022-03-21
AI Virtual Assistant Technology Guide 2022
(dev.to)
2022-03-15
Autoencoders: From Vanilla to Variational
(towardsdatascience.com)
2022-02-20
A Comprehensive Benchmark of Deep Learning Libraries on M...
(arxiv.org)
2022-02-20
Machine Learning Algorithms Cheat Sheet — Accel.AI
(www.accel.ai)
2022-01-17
scikit-and-tensorflow-workbooks/ch14-Recurrent-NNs.ipynb ...
(github.com)
2022-01-16
scikit-and-tensorflow-workbooks/ch15-autoencoders.ipynb a...
(github.com)
2022-01-16
Deep Learning Interviews: Hundreds of fully solved job in...
(arxiv.org)
2022-01-16
Curating a Dataset from Raw Images and Videos
(link.medium.com)
2022-01-12
Detecting Twenty-thousand Classes using Image-level Super...
(arxiv.org)
2022-01-05
Ten Lessons From Three Generations Shaped Google’s TPUv4i...
(www.gwern.net)
2021-12-27
[1909.10140] A new coefficient of correlation
(arxiv.org)
2021-12-14
Low-Power AI Startup Eta Compute Delivers First Commercia...
(spectrum.ieee.org)
2021-12-14
PyTorch vs TensorFlow in 2023
(www.assemblyai.com)
2021-12-13
Machine-Learning-Tokyo/Interactive_Tools: Interactive Too...
(github.com)
2021-12-11
Under The Hood Of Google’s TPU2 Machine Learning Clusters
(www.nextplatform.com)
2021-12-08
3D Stacking Could Boost GPU Machine Learning
(www.nextplatform.com)
2021-12-08
HPC Technique Propels Deep Learning at Scale
(www.hpcwire.com)
2021-12-08
Analysis and Comparison of Performance and Power Consumpt...
(hgpu.org)
2021-12-08
pylabel-project/pylabel: Python library for computer visi...
(github.com)
2021-12-07
Tearing Apart Google’s TPU 3.0 AI Coprocessor
(www.nextplatform.com.cdn.ampproject.org)
2021-12-07
First In-Depth Look at Google’s TPU Architecture
(www.nextplatform.com)
2021-12-04
Survey paper on Deep Learning on GPUs
(hgpu.org)
2021-12-03
How to make your own deep learning accelerator chip!
(towardsdatascience.com)
2021-12-03
GPU Computing for Data Science
(www.slideshare.net)
2021-12-03
Vivienne Sze · Efficient Processing of Deep Neural Networ...
(slideslive.com)
2021-12-03
louisfb01/best_AI_papers_2021: A curated list of the late...
(github.com)
2021-12-02
https://blog.riseml.com/comparing-google-tpuv2-against-nv...
(blog.riseml.com)
2021-12-01
http://research.baidu.com/bringing-hpc-techniques-deep-le...
(research.baidu.com)
2021-12-01
Memory at the Core of New Deep Learning Research Chip
(www.nextplatform.com)
2021-11-29
Four Deep Learning Papers to Read in December 2021
(towardsdatascience.com)
2021-11-29
AI-Based Image Compression: The State of the Art
(towardsdatascience.com)
2021-11-29
Transformers
(e2eml.school)
2021-11-28
AI-Based Image Compression: The State of the Art
(link.medium.com)
2021-10-29
MedMNIST v2 Dataset | Papers With Code
(paperswithcode.com)
2021-10-29
Applications and Techniques for Fast Machine Learning in ...
(arxiv.org)
2021-10-17
An Introduction to PyTorch Lightning
(www.exxactcorp.com)
2021-10-07
HRNet explained: Human Pose Estimation, Semantic Segmenta...
(towardsdatascience.com)
2021-10-01
graviraja/MLOps-Basics
(github.com)
2021-09-24
Carl-McBride-Ellis/Compendium-of-free-ML-reading-resources
(github.com)
2021-09-14
Laion-400M: open-source dataset of 400M image-text pairs
(laion.ai)
2021-09-11
GPT-4 Will Have 100 Trillion Parameters — 500x the Size o...
(towardsdatascience.com)
2021-09-01
An Introduction to AI Story Generation
(thegradient.pub)
2021-08-24
Object Detection Algorithms and Libraries - neptune.ai
(neptune.ai)
2021-08-22
10 Computer Vision Terms Everyone Must Know About!
(towardsdatascience.com)
2021-08-12
Researchers Create 'Master Faces' to Bypass Facial Recogn...
(www.vice.com)
2021-07-20
Papers with Code - Paper with Code Newsletter
(paperswithcode.com)
2021-07-18
PyMOL | pymol.org
(pymol.org)
2021-07-17
HOG(Histogram of Oriented Gradients)
(towardsdatascience.com)
2021-07-17
deepmind/alphafold: Open source code for AlphaFold.
(github.com)
2021-07-05
GPT-J-6B: 6B JAX-Based Transformer – Aran Komatsuzaki
(arankomatsuzaki.wordpress.com)
2021-07-03
variational autoencoders at DuckDuckGo
(duckduckgo.com)
2021-06-29
The Methods Corpus | Papers With Code
(paperswithcode.com)
2021-06-26
Face Detection Explained: State-of-the-Art Methods and Be...
(www.datasciencecentral.com)
2021-06-26
Same or Different? The Question Flummoxes Neural Networks...
(www.quantamagazine.org)
2021-06-26
A Look at Baidu’s Industrial-Scale GPU Training Architecture
(www.nextplatform.com)
2021-06-26
Tenstorrent Wormhole Analysis – A Scale Out Architecture ...
(semianalysis.com)
2021-06-24
What Happens When Multipliers No Longer Define AI Acceler...
(www.nextplatform.com)
2021-06-23
A Guide to Genetic ‘Learning’ Algorithms for Optimization
(link.medium.com)
2021-06-21
Introduction - Hugging Face NLP Course
(huggingface.co)
2021-06-21
Rltheorybook ajks
(rltheorybook.github.io)
2021-06-20
New Machine Learning Gems for Ruby
(ankane.org)
2021-06-15
2106
(arxiv.org)
2021-06-07
Wu Dao 2.0: A Monster of 1.75 Trillion Parameters | by Al...
(towardsdatascience.com)
2021-06-03
NielsRogge/Transformers-Tutorials: This repository contai...
(email.mg2.substack.com)
2021-05-31
Sentiment Analysis — Comparing 3 Common Approaches: Naive...
(towardsdatascience.com)
2021-05-29
Introduction to Object Detection Model Evaluation
(towardsdatascience.com)
2021-05-29
10 Must Read ML Blog Posts
(elvissaravia.substack.com)
2021-05-29
The Unreasonable Effectiveness of Recurrent Neural Networks
(karpathy.github.io)
2021-05-29
http://www.wildml.com/2015/11/understanding-convolutional...
(www.wildml.com)
2021-05-29
Language Models
(veredshwartz.blogspot.com)
2021-05-29
Understanding LSTM Networks -- colah's blog
(colah.github.io)
2021-05-29
Deep Learning: Our Miraculous Year 1990-1991
(people.idsia.ch)
2021-05-29
An Overview Of Deep Learning
(lilianweng.github.io)
2021-05-29
Attention and Memory in Deep Learning and NLP – WildML
(www.wildml.com)
2021-05-29
The Illustrated Transformer – Jay Alammar – Visualizing m...
(jalammar.github.io)
2021-05-24
DatasetGAN
(nv-tlabs.github.io)
2021-05-22
Understanding Transformers, the machine learning model be...
(thenextweb.com)
2021-05-19
Pytorchvideo a deep learning library for video understanding
(ai.facebook.com)
2021-05-19
Google details new AI accelerator chips
(venturebeat.com)
2021-05-18
milvus - An open source embedding vector similarity searc...
(github.com)
2021-05-18
How Transformers work in deep learning and NLP: an intuit...
(theaisummer.com)
2021-05-18
Causal ML for Data Science: Deep Learning with Instrument...
(towardsdatascience.com)
2021-05-15
Algorithm-Assisted Inventory Curation
(multithreaded.stitchfix.com)
2021-05-13
untitled - HyperRec.pdf
(acsweb.ucsd.edu)
2021-05-13
11 Ways To Reduce AI Energy Consumption
(semiengineering.com)
2021-05-12
Geometric Deep Learning: Grids, Groups, Graphs, Geodesics...
(t.co)
2021-05-09
Projects
(opensource.facebook.com)
2021-05-07
Top 5 Python libraries for Computer vision
(dev.to)
2021-05-03
Beginner guide to Variational Autoencoders (VAE) with PyT...
(towardsdatascience.com)
2021-05-03
Hopfield Networks is All You Need | hopfield-layers
(ml-jku.github.io)
2021-05-02
jsbroks/coco-annotator: :pencil2: Web-based image segment...
(github.com)
2021-04-09
CPU-based algorithm trains deep neural nets up to 15 time...
(techxplore.com)
2021-04-04
State of the art NLP at scale with RAPIDS, HuggingFace an...
(medium.com)
2021-03-30
The Dying ReLU Problem, Clearly Explained
(towardsdatascience.com)
2021-03-30
Reinforcement learning: The next great AI tech moving fro...
(venturebeat.com)
2021-03-26
When are Neural Networks more powerful than Neural Tangen...
(offconvex.github.io)
2021-03-25
Curious about Variational Autoencoders (VAEs)? Start Here.
(towardsdatascience.com)
2021-03-23
AI-Controlled F-16s Are Now Working As A Team In DARPA's ...
(www.thedrive.com)
2021-03-19
PyTorch Lightning Documentation — PyTorch Lightning 1.3.0...
(pytorch-lightning.readthedocs.io)
2021-03-14
New AI tool detects Deepfakes by analyzing light reflecti...
(thenextweb.com)
2021-03-10
[R] Deep Generative Modelling: A Comparative Review of VA...
(www.reddit.com)
2021-03-07
Deep Nostalgia AI brings your photos to life just like in...
(www.fastcompany.com)
2021-03-03
How to Use Roboflow and Streamlit to Visualize Object Det...
(link.medium.com)
2021-02-27
GPT-3: We’re at the very beginning of a new app ecosystem
(venturebeat.com)
2021-02-22
An Idea From Physics Helps AI See in Higher Dimensions
(getpocket.com)
2021-02-22
[1902.04615] Gauge Equivariant Convolutional Networks and...
(arxiv.org)
2021-02-22
An overview of synthetic data types and generation methods
(www.kdnuggets.com)
2021-02-13
Diving into different GAN architectures
(towardsdatascience.com)
2021-02-11
Error Backpropagation Learning Algorithm
(deepai.org)
2021-02-11
Why you should always use feature embeddings with structu...
(towardsdatascience.com)
2021-02-11
Data Science & AI Glossary | DeepAI
(deepai.org)
2021-02-05
Achieving High-Quality Search and Recommendation Results ...
(developer.nvidia.com)
2021-02-04
Math | Obviously Awesome
(medium.com)
2021-02-04
[1605.09782v6] Adversarial Feature Learning
(arxiv.org)
2021-02-04
Adversarial | Papers With Code
(paperswithcode.com)
2021-02-04
Math | Obviously Awesome
(medium.com)
2021-02-04
Math | Obviously Awesome
(paperswithcode.com)
2021-02-03
Curve Circuits
(distill.pub)
2021-01-31
Text2Gestures: A Transformer-Based Network for Generating...
(hgpu.org)
2021-01-30
TT-Rec: Tensor Train Compression for Deep Learning Recomm...
(arxiv.org)
2021-01-27
General Methods | Papers With Code
(paperswithcode.com)
2021-01-27
Cross-Topic Argument Mining: Learning How to Classify Texts
(towardsdatascience.com)
2021-01-24
A concept in psychology is helping AI to better navigate ...
(www.technologyreview.com)
2021-01-16
Hardware for Deep Learning. Part 4: ASIC
(blog.inten.to)
2021-01-15
Reinforcement Learning Explained Visually (Part 6): Polic...
(towardsdatascience.com)
2021-01-13
Algorithms for Decision Making | Hacker News
(news.ycombinator.com)
2021-01-10
Model Compression: A Look into Reducing Model Size
(towardsdatascience.com)
2021-01-07
Deep Learning Systems: Algorithms, Compilers, and Process...
(deeplearningsystems.ai)
2021-01-02
Papers with Code 2020 Review
(medium.com)
2021-01-02
Pocket - Anchor Boxes — The key to quality object detection
(medium.com)
2021-01-02
Anchor Boxes — The key to quality object detection
(towardsdatascience.com)
2020-12-25
Applications of Deep Neural Networks 575 page free book&n...
(www.datasciencecentral.com)
2020-12-22
Browse the State-of-the-Art in Machine Learning | Papers ...
(paperswithcode.com)
2020-12-22
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Methodology | Papers With Code
(paperswithcode.com)
2020-12-21
Methodology | Papers With Code
(paperswithcode.com)
2020-12-21
Methodology | Papers With Code
(paperswithcode.com)
2020-12-21
Object Tracking | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Computer Vision | Papers With Code
(paperswithcode.com)
2020-12-21
Browse the State-of-the-Art in Machine Learning | Papers ...
(paperswithcode.com)
2020-12-21
Browse the State-of-the-Art in Machine Learning | Papers ...
(paperswithcode.com)
2020-12-21
Browse the State-of-the-Art in Machine Learning | Papers ...
(paperswithcode.com)
2020-12-21
Browse the State-of-the-Art in Machine Learning | Papers ...
(paperswithcode.com)
2020-12-19
Everything Product People Need to Know About Transformers...
(towardsdatascience.com)
2020-12-18
https://lionbridge.ai/articles/everything-you-need-to-kno...
(lionbridge.ai)
2020-12-18
A Beginner’s Guide to Use BERT for the First Time
(towardsdatascience.com)
2020-12-18
Favorites
(towardsdatascience.com)
2020-12-18
All Personal Feeds
(towardsdatascience.com)
2020-12-18
Practical Guide to Entity Resolution — part 5
(towardsdatascience.com)
2020-12-18
Farewell RNNs, Welcome TCNs
(towardsdatascience.com)
2020-12-18
Semantic hand segmentation using Pytorch
(towardsdatascience.com)
2020-12-10
A version of the BERT language model that’s 20 times as fast
(www.amazon.science)
2020-12-10
storytelling arxiv paperswithcode at DuckDuckGo
(duckduckgo.com)
2020-12-10
YOLO v4 or YOLO v5 or PP-YOLO? Which should I use?
(towardsdatascience.com)
2020-12-10
AI system for high precision recognition of hand gestures
(www.sciencedaily.com)
2020-11-30
10 Invaluable Tips & Tricks for Building Successful Neura...
(towardsdatascience.com)
2020-11-29
Introduction to Federated Learning
(www.kdnuggets.com)
2020-11-29
5 Million Faces — Free Image Datasets for Facial Recognit...
(lionbridge.ai)
2020-11-09
The Ultimate Guide to Transfer Learning
(towardsdatascience.com)
2020-11-09
An Intuitive Guide to Auto-Encoders: Theory, Code and Vis...
(towardsdatascience.com)
2020-11-03
Periodic Table of Deep Learning Patterns / Via DataCamp
(www.reddit.com)
2020-11-03
Reinforcement Learning — An Introduction | Chapter 1
(towardsdatascience.com)
2020-11-03
Computer Vision Recipes: Best Practices and Examples
(www.kdnuggets.com)
2020-11-03
AI researchers use heartbeat detection to identify deepfa...
(venturebeat.com)
2020-11-03
Yolo v5 Object Detection Tutorial
(towardsdatascience.com)
2020-11-03
QRNN: A Potential Competitor to the Transformer
(towardsdatascience.com)
2020-11-03
High-Performance, Billion-Scale Similarity Search | by Pa...
(medium.com)
2020-11-03
Papers with Code arXiv = Reproducible, Organized Research
(towardsdatascience.com)
2020-11-03
Deep Learning's Most Important Ideas - A Brief Historical...
(dennybritz.com)
2020-11-03
GPT-3, transformers and the wild world of NLP
(towardsdatascience.com)
2020-11-03
Image Annotation for Computer Vision | CloudFactory
(info.cloudfactory.com)
2020-11-03
The Most Complete Guide to PyTorch for Data Scientists
(mlwhiz.com)
2020-11-03
Which GPUs to get for deep learning
(timdettmers.com)
2020-11-03
End to End Pipeline for setting up Multiclass Image Class...
(mlwhiz.com)
2020-11-03
AlphaGo Zero Explained In One Diagram
(medium.com)
2020-11-03
AI Papers to Read in 2020
(towardsdatascience.com)
2020-11-03
AI devs created a lean, mean, GPT-3-beating machine that ...
(thenextweb.com)
2020-11-03
AI Democratization in the Era of GPT-3
(thegradient.pub)
2020-11-03
Reinforcement Learning frameworks
(towardsdatascience.com)
2020-11-03
An Intuitive Guide to LSTMs
(towardsdatascience.com)
2020-11-03
Understanding Transformers, the Data Science Way
(www.kdnuggets.com)
2020-11-03
Autoencoders: Overview of Research and Applications
(towardsdatascience.com)
2020-11-02
How to cluster images based on visual similarity
(towardsdatascience.com)
2020-11-02
Novel object captioning surpasses human performance on be...
(www.microsoft.com)
2020-11-02
5 Articles to Understand Generative Adversarial Networks
(towardsdatascience.com)
2020-11-02
Hacked Billboards can Make Teslas See 'Phantom Objects' a...
(www.newsweek.com)
2020-10-31
New AI Inferencing Records - IEEE Spectrum
(spectrum.ieee.org)
2020-10-31
Machine Learning Attack Series: Image Scaling Attacks · w...
(embracethered.com)
2020-09-24
Su17kgm7y t
(t.co)
2020-09-19
Amazon team adds key programming frameworks to Dive into ...
(www.amazon.science)
2020-09-19
Self-Organizing Maps for Dimension Reduction, Data Visual...
(towardsdatascience.com)
2020-09-02
Oil Storage Tank’s Volume Occupancy On Satellite Imagery ...
(towardsdatascience.com)
2020-09-02
New Approaches to Object Detection
(towardsdatascience.com)
2020-08-10
11 Essential Neural Network Architectures, Visualized & E...
(towardsdatascience.com)
2020-08-10
Where We See Shapes, AI Sees Textures | Quanta Magazine
(www.quantamagazine.org)
2020-06-24
YOLOv5 is Here: State-of-the-Art Object Detection at 140 FPS
(blog.roboflow.ai)
2020-06-24
12 Main Dropout Methods : Mathematical and Visual Ex...
(towardsdatascience.com)
2020-06-24
Image Augmentation Mastering: 15 Techniques and Useful Fu...
(towardsdatascience.com)
2020-06-17
Curve Detectors
(distill.pub)
2020-06-01
Implementing Deep Convolutional Generative Adversarial Ne...
(towardsdatascience.com)
2020-06-01
6 GAN Architectures You Really Should Know
(towardsdatascience.com)
2020-06-01
Complete Architectural Details of all EfficientNet Models
(towardsdatascience.com)
2020-06-01
Data Augmentation in YOLOv4
(towardsdatascience.com)
2020-06-01
Virtual Background in Webcam with Body Segmentation Techn...
(towardsdatascience.com)
2020-06-01
Classification of Brain MRI as Tumor/Non Tumor
(towardsdatascience.com)
2020-06-01
Image Segmentation With 5 Lines 0f Code
(towardsdatascience.com)
2020-06-01
Illustrated Guide to Transformer
(towardsdatascience.com)
2020-06-01
Transformers for Multilabel Classification
(towardsdatascience.com)
2020-05-21
AI Paper Recommendations from Experts
(blog.re-work.co)
2020-05-20
Evolution of Language Models: N-Grams, Word Embeddings, A...
(towardsdatascience.com)
2020-05-19
Understanding Associative Embedding
(towardsdatascience.com)
2020-05-19
AI and Efficiency
(openai.com)
2020-05-16
Complete guide to machine learning and deep learning in r...
(towardsdatascience.com)
2020-05-15
AI for 3D Generative Design
(blog.insightdatascience.com)
2020-05-15
facebookresearch/faiss: A library for efficient similarit...
(github.com)
2020-05-15
Master the COCO Dataset for Semantic Image Segmentation
(towardsdatascience.com)
2020-05-15
Master the COCO Dataset for Semantic Image Segmentation
(towardsdatascience.com)
2020-05-15
3D Photography Inpainting: Exploring Art with AI.
(towardsdatascience.com)
2020-04-28
Python Libraries for Natural Language Processing - Toward...
(towardsdatascience.com)
2020-04-27
https://towardsdatascience.com/google-open-sources-simclr...
(towardsdatascience.com)
2020-04-26
Deploy Tensorflow Object Detection API on Kubernetes with...
(towardsdatascience.com)
2020-04-26
[R] Suprise: Exponentially increasing Learning Rate for D...
(www.reddit.com)
2020-04-24
OpenAI Open Sources Microscope and the Lucid Library to V...
(www.kdnuggets.com)
2020-04-24
Stacked Auto-encoder as a Recommendation System for Movie...
(towardsdatascience.com)
2020-04-24
The Cost of Training NLP Models: A Concise Overview
(arxiv.org)
2020-04-24
RecSys Series Part 5: Neural Matrix Factorization for Col...
(towardsdatascience.com)
2020-04-23
Google says new AI models allow for ‘nearly instantaneous...
(www.theverge.com)
2020-04-23
How robots can adapt to new tasks — quickly
(www.amazon.science)
2020-04-19
Topic Modeling Articles with NMF
(towardsdatascience.com)
2020-04-19
Build an app to generate photorealistic faces using Tenso...
(www.kdnuggets.com)
2020-04-17
Some shirts hide you from cameras—but will anyone wear them?
(arstechnica.com)
2020-04-01
Limitations of Graph Neural Networks
(towardsdatascience.com)
2020-04-01
50 Deep Learning Interview Questions
(towardsdatascience.com)
2020-04-01
NLP — BERT & Transformer - Jonathan Hui - Medium
(medium.com)
2020-04-01
Test Your Skills: 26 (More) Data Science Interview Questi...
(towardsdatascience.com)
2020-04-01
Object Detection using YoloV3 and OpenCV
(towardsdatascience.com)
2020-04-01
Image Data Labelling and Annotation — Everything you need...
(towardsdatascience.com)
2020-04-01
nandinib1999/object-detection-yolo-opencv: Object Detecti...
(github.com)
2020-04-01
TLDR This - Article Summarizer & Online Text Summarizing ...
(tldrthis.com)
2020-04-01
Matrix Factorization as a Recommender System
(towardsdatascience.com)
2020-04-01
google-research/bert: TensorFlow code and pre-trained mod...
(github.com)
2020-04-01
The Illustrated BERT, ELMo, and co. (How NLP Cracked Tran...
(jalammar.github.io)
2020-04-01
Jay Alammar – Visualizing machine learning one concept at...
(jalammar.github.io)
2020-04-01
Disrupting Deepfakes: Adversarial Attacks on Image Transl...
(github.com)
2020-04-01
Building an Image-Taking Interface Application for Your I...
(towardsdatascience.com)
2020-04-01
Brain Tumor Detection using Mask R-CNN
(www.kdnuggets.com)
2020-03-30
Object detection & Face recognition algorithms
(towardsdatascience.com)
2020-03-30
Big data's biggest secret: Hyperparameter tuning
(www.oreilly.com)
2020-03-30
Benchmark Work | Benchmarks MLCommons
(mlperf.org)
2020-03-30
How to Get Beautiful Results with Neural Style Transfer
(towardsdatascience.com)
2020-03-30
Spatial Transformer Network
(deepai.org)
2020-03-24
Why BERT Fails in Commercial Environments - Intel AI
(www.intel.ai)
2020-03-18
Using Snorkel For Multi-Label Annotation.
(towardsdatascience.com)
2020-03-18
Researchers detail TrojAI, a framework for hardening AI m...
(venturebeat.com)
2020-03-16
Hyper-Parameter Optimization: A Review of Algorithms and ...
(arxiv.org)
2020-03-11
Getting started with the NVIDIA Jetson Nano - PyImageSearch
(www.pyimagesearch.com)
2020-03-09
fastai/README.md at master · fastai/fastai
(github.com)
2020-03-09
Over 150 of the Best Machine Learning, NLP, and Python Tu...
(medium.com)
2020-03-09
Learning to See Transparent Objects
(ai.googleblog.com)
2020-03-09
Easy Image Dataset Augmentation with TensorFlow - KDnuggets
(www.kdnuggets.com)
2020-03-09
MIT Technology Review on LinkedIn: A little-known AI meth...
(www.linkedin.com)
2020-03-09
Dissecting The Transformer
(www.topbots.com)
2020-03-09
Deep Learning Algorithms - The Complete Guide | AI Summer
(theaisummer.com)
2020-03-09
The Mechanics of Attention Mechanism
(towardsdatascience.com)
2020-03-09
Deep Transfer Learning for Image Classification
(towardsdatascience.com)
2020-03-09
Vincent Boucher on LinkedIn: #transformer #bert #nlp
(www.linkedin.com)
2020-03-09
CompressionVAE — A Powerful and Versatile Alternative to ...
(towardsdatascience.com)
2020-03-09
A Journey Into Reinforcement Learning — Temporal-Differen...
(towardsdatascience.com)
2020-03-09
Q-Learning
(towardsdatascience.com)
2020-03-09
Quick Introduction to Sentiment Analysis
(towardsdatascience.com)
2020-03-09
Variational Autoencoders
(towardsdatascience.com)
2020-02-19
Transformers
(towardsdatascience.com)
2020-02-19
Altmetric – Top 100 articles – 2019
(www.altmetric.com)
2020-02-19
Dive Really Deep into YOLO v3: A Beginner’s Guide
(www.reddit.com)
2020-02-19
Reformer: The Efficient Transformer
(ai.googleblog.com)
2020-02-19
How to train a new language model from scratch using Tran...
(huggingface.co)
2020-02-19
A neural net solves the three-body problem 100 million ti...
(www.technologyreview.com)
2020-02-19
Focal Loss for Dense Object Detection
(ieeexplore.ieee.org)
2020-02-19
Mask R-CNN
(ieeexplore.ieee.org)
2020-02-19
Feature Boosting Network For 3D Pose Estimation
(ieeexplore.ieee.org)
2020-02-19
Table Detection and Extraction Using Deep Learning
(nanonets.com)
2020-02-19
2020 Guide to Synthetic Media | Paperspace Blog
(blog.paperspace.com)
2020-02-19
Turing-NLG: A 17-billion-parameter language model by Micr...
(www.microsoft.com)
2020-02-19
Large Scale Adversarial Representation Learning
(www.kdnuggets.com)
2020-02-19
Understanding GauGAN Part 1 | Paperspace Blog
(blog.paperspace.com)
2020-02-19
Luminovo - Deep Learning Toolset.pdf - Google Drive
(drive.google.com)
2020-02-16
Serving GPT-2 in Google Cloud Platform
(medium.com)
2019-12-23
An End to End Introduction to GANs using Keras - MLWhiz
(mlwhiz.com)
2019-12-23
Semantic Segmentation — Popular Architectures
(towardsdatascience.com)
2019-12-23
Automatic Text Summarization in a Nutshell - KDnuggets
(www.kdnuggets.com)
2019-12-14
5 Techniques to Prevent Overfitting in Neural Networks
(www.kdnuggets.com)
2019-12-14
The Neural Network Zoo - The Asimov Institute
(www.asimovinstitute.org)
2019-12-14
Neural Networks 201: All About Autoencoders
(www.kdnuggets.com)
2019-12-14
Research Guide: Model Distillation Techniques for Deep Le...
(heartbeat.fritz.ai)
2019-12-14
Workflow Tools for Model Pipelines
(towardsdatascience.com)
2019-12-14
Computing Receptive Fields of Convolutional Neural Networks
(distill.pub)
2019-12-14
The 5 Algorithms for Efficient Deep Learning Inference on...
(heartbeat.fritz.ai)
2019-12-14
Demystifying Object Detection and Instance Segmentation f...
(towardsdatascience.com)
2019-12-14
MrSyee/pg-is-all-you-need: Policy Gradient is all you nee...
(github.com)
2019-12-14
Imaging technique spots colorectal tumors with 100% accuracy
(www.futurity.org)
2019-11-24
Powerful computer vision algorithms are now small enough ...
(www.technologyreview.com)
2019-11-07
Looking at the Fundamentals of Reinforcement Learning
(jfpettit.github.io)
2019-11-07
Research Guide: Advanced Loss Functions for Machine Learn...
(www.kdnuggets.com)
2019-10-18
Federated Machine Learning - Collaborative Machine Learni...
(www.datasciencecentral.com)
2019-09-23
Adit Deshpande – CS Undergrad at UCLA ('19)
(adeshpande3.github.io)
2019-08-30
Learning the Differences between Softmax and Sigmoid for ...
(dev.to)
2019-08-30
Keras Mask R-CNN - PyImageSearch
(www.pyimagesearch.com)
2019-08-30
Deep Learning: Which Loss and Activation Functions should...
(medium.com)
2019-08-29
Scaling Jupyter notebooks with Kubernetes and Tensorflow
(learnk8s.io)
2019-08-29
Computer Vision for Beginners: Part 4
(medium.com)
2019-08-29
Open Questions about Generative Adversarial Networks
(distill.pub)
2019-08-29
YOLO: Real-Time Object Detection
(pjreddie.com)
2019-08-29
Text Analytics
(monkeylearn.com)
2019-08-28
Generative Adversarial Networks - The Story So Far
(blog.floydhub.com)
2019-08-20
Word2vec: fish music = bass | graceavery
(graceavery.com)
2019-08-05
Nvidia’s GauGAN has been used to create 500,000 images
(venturebeat.com)
2019-08-03
One-Shot Learning: Learning More with Less Data
(blog.floydhub.com)
2019-04-18
A 2019 guide to Human Pose Estimation with Deep Learning
(blog.nanonets.com)
2019-03-12
Graph neural networks: a review of methods and applicatio...
(blog.acolyer.org)
2019-03-10
Is it a Duck or a Rabbit? For Google Cloud Vision, it dep...
(www.reddit.com)
2018-11-06
vdumoulin/conv_arithmetic: A technical report on convolut...
(github.com)
2018-10-28
Financial Services
(www.ayasdi.com)
2018-10-28
Truly, neurally, deeply
(www.knowablemagazine.org)
2018-08-31
When Recurrent Models Don't Need to be Recurrent
(offconvex.github.io)
2018-08-30
One Deep Learning Benchmark to Rule Them All
(www.nextplatform.com)
2018-06-08
https://blog.statsbot.co/data-structures-related-to-machi...
(blog.statsbot.co)
2018-06-08
Slaney2008-LSHTutorial.pdf
(www.slaney.org)
2018-06-08
Neural networks for algorithmic trading. Multimodal and m...
(becominghuman.ai)
2018-06-08
A Gentle Introduction to RNN Unrolling - MachineLearningM...
(machinelearningmastery.com)
2018-06-08
The Matrix Calculus You Need For Deep Learning
(parrt.cs.usfca.edu)
2018-06-08
agnusmaximus/Word2Bits: Quantized word vectors that take ...
(github.com)
2018-06-08
LouieYang/deep-photo-styletransfer-tf: Tensorflow (Python...
(github.com)
2018-06-08
Deep Voice 3: Scaling Text-to-Speech with Convolutional S...
(t.co)
2018-06-08
How to build a deep learning model in 15 minutes – tech-a...
(tech.instacart.com)
2018-06-08
Generative Adversarial Networks (GANs): Engine and Applic...
(www.datasciencecentral.com)
2018-06-08
Learning to write programs that generate images
(deepmind.com)
2018-05-30
Introducing Similarity Search at Flickr | code.flickr.com
(code.flickr.net)
2018-05-27
kjw0612/awesome-rnn: Recurrent Neural Network - A curated...
(github.com)
2018-05-27
Cambricon, Makers of Huawei's Kirin NPU IP, Build A Big A...
(www.anandtech.com)
2018-05-12
Topic: computer-vision
(github.com)
2018-05-12
AutonomousDrivingCookbook/AirSimE2EDeepLearning at master...
(github.com)
2018-05-12
Adit Deshpande – CS Undergrad at UCLA ('19)
(adeshpande3.github.io)
2018-05-12
Tearing Apart Google’s TPU 3.0 AI Coprocessor
(www-nextplatform-com.cdn.ampproject.org)
2018-05-11
LightTag is a text annotation platform for data scientist...
(techcrunch.com)
2018-05-10
Google Announces 8x Faster TPU 3.0 For AI, Machine Learni...
(www.extremetech.com)
2018-04-10
10 Command Line Recipes for Deep Learning on Amazon Web S...
(machinelearningmastery.com)
2018-03-18
Baidu Apollo Releases Massive Self-driving Dataset; Teams...
(medium.com)
2018-03-01
Baidu’s voice cloning AI can swap genders and remove accents
(thenextweb.com)
2018-02-21
1703.09039.pdf
(arxiv.org)
2018-02-12
Choosing the right activation function in a neural network
(opendatascience.com)
2018-02-06
Facebook open sources Detectron – Facebook Research
(research.fb.com)
2018-02-02
Region of interest pooling explained
(blog.deepsense.ai)
2018-01-12
One model to learn them all
(blog.acolyer.org)
2018-01-12
The 3 Tricks That Made AlphaGo Zero Work
(medium.com)
2017-12-27
Deep-Learning-Papers-Reading-Roadmap/README.md at master ...
(github.com)
2017-12-27
Train your deep model faster and sharper — two novel tech...
(hackernoon.com)
2017-12-27
6 Deep Learning Techniques They Never Taught You In School
(www.mensxp.com)
2017-12-27
https://blog.openai.com/openai-baselines-ppo/
(blog.openai.com)
2017-12-27
machine learning benchmarks - Google Search
(www.google.com)
2017-12-27
An Intuitive Guide to Deep Network Architectures
(www.kdnuggets.com)
2017-12-27
Gentle Introduction to Generative Long Short-Term Memory ...
(machinelearningmastery.com)
2017-12-18
A Gentle Introduction to Exploding Gradients in Neural Ne...
(machinelearningmastery.com)
2017-11-11
How Adversarial Attacks Work
(blog.ycombinator.com)
2017-11-11
wiseodd/generative-models: Collection of generative model...
(github.com)
2017-11-08
Machine Learning: Handbag Brand and Color Detection using...
(technology.condenast.com)
2016-12-26
awesome-deep-learning-papers/README.md at master · terryu...
(github.com)
2016-10-12
Semiconductor Engineering .:. Making Waves In Deep Learning
(semiengineering.com)
2011-10-24
AI & ML Projects with Python
(thecleverprogrammer.com)
-->
devops (all)
categories:
tags:
devops
date: 30 Mar 2025
slug:raindrop-devops-all
(thehackernews.com)
2025-01-28
From code to production: A guide to continuous deployment...
(about.gitlab.com)
2025-01-06
Ultimate guide to CI/CD: Fundamentals to advanced impleme...
(about.gitlab.com)
2024-12-19
Year in Review: Containers Get Smaller, Faster, More Secure
(thenewstack.io)
2024-11-16
Zero-downtime with Rails credentials
(thoughtbot.com)
2024-11-13
The Backstage Scaffolder, a Powerful New Orchestration Tool
(thenewstack.io)
2024-07-03
What You Get After Running an SSH Honeypot for 30 Days
(blog.sofiane.cc)
2024-07-03
From bare metal to a 70B model: infrastructure set-up and...
(imbue.com)
2024-06-23
Resolving EACCES permissions errors when installing packa...
(docs.npmjs.com)
2024-06-22
Lessons Learned from Scaling to Multi-Terabyte Datasets
(v2thegreat.com)
2024-06-19
5 Deployment Strategies: The Pros and Cons
(thenewstack.io)
2024-06-11
Top 10 browser automation tools to try in 2023—Free and paid
(www.oslash.com)
2024-05-19
“Unprecedented” Google Cloud event wipes out customer acc...
(arstechnica.com)
2024-05-11
Show HN: A web debugger an ex-Cloudflare team has been wo...
(news.ycombinator.com)
2024-03-27
How (and why) to run SQLite in production: RubyConf Taiwa...
(fractaledmind.github.io)
2024-03-05
4 Instructive Postmortems on Data Downtime and Loss
(thehackernews.com)
2024-03-05
How To Set Up Nginx Server Blocks on Ubuntu 22.04
(linuxize.com)
2024-02-29
Deployment Tools · Front End Developer Handbook 2017
(frontendmasters.com)
2024-02-28
Reducing our AWS bill by $100,000 - Fathom Analytics
(usefathom.com)
2024-02-22
(Almost) Every infrastructure decision I endorse or regre...
(cep.dev)
2024-02-22
Maybe You Don't Need Kubernetes
(matthias-endler.de)
2024-02-06
Introducing Pkl, a programming language for configuration
(pkl-lang.org)
2024-01-16
Download The Ultimate Docker Cheat Sheet
(devopscycle.com)
2023-10-30
Lessons learned from two decades of Site Reliability Engi...
(sre.google)
2023-10-15
Linux Performance
(www.brendangregg.com)
2023-08-07
The Reluctant Sysadmin's Guide to Securing a Linux Server
(pboyd.io)
2023-06-05
The importance of a name.
(joebordes.com)
2023-05-07
Lessons Learned from Having Passed all Twelve AWS Certifi...
(jiripik.com)
2023-04-19
Load Balancing
(samwho.dev)
2023-04-15
DORA | DevOps Research and Assessment
(dora.dev)
2023-04-07
How to implement a Load Balancer Using Nginx & Docker
(dev.to)
2023-03-25
trimstray/the-book-of-secret-knowledge: A collection of i...
(github.com)
2023-03-24
Hosting Your Own Web Application: A Beginner's Guide with...
(dev.to)
2023-03-20
Essential Tools for a Successful DevOps Engineer
(dev.to)
2023-03-18
Getting Started with Ansible: An Introduction to Automati...
(dev.to)
2023-02-23
Bobby Iliev - Introduction to Bash Scripting
(ebook.bobby.sh)
2023-02-04
Using Curl to make REST API requests | Linuxize
(linuxize.com)
2023-01-26
?? Why billing systems are a nightmare for engineers
(dev.to)
2023-01-13
A Visual Guide to SSH Tunnels: Local and Remote Port Forw...
(iximiuz.com)
2022-12-28
Deploy API only Rails App with Capistrano
(dev.to)
2022-12-28
Deploying an Infrastructure as Code Project in GCP Using ...
(dev.to)
2022-12-09
Getting Started With GitOps For Developers!
(dev.to)
2022-12-01
https://squeaky.ai/blog/development/how-switching-to-aws-...
(squeaky.ai)
2022-11-21
Data Indexing, Replication, and Sharding: Basic Concepts
(dev.to)
2022-11-21
Top 10 Open-Source DevOps Tools That You Should Know
(dev.to)
2022-11-05
17 DevOps Metrics To Measure Success
(dev.to)
2022-10-30
Redditor acquires decommissioned Netflix cache server wit...
(arstechnica.com)
2022-10-28
SadServers - Linux & DevOps Troubleshooting Interviews
(sadservers.com)
2022-10-03
Steampipe | select * from cloud;
(steampipe.io)
2022-09-27
25 Free Tools to Test Your Website
(www.practicalecommerce.com)
2022-09-22
Render: Awesome alternative for Heroku
(dev.to)
2022-09-05
SRE Weekly Issue #337
(sreweekly.com)
2022-09-05
gchq/CyberChef: The Cyber Swiss Army Knife - a web app fo...
(github.com)
2022-08-30
Heroku no longer offers free service, what's the best alt...
(dev.to)
2022-08-30
Heroku no longer offers free service, what's the best alt...
(dev.to)
2022-08-30
Free Alternatives to Heroku
(dev.to)
2022-08-28
How Discord Stores Billions of Messages
(discord.com)
2022-08-27
ngrok - Online in One Line
(ngrok.com)
2022-08-18
17 Best DevOps Tools to Use in 2022 for Infrastructure Au...
(dev.to)
2022-08-02
Use One Big Server - Speculative Branches
(specbranch.com)
2022-07-30
Router Security
(routersecurity.org)
2022-07-29
Test Your Product On A Crappy Laptop | CSS-Tricks
(css-tricks.com)
2022-07-28
Downtime is not an option – meet the stewards of the clou...
(aeon.co)
2022-07-16
10 best DevOps Tools
(dev.to)
2022-07-13
Machine Learning Operations (MLOps): Overview, Definition...
(arxiv.org)
2022-07-13
Book Release: Go For DevOps #go #golang #sre #devops #ter...
(www.amazon.com)
2022-07-13
CSRF, XXE, and 12 Other Security Acronyms Explained
(dev.to)
2022-07-12
A Beginner-Friendly Introduction to Kubernetes
(towardsdatascience.com)
2022-07-11
10 Modern Data Engineering Tools - KDnuggets
(www.kdnuggets.com)
2022-07-09
Monitoring tiny web services
(jvns.ca)
2022-07-08
13 must-know SSH Commands
(www.marcobehler.com)
2022-07-04
3 Best Website Uptime Monitoring Tools
(www.webdesignerdepot.com)
2022-06-29
Beginner’s Guide to Kubernetes and Docker
(towardsdatascience.com)
2022-06-21
The Problem with Feature Branches
(dev.to)
2022-06-15
Tsunami of junk traffic that broke DDoS records delivered...
(arstechnica.com)
2022-06-07
10 Cloudflare Alternatives to Boost Your Website Performa...
(linuxhandbook.com)
2022-06-04
Jenkins: Create a simple build job
(dev.to)
2022-06-01
Overview of Github Actions - Part 1
(dev.to)
2022-06-01
Overview of Github Actions - Part 2
(dev.to)
2022-06-01
Founding Uber SRE.
(lethain.com)
2022-05-26
Learnings from 5 years of tech startup code audits - Ken ...
(kenkantzer.com)
2022-05-26
The Top Clouds Evaluated Such That You Don’t Need to Repe...
(towardsdatascience.com)
2022-05-20
Dokku – Free Heroku Alternative | Hacker News
(news.ycombinator.com)
2022-05-19
Get up and running with Terraform (IaC) Tool
(dev.to)
2022-05-17
The actual infrastructure costs of running SaaS at scale ...
(dev.to)
2022-05-17
How to Remove a File From Git History Permanently
(towardsdatascience.com)
2022-05-06
How to fix “bash: add-apt-repository: command not found” ...
(www.cyberciti.biz)
2022-05-03
https://social.techcrunch.com/2022/04/23/seo-scammers-buy...
(social.techcrunch.com)
2022-05-01
Ask HN: Beyond AWS/Azure/GCP, what cloud providers should...
(news.ycombinator.com)
2022-04-13
AWS Data Transfer Costs: Solving Hidden Network Transfer ...
(cloud.netapp.com)
2022-04-13
Why Enzymit Decided to Build its Own On-Prem HPC Infrastr...
(medium.com)
2022-04-09
Jacob Errington | Roll your own Ngrok with Nginx, Letsenc...
(jerrington.me)
2022-04-04
https://squeaky.ai/blog/development/why-we-dont-use-a-sta...
(squeaky.ai)
2022-03-23
14 Awesome CLI Tools for Modern Software Developers
(dev.to)
2022-03-21
Ask HN: Cheaper Heroku alternatives for Rails apps? | Hac...
(news.ycombinator.com)
2022-03-18
Optimizing Rails connections
(dev.to)
2022-03-07
[deleted by user]
(www.reddit.com)
2022-02-27
Cheat Sheet 💻
(twitter.com)
2022-02-12
Intelligent System Security
(intellisec.de)
2022-02-10
Top 10 web hacking techniques of 2021 | PortSwigger Research
(portswigger.net)
2022-01-26
Run Ordinary Rails Apps Globally · Fly
(fly.io)
2022-01-21
Complete Jenkins Tutorial | Learn Jenkins From Scratch In...
(dev.to)
2022-01-17
Perf tooling
(www.perf-tooling.today)
2022-01-17
phanan/htaccess
(github.com)
2022-01-16
Using Siege to Stress Test an Application
(sublimecoding.com)
2022-01-16
SSH Kung Fu
(blog.tjll.net)
2022-01-16
Performance Tuning – Tips & Tricks
(www.nginx.com)
2022-01-16
luong-komorebi/Short-Gitlab-Tutorial: Get started with Gi...
(github.com)
2022-01-12
SSH Tricks
(serversforhackers.com)
2022-01-12
Servers for Hackers
(serversforhackers.com)
2022-01-12
Important penetration testing cheat sheet
(techincidents.com)
2022-01-12
Hacksplaining
(www.hacksplaining.com)
2022-01-12
imthenachoman/How-To-Secure-A-Linux-Server: An evolving h...
(github.com)
2022-01-12
Ask HN: Good open source alternatives to Google Analytics...
(news.ycombinator.com)
2022-01-07
How we handle 80TB and 5M page views a month for under $400
(blog.polyhaven.com)
2022-01-06
5 Best Practices for Securing SSH
(goteleport.com)
2022-01-04
How To Configure the Apache Web Server on an Ubuntu or De...
(www.digitalocean.com)
2022-01-01
Koyeb - The true cost of Kubernetes: People, Time and Pro...
(www.koyeb.com)
2021-12-30
Introduction to the AWS CLI
(dev.to)
2021-12-27
My Top 10 Free Learning Resources for AWS
(hashnode.tpschmidt.com)
2021-12-27
The Trouble with Tribbles...: The cost of cloud
(ptribble.blogspot.com)
2021-12-16
Introducing Push to Deploy. Say hello to a more convenien...
(blog.meteor.com)
2021-12-14
Apache Mesos
(mesos.apache.org)
2021-12-13
Apache Kafka
(kafka.apache.org)
2021-12-13
The Basics of Web Application Security
(martinfowler.com)
2021-12-13
Apache Tomcat® - Welcome!
(tomcat.apache.org)
2021-12-13
Four Linux server monitoring tools
(aarvik.dk)
2021-12-12
bjpcjp/the-book-of-secret-knowledge: A collection of insp...
(github.com)
2021-12-12
Consul by HashiCorp
(www.consul.io)
2021-12-12
DevOps and Security Glossary Terms | Sumo Logic
(www.sumologic.com)
2021-12-12
How To Deploy a Full-Stack MERN App with Heroku/Netlify
(dev.to)
2021-12-12
Zabbix :: The Enterprise-Class Open Source Network Monito...
(www.zabbix.com)
2021-12-12
https://www.papertrail.com/
(www.papertrail.com)
2021-12-12
Jenkins
(www.jenkins.io)
2021-12-12
Jaeger: open source, distributed tracing platform
(www.jaegertracing.io)
2021-12-12
GitHub Actions
(github.com)
2021-12-12
Overview | Prometheus
(prometheus.io)
2021-12-12
kahun/awesome-sysadmin: A curated list of amazingly aweso...
(github.com)
2021-12-12
The History of DevOps Reports | Puppet by Perforce
(puppet.com)
2021-12-12
The OpenTracing project
(opentracing.io)
2021-12-12
The 2018 DevOps RoadMap | HackerNoon
(hackernoon.com)
2021-12-12
MicroK8s - Zero-ops Kubernetes for developers, edge and I...
(microk8s.io)
2021-12-12
Introduction | Vagrant | HashiCorp Developer
(www.vagrantup.com)
2021-12-11
Introduction to Management, Governance and Migration with...
(dev.to)
2021-12-11
Demystifying containers, Docker, and Kubernetes - Microso...
(cloudblogs.microsoft.com)
2021-12-11
gulp/docs/getting-started.md at master · gulpjs/gulp
(github.com)
2021-12-11
http://blog.urfix.com/25-ssh-commands-tricks/
(blog.urfix.com)
2021-12-11
Continuous Integration and Delivery
(circleci.com)
2021-12-11
Glossary: Cybersecurity Terms & Definitions
(www.nginx.com)
2021-12-11
https://www.thecloud.coach/ansible-crash-course
(www.thecloud.coach)
2021-12-11
cjbassi/ytop: A TUI system monitor written in Rust
(github.com)
2021-12-11
Terraform by HashiCorp
(www.terraform.io)
2021-12-11
binhnguyennus/awesome-scalability: The Patterns of Scalab...
(github.com)
2021-12-11
https://dashboard.ngrok.com/get-started
(dashboard.ngrok.com)
2021-12-11
Top 20 OpenSSH Server Best Security Practices
(www.cyberciti.biz)
2021-12-11
https://increment.com/cloud/an-engineers-guide-to-cloud-c...
(increment.com)
2021-12-08
Build Load Balancer in Go
(dev.to)
2021-12-08
Top 10 DevOps Tools You Should Know
(dev.to)
2021-12-02
Quick Start | Vagrant | HashiCorp Developer
(learn.hashicorp.com)
2021-12-02
App Platform | DigitalOcean Documentation
(www.digitalocean.com)
2021-12-02
16 Best DevOps Tools (2024 List)
(www.guru99.com)
2021-12-02
https://caylent.com/50-useful-kubernetes-tools-for-2020
(caylent.com)
2021-12-02
Do-nothing scripting: the key to gradual automation
(blog.danslimmon.com)
2021-12-02
The linux commands that help me work
(dev.to)
2021-12-02
Do I Really Need Kubernetes?
(thenewstack.io)
2021-12-02
Glossary: Cybersecurity Terms & Definitions
(www.nginx.com)
2021-12-02
15 Command-Line Tools to Make You Better at Shell & CLI
(dev.to)
2021-12-02
Awesome Command-Line tools to boost your productivity
(dev.to)
2021-12-02
https://devopsunlocked.com/kubernetes-curated-list-of-too...
(devopsunlocked.com)
2021-12-02
Install Tools
(kubernetes.io)
2021-12-02
Kernel-based Virtual Machine
(en.wikipedia.org)
2021-12-02
Announcing HashiCorp Waypoint
(www.hashicorp.com)
2021-12-02
Simple, Flexible, Trustworthy CI/CD Tools - Travis CI
(travis-ci.org)
2021-12-02
5 Lessons Learned From Writing Over 300,000 Lines of Infr...
(blog.gruntwork.io)
2021-11-29
7 DevOps skills for Machine Learning Operations | by Rica...
(towardsdatascience.com)
2021-11-19
Why Netflix never goes down - The Verge
(www.theverge.com)
2021-11-15
Learning Containers From The Bottom Up
(iximiuz.com)
2021-11-03
A Comparison of SRE Workflow Tools
(dev.to)
2021-10-01
graviraja/MLOps-Basics
(github.com)
2021-09-14
Ship / Show / Ask: A modern branching strategy
(martinfowler.com)
2021-09-06
Amazon S3 Deep Dive (part 4-tagging, static website hosting)
(dev.to)
2021-09-02
Meet the Self-Hosters, Taking Back the Internet One Serve...
(www.vice.com)
2021-08-16
DevOps 101 : Introduction to Ansible
(dev.to)
2021-08-06
The 5-hour CDN · Fly
(fly.io)
2021-07-27
Free for dev - list of software (SaaS, PaaS, IaaS, etc.)
(dev.to)
2021-07-25
30 Interesting Tools and Services to Monitor Your Linux S...
(linuxhandbook.com)
2021-07-20
No, we don’t use Kubernetes
(ably.com)
2021-07-07
Top 6 Ethical Hacking Tools
(dev.to)
2021-06-23
7 Lessons From 10 Outages – The Downtime Project
(downtimeproject.com)
2021-06-09
GitHub - hashicorp/terraform: Terraform enables you to sa...
(github.com)
2021-06-08
This 11-course package can help you run a liquid smooth D...
(thenextweb.com)
2021-06-07
ngrok - secure introspectable tunnels to localhost
(ngrok.com)
2021-05-05
Deploy an app — Streamlit 0.81.1 documentation
(docs.streamlit.io)
2021-04-27
Lessons I learned from achieving a 99.99% platform uptime
(dev.to)
2021-04-24
http://www.datasciencecentral.com/xn/detail/6448529:BlogP...
(www.datasciencecentral.com)
2021-04-24
Site Reliability Engineering (SRE) Best Practices
(dev.to)
2021-04-11
Hacker News
(tech.channable.com)
2021-04-10
The Architecture Behind A One-Person Tech Startup
(anthonynsimon.com)
2021-04-07
Screw it, I’ll host it myself
(www.markozivanovic.com)
2021-04-07
Deploying a basic Streamlit app to Heroku
(towardsdatascience.com)
2021-04-02
Phishing Tests Are Necessary. But They Don’t Need to Be E...
(hbr.org)
2021-03-27
APT Encounters of the Third Kind - Igor’s Blog
(igor-blue.github.io)
2021-03-16
We Don’t Use Docker
(launchyourapp.meezeeworkouts.com)
2021-03-05
Real Artists Ship | Learn Enough News & Blog
(news.learnenough.com)
2021-02-25
Google - Site Reliability Engineering
(sre.google)
2021-02-25
Common Nginx misconfigurations that leave your web server...
(blog.detectify.com)
2021-02-23
The Power of Scripting: A Deploy Script | Learn Enough Ne...
(news.learnenough.com)
2021-02-13
A Dynamic Journey to Performance
(tech.wayfair.com)
2021-02-13
Learn Enough Custom Domains to Be Dangerous | Learn Enoug...
(www.learnenough.com)
2021-02-11
Paweł U. | Ruby on Rails Web Development Consultant Full ...
(pawelurbanek.com)
2021-02-10
Buildpacks vs Dockerfiles
(technology.doximity.com)
2021-02-08
The Twelve-Factor App
(12factor.net)
2021-02-07
A visual guide to SSH tunnels
(robotmoon.com)
2021-02-02
Google Cloud Free Program
(cloud.google.com)
2021-01-28
Linux Handbook
(linuxhandbook.com)
2021-01-27
Best alternatives to hosting on Heroku?
(www.reddit.com)
2021-01-13
All Time Favorites -
(highscalability.com)
2021-01-06
Lessons learned in incident management
(dropbox.tech)
2021-01-04
Edit fstab to Auto-Mount Secondary Hard Drives on Linux
(www.maketecheasier.com)
2021-01-02
How to Automate Tasks on GitHub With Machine Learning for...
(towardsdatascience.com)
2020-12-31
Linux Hardening Guide | Madaidan's Insecurities
(madaidans-insecurities.github.io)
2020-12-18
shutil — High-level file operations
(docs.python.org)
2020-12-18
Free intro to Linux commandline/server course starts Mond...
(www.reddit.com)
2020-12-18
Complete Walkthrough to Connect your SDE to GCP with Github
(towardsdatascience.com)
2020-12-18
Amazon.com: Google Cloud Platform Cookbook: Implement, de...
(www.amazon.com)
2020-12-18
Introduction to Google Cloud Functions
(ncona.com)
2020-12-18
Quickstart: Create a Python app - Azure App Service | Mic...
(docs.microsoft.com)
2020-12-18
State of the Art Infrastructure as Code
(towardsdatascience.com)
2020-12-10
Terraform vs Ansible: What's the difference and which one...
(linuxhandbook.com)
2020-12-10
Wait, Docker is deprecated in Kubernetes now? What do I do?
(t.co)
2020-11-29
Self-publishing and the 2nd edition of Ansible for DevOps...
(www.jeffgeerling.com)
2020-11-29
https://tdom.dev/go-in-production
(tdom.dev)
2020-11-29
Open source security tools list
(github.com)
2020-11-28
bobbyiliev/introduction-to-bash-scripting: Free Introduct...
(github.com)
2020-11-27
An ex-Googler's guide to dev tools
(about.sourcegraph.com)
2020-11-24
The Tech Stack of a One-Man SaaS
(panelbear.com)
2020-11-22
Getting started with Ansible | XLAB Steampunk blog
(steampunk.si)
2020-11-19
rewanthtammana/containers-from-scratch: Writing a contain...
(github.com)
2020-11-07
AWS Management Console
(us-east-2.console.aws.amazon.com)
2020-11-06
Deploying a Data App on AWS for Free
(towardsdatascience.com)
2020-11-05
Anatomy of a Binary Executable
(oswalt.dev)
2020-11-05
tunnelto.dev -- expose your local web server to the inter...
(tunnelto.dev)
2020-11-05
https://blog.alcide.io/top-four-ways-to-visualize-traffic...
(blog.alcide.io)
2020-11-03
Google - Site Reliability Engineering
(landing.google.com)
2020-11-03
Google Cloud now supports buildpacks | Google Cloud Blog
(cloud.google.com)
2020-11-03
Building containers without Docker
(blog.alexellis.io)
2020-11-03
Kubernetes SLOs with Prometheus and Linkerd
(buoyant.io)
2020-11-03
docker | minikube
(minikube.sigs.k8s.io)
2020-11-03
Not all attacks are equal: understanding and preventing D...
(r2c.dev)
2020-11-03
GitHub CLI 1.0 is now available
(github.blog)
2020-11-03
What is Vagrant? - DevOps Library
(devopslibrary.com)
2020-11-03
https://blog.thundra.io/do-you-really-need-kubernetes
(blog.thundra.io)
2020-11-03
How to properly manage SSH keys for server access
(www.paepper.com)
2020-11-02
kubernetes-up-and-running/examples: Example code and file...
(github.com)
2020-11-02
You are now authenticated with the Google Cloud SDK!
(cloud.google.com)
2020-10-27
Container - definition & overview | Sumo Logic
(www.sumologic.com)
2020-10-27
Getting started with Kubernetes: how to set up your first...
(circleci.com)
2020-10-27
How to Use Docker Images, Containers, and Dockerfiles
(medium.com)
2020-10-21
An Introduction To Kubernetes
(dev.to)
2020-10-16
Canonical Introduces High-Availability Micro-Kubernetes
(tech.slashdot.org)
2020-09-17
Database of Databases - Leaderboards
(dbdb.io)
2020-09-16
New EC2 T4g Instances – Burstable Performance Powered by ...
(aws.amazon.com)
2020-09-16
Introduction to modern CMake for beginners - Internal Poi...
(internalpointers.com)
2020-08-20
How Shopify Reduced Storefront Response Times with a Rewr...
(engineering.shopify.com)
2020-08-19
Heroku Dynos: Sizes, Types, and How Many You Need
(railsautoscale.com)
2020-08-15
Introduction to Terraform
(medium.com)
2020-08-10
Principles, Patterns, and Practices for Effective Infrast...
(itnext.io)
2020-08-10
Nmap — A Guide To The Greatest Scanning Tool Of All Time
(towardsdatascience.com)
2020-08-01
Monitoring demystified: A guide for logging, tracing, met...
(techbeacon.com)
2020-07-16
10 Actionable SSH Hardening Tips to Secure Your Linux Server
(linuxhandbook.com)
2020-07-11
The 10 Useful Networking Commands You Should Know
(www.labnol.org)
2020-07-09
Google open-sources Tsunami vulnerability scanner
(www.zdnet.com)
2020-07-05
CapRover · Scalable, Free and Self-hosted PaaS!
(caprover.com)
2020-06-20
My Favorite CLI Tools
(dev.to)
2020-06-05
Get the fundamentals of DevOps right — then worry about t...
(thenextweb.com)
2020-06-01
The boring technology behind a one-person Internet company
(www.listennotes.com)
2020-06-01
Deploy Machine Learning Applications using Chef
(towardsdatascience.com)
2020-05-20
Why is This Website Port Scanning me
(nullsweep.com)
2020-05-17
HashiCorp Learn
(learn.hashicorp.com)
2020-05-17
Search | StackShare | StackShare
(stackshare.io)
2020-05-16
Install Terraform | Terraform - HashiCorp Learn
(learn.hashicorp.com)
2020-05-15
mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...
(towardsdatascience.com)
2020-05-15
How to Deploy your Machine Learning Models on Kubernetes
(towardsdatascience.com)
2020-05-15
Cookiecutter Data Science
(drivendata.github.io)
2020-04-21
Whois Lookup, Domain Availability & IP Search - DomainTools
(whois.domaintools.com)
2020-04-17
Droplets - DigitalOcean
(cloud.digitalocean.com)
2020-04-17
nemonik/hands-on-DevOps: A hands-on DevOps course coverin...
(github.com)
2020-04-17
Jenkins User Documentation
(jenkins.io)
2020-03-31
My Vagrant Boxes - Vagrant Cloud
(app.vagrantup.com)
2020-03-31
How Ansible Works | Ansible.com
(www.ansible.com)
2020-03-31
Tenets of SRE
(www.oreilly.com)
2020-03-31
geerlingguy/ansible-for-devops: Ansible examples from Ans...
(github.com)
2020-03-31
Vagrant up timeout - Stack Overflow
(stackoverflow.com)
2020-03-31
Vagrant box generic/ubuntu1804 - Vagrant Cloud
(app.vagrantup.com)
2020-03-16
You can get my DevOps books free the rest of this month
(www.jeffgeerling.com)
2020-03-09
Gandalf: an intelligent, end-to-end analytics service for...
(blog.acolyer.org)
2020-02-19
imsnif/what: ...is taking up my bandwidth?!
(github.com)
2020-02-19
trusche/httplog: Log outgoing HTTP requests in ruby
(rubyweekly.com)
2020-02-19
Introduction To Machine Learning Deployment Using Docker ...
(mlfromscratch.com)
2020-02-01
Writing Runbook Documentation When You’re An SRE · Transp...
(www.transposit.com)
2019-12-28
I moved my sites from Google Kubernetes Engine to Netlify...
(labs.iamhamy.xyz)
2019-12-23
Let's Create a Simple Load Balancer With Go
(kasvith.github.io)
2019-12-23
Metrics That Matter - ACM Queue
(queue.acm.org)
2019-12-05
Metaflow: Netflix's Python framework for data science is ...
(metaflow.org)
2019-11-20
How containers work: overlayfs - Julia Evans
(jvns.ca)
2019-10-18
DNS 101: An introduction to Domain Name Servers
(www.redhat.com)
2019-09-17
The boring technology behind a one-person Internet company
(broadcast.listennotes.com)
2019-08-30
Efficient Rails DevOps
(efficientrailsdevops.com)
2019-08-29
Scaling Jupyter notebooks with Kubernetes and Tensorflow
(learnk8s.io)
2019-08-29
Best DevOps Software - 2018 Reviews of the Most Popular T...
(stackshare.io)
2019-08-29
An Introduction to Continuous Integration, Delivery, and ...
(www.digitalocean.com)
2019-05-14
Designing Data-Intensive Applications (DDIA) — an O’Reill...
(dataintensive.net)
2019-04-24
TurnKey GNU/Linux | 100+ free ready-to-use system images ...
(turnkeylinux.org)
2019-03-25
The Kubernetes Learning Resources List
(docs.google.com)
2019-02-12
Performance Tuning - Tips & Tricks - NGINX
(www.nginx.com)
2018-12-27
A Beginner's Guide to Scaling to 11 Million+ Users on Ama...
(highscalability.com)
2018-12-24
Everything you should know about certificates and PKI but...
(smallstep.com)
2018-12-22
Netlify: All-in-one platform for automating modern web pr...
(www.netlify.com)
2018-09-06
OpenStack’s latest release focuses on bare metal clouds a...
(techcrunch.com)
2018-08-28
https://stephenmann.io/post/whats-in-a-production-web-app...
(stephenmann.io)
2018-08-13
GLB: GitHub’s open source load balancer | GitHub Engineering
(githubengineering.com)
2018-07-15
Certificates for localhost
(letsencrypt.org)
2018-06-08
Linux Load Averages: Solving the Mystery
(www.brendangregg.com)
2018-06-08
https://www.openmakesoftware.com/production-quality-shell...
(www.openmakesoftware.com)
2018-06-08
How to set up world-class continuous deployment using fre...
(simonwillison.net)
2017-12-27
How SSH got port number 22
(www.ssh.com)
2017-12-24
Personal Infrastructure
(blog.jessfraz.com)
2016-11-10
(9) How many servers does a typical data center house? - ...
(www.quora.com)
2016-10-03
9ish Low Latency Strategies for SaaS Companies - Hig...
(highscalability.com)
-->
influence & persuasion (all)
categories:
tags:
influence-persuasion
date: 30 Mar 2025
slug:raindrop-influence-persuasion-all
(effectiviology.com)
2025-01-23
How to Trust and Be Trusted with Rachel Botsman - Revisio...
(omny.fm)
2024-12-15
How to Stage a Coup
(www.statecraft.pub)
2024-11-24
How to give a senior leader feedback (without getting fired)
(newsletter.weskao.com)
2024-10-25
How Snake Oil Became a Symbol of Fraud and Deception
(www.smithsonianmag.com)
2024-10-19
Influence: The unseen key behind powerful persuasion
(www.bbc.com)
2024-05-21
Chapter Two - Construal of power as opportunity or respon...
(www.sciencedirect.com)
2024-05-05
The Diminishing Returns of Having Good Taste
(www.theatlantic.com)
2024-04-26
The art of persuasive storytelling | Kelly D. Parker
(www.ted.com)
2024-04-16
The Dictator’s Handbook: 3 Steps to Being a Dictator
(thepowermoves.com)
2024-04-16
The Laws of Human Nature by Robert Greene - Summary & Notes
(www.grahammann.net)
2024-03-24
How great leaders inspire action | Simon Sinek | TED
(youtu.be)
2024-03-11
Hiding the ‘aha’
(seths.blog)
2024-03-05
How to Tackle Truth Decay
(www.theatlantic.com)
2024-03-04
Why Do East Asian Firms Value Drinking? - by Alice Evans
(www.ggd.world)
2024-03-03
Storytelling as a Craft: Advice from 5 Experts on How to ...
(review.firstround.com)
2024-03-02
Ancient Greek antilogic is the craft of suspending judgment
(psyche.co)
2024-02-27
Can these seven tips help you become a ‘supercommunicator’?
(www.theguardian.com)
2024-02-22
Using this 1 word more often can make you 50% more influe...
(www.cnbc.com)
2024-02-17
Beyond dogwhistles – racists have a new rhetorical trick
(psyche.co)
2024-02-05
15 Quotes on the Unparalleled Power of Example
(www.artofmanliness.com)
2024-02-03
streisand effect
(www.verywellmind.com)
2024-01-31
How to give a eulogy
(www.fastcompany.com)
2024-01-10
51 Propaganda Techniques Explained in 11 Minutes: From Co...
(www.openculture.com)
2023-10-06
The Sociological Eye: FIVE KINDS OF FRIENDS
(sociological-eye.blogspot.com)
2023-10-01
Currencies (On Motivating Different People) (Ed Batista)
(www.edbatista.com)
2023-10-01
8 Techniques in Persuasion from Antiquity
(www.thecollector.com)
2023-09-25
The secret to successfully pitching an idea | Mar Hershenson
(www.ted.com)
2023-09-01
When your coworker does great work, tell their manager
(jvns.ca)
2023-08-12
Talking About a Difficult Decision — When You Can’t Share...
(hbr.org)
2023-08-06
Mastering the Art of the Request
(hbr.org)
2023-08-05
Networking is overrated and probably not worth doing … fo...
(link.sbstck.com)
2023-07-24
How to (Actually) Change Someone’s Mind
(getpocket.com)
2023-07-24
The Secret History And Strange Future Of Charisma
(noemamag.com)
2023-06-19
The Culture Map: How to Navigate Foreign Cultures in Busi...
(ahalbert.com)
2023-06-18
People Can Be Convinced They Committed a Crime That Never...
(www.psychologicalscience.org)
2023-06-13
The Art of Leadership: Lessons from Art Blakey
(albertcory50.substack.com)
2023-06-10
Inside 4chan’s top-secret moderation machine
(www.wired.com)
2023-05-31
What working as a military psychologist taught me about c...
(qz.com)
2023-05-30
Watch Marjoe (1973) Full Movie Free Online - Plex
(watch.plex.tv)
2023-05-19
6 Phrases Good Negotiators Use To Get Whatever They Want
(www.fatherly.com)
2023-05-06
How Your Body Posture Communicates Feelings to Others
(greatergood.berkeley.edu)
2023-04-25
The Magic of Knowing When to Use Concrete vs. Abstract La...
(behavioralscientist.org)
2023-04-12
Nudge: How Small Changes Can Significantly Influence Peop...
(effectiviology.com)
2023-03-30
Carl Braun on Communicating Like a Grown-Up
(fs.blog)
2023-03-20
Why can’t Americans agree on, well, nearly anything? Phil...
(theconversation.com)
2023-03-19
3 Rhetorical Techniques to Increase Your Impact
(hbr.org)
2023-03-19
The best way to introduce yourself
(www.fastcompany.com)
2023-03-15
Stand Out by Giving Feedback the Right Way
(betterhumans.pub)
2023-03-05
The Trust Engineers
(www.wnycstudios.org)
2023-02-03
Bonhoeffer's "theory of stupidity": We have more to fear ...
(bigthink.com)
2023-02-02
The Burden of Proof: Why People Should Support Their Clai...
(effectiviology.com)
2023-01-18
How To Get An MBA From Eminem
(techcrunch.com)
2023-01-03
Conversation Skills Essentials – Tynan.com
(tynan.com)
2022-12-08
The rules of improv can make you funnier. They can also m...
(www.npr.org)
2022-11-23
How Great Leaders Communicate
(hbr.org)
2022-11-22
The Secret To Talking To Someone Who Always Gets Defensive
(www.fatherly.com)
2022-11-21
A "psychological vaccine": Why prebunking is the best way...
(bigthink.com)
2022-11-18
'Persuasion Fatigue' Is a Unique Form of Social Frustration
(www.scientificamerican.com)
2022-11-08
Hidden ways people drain another's energy
(betterhumans.pub)
2022-10-30
The Psychologist | BPS
(www.bps.org.uk)
2022-10-18
Brandolini’s Law: The Bullshit Asymmetry Principle
(effectiviology.com)
2022-10-01
How to have better arguments | Psyche Guides
(psyche.co)
2022-09-01
How to Figure Out the Power Dynamics in a New Job
(hbr.org)
2022-08-31
How I Learned to Talk to Aggressive People | by Savannah ...
(betterhumans.pub)
2022-08-30
4 Ways to Communicate with More Empathy
(hbr.org)
2022-08-17
Learnings of a CEO: Wade Foster, Zapier | Y Combinator
(www.ycombinator.com)
2022-08-14
All time best interviews with accused fraudsters
(bedrock.substack.com)
2022-08-08
Taxonomy of Influence Strategies | Playmaker
(www.playmakersystems.com)
2022-07-29
What Keeps a Crowd from Becoming a Mob?
(www.scientificamerican.com)
2022-07-19
Quiet People in Meetings Are Incredible
(medium.com)
2022-07-19
Be the Most Persuasive Person in the Room: 9 Things Highl...
(www.inc.com)
2022-07-19
https://betterhumans.coach.me/how-to-sell-anything-aristo...
(betterhumans.coach.me)
2022-07-19
Medium
(medium.com)
2022-07-19
A Checklist of eCommerce Tactics
(www.nickkolenda.com)
2022-07-19
Tribal Leadership: The Key To Building Great Teams
(www.farnamstreetblog.com)
2022-07-19
The Nine Primary Tactics Used to Influence Others
(www.farnamstreetblog.com)
2022-07-19
Medium
(medium.com)
2022-07-19
Use the "But You Are Free" Technique to Persuade Anyone
(lifehacker.com)
2022-07-19
How Package Designers Use Science to Influence Your Subco...
(www.adweek.com)
2022-07-19
42 Rules to Lead by from the Man Who Defined Google's Pro...
(firstround.com)
2022-07-18
Stop Overcomplicating It: The Simple Guidebook to Upping ...
(review.firstround.com)
2022-07-18
How to sell to the 42 different archetypes
(cdn2.hubspot.net)
2022-07-18
Summary
(the48lawsofpower.com)
2022-07-18
https://www.fastcompany.com/3062156/lessons-learned/this-...
(www.fastcompany.com)
2022-07-18
Summary of Nudge, presented to IxDA LA
(www.slideshare.net)
2022-07-18
The Handicap Principle: Why Accepting a Disadvantage Can ...
(effectiviology.com)
2022-07-18
21 Fascinating Persuasion Techniques That Boost Website C...
(conversionsciences.com)
2022-07-18
The Best Management Memo … Ever! - DesignObserver
(designobserver.com)
2022-07-18
Military reading lists
(militaryreadinglists.com)
2022-07-18
Managing Two People Who Hate Each Other
(hbr.org)
2022-07-18
50+ examples of Robert Cialdini's 6 Principles Of Influen...
(www.reddit.com)
2022-07-18
8 common traits of uncommon product leaders
(medium.com)
2022-07-18
Take Your Team From Worst To First: Leadership Lessons Fr...
(www.americanexpress.com)
2022-07-18
A Story from Google Shows You Don’t Need Power to Drive S...
(hbr.org)
2022-07-18
You’re Already More Persuasive than You Think
(hbr.org)
2022-07-18
The Overkill Backfire Effect: On The Danger of Presenting...
(effectiviology.com)
2022-07-18
21st-Century Propaganda: A Guide to Interpreting and Conf...
(getpocket.com)
2022-07-18
Mentors Are The Secret Weapons Of Successful Startups | T...
(techcrunch.com)
2022-07-18
To Fight Polarization, Ask, “How Does That Policy Work?” ...
(behavioralscientist.org)
2022-07-18
8 body-language tricks that are hard to master but will p...
(www.businessinsider.com)
2022-07-18
LappleApple/awesome-leading-and-managing: Awesome List of...
(github.com)
2022-07-18
4 Leadership Types That Can Destroy a Perfectly Good Stra...
(www.processexcellencenetwork.com)
2022-07-18
Real Leaders Don’t Do Focus Groups
(hbr.org)
2022-07-18
14 Persuasive Writing Techniques That Trigger A Response
(conversionsciences.com)
2022-07-18
Moving Your Agenda | The Leading Blog: A Leadership Blog
(www.leadershipnow.com)
2022-07-18
How An Ancient Chinese War General Would Run Your Startup...
(mattermark.com)
2022-07-18
Why Should Anyone Be Led by You?
(hbr.org)
2022-07-18
Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...
(behavioralscientist.org)
2022-07-18
https://dcgross.com/how-to-convince-people/
(dcgross.com)
2022-07-18
How to Make Your Product Scientifically Irresistible | Ga...
(www.gainsight.com)
2022-07-18
The Tipping Point Summary
(fourminutebooks.com)
2022-07-18
The Psychology Behind Costco's Free Samples
(www.theatlantic.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
The Appeal to the Stone Fallacy: When People Are Dismissi...
(effectiviology.com)
2022-07-18
Google’s Quest to Build a Better Boss (Published 2011)
(www.nytimes.com)
2022-07-18
We Need to Talk About Servant Leadership
(mfbt.ca)
2022-07-18
How to Mentor a Perfectionist
(hbr.org)
2022-07-18
Why People Buy Perception And Not Reality
(marcbarros.com)
2022-07-18
Lincoln on Leadership
(www.farnamstreetblog.com)
2022-07-18
The Top 10 Psychology Books You Should Read
(www.blog.theteamw.com)
2022-07-18
The Nine Primary Tactics Used to Influence Others
(fs.blog)
2022-07-18
https://www.fastcompany.com/3016115/leadership-now/7-toug...
(www.fastcompany.com)
2022-07-18
“Get them to say no”: Expert lessons in influence from th...
(qz.com)
2022-07-18
Persuasion Triggers In Web Design — Smashing Magazine
(www.smashingmagazine.com)
2022-07-18
Understand the 4 Components of Influence
(hbr.org)
2022-07-18
Book summary the 21 irrefutable laws of leadership by joh...
(hgimnetwork.org)
2022-07-18
7 Persuasion Tips For More Influence and Better Engagemen...
(secretpmhandbook.com)
2022-07-18
How to Get an MBA from Eminem? - James Altucher
(www.jamesaltucher.com)
2022-07-18
Tap into the power to persuade by using these 6 technique...
(ideas.ted.com)
2022-07-18
How to Persuade Anyone of Anything in Ten Seconds - James...
(jamesaltucher.com)
2022-07-18
The Ultimate Guide to Conversion Rate Optimization
(blog.wishpond.com)
2022-07-18
The Ten Golden Rules of Leadership: Classical Wisdom for ...
(www.farnamstreetblog.com)
2022-07-18
Beginner's Guide to Arguing Constructively
(liamrosen.com)
2022-07-18
Cultural Coaching: Knowing When to Shut Up
(hbr.org)
2022-07-18
5 Non-Evil Ways To Get People To Do What You Want, From D...
(www.bakadesuyo.com)
2022-07-18
How to Get Busy People to Take Action When You Send an Email
(bothsidesofthetable.com)
2022-07-17
The Greatest Sales Deck I’ve Ever Seen
(medium.com)
2022-07-05
What Marissa Mayer Brought to Yahoo That Can’t Be Bought ...
(hackernoon.com)
2022-07-05
The Science of Asking What People Want
(blogs.scientificamerican.com)
2022-07-05
Howard Suber Of UCLA Film School Explains How To Tell A S...
(www.bakadesuyo.com)
2022-06-28
Neuro-Menus and Restaurant Psychology
(www.neurosciencemarketing.com)
2022-06-28
One Big Idea
(eleganthack.com)
2022-06-26
Sunday Firesides: If You See Something, Say Something
(www.artofmanliness.com)
2022-06-25
Ultimate Terms
(changingminds.org)
2022-06-25
6 Hostage Negotiation Techniques That Will Get You What Y...
(time.com)
2022-06-25
http://georg-grey.blogspot.mx/2014/05/23-psychological-li...
(georg-grey.blogspot.mx)
2022-06-25
Want to Win Someone Over? Talk Like They Do.
(hbr.org)
2022-06-25
The Backfire Effect: Why Facts Don’t Always Change Minds
(effectiviology.com)
2022-06-25
The Rhyme-as-Reason Effect: Why Rhyming Makes Messages Mo...
(effectiviology.com)
2022-06-23
How to Ask for a Raise, According to a Hostage Negotiator
(www.theatlantic.com)
2022-06-22
Small Actions Make Great Leaders
(hbr.org)
2022-06-15
A history of the smile through art, culture and etiquette...
(aeon.co)
2022-06-15
Luck Surface Area: How to Get Lucky In Life - Frontera
(fronterablog.com)
2022-06-12
Negotiate Like A Car Salesman: 5 Tactics To Help You Win ...
(www.fastcompany.com)
2022-06-11
The Greatest Privilege We Hardly Talk About: Beauty
(medium.com)
2022-06-07
Leading Cross-Functional Teams
(www.kennorton.com)
2022-06-07
The Surprising Way to Be More Effective at Storytelling
(www.inc.com)
2022-06-07
The Engineering of the Chain Restaurant Menu
(www.theatlantic.com)
2022-06-07
How to harness employees’ emotional energy
(www.strategy-business.com)
2022-06-03
What’s Your Listening Style?
(hbr.org)
2022-06-01
Nonverbal comms types
(i.redd.it)
2022-05-30
The Technium: 103 Bits of Advice I Wish I Had Known
(kk.org)
2022-05-28
Learn Street Epistemology To Deal With Difficult People a...
(codecapsule.com)
2022-05-19
What It Really Means to Be Successful: Our Favorite Reads
(t.co)
2022-04-13
The Endgames of Bad Faith Communication
(consilienceproject.org)
2022-01-29
UX Crash Course: User Psychology
(thehipperelement.com)
2022-01-15
The Secret Ingredient of Thriving Companies? Human Magic.
(hbr.org)
2022-01-13
My Favorite Liar
(zenmoments.org)
2022-01-09
The Dirty Work of Cleaning Online Reputations | The Walrus
(thewalrus.ca)
2022-01-09
The rise of performative work
(www.economist.com)
2021-12-27
The Four Desires Driving All Human Behavior: Bertrand Rus...
(www.themarginalian.org)
2021-12-23
Most Read Articles of 2021
(behavioralscientist.org)
2021-12-15
The Power of Audience-Centered Storytelling | Bill Carmod...
(youtube.com)
2021-12-13
How to Give the Gift of Generative Thinking
(betterhumans.pub)
2021-11-29
Brainwashing has a grim history that we shouldn’t dismiss...
(psyche.us5.list-manage.com)
2021-11-23
How to Ask for Feedback
(www.samjulien.com)
2021-11-03
Kant’s Categorical Imperative: Act the Way You Want Other...
(effectiviology.com)
2021-10-29
The Founder’s Guide to Discipline: Lessons from Front’s M...
(review.firstround.com)
2021-10-16
‘Give away your Legos’ and other commandments for scaling...
(review.firstround.com)
2021-10-08
How to Get Someone to Tell You Their Secrets, According t...
(lifehacker.com)
2021-10-08
The Skill of Org Design
(commoncog.com)
2021-10-01
The Ultimate Guide to Running Executive Meetings — 25 Tip...
(review.firstround.com)
2021-08-22
How to Deliver Constructive Feedback in Difficult Situations
(productivityhub.org)
2021-08-17
How to Change Anyone’s Mind in Business Without Persuadin...
(getpocket.com)
2021-07-17
Assertiveness is a virtue that anyone can develop with pr...
(psyche.co)
2021-07-17
How to Become a Master at Talking to Strangers
(www.entrepreneur.com)
2021-07-13
The 10 Must-Read Psychology Books Every Human Being Shoul...
(durmonski.com)
2021-06-22
http://www.collaborativefund.com/blog/hard/
(www.collaborativefund.com)
2021-06-17
Why People Fall For Conspiracy Theories
(fivethirtyeight.com)
2021-06-05
Dunning-Kruger meets fake news | Ars Technica
(arstechnica.com)
2021-05-31
One simple way to build someone’s confidence: Ask for the...
(ideas.ted.com)
2021-05-30
Folk Festival a success, but students in short supply
(www.chicagomaroon.com)
2021-05-27
How to Quietly Get People’s Attention in a Noisy World
(link.medium.com)
2021-05-18
Fierce Nerds
(paulgraham.com)
2021-05-18
Bullshit and Intelligence
(theness.com)
2021-04-30
How to sound more attractive
(www.bbc.com)
2021-04-30
The Six Keys to Positive Communication
(greatergood.berkeley.edu)
2021-04-30
How to | How to write cold emails to investors – lessons ...
(www.flowrite.com)
2021-04-18
These 7 phrases can help you sound more powerful at work ...
(www.fastcompany.com)
2021-04-18
Find the Right Words to Inspire Your Team
(hbr.org)
2021-04-13
When Red Means “Go”: Color and Cultural Reactance in Risk...
(www.behavioraleconomics.com)
2021-04-02
A Simple Tip for Staying Assertive in Emotional Conversat...
(getpocket.com)
2021-03-29
What You’re Saying When You Give Someone the Silent Treat...
(www.theatlantic.com)
2021-03-21
5 phrases to use to improve your emotional intelligence a...
(www.businessinsider.com)
2021-02-20
Persuading the Unpersuadable
(hbr.org)
2021-02-18
Sarcasm Spurs Creative Thinking
(getpocket.com)
2021-01-31
The Science of Changing Someone's Mind
(www.nytimes.com)
2021-01-31
To Counteract Propaganda, We Should Look to Lessons from ...
(getpocket.com)
2021-01-30
Carl Braun on Communicating Like a Grown-Up
(www.farnamstreetblog.com)
2021-01-25
How to Talk to People You Disagree With
(getpocket.com)
2020-11-03
Memos
(sriramk.com)
2020-10-20
How to Win an Argument (at the U.S. Supreme Court, or Any...
(www.openculture.com)
2020-08-10
Ways to Get People to Do Things They Don’t Want to Do
(getpocket.com)
2020-03-09
Opinion | Are You an Anti-Influencer? (Published 2020)
(www.nytimes.com)
2020-02-19
Quotes and Lessons about Strategy from Machiavelli’s “The...
(effectiviology.com)
2020-01-05
What Big History Says About How Royal Women Exercise Power
(getpocket.com)
2019-12-31
The Charisma Effect
(getpocket.com)
2019-12-31
‘Would You Be Willing?’: Words to Turn a Conversation Aro...
(getpocket.com)
2019-12-23
The Art of Persuasion Hasn’t Changed in 2,000 Years
(hbr.org)
2019-12-23
delivery.php
(poseidon01.ssrn.com)
2019-12-23
The psychology of gift giving
(nesslabs.com)
2019-12-15
The Surprising Psychology of Dieting and Plate Design
(getpocket.com)
2019-12-05
Ethos, Pathos, Logos: how to persuade people
(nesslabs.com)
2019-11-10
It’s Not Enough to Be Right. You Also Have to Be Kind.
(link.medium.com)
2019-10-18
Interested in improving your relationships? Try Nonviolen...
(www.clearerthinking.org)
2019-09-30
How to Get Ahead When Your Boss Doesn’t Have Influence
(hbr.org)
2019-09-24
Why influence is such a powerful persuader
(www.bbc.com)
2019-08-30
How to Introvert | Less Penguiny
(www.lesspenguiny.com)
2019-08-30
7 Strategies for Establishing Authority
(medium.com)
2019-08-29
Strawman Arguments: What They Are and How to Counter Them
(effectiviology.com)
2019-08-29
The Strategic Advantage of Being a Small Fish – Effectivi...
(effectiviology.com)
2019-08-24
How to Write Email with Military Precision
(getpocket.com)
2019-03-22
15 Steps to Understand & Influence User Behavior: A Deep ...
(ui-patterns.us10.list-manage.com)
2019-03-12
4-Part Nonviolent Communication (NVC) - PuddleDancer Press
(www.nonviolentcommunication.com)
2019-01-11
Creating a useful spec
(seths.blog)
2019-01-07
How To Get Precisely What You Want
(medium.com)
2018-11-26
The life-changing art of asking instead of telling
(qz.com)
2018-01-27
How your supermarket manipulates you
(www.bbc.com)
2007-09-24
The Surprising Benefits of Gossip
(www.scientificamerican.com)
2007-09-24
Gossip and competitive altruism support cooperation in a ...
(royalsocietypublishing.org)
-->
music (all)
categories:
tags:
music
date: 30 Mar 2025
slug:raindrop-algorithms-math-all
(www.nytimes.com)
2025-03-07
The Wizard of Vinyl Is in Kansas
(www.nytimes.com)
2025-02-18
Her Greatest Hits
(longreads.com)
2025-02-17
Seen
(youtu.be)
2025-02-17
Clifford Brown & Max Roach (1956) [WHAT IS THIS THING CAL...
(youtu.be)
2025-02-16
I just discovered this guy. Holy smokes. : r/Jazz
(www.reddit.com)
2025-02-15
Jazz recommendations : r/Jazz
(www.reddit.com)
2025-02-15
Jazz OTD: Though unreleased for a couple of years after i...
(bsky.app)
2025-02-15
Jazz OTD: The subtitle of "Friends and Neighbors" is pote...
(bsky.app)
2025-02-15
Early start for Jazz OTD: Pianist Freddie Redd composed t...
(bsky.app)
2025-02-15
Jazz OTD: Trumpeter Johnny Coles penned this tune, record...
(bsky.app)
2025-02-08
When Louis Armstrong Conquered Chicago
(www.honest-broker.com)
2025-02-03
If I wanted to close my eyes and put on a live album that...
(www.reddit.com)
2025-01-31
Reply with a 10/10 album
(www.reddit.com)
2025-01-29
The Grammy nominee you need to hear: Esperanza Spalding :...
(www.npr.org)
2025-01-29
Jump, Jive and Fail: The ’90s Swing Craze
(slate.com)
2025-01-27
David Leheny (@davidleheny.bsky.social)
(bsky.app)
2025-01-21
Song Hunter: The Life of Alan Lomax
(www.thecollector.com)
2025-01-19
Spotify, TikTok and 50 More Great Articles about Music
(open.substack.com)
2025-01-19
How Jukeboxes Made Memphis Music
(oxfordamerican.org)
2025-01-12
The 30 Best Dream Pop Albums
(pitchfork.com)
2025-01-08
5 Minutes That Will Make You Love Jazz Guitar
(www.nytimes.com)
2024-11-29
The Most Iconic Hip-Hop Sample of Every Year (1973–2023)
(www.openculture.com)
2024-11-25
Blue Note 4000 series - jazz album covers
(www.birkajazz.se)
2024-11-25
American Routes Shortcuts: Bessie Smith
(www.wwno.org)
2024-10-29
AllMusic's Favorite Actually Scary Albums
(www.allmusic.com)
2024-10-20
The year of the music licensing legal wars
(www.theverge.com)
2024-10-15
Hidden Patterns in Folk Songs Reveal How Music Evolved
(www.scientificamerican.com)
2024-09-24
How Midland’s “Drinkin’ Problem” Became a Texas Standard ...
(www.texasmonthly.com)
2024-06-19
Name a song that instantly raises a person's "cool factor...
(www.reddit.com)
2024-06-16
Best Music and Albums of All Time
(www.metacritic.com)
2024-06-14
Listen to 8 Songs From the Bewitching Françoise Hardy
(www.nytimes.com)
2024-06-07
T Bone Burnett tackles an old childhood nightmare on 'The...
(www.npr.org)
2024-05-11
Why We Love Music
(greatergood.berkeley.edu)
2024-05-04
Pittsburgh’s indie & classic rock music station
(www.wyep.org)
2024-04-19
St. Vincent Dives Headfirst Into the Darkness
(www.nytimes.com)
2024-04-18
ChillsDB: an open-source database of chills-inducing stimuli
(dataverse.harvard.edu)
2024-04-11
How Khruangbin’s Sound Became the New Mood Music
(www.nytimes.com)
2024-04-10
Slow Listening: Dive Into These Independent Radio Station...
(www.soundoflife.com)
2024-04-05
Tommy Emmanuel shows off his 'fearless' fingerpicking gui...
(www.npr.org)
2024-04-04
The Streaming Purge Has Started As Deezer Deletes 26 Mill...
(music3point0.com)
2024-04-03
A Lotta Love to Give: The Brilliant Voice and Too-Short L...
(getpocket.com)
2024-04-03
Leonard Cohen’s ‘Hallelujah’ Belongs to Everyone
(www.theatlantic.com)
2024-03-27
Why Some Songs Makes Everyone Want to Dance
(www.scientificamerican.com)
2024-03-27
3 Surprising Hit Song Trends That No One Expected
(music3point0.com)
2024-03-19
Spotify API: How To Create a Data Set of Songs
(dev.to)
2024-03-08
The Black Crowes Are Back, and Bygones Are Bygones
(www.nytimes.com)
2024-03-05
Excerpt: James Kaplan's '3 Shades of Blue' Chronicling Mi...
(www.esquire.com)
2024-03-05
Lost Highways
(wvpublic.org)
2024-03-01
The Risk at the Heart of Live Music
(www.theatlantic.com)
2024-02-29
Cassettes Are Back Again, But In A Big Way In Japan
(music3point0.com)
2024-02-29
The revolutionary spirit of Soul Train
(www.vox.com)
2024-02-29
Flop rock: inside the underground floppy disk music scene
(www.theverge.com)
2024-02-29
Let Everybody Sing
(bittersoutherner.com)
2024-02-22
‘There’s endless choice, but you’re not listening’: fans ...
(www.theguardian.com)
2024-02-18
Punk Dulcimer: Hear The Ramones’ “I Wanna Be Sedated” Pla...
(www.openculture.com)
2024-02-10
Music Machinery | a blog about music technology by Paul L...
(musicmachinery.com)
2024-02-07
Taylor Swift Is Off TikTok: Why Universal Music Pulled It...
(www.bloomberg.com)
2024-01-27
Sarah Jarosz Tests the Mainstream
(www.nytimes.com)
2024-01-24
Public Radio's Feel Good Hits Of 2023
(www.npr.org)
2024-01-18
The Weird, Enduring Appeal of Tool
(www.newyorker.com)
2024-01-17
Home
(redpaden.com)
2024-01-16
We Got the Beat
(longreads.com)
2023-12-29
UPCOMING JUKE JOINT FESTIVAL DATES
(jukejointfestival.com)
2023-10-16
Nanci Griffith’s Lone Star State of Mind
(www.newyorker.com)
2023-10-15
Give me a song. Anything please
(reddit.com)
2023-09-27
Your Followers are not Your Fans
(open.substack.com)
2023-08-24
How to break free of Spotify’s algorithm
(www.technologyreview.com)
2023-08-22
Crime Jazz: How Miles Davis, Count Basie & Duke Ellington...
(www.openculture.com)
2023-08-22
Why nobody got paid for one of the most sampled sounds in...
(thehustle.co)
2023-08-19
The 50 Best Movie Soundtracks of the Past 50 Years
(www.theringer.com)
2023-08-01
“Blurred Lines,” Harbinger of Doom
(pitchfork.com)
2023-07-26
Why so many brands use sound to make you buy stuff
(thehustle.co)
2023-07-24
The Handsome Family, 'Joseph'
(www.npr.org)
2023-07-22
Newly unearthed 1974 session by Clifford Jordan is a stri...
(www.npr.org)
2023-07-18
Country Music’s Culture Wars and the Remaking of Nashville
(www.newyorker.com)
2023-07-05
The history of the American anthem 'Will the Circle Be Un...
(www.npr.org)
2023-06-13
The Art of Leadership: Lessons from Art Blakey
(albertcory50.substack.com)
2023-06-12
The Case for and Against Ed Sheeran
(www.newyorker.com)
2023-06-01
The Complete Collection Of MTV’s Headbangers Ball: Watch ...
(www.openculture.com)
2023-05-31
The Secret Sound of Stax
(www.newyorker.com)
2023-05-28
Steve Jobs, Rick Rubin and "taste"
(trungphan.substack.com)
2023-05-28
Get started
(learningmusic.ableton.com)
2023-05-08
In a Baltimore basement, a jazz detective strikes gold
(www.npr.org)
2023-04-29
synthwave radio 🌌 - beats to chill/game to
(www.youtube.com)
2023-04-26
From Spotify to YouTube: How I Built a Python Script to C...
(dev.to)
2023-04-24
The Lost Music of Connie Converse
(newrepublic.com)
2023-04-18
Pianist Robert Glasper and Singer Samara Joy on Making Ja...
(www.harpersbazaar.com)
2023-04-15
The Otherworldly Compositions of an Ethiopian Nun
(www.newyorker.com)
2023-04-11
How our brains process music and why we like what we like...
(www.kcrw.com)
2023-04-10
The Ministers of the Lap-Steel Revival Tour
(www.newyorker.com)
2023-04-02
Natalie Merchant’s Lost American Songs
(www.newyorker.com)
2023-04-01
Musicians Amadou Bagayoko and Mariam Doumbia on their new...
(www.npr.org)
2023-03-30
Daisy Jones & the Six Wasn’t Only Inspired by Fleetwood Mac
(slate.com)
2023-03-27
David Sulzer’s Wild World of Music
(www.newyorker.com)
2023-03-24
These Are the Songs a High-End Audio Company Uses to Test...
(getpocket.com)
2023-03-24
The Gospel According to Mavis Staples
(www.newyorker.com)
2023-03-22
Meshell Ndegeocello (feat. Brandee Younger & Julius Rodri...
(www.npr.org)
2023-03-10
‘He was central to music history’: the forgotten legacy o...
(www.theguardian.com)
2023-03-07
The Long, Strange Trip of ‘Dark Side of the Moon,’ 50 Yea...
(www.theringer.com)
2023-03-04
TuneIn Explorer - Discover New Radio Stations & Songs fro...
(tunein.com)
2023-02-22
YouTube Music will let you make your own custom radio sta...
(www.theverge.com)
2023-02-09
Why People Skip Music? On Predicting Music Skips using De...
(arxiv.org)
2023-02-04
Maroofy
(maroofy.com)
2023-01-30
From Death Cab to the Grateful Dead, an Artist Reimagines...
(getpocket.com)
2023-01-27
The Man Who Fixes the World's Finest Violins
(www.chicagomag.com)
2023-01-26
Stream 385,000 Vintage 78 RPM Records at the Internet Arc...
(www.openculture.com)
2023-01-21
Rickie Lee Jones, 'Just in Time'
(www.npr.org)
2023-01-19
Famous fans say farewell to the B-52’s: ‘They got me to q...
(www.theguardian.com)
2022-12-26
Todd Rundgren, Renaissance Rocker
(www.newyorker.com)
2022-12-25
The Search for Guns N’ Roses’ Lost Masterpiece
(www.rollingstone.com)
2022-12-21
The Blues | PBS
(www.pbs.org)
2022-12-21
Incredible Afrobeat music from Mali / Boing Boing
(boingboing.net)
2022-12-21
HONK!TX - A Free Festival of Community Street Bands
(honktx.org)
2022-12-21
Festival/Event Calendar
(bluesfestivalguide.com)
2022-12-21
Stream 35 Hours of Classic Blues, Folk, & Bluegrass Recor...
(www.openculture.com)
2022-12-21
Massive Archive of 78RPM Records Now Digitized & Put Onli...
(www.openculture.com)
2022-12-21
Documentary: Louis Armstrong - Satchmo - The Big Picture
(ritholtz.com)
2022-12-21
Stream a 144-Hour Discography of Classic Jazz Recordings ...
(www.openculture.com)
2022-12-21
Enter the Cover Art Archive: A Massive Collection of 800,...
(www.openculture.com)
2022-12-21
Cover Art Archive / API
(musicbrainz.org)
2022-12-21
Neal's Sound File Collection
(www.barbneal.com)
2022-12-21
Complete List of Songs Used in Commercials by Apple, Sams...
(commercialsong.co)
2022-12-21
https://io9.gizmodo.com/the-top-100-science-fiction-theme...
(io9.gizmodo.com)
2022-12-21
Soundbreaking: Stories from the Cutting Edge of Recorded ...
(ritholtz.com)
2022-12-21
Why vinyl records survive in the digital age | Ars Technica
(arstechnica.com)
2022-12-21
Digital Music Couldn't Exist Without the Fourier Transform
(gizmodo.com)
2022-12-21
The 21 Best Hip-Hop Albums of the 21st Century
(www.digitalmusicnews.com)
2022-12-21
Someone Has Made 38 Hours of Playlists That Trace the Evo...
(noisey.vice.com)
2022-12-21
Learn violin - Freddie's Site
(violinfromscratch.com)
2022-12-21
How to Play the Violin
(www.wikihow.com)
2022-12-21
5 Excellent Free Software Options For Creating Music At H...
(www.hypebot.com)
2022-12-20
Terry Hall, singer with ska icons The Specials, dies at 63
(www.npr.org)
2022-12-19
The Best Roots Music of 2022
(www.npr.org)
2022-12-18
This 715-song playlist is scientifically verified to give...
(bigthink.com)
2022-12-18
The 100 Best Songs Of 2022 (20-1)
(www.npr.org)
2022-12-18
The 100 Best Songs Of 2022 (100-81)
(www.npr.org)
2022-12-10
Chill Lofi Afrobeats Music ★ African Lofi Study Mix - You...
(www.youtube.com)
2022-12-09
Bob Boilen's Favorite Music of 2022
(www.npr.org)
2022-12-06
Ann Powers' Top 20 Albums Of 2022
(www.npr.org)
2022-12-06
Best Southern Albums of 2022 — THE BITTER SOUTHERNER
(bittersoutherner.com)
2022-12-06
The 10 Best Rock Albums of 2022
(www.npr.org)
2022-12-04
Best Albums of 2022 (Published 2022)
(www.nytimes.com)
2022-12-04
10 Best Albums of 2022 | Songlines
(www.songlines.co.uk)
2022-12-02
How Led Zeppelin Came to Be
(www.rollingstone.com)
2022-11-28
The Enduring Metal Genius of Metallica
(www.newyorker.com)
2022-11-23
Why Do We Love the Music We Love?
(gizmodo.com)
2022-11-23
Why is China’s underground music scene so weird?
(faroutmagazine.co.uk)
2022-11-15
There's still no one like Santigold
(www.npr.org)
2022-11-15
Jewel-Box Heroes: Why the CD Revival Is Finally Here
(getpocket.com)
2022-11-07
The History of Jazz Visualized on a Circuit Diagram of a ...
(www.openculture.com)
2022-10-31
The Night Warren Zevon Left the ‘Late Show’ Building
(www.theringer.com)
2022-10-25
http://www.americanaboogie.com/radio/?fbclid=IwAR1BA6We3k...
(www.americanaboogie.com)
2022-10-25
Devo's Freedom of Choice: The Stories Behind 50 Rock Clas...
(www.allmusic.com)
2022-10-08
This trumpet-fueled walk-on song is professional baseball...
(www.npr.org)
2022-10-06
Solomun, the D.J. Who Keeps Ibiza Dancing
(www.newyorker.com)
2022-10-05
How Headphones Are Changing the Sound of Music
(getpocket.com)
2022-10-03
Coolio Was More Than “Gangsta’s Paradise”
(slate.com)
2022-10-02
How one of America’s last piano manufacturers stays alive
(thehustle.co)
2022-10-01
7 Lessons on Dynamic Pricing (Courtesy of Bruce Springsteen)
(hbr.org)
2022-09-29
Björk: Mother, Daughter, Force of Nature
(pitchfork.com)
2022-09-17
What’s your favorite rap song of all time?
(www.reddit.com)
2022-09-15
The 100 Greatest Albums of All Time
(consequence.net)
2022-09-05
PianoChord.io - Explore Piano Chords Freely
(pianochord.io)
2022-09-05
Why are D-sharp and E-flat considered to be two different...
(www.ethanhein.com)
2022-09-03
The 100 Greatest Country Albums of All Time
(www.rollingstone.com)
2022-08-31
The Neuroscience of Drumming: Researchers Discover the Se...
(www.openculture.com)
2022-08-24
Robert Plant and Alison Krauss on the secrets to aging gr...
(www.latimes.com)
2022-08-17
Willie Nelson’s Long Encore
(www.nytimes.com)
2022-08-15
Le bon temps continue to roll on Cajun radio in Southern ...
(www.npr.org)
2022-08-12
A Renaissance in American Hardcore Music
(www.nytimes.com)
2022-08-04
Five Minutes That Will Make You Love Duke Ellington
(www.nytimes.com)
2022-07-31
More Than a Feeling: A Blues Reading List
(longreads.com)
2022-07-30
The Dynamics of Exploration on Spotify - Spotify Research
(research.atspotify.com)
2022-07-30
A collection of bad album covers that are both hilarious ...
(rarehistoricalphotos.com)
2022-07-26
How the Brain Allows the Deaf to Experience Music
(nautil.us)
2022-07-19
the-economics-of-girl-talk
(priceonomics.com)
2022-07-18
Pursuing the Psychological Building Blocks of Music - Beh...
(behavioralscientist.org)
2022-07-18
Anatomy Of A Pirate
(www.businessinsider.com)
2022-07-18
Using Spotify to measure the popularity of older music
(pudding.cool)
2022-07-18
Piracy Is What Made Me, Says Ed Sheeran
(www.hypebot.com)
2022-07-18
Winamp’s woes: How the greatest MP3 player undid itself
(arstechnica.com)
2022-07-18
Crowd Patronage: How A 400 Year Old Model Can Save The Mu...
(bryank.im)
2022-07-18
The Art Of Playlist Stuffing - Music 3.0 Music Industry Blog
(music3point0.com)
2022-07-18
http://www.pakman.com/2014/03/18/the-price-of-music
(www.pakman.com)
2022-07-18
Art, Commerce, and Zamfir: Selling Music on TV
(www.neatorama.com)
2022-07-18
Why Do We Even Listen to New Music?
(pitchfork.com)
2022-07-14
Justin Timberlake And The AC/DC Rule
(www.npr.org)
2022-07-13
How Artists Get Paid From Streaming
(pudding.cool)
2022-07-06
How Much Does It Cost To Make A Hit Song?
(www.npr.org)
2022-07-05
The Dark Art of Mastering Music
(pitchfork.com)
2022-07-05
http://www.recode.net/2015/7/23/11615008/guess-whos-makin...
(www.recode.net)
2022-07-05
Is Music Universal?
(theness.com)
2022-07-04
Could This Be The End Of Hidden Ticket Charges For Concer...
(music3point0.com)
2022-07-03
‘More than a song’: the enduring power of Leonard Cohen’s...
(clicks.getpocket.com)
2022-07-02
Hacker News
(uxdesign.cc)
2022-06-28
How Much Is Michael Bolton Worth to You? (Published 2013)
(www.nytimes.com)
2022-06-26
Metadata is the biggest little problem plaguing the music...
(www.theverge.com)
2022-06-25
How CDBaby Built 20,000 Citations With One E-Mail
(searchengineland.com)
2022-06-25
AllMusic: The Story of the Big Data Jukebox
(tedium.co)
2022-06-24
RapGenius Growth Hack Exposed
(jmarbach.com)
2022-06-23
The Awkward Truth Behind Skip Rates
(www.hypebot.com)
2022-06-23
Full Stack Music: 1 Trillion Streams, 200 Million Tickets...
(techcrunch.com)
2022-06-23
The Dark Science of Pop Music
(www.theatlantic.com)
2022-06-23
Tidal and the Future of Music
(stratechery.com)
2022-06-23
Show your musical taste with data: The best analytics too...
(dataconomy.com)
2022-06-21
Why Captain Beefheart’s ‘Trout Mask Replica’ Still Sounds...
(getpocket.com)
2022-06-21
A History of Rock Music in 500 Songs
(500songs.com)
2022-06-11
How a Saxophonist Tricked the KGB by Encrypting Secrets i...
(www.wired.com)
2022-06-11
Melody Angel is Big Mama Thornton-meets-Hendrix and Chica...
(www.wbez.org)
2022-06-10
Record Labels Dig Their Own Grave. And the Shovel is Call...
(tedgioia.substack.com)
2022-06-04
Bootsy Collins, positively helping to keep the funk alive
(www.npr.org)
2022-06-02
The Obsessive World of Digital Music Collectors
(pitchfork.com)
2022-06-01
Like The Linda Lindas, this teen girl band in Benin makes...
(www.npr.org)
2022-05-31
All 340 Bruce Springsteen Songs, Ranked
(www.vulture.com)
2022-05-12
‘People took so many drugs, they forgot they played on it...
(www.theguardian.com)
2022-05-10
The Untold Story of the White House’s Weirdly Hip Record ...
(www.washingtonian.com)
2022-04-16
Why We Remember Music and Forget Everything Else
(time.com)
2022-04-14
‘Oscar Peterson: Black + White’ Review: A Giant of Jazz P...
(www.wsj.com)
2022-04-12
How does Shazam work? Music Recognition Algorithms, Finge...
(www.toptal.com)
2022-04-09
The Legend of the Music Tree
(www.smithsonianmag.com)
2022-03-28
All The Music: the Megamix
(www.royvanrijn.com)
2022-03-16
https://www.dataisnature.com/?p=596
(www.dataisnature.com)
2022-03-15
Tibetan Musical Notation Is Beautiful
(www.openculture.com)
2022-03-13
One of the Greatest Movies About Jazz
(www.newyorker.com)
2022-02-24
How Hip-Hop Is Becoming the Oldies (Published 2015)
(www.nytimes.com)
2022-02-20
A Quest to Return the Banjo to Its African Roots
(getpocket.com)
2022-02-18
How a jazz legend's resting place was lost and found, 50 ...
(www.npr.org)
2022-02-18
Irma Thomas, a Soul Queen Far Beyond New Orleans
(www.nytimes.com)
2022-02-18
Did jazz forget about Oscar Peterson?
(www.mic.com)
2022-02-16
How the Riot Grrrl Movement Created a Revolution in Rock ...
(www.openculture.com)
2022-02-16
Beyond Rumours: Building a Fleetwood Mac Record Collection
(www.allmusic.com)
2022-02-13
Opinion | The depressing final act of Eric Clapton
(www.nbcnews.com)
2022-02-08
The economics of Spotify
(thehustle.co)
2022-01-29
Led Zeppelin Gets Into Your Soul
(www.newyorker.com)
2022-01-26
Elvis Costello’s Aim Remains True, 32 Albums In
(www.vulture.com)
2022-01-21
Dun, Dun Duuun! Where did pop culture’s most dramatic sou...
(www.theguardian.com)
2022-01-20
Is Old Music Killing New Music? - by Ted Gioia
(tedgioia.substack.com)
2022-01-16
record label t shirts - Google Search
(www.google.com)
2022-01-16
Your Shopping Cart – 88strong
(88strong.com)
2022-01-16
'STAX' Men's T-Shirt | Spreadshirt
(www.spreadshirt.com)
2022-01-16
Bluebird Records Logo T-Shirt - Classic Heavy Cotton
(www.bluescentric.com)
2022-01-13
The Boy Named If by Elvis Costello & the Imposters
(www.metacritic.com)
2022-01-05
75 Post-Punk and Hardcore Concerts from the 1980s Have Be...
(www.openculture.com)
2021-12-29
The Greatest Guitar Solos of All Time
(email.getpocket.com)
2021-12-20
Neuroscience: Music, silence, and prediction
(www.medicalnewstoday.com)
2021-12-09
Best Jazz Albums of 2021
(www.nytimes.com)
2021-12-01
CD box sets are wonderful
(smackeyacky.blogspot.com)
2021-11-29
How an American in Paris won the rarest of French honors
(www.latimes.com)
2021-11-29
The Complete History of the Kings and Queens of New York Rap
(www.theringer.com)
2021-11-29
The Vinyl Renaissance: Take Those Old Records Off the Shelf
(hbswk.hbs.edu)
2021-11-08
Brain Damage Saved His Music - Issue 20: Creativity - Nau...
(nautil.us)
2021-11-04
"A Great Day In Harlem": Remembering the iconic 1958 phot...
(www.cbsnews.com)
2021-11-03
The Awe-Inspiring But Tragic Story of Africa’s Festival I...
(www.openculture.com)
2021-11-03
How Bionic Gloves Gave a Maestro Pianist His Hands Back
(www.gq.com)
2021-10-27
The vinyl straw: Why the vinyl industry is at breaking po...
(mixmag.net)
2021-10-24
Researchers analyzed 700-plus songs known to give people ...
(qz.com)
2021-10-18
DUNE Official Soundtrack | Full Album - Hans Zimmer | Wat...
(www.youtube.com)
2021-09-04
Smithsonian Anthology of Hip-Hop and Rap | Smithsonian Fo...
(folkways.si.edu)
2021-09-03
At an Old Juke Joint in Mississippi, the Blues Are Alive ...
(www.smithsonianmag.com)
2021-08-24
Chris and Rich Robinson swore never to speak again. But f...
(www.latimes.com)
2021-08-21
The beautiful world of heavy metal
(unherd.com)
2021-08-16
On Air with the Greatest Radio Station in the World
(www.newyorker.com)
2021-08-12
Hit songs rely on increasing “harmonic surprise” to hook ...
(arstechnica.com)
2021-08-09
Paul Thorn Brings A Softer Touch To A Rough Patch On 'Nev...
(www.npr.org)
2021-07-25
Christone 'Kingfish' Ingram Reflects On Leaving – And Sha...
(www.npr.org)
2021-07-22
How Yola Got Her Groove Back: Why America is Falling for ...
(variety.com)
2021-07-18
A Peek Inside the World's Greatest Record Store
(www.smithsonianmag.com)
2021-06-24
iPod.js
(tannerv.com)
2021-06-20
Her Kind Of Blue: Joni Mitchell's Masterpiece At 50
(www.npr.org)
2021-06-19
https://samenright.com/2021/06/06/a-beginners-guide-to-mi...
(samenright.com)
2021-06-15
https://www.spin.com/featured/best-record-stores-in-unite...
(www.spin.com)
2021-06-13
James McMurtry Announces First Album in Six Years - No De...
(www.nodepression.com)
2021-06-04
Narratively | Substack
(t.co)
2021-05-29
How SoundScan Changed Everything We Knew About Popular Music
(www.theringer.com)
2021-05-25
Watch 1000 Musicians Play the Foo Fighters’ “Learn to Fly...
(www.openculture.com)
2021-05-24
Machine learning and recommender systems using your own S...
(link.medium.com)
2021-05-12
How TikTok Chooses Which Songs Go Viral
(email.getpocket.com)
2021-05-10
The Case Against the Eagles
(www.theringer.com)
2021-04-28
Spotify Genre Classification Algorithm
(towardsdatascience.com)
2021-04-28
Why Don’t Some TV Shows Sound the Way They Used To? (Publ...
(www.nytimes.com)
2021-04-20
Basic Music Theory in ~200 Lines of Python
(www.mvanga.com)
2021-04-18
15 Years of Spotify: How the Streaming Giant Has Changed ...
(variety.com)
2021-04-12
The Real Book - 99% Invisible
(99percentinvisible.org)
2021-04-10
Neuroscience may have a part in why you're playing Taylor...
(massivesci.com)
2021-04-03
Every Noise at Once
(everynoise.com)
2021-03-28
Measure Your Record Release Campaign With These Key Perfo...
(music3point0.com)
2021-03-28
Conscripted Into The Emperor’s Private Orchestra
(getpocket.com)
2021-03-25
The Lost Prince of Yacht Rock
(narratively.com)
2021-03-20
You don’t know the half of it: The family that gave us An...
(theundefeated.com)
2021-03-19
How Freddie Gibbs Beat the Odds to Reach the Mountaintop
(www.theringer.com)
2021-03-16
Mass Hipgnosis | Rich Woodall
(thebaffler.com)
2021-03-14
Elton John sings an oven instruction manual
(www.reddit.com)
2021-03-14
I.R.S. Records | Retro Music Apparel | Old School Shirts
(oldschoolshirts.com)
2021-03-10
How Douyin Is Killing the Chinese Pop Star
(www.sixthtone.com)
2021-02-12
Dissecting the Bloodthirsty Bliss of Death Metal
(getpocket.com)
2021-02-01
Playlist: Haitian Rhythms And The Music Of New Orleans
(www.npr.org)
2021-01-31
Heavy Rotation: 20 Songs Public Radio Can't Stop Playing
(www.npr.org)
2021-01-24
How to build a music recommender system.
(towardsdatascience.com)
2021-01-22
This ‘hillbilly madman’ is country music royalty. So why ...
(www.washingtonpost.com)
2021-01-20
Neil Peart: Rush Drummer's Bold Life and Brave Final Year...
(www.rollingstone.com)
2021-01-19
Lose the earbuds. Ditch the phone. How to get the most ou...
(www.latimes.com)
2021-01-10
Music That Moves From Despair To Hope : Alt.Latino : NPR
(www.npr.org)
2021-01-02
What band were you slow to realize was awesome? As in, yo...
(www.reddit.com)
2020-12-26
The Proving Grounds: Charley Crockett and the Story of De...
(longreads.com)
2020-12-26
Album Premiere: Whitney Rose, ‘Rule 62’
(www.allmusic.com)
2020-12-25
How to Record Streaming Audio with Audacity - Digital Ins...
(www.labnol.org)
2020-12-25
Google Play Music is no longer available
(play.google.com)
2020-12-25
The 50 Best Ambient Albums of All Time | Pitchfork
(pitchfork.com)
2020-12-25
Generative.fm – Endless ambient music generators
(generative.fm)
2020-12-25
Music-Map - The Tourist Map of Music
(www.music-map.com)
2020-12-25
Amazon.com: Songs from the Attic: Vintage Music for Moder...
(www.amazon.com)
2020-12-25
Benjamin Booker - Benjamin Booker | Songs, Reviews, Credi...
(www.allmusic.com)
2020-12-24
News
(slate.com)
2020-12-17
WMMusic [Mali] Amadou & Mariam - Magossa
(www.reddit.com)
2020-12-11
Museum of bad album covers: the worst album covers ever!
(www.zonicweb.net)
2020-12-10
Longreads Best of 2020: Music Writing
(longreads.com)
2020-12-10
We Will Always Love You by The Avalanches
(www.metacritic.com)
2020-12-10
'I'm a song catcher': 60 years of Arhoolie Records, the l...
(www.theguardian.com)
2020-12-10
The 100 Best Songs Of 2020
(www.npr.org)
2020-12-10
Best Songs of 2020
(www.nytimes.com)
2020-12-10
AllMusic’s Best of 2020
(www.allmusic.com)
2020-12-10
Best Southern Albums of 2020 — THE BITTER SOUTHERNER
(bittersoutherner.com)
2020-12-10
Bob Boilen's 40 Favorite Songs Of 2020
(www.npr.org)
2020-12-03
The 100 Best Songs Of 2020
(www.npr.org)
2020-12-03
https://thekey.xpn.org/2020/12/02/wxpn-best-of-2020-albums/
(thekey.xpn.org)
2020-12-01
Blackbirds by Bettye LaVette
(www.metacritic.com)
2020-11-30
Patti LaBelle, the Doyenne of Philadelphia Soul
(www.nytimes.com)
2020-11-29
The Mavericks Are Back, This Time 'En Español'
(www.npr.org)
2020-11-29
Sister Rosetta Tharpe: Electric Guitar Pioneer
(longreads.com)
2020-11-29
This Record Deal Simulator Shows If Your Deal Is Good Or Bad
(music3point0.com)
2020-11-22
Why Is An Obscure B-Side Pavement's Top Song On Spotify? ...
(www.stereogum.com)
2020-11-21
$5 gigs, not $10m deals: the story of US punk label Disch...
(www.theguardian.com)
2020-11-17
Nina Simone: Her Art and Life in 33 Songs
(pitchfork.com)
2020-11-11
How ‘You Shook Me All Night Long’ Went From a Laddish Sex...
(melmagazine.com)
2020-11-10
(66) Achilles Last Stand (Remaster) - YouTube
(www.youtube.com)
2020-11-10
The ALL-REQUEST SATURDAY AFTERNOON On WXPN
(open.spotify.com)
2020-11-03
Listen to 53 glorious seconds of new AC/DC single Demon Fire
(www.loudersound.com)
2020-11-03
American Routes Shortcuts: Max Baca
(www.wwno.org)
2020-11-03
Shelved: Pink Floyd's Household Objects - Longreads
(longreads.com)
2020-11-03
The Art of Clearing A Sample: Deciding If It’s Worth It a...
(blog.symphonicdistribution.com)
2020-11-02
Nicholas Spice · How to play the piano
(www.lrb.co.uk)
2020-11-02
Kingfish: Tiny Desk (Home) Concert
(www.npr.org)
2020-11-02
Best Music and Albums for 2024
(www.metacritic.com)
2020-11-02
How to Listen to Radio Stations From Around the World
(www.nytimes.com)
2020-10-20
All Personal Feeds
(feedproxy.google.com)
2020-10-16
Google introduces song matching via humming, whistling or...
(techcrunch.com)
2020-10-08
The Funkiest, Most Memorable Bass Riffs Ever: A Playlist
(www.npr.org)
2020-10-07
‘Streaming farms’ are Spotify’s newest credibility problem
(thehustle.co)
2020-09-23
Music piracy hasn’t gone away – it’s just changed shape -...
(www.musicbusinessworldwide.com)
2020-09-16
Groovy Findings: Researching How and Why Music Moves You
(getpocket.com)
2020-08-20
Bikini Kill Is Still Influencing Today's Punk Scene
(getpocket.com)
2020-08-14
WTF is Triller?
(digiday.com)
2020-08-10
𝗠𝗘𝗧𝗔𝗟𝗟𝗜𝗖𝗔 - 𝗘𝗡𝗧𝗘𝗥 𝗦𝗔𝗡𝗗𝗠𝗔𝗡 - 𝟱𝟬𝟬 𝗺𝘂𝘀𝗶𝗰𝗶𝗮𝗻𝘀 - The biggest r...
(www.youtube.com)
2020-08-08
Aretha Franklin - Think (feat. The Blues Brothers) - 1080...
(www.youtube.com)
2020-08-08
Dan Aykroyd and John Landis: how we made The Blues Brothers
(www.theguardian.com)
2020-07-27
12 Forgotten Classics by Women-Led New Wave Bands (Publis...
(www.nytimes.com)
2020-07-26
Hate for Sale by Pretenders
(www.metacritic.com)
2020-07-22
Comprehensive list of 65 free and open source music produ...
(midination.com)
2020-07-18
𝗠𝗘𝗧𝗔𝗟𝗟𝗜𝗖𝗔 - 𝗘𝗡𝗧𝗘𝗥 𝗦𝗔𝗡𝗗𝗠𝗔𝗡 - 𝟱𝟬𝟬 𝗺𝘂𝘀𝗶𝗰𝗶𝗮𝗻𝘀 - The biggest r...
(youtu.be)
2020-07-16
Mozart in the Jungle | Grove Atlantic
(groveatlantic.com)
2020-06-10
Leonard Cohen: Remembering the Life and Legacy of the Poe...
(getpocket.com)
2020-06-03
How Run the Jewels Became Hip-Hop’s Most Intense Truth-Te...
(getpocket.com)
2020-06-02
The New American Songbook
(getpocket.com)
2020-06-01
Wynton Marsalis on 12 Essential Jazz Recordings
(getpocket.com)
2020-06-01
The Greatest Creative Run in the History of Popular Music
(getpocket.com)
2020-06-01
Guitar Decomposed: 5. Mutating the Third
(bartoszmilewski.com)
2020-05-28
Spotify’s removed its 10K library limit — but it won’t re...
(thenextweb.com)
2020-05-27
WAV to MP3 (Online & Free) — Convertio
(convertio.co)
2020-05-19
The Big Man Behind 'Shake, Rattle And Roll'
(www.npr.org)
2020-05-19
Physical Product Is Still The Chink In The Armor Of The R...
(music3point0.com)
2020-05-19
Shelved: The Misfits’s 12 Hits From Hell
(longreads.com)
2020-05-17
KEXP Show Schedule
(www.kexp.org)
2020-05-16
On the Shoulders of Giants — THE BITTER SOUTHERNER
(bittersoutherner.com)
2020-05-15
LISTEN: A Classic Leon Redbone Set from 1990
(wvpn.drupal.publicbroadcasting.net)
2020-05-09
The Rough Guide To Mali Blues
(worldmusic.net)
2020-05-01
Gregg Allman: The Wild Times, Lost Years and Rebirth of a...
(getpocket.com)
2020-04-29
Rodrigo y Gabriela: Tiny Desk (Home) Concert
(www.npr.org)
2020-04-24
Lucinda Williams: A Guide To Her Best Songs : NPR
(www.npr.org)
2020-04-24
10 Women in Jazz Who Never Got Their Due
(www.nytimes.com)
2020-04-22
The world's a mess, and X is back
(www.latimes.com)
2020-04-19
AllMusic is being updated. | Music Search, Recommendation...
(www.allmusic.com)
2020-04-17
How to Export Spotify Playlist to Excel CSV or Text File?...
(www.sidify.com)
2020-04-15
Rare Grooves on Vinyl from Around the World: Hear Curated...
(www.openculture.com)
2020-04-15
A Playlist of Songs to Get You Through Hard Times: Stream...
(www.openculture.com)
2020-04-09
Inside the Life of John Prine, the Mark Twain of American...
(getpocket.com)
2020-04-08
dig.ccMixter Home
(dig.ccmixter.org)
2020-04-03
Live Sessions
(livesessions.npr.org)
2020-04-01
L
(trib.al)
2020-04-01
Austin Shop — The Continental Club
(continentalclub.com)
2020-03-31
https://www.youtube.com/watch?v=LwsKpi9SIdk
(www.youtube.com)
2020-03-29
Where did all the saxophones go?
(getpocket.com)
2020-03-11
Forget Eileen: Ted Leo On The Unsung Greatness Of Dexys M...
(www.npr.org)
2020-03-09
Musicians Algorithmically Generate Every Possible Melody,...
(entertainment.slashdot.org)
2020-03-03
https://www.fleurtygirl.net/tee-jolly-louis.html
(www.fleurtygirl.net)
2020-02-25
‘The Whole System Collapsed’: Inside the Music Industry’s...
(www.rollingstone.com)
2020-02-25
(33) Tinariwen ( IO:I) - Sastanàqqàm - YouTube
(www.youtube.com)
2020-02-20
Louis Armstrong, the King of Queens
(www.nytimes.com)
2020-02-19
The 25 biggest gameday bangers of the decade, ranked
(www.sbnation.com)
2020-02-19
Electric Six - Danger! High Voltage [Funk Rock]
(www.reddit.com)
2020-02-19
The World's favorite albums of 2019 - The World from PRX
(www.pri.org)
2020-02-19
The Past Year, And Decade, In Music Listening: Video Rule...
(www.npr.org)
2020-02-19
Playlist | The Complete Miles Davis: Birth of the Cool So...
(www.pbs.org)
2020-02-19
Want to Get Into Jazz? Listen to These 10 Albums First
(www.artofmanliness.com)
2020-02-18
The Number Ones: The Knack’s “My Sharona”
(www.stereogum.com)
2020-02-12
Stream Christone 'Kingfish' Ingram's Scorching Kiss-Off, ...
(www.npr.org)
2020-02-01
The Great Heavy Metal Hoax
(getpocket.com)
2020-01-05
The Night the Music Died
(getpocket.com)
2020-01-01
In the Jungle: Inside the Long, Hidden Genealogy of ‘The ...
(getpocket.com)
2019-12-23
Jenny And The Mexicats: Tiny Desk Concert : NPR
(www.npr.org)
2019-12-23
Encore by The Specials
(www.metacritic.com)
2019-12-23
Scale Heaven
(scale-heaven.com)
2019-12-23
Qobuz - Unlimited high quality streaming (Ireland)
(web.musicaficionado.com)
2019-12-23
An MRI Shows How a Singer Sings Two Tones at Once (With t...
(www.openculture.com)
2019-12-23
The wonderful world of Chinese hi-fi
(www.theverge.com)
2019-12-23
AMERICAN ROUTES
(americanroutes.org)
2019-12-23
The 100 Best Albums Of The 2010s
(www.stereogum.com)
2019-12-23
https://www.metacritic.com/feature/best-albums-of-the-dec...
(www.metacritic.com)
2019-12-23
Los Lobos: Tiny Desk Concert
(www.npr.org)
2019-12-23
World Cafe's Best Songs Of 2019
(www.npr.org)
2019-12-14
Khruangbin, 'Maria También' (Live)
(www.npr.org)
2019-12-14
Texas Music Hour of Power Sat nites 7-9 pm central KRTS M...
(joenickp.com)
2019-11-13
Trigger: The Life of Willie Nelson’s Guitar
(getpocket.com)
2019-11-11
LimeWire: The Oral History of the App That Changed Music ...
(melmagazine.com)
2019-11-08
O Sister, Where Art Thou?
(getpocket.com)
2019-11-07
Leonard Cohen and the Divine Voice
(www.newyorker.com)
2019-10-31
Songs that Cross Borders
(www.wnycstudios.org)
2019-10-31
The Nightmare Before Christmas - This is Halloween
(youtu.be)
2019-10-30
Welcome! | Million Song Dataset
(millionsongdataset.com)
2019-10-24
Flea Had a Wild Life. Then He Joined Red Hot Chili Pepper...
(www.nytimes.com)
2019-10-12
Jazz Night In America: The Playlist
(www.npr.org)
2019-09-23
She Remembers Everything by Rosanne Cash
(www.metacritic.com)
2019-09-23
Elvis Costello’s List of 500 Albums That Will Improve You...
(www.openculture.com)
2019-09-19
10 Country Albums Every Music Fan Should Own
(consequenceofsound.net)
2019-09-17
BrainStorm, Tchê!: Putumayo World Music [Discography for ...
(brainstormtche.blogspot.com)
2019-09-17
Melinda Kathleen Reese impromptu performance "O come, O c...
(www.reddit.com)
2019-09-16
When “stan” became a verb
(theoutline.com)
2019-09-16
His Biggest Hit Sold More Copies Than Any of the Beatles’...
(getpocket.com)
2019-09-02
The Story of Country Music’s Great Songwriting Duo
(longreads.com)
2019-08-31
The 212: The Harlem Jazz Club Where the Spirit of Billie ...
(www.nytimes.com)
2019-08-30
Skip Rates: Why The First 30 Seconds Matter More Than Ever
(www.hypebot.com)
2019-08-24
Learning Synths
(learningsynths.ableton.com)
2019-08-24
Hookpad Songwriting Software - Write The Song You Always ...
(www.hooktheory.com)
2019-08-20
In Southern Appalachia, Searching for the ‘Big Bang’ of C...
(www.nytimes.com)
2019-08-18
Just putting it out there: I still buy MP3s
(thenextweb.com)
2019-08-05
Brain Damage Saved His Music
(getpocket.com)
2019-08-04
A History of Blue Note Records in 15 Albums (Published 2019)
(t.co)
2019-08-01
The Pirates Strike Back
(500ish.com)
2019-07-30
Searching for The Sundays
(longreads.com)
2019-07-27
Dr. John: The Joy and Mystery of a New Orleans Saint
(www.rollingstone.com)
2019-07-25
Stay Around by J.J. Cale
(www.metacritic.com)
2019-07-25
Christone 'Kingfish' Ingram Breathes Life Into The Blues
(www.npr.org)
2019-07-21
Inside the Booming Business of Background Music - The Gua...
(getpocket.com)
2019-07-21
Jazz’s Sisterhood: Regina Carter, Renee Rosnes, and More ...
(www.vanityfair.com)
2019-07-08
Capturing The Undersung Blues People Of The Rural South
(www.npr.org)
2019-07-02
Karen O and Danger Mouse cover Lou Reed’s classic “Perfec...
(consequenceofsound.net)
2019-06-24
An Introduction to the Life & Music of Fela Kuti: Radical...
(www.openculture.com)
2019-06-18
Remembering Dr. John
(longreads.com)
2019-06-10
The Math Trick Behind MP3s, JPEGs, and Homer Simpson’s Fa...
(nautil.us)
2019-05-29
Antonio Salieri’s Revenge
(www.newyorker.com)
2019-04-05
Alan Lomax’s Massive Music Archive Is Online: Features 17...
(www.openculture.com)
2019-04-02
LinkedIn
(t.co)
2019-03-25
How the music of 1950’s Cuba revolutionized the sound of ...
(qz.com)
2019-03-14
The Impossibly Cool Album Covers of Blue Note Records: Me...
(www.openculture.com)
2019-03-12
The 50 Best Movie Soundtracks of All Time
(pitchfork.com)
2019-03-12
Is This the Greatest Photo in Jazz History?
(www.nytimes.com)
2019-03-12
First Listen: Tedeschi Trucks Band, 'Signs'
(www.npr.org)
2019-03-05
Back to the Stratosphere: How the Rarest Music in the Wor...
(www.theringer.com)
2019-03-05
‘The Island Always Brings You Back’: Finding a Caribbean ...
(www.nytimes.com)
2019-03-03
Texas Monthly Recommends: Soaking Up the Sounds on Saturd...
(www.texasmonthly.com)
2019-02-28
Culture Shock for French in Quebec: ‘We Smoke Cigarettes,...
(www.nytimes.com)
2019-02-27
This Picture Has No Red Pixels—So Why Do the Strawberries...
(motherboard.vice.com)
2019-02-25
The Record Label of The Future is No Label At All
(link.medium.com)
2019-02-15
This Yacht Influencer Has the Perfect Life. Don't You Fee...
(melmagazine.com)
2019-02-07
A Short History of Punk: From Late 50s Rockabilly and Gar...
(www.openculture.com)
2019-02-07
First Listen: Hayes Carll, 'What It Is'
(www.npr.org)
2019-02-07
Death and Valor on an American Warship Doomed by its Own ...
(features.propublica.org)
2019-02-06
The Origins of the “Amen Break,” The Most Sampled Piece o...
(www.openculture.com)
2019-01-31
CBGB’s Heyday: Watch The Ramones, The Dead Boys, Bad Brai...
(www.openculture.com)
2019-01-23
Battle of the Ax Men: Who Really Built the First Electric...
(www.collectorsweekly.com)
2019-01-16
(83) B5
(www.apronus.com)
2019-01-13
Diplo, French Montana & Lil Pump ft. Zhavia Ward - Welcom...
(www.youtube.com)
2019-01-03
The 50 Albums That Shaped Punk Rock
(consequenceofsound.net)
2018-12-21
Stream David Bowie's Complete Discography in a 19-Hour Pl...
(www.openculture.com)
2018-12-10
The 65 Best Songs of 2018
(www.nytimes.com)
2018-11-18
An Oral History of Laurel Canyon, the Sixties and Seventi...
(www.vanityfair.com)
2018-11-11
The Story of Outlaw Country in 33 Songs | Pitchfork
(pitchfork.com)
2018-11-10
Rosalía: El Mal Querer
(pitchfork.com)
2018-11-03
Heavy Rotation: 10 Songs Public Radio Can't Stop Playing
(www.npr.org)
2018-11-03
Heavy Rotation: 10 Songs Public Radio Can't Stop Playing
(www.npr.org)
2018-11-03
First Listen: Charles Bradley, 'Black Velvet'
(www.npr.org)
2018-11-03
First Listen: Laura Jane Grace & The Devouring Mothers, '...
(www.npr.org)
2018-10-28
Downey to Lubbock by Dave Alvin and Jimmie Dale Gilmore o...
(www.amazon.com)
2018-10-28
First Listen: Rosanne Cash, 'She Remembers Everything'
(www.npr.org)
2018-10-17
Sharon Jones Is The 21st Century's Godmother Of Soul
(www.npr.org)
2018-10-16
Elvis Costello’s new album, Look Now, reviewed.
(slate.com)
2018-10-12
The 40 Greatest Movie Soundtracks of All Time
(www.vulture.com)
2018-10-12
Look Now by Elvis Costello & the Imposters
(www.metacritic.com)
2018-10-12
Janko Nilovic - Drug Song (1975)
(youtu.be)
2018-10-12
Elvis Costello Doesn't Want Your Nostalgia, He Wants You ...
(www.npr.org)
2018-10-11
Kurt Vile Abides
(www.rollingstone.com)
2018-10-11
Joan Jett’s Raw, Inclusive Rock and Roll
(www.newyorker.com)
2018-10-09
Wanderer by Cat Power
(www.metacritic.com)
2018-10-09
This Is Muscle Shoals: The Playlist
(www.npr.org)
2018-10-08
How 'Lofi Hip Hop Radio to Relax/Study to' Became a YouTu...
(www.vice.com)
2018-10-08
42 Hours of Ambient Sounds from Blade Runner, Alien, Star...
(www.openculture.com)
2018-09-29
Heavy Rotation: 10 Songs Public Radio Can't Stop Playing
(www.npr.org)
2018-09-29
Encounters: Afternoon Beers With a Former Sex Pistol
(www.nytimes.com)
2018-09-14
Hear Al Green's First New Recording In Nearly A Decade
(www.npr.org)
2018-09-06
▶ Waypoint - Burning Man Sunrise Set 2018 by Tycho
(soundcloud.com)
2018-09-05
First Listen: John Prine, 'The Tree Of Forgiveness'
(www.npr.org)
2018-09-03
Madeleine Peyroux’ Anthem
(ritholtz.com)
2018-08-31
Robert Finley On World Cafe
(www.npr.org)
2018-08-31
Lalah Hathaway: Tiny Desk Concert
(www.npr.org)
2018-08-24
Home Audio Like You’ve Never Heard (Or Seen) It
(www.yankodesign.com)
2018-08-14
Neko Case Is Telling The Truth
(longform.org)
2018-08-14
Please Don't Be Dead by Fantastic Negrito
(www.metacritic.com)
2018-08-13
The Over and Under Speaker
(www.yankodesign.com)
2018-08-10
After Nearly 30 Years In Exile, This Kashmiri Singer Has ...
(www.npr.org)
2018-08-05
Why I Ripped The Same CD 300 Times
(john-millikin.com)
2018-07-01
The Counterfeit Queen of Soul | Arts & Culture | Smithsonian
(www.smithsonianmag.com)
2018-05-26
Free Music Archive
(freemusicarchive.org)
2018-05-13
At 70, Smithsonian Folkways Is An Antidote To Music Algor...
(www.npr.org)
2018-05-12
First Listen: Ry Cooder, 'The Prodigal Son' : NPR
(www.npr.org)
2018-04-28
Heavy Rotation: 10 Songs Public Radio Can't Stop Playing
(www.npr.org)
2018-03-22
L
(www.npr.org)
2018-03-22
Turning The Tables Listening Party: Women Of Roots And Am...
(www.npr.org)
2018-03-08
A Digital Archive of Heavy Metal, the Influential “Adult ...
(www.openculture.com)
2018-02-28
Dave Alvin and Jimmie Dale Gilmore To Release ‘Downey to ...
(www.twangnation.com)
2018-01-30
Critic’s Notebook: Pop Keeps Changing. And the Grammys Tu...
(www.nytimes.com)
2018-01-24
The Long Fall of iHeart, Once the Most Powerful and Feare...
(www.texasmonthly.com)
2017-12-27
Kimbra Climbs To The 'Top Of The World' In New Single : NPR
(www.npr.org)
2017-12-27
After Six Decades in the Vault, 'Ella at Zardi's' Brings ...
(wbgo.org)
2017-12-27
A 2017 Latin Grammy Preview From 'Alt.Latino'
(www.npr.org)
2017-11-16
Rough, smooth or deep: why the sound of a voice is multis...
(aeon.co)
2017-11-15
The Secret Chord That Makes Pop Music Sound Happy
(www.atlasobscura.com)
2017-10-21
Brooklyn Academy of Music Puts Online 70,000 Objects Docu...
(www.openculture.com)
2017-10-19
Joni Mitchell: Fear of a Female Genius
(www.theringer.com)
2002-10-24
Bop Spotter
(walzr.com)
-->
history (all)
categories:
tags:
history
date: 30 Mar 2025
slug:raindrop-history-all
(admiralcloudberg.medium.com)
2025-04-04
The Origins of Adjuvants
(www.asimov.press)
2025-03-30
The Secret History of America’s Involvement in the Ukrain...
(www.nytimes.com)
2025-03-27
The Chinese Communist Party’s Ultimate Taboo
(www.theatlantic.com)
2025-03-27
The Dingo’s Fate
(www.noemamag.com)
2025-03-27
North America’s First and Only da Vinci Museum is Coming ...
(click.convertkit-mail2.com)
2025-03-24
Opinion | He Cut a Secret Deal That Cemented U.S. Economi...
(www.politico.com)
2025-03-14
Excalibur: The Legendary Sword of King Arthur
(www.thecollector.com)
2025-03-13
Steam networks - Works in Progress
(worksinprogress.co)
2025-02-17
The Uneasy Origins of Caste
(open.substack.com)
2025-02-17
WWII Bombers: The Aircraft That Shaped the War
(www.thecollector.com)
2025-02-11
The Mystery of the World's Oldest Writing System Remained...
(www.smithsonianmag.com)
2025-02-08
When Louis Armstrong Conquered Chicago
(www.honest-broker.com)
2025-02-07
My Quest to Find the Owner of a Mysterious WWII Japanese ...
(www.outsideonline.com)
2025-01-30
Signs Of Life In A Desert Of Death | NOEMA
(www.noemamag.com)
2025-01-29
Jump, Jive and Fail: The ’90s Swing Craze
(slate.com)
2025-01-22
The Harpies: Beasts of Vengeance in Greek Mythology
(www.thecollector.com)
2025-01-21
A Spy Satellite You’ve Never Heard of Helped Win the Cold...
(spectrum.ieee.org)
2025-01-21
Song Hunter: The Life of Alan Lomax
(www.thecollector.com)
2025-01-19
The Derelict • Damn Interesting
(www.damninteresting.com)
2025-01-19
How Jukeboxes Made Memphis Music
(oxfordamerican.org)
2025-01-06
The Skeleton Dance, Voted the 18th Best Cartoon of All Ti...
(www.openculture.com)
2024-12-15
How to Stage a Coup
(www.statecraft.pub)
2024-12-12
The secret reason the USA beat the USSR to the Moon
(bigthink.com)
2024-12-04
Inside the Vatican’s secret saint-making process
(www.theguardian.com)
2024-12-04
The Smartphone of the Middle Ages
(nautil.us)
2024-11-25
Can a stuffed bird solve a 150-year-old Arctic murder mys...
(www.thetimes.com)
2024-11-24
Evidence of oldest known alphabetic writing unearthed in ...
(hub.jhu.edu)
2024-11-15
The Influence of Bell Labs
(open.substack.com)
2024-11-08
An uncivil civil war
(woodfromeden.substack.com)
2024-10-30
Meet the Italian 'Fruit Detective' Who Investigates Centu...
(www.smithsonianmag.com)
2024-10-27
The Forgotten Pandemic
(www.asimov.press)
2024-10-25
Iconic Bird of American Horror Stories Faces Its Own Terr...
(www.scientificamerican.com)
2024-10-17
The Rise and Fall of Matchbox's Toy-Car Empire - Hagerty ...
(www.hagerty.com)
2024-07-13
Book Review: Refrigeration and the Many Virtues of the Co...
(undark.org)
2024-06-29
Brutal birth
(insidestory.org.au)
2024-06-16
“The Woman Who Came From the Sky” — Meet Valérie André, t...
(militaryhistorynow.com)
2024-06-11
Records of Pompeii’s survivors have been found – and arch...
(theconversation.com)
2024-06-07
For the First French Town Liberated on D-Day, History Is ...
(www.nytimes.com)
2024-05-21
Why Leopold and Loeb Committed Cold-Blooded Murder in the...
(www.smithsonianmag.com)
2024-05-16
A ‘plague’ comes before the fall: lessons from Roman history
(thebulletin.org)
2024-05-05
The Country Bumpkins who gave us Parisian Café Culture
(www.messynessychic.com)
2024-04-28
You Can Still Die From World War I Dangers in France's Re...
(www.atlasobscura.com)
2024-03-29
Searching for the Cause of a Catastrophic Plane Crash | T...
(www.newyorker.com)
2024-03-06
The Ruthless Rise and Fall of Paramount Pictures During H...
(www.hollywoodreporter.com)
2024-03-02
Alderney Is a Small Island With a Dark History
(www.nytimes.com)
2024-02-29
Manhattan or Pulau Rhun? In 1667, Nutmeg Made the Choice ...
(www.nytimes.com)
2024-02-29
In Ancient Bones, a Reminder that Northern Ireland’s Ghos...
(www.nytimes.com)
2024-02-03
In Defense of the Rat
(hakaimagazine.com)
2024-02-02
The Rise and Fall of the ‘IBM Way’
(www.theatlantic.com)
2024-02-01
Has Amelia Earhart’s plane really been found?
(www.bbc.com)
2024-01-19
Ada Blackjack Kept Going After Everyone Else on Wrangel I...
(www.neatorama.com)
2024-01-19
What Happened to the US Machine Tool Industry?
(open.substack.com)
2024-01-13
The IBM mainframe: How it runs and why it survives
(arstechnica.com)
2023-10-16
How unearthing diseases' ancient origins could help produ...
(www.bbc.com)
2023-09-29
The Race to Catch the Last Nazis | GQ
(www.gq.com)
2023-09-24
Lost Languages Discovered in One of the World’s Oldest Co...
(www.smithsonianmag.com)
2023-08-27
Roundtable
(www.laphamsquarterly.org)
2023-08-11
The Pandemic Your Grandparents Forgot - Nautilus
(nautil.us)
2023-08-06
Miscellanies
(www.historytoday.com)
2023-08-05
The Elusive, Maddening Mystery of the Bell Witch - Atlas ...
(www.atlasobscura.com)
2023-08-01
With the help of new archaeological approaches, our pictu...
(aeon.co)
2023-05-23
Demon Core: The Strange Death of Louis Slotin - The New Y...
(www.newyorker.com)
2023-05-13
Baseball cap history and timeline
(www.mlb.com)
2023-05-12
One Of Rome’s Most Devastating Military Defeats Was Maste...
(www.thedrive.com)
2023-05-07
Why the concept of invisibility so captivates the imagina...
(psyche.co)
2023-05-03
The Titanic of the Pacific - The Atavist Magazine
(magazine.atavist.com)
2023-04-21
slide rules
(pdodds.w3.uvm.edu)
2023-04-16
The stories of oral societies aren’t myths, they’re recor...
(aeon.co)
2023-04-13
How America's Beloved Meyer Lemon Caused a Mid-Century Ci...
(www.atlasobscura.com)
2023-04-13
The Astounding Origins of Chaco Canyon Timber
(www.sapiens.org)
2023-04-08
Retail and Shopping: Vintage Photos Show How People Shopp...
(rarehistoricalphotos.com)
2023-04-08
50 Ways the World is Getting Better
(awealthofcommonsense.com)
2023-04-02
What Really Happened After the Mutiny on the Bounty?
(www.todayifoundout.com)
2023-03-27
Where Did Writing Come From?
(www.getty.edu)
2023-03-19
Crime of the Centuries
(nymag.com)
2023-03-19
Adam Shatz · Beyond Borders: Adolfo Kaminsky’s Forgeries
(www.lrb.co.uk)
2023-03-17
The brief but shining life of Paul Laurence Dunbar, a poe...
(theconversation.com)
2023-03-13
Meet the Man Collecting Fading Place Names
(www.atlasobscura.com)
2023-03-11
Why don't humans have fur?
(www.bbc.com)
2023-03-05
The Military Adventures of Alexander the Great: An Animat...
(www.openculture.com)
2023-03-05
The Tunguska Mystery--100 Years Later
(www.scientificamerican.com)
2023-02-25
The Grammarphobia Blog: Why the ‘w’ is called a ‘double u’
(www.grammarphobia.com)
2023-02-25
The blast furnace - 800 years of technology improvement
(constructionphysics.substack.com)
2023-02-10
Why are flood myths so common in stories from ancient cul...
(bigthink.com)
2023-02-05
Faxes From the Far Side • Damn Interesting
(www.damninteresting.com)
2023-02-05
The National Interest: Blog
(nationalinterest.org)
2023-01-26
Who Sets the Prices?
(tedium.co)
2023-01-22
The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and...
(www.thediff.co)
2022-12-16
The True Story of Lawrence of Arabia
(www.smithsonianmag.com)
2022-11-22
Pakistan's lost city of 40,000 people
(www.bbc.com)
2022-10-29
Inside the Great Pyramid | Giza Project
(giza.mused.org)
2022-10-21
An Undiscovered Coronavirus? The Mystery of the ‘Russian ...
(www.nytimes.com)
2022-10-16
The Richest Athlete of All Time Did Nothing With His Weal...
(getpocket.com)
2022-09-29
No, the 'Epic of Gilgamesh' Is Not the Oldest Surviving W...
(talesoftimesforgotten.com)
2022-09-17
The Real Warriors Behind 'The Woman King'
(www.smithsonianmag.com)
2022-09-14
10 of the most legendary rulers from ancient history
(bigthink.com)
2022-09-05
The Missing Chinese Machine Revolution
(erikexamines.substack.com)
2022-09-05
How Ships and Forts Created Western Dominance
(medium.com)
2022-09-05
What Happened to Anne Boleyn’s Heart?
(crimereads.com)
2022-09-05
Was King Arthur a Real Person?
(www.smithsonianmag.com)
2022-09-04
Why Was Western Printing Superior to Asian Printing?
(erikexamines.substack.com)
2022-08-27
Five Lessons from History
(www.collaborativefund.com)
2022-08-22
The messages that survived civilisation's collapse - BBC ...
(www.bbc.com)
2022-08-22
She was a global superstar. She was a world-class spy.
(www.trulyadventure.us)
2022-08-17
The mystery of the world's oldest toys
(www.bbc.com)
2022-08-14
The Tip-Off From a Nazi That Saved My Grandparents
(getpocket.com)
2022-08-13
The 1600s Were a Watershed for Swear Words
(www.historytoday.com)
2022-08-09
When Coal First Arrived, Americans Said 'No Thanks'
(www.smithsonianmag.com)
2022-08-05
From whistling arrows and trumpeting elephants to battle ...
(theconversation.com)
2022-08-02
Have Scholars Finally Deciphered Linear Elamite, a Myster...
(www.smithsonianmag.com)
2022-07-30
The Night That Grasshoppers Killed Texas League Baseball
(www.texasmonthly.com)
2022-07-30
A collection of bad album covers that are both hilarious ...
(rarehistoricalphotos.com)
2022-07-28
Overexposed: A History of Fotomat
(getpocket.com)
2022-07-24
When Did Shaking Hands Become a Standard Way of Greeting ...
(getpocket.com)
2022-07-23
A Traveling Jewish Deli Exhibit Tells an American Tale in...
(www.nytimes.com)
2022-07-18
Winamp’s woes: How the greatest MP3 player undid itself
(arstechnica.com)
2022-07-18
Everything We Know About Platforms We Learned from Mediev...
(hbr.org)
2022-07-16
The American Amusement Park's Wild Ride
(www.bloomberg.com)
2022-07-14
The Sanaa Palimpsest: A truly fascinating Quranic manuscript
(english.alaraby.co.uk)
2022-07-11
A Glimpse Inside a Florentine Silk-Weaving Workshop
(www.nytimes.com)
2022-07-11
Hacker News
(www.sixthtone.com)
2022-07-10
Voynich Manuscript
(beinecke.library.yale.edu)
2022-07-07
How Dardistan became one of the most multilingual places ...
(aeon.co)
2022-07-05
The History of the Singular 'They'
(www.mentalfloss.com)
2022-07-05
Hacker News
(www.cryptomuseum.com)
2022-07-04
1980 Sears Spring Summer Catalog, Page 729 - Catalogs & W...
(christmas.musetechnical.com)
2022-07-03
Lost Languages Discovered in One of the World's Oldest Co...
(www.smithsonianmag.com)
2022-06-30
A Mystery That Took 13,200 Years to Crack
(clicks.getpocket.com)
2022-06-28
Thirty-Six Stratagems
(en.wikipedia.org)
2022-06-22
The ghostly radio station that no one claims to run
(www.bbc.com)
2022-06-21
Hong Kong’s Floating Restaurant Sinks at Sea, Laden With ...
(www.nytimes.com)
2022-06-21
A History of Rock Music in 500 Songs
(500songs.com)
2022-06-21
History of The Morton Salt Girl: Who Is She? (Umbrella An...
(historydaily.org)
2022-06-19
How the Ballpoint Pen Killed Cursive
(www.theatlantic.com)
2022-06-18
Visiting Vladimir Putin’s Lost Russia
(www.theatlantic.com)
2022-06-13
How Cup Noodles Became One of the Biggest Transpacific Bu...
(getpocket.com)
2022-06-11
How a Saxophonist Tricked the KGB by Encrypting Secrets i...
(www.wired.com)
2022-06-08
Why is English so weirdly different from other languages?...
(aeon.co)
2022-06-03
List of mythological objects
(en.m.wikipedia.org)
2022-05-30
So You Want to Be a Bootlegger | The Saturday Evening Post
(www.saturdayeveningpost.com)
2022-05-18
Here’s How to Make Olive Oil Like an Ancient Egyptian
(www.sapiens.org)
2022-05-12
‘People took so many drugs, they forgot they played on it...
(www.theguardian.com)
2022-05-10
The Untold Story of the White House’s Weirdly Hip Record ...
(www.washingtonian.com)
2022-04-28
Handy Mnemonics: The Five-Fingered Memory Machine
(publicdomainreview.org)
2022-04-10
The world's oldest dessert?
(www.bbc.com)
2022-03-31
The Cult of Adam Tooze
(nymag.com)
2022-03-18
The mountain stronghold that has kept Georgia’s medieval ...
(www.apollo-magazine.com)
2022-03-17
How national identities are invented
(www.bbc.com)
2022-03-14
How The Inca Used Knots To Tell Stories
(lithub.com)
2022-03-14
Wonders and warnings from the ancient world | Daisy Dunn ...
(thecritic.co.uk)
2022-03-10
Feeding the Bear: A Closer Look at Russian Army Logistics...
(warontherocks.com)
2022-03-08
The Hidden Story of the North’s Victory in the Civil War
(www.nytimes.com)
2022-02-20
A Quest to Return the Banjo to Its African Roots
(getpocket.com)
2022-02-09
Heart of Mold
(tedium.co)
2022-02-01
A very short introduction to the undeciphered Aegean writ...
(itsallgreektoanna.wordpress.com)
2022-01-25
Finding the world’s deepest shipwreck
(www.bbc.com)
2022-01-23
Divine Comedy - Wikipedia
(en.wikipedia.org)
2022-01-21
Dun, Dun Duuun! Where did pop culture’s most dramatic sou...
(www.theguardian.com)
2022-01-21
What Lies Beneath
(www.vanityfair.com)
2022-01-16
Book Summary: The Lessons of History by Will and Ariel Du...
(jamesclear.com)
2022-01-12
In Praise of Bad Taste
(www.bookforum.com)
2022-01-12
The forgotten medieval habit of 'two sleeps'
(www.bbc.com)
2022-01-07
Still She Rises — THE BITTER SOUTHERNER
(bittersoutherner.com)
2022-01-06
Ninety-Nine Fascinating Finds Revealed in 2021
(www.smithsonianmag.com)
2021-12-27
Why Arabs Lose Wars :: Middle East Quarterly
(www.meforum.org)
2021-12-26
The Lost Lingo of New York City’s Soda Jerks
(www.atlasobscura.com)
2021-12-12
The Story of Carolina Gold, the Best Rice You've Never Ta...
(www.seriouseats.com)
2021-12-12
The Invention of Chinese | History Today
(www.historytoday.com)
2021-12-11
The Story of Catherine the Great
(getpocket.com)
2021-11-29
How an American in Paris won the rarest of French honors
(www.latimes.com)
2021-11-23
The Tomb Raiders of the Upper East Side
(www.theatlantic.com)
2021-11-22
How Fish and Chips Migrated to Great Britain
(getpocket.com)
2021-11-04
"A Great Day In Harlem": Remembering the iconic 1958 phot...
(www.cbsnews.com)
2021-11-03
How 12th-century Genoese merchants invented the idea of r...
(psyche.co)
2021-10-15
The Daring Diplomat Who Proved One Person Can Thwart an E...
(getpocket.com)
2021-09-19
When Nazis tried to trace Aryan race myth in Tibet
(www.bbc.com)
2021-09-14
How Singer Won the Sewing Machine War
(www.smithsonianmag.com)
2021-08-26
The Kingpin of Shanghai
(www.damninteresting.com)
2021-08-19
Why Spanish colonial officials feared the power of clothi...
(psyche.co)
2021-07-11
What Did Ancient Languages Sound Like?
(antigonejournal.com)
2021-07-10
A Well-Woven Tale: The fabric of the modern world
(www.historytoday.com)
2021-07-03
Minik and the Meteor
(narratively.com)
2021-06-21
Africa’s ancient scripts counter European ideas of litera...
(aeon.co)
2021-06-04
An Old Effort To Stop The Smallpox Virus Has Lessons For ...
(www.npr.org)
2021-06-04
Meet the Appalachian Apple Hunter Who Rescued 1,000 'Lost...
(www.atlasobscura.com)
2021-06-04
Ho Chi Bear and the Ravens
(getpocket.com)
2021-05-12
The Most Honored Photograph | PetaPixel
(petapixel.com)
2021-05-12
'He knew something': The Bay Area flight of Rangers that ...
(www.sfgate.com)
2021-05-07
‘I’d Never Been Involved in Anything as Secret as This’
(www.politico.com)
2021-04-24
The girl in the Kent State photo and the lifelong burden ...
(www.washingtonpost.com)
2021-04-12
The Real Book - 99% Invisible
(99percentinvisible.org)
2021-03-27
Did the Black Death Rampage Across the World a Century Ea...
(www.smithsonianmag.com)
2021-03-27
Meeting the Darkhad, the soul guards of Genghis Khan - Su...
(supchina.com)
2021-03-03
The 25 Greatest Art Heists of All Time
(www.artnews.com)
2021-02-28
The Once-Classified Tale of Juanita Moody: The Woman Who ...
(www.smithsonianmag.com)
2021-02-13
Letter from Chihuahua - Cliff Dwellers of the Sierra Madr...
(www.archaeology.org)
2021-02-09
The Original Karen
(www.thedriftmag.com)
2021-02-09
A Massacre in a Forest Becomes a Test of Poland’s Pushbac...
(www.nytimes.com)
2021-01-14
The 432-year-old manual on social distancing
(www.bbc.com)
2020-12-29
Raiders of the lost steel
(www.chemistryworld.com)
2019-12-23
Three Big Things: The Most Important Forces Shaping the W...
(www.collaborativefund.com)
2019-09-21
Wind Power: How the 19th-Century’s Greatest Shipbuilder O...
(www.collectorsweekly.com)
2019-09-02
The Silk Road: the route for technological exchange that ...
(www.bbvaopenmind.com)
2019-08-29
The Death of Alexander the Great: One of History’s Great ...
(lithub.com)
2019-08-15
The British Once Built a 1,100-Mile Hedge Through the Mid...
(getpocket.com)
2019-08-12
Finding Amelia Earhart’s Plane Seemed Impossible. Then Ca...
(www.nytimes.com)
2019-07-31
The secret seat of the Knights Templar
(www.bbc.com)
2019-07-30
On Hitler’s Last Desperate Plan to Destroy Paris
(lithub.com)
2019-07-20
Wolves of Karelia
(www.theatlantic.com)
2019-07-18
Where the Bodies Are Buried
(longform.org)
2019-06-30
https://stories.californiasunday.com/2015-06-07/somerton-...
(stories.californiasunday.com)
2019-05-12
During the Cold War, the CIA Secretly Plucked a Soviet Su...
(www.smithsonianmag.com)
2019-03-16
How Turkish coffee destroyed an empire
(www.1843magazine.com)
2019-02-10
The Nazi Interrogator Who Revealed the Value of Kindness
(psmag.com)
2019-01-26
The Plot to Kill George Washington
(www.smithsonianmag.com)
2018-12-21
Was History Fair to the Triangle Shirtwaist Factory Owner...
(www.smithsonianmag.com)
2018-12-16
Tarrare: The Medical Marvel Who Could Eat Anything — And Did
(allthatsinteresting.com)
2018-12-03
Ansel Adams’ pictures of Los Angeles recall an era of war...
(medium.californiasun.co)
2018-11-17
The Lethal Lunch That Shook Scotland
(www.atlasobscura.com)
2018-11-16
Crossing the Sahara in the Fourteenth Century | François-...
(www.laphamsquarterly.org)
2018-11-07
The Lessons Of Dien Bien Phu | Hoover Institution
(www.hoover.org)
2018-10-08
Why big companies squander brilliant ideas
(timharford.com)
2018-08-28
The Man Who Walked Backward
(www.texasmonthly.com)
2018-08-24
When Local Roller Rinks Had Their Own Collectible Stickers
(www.atlasobscura.com)
2018-08-23
The Hobo Code: An Introduction to the Hieroglyphic Langua...
(www.openculture.com)
2018-08-15
Into the Cave of Chile’s Witches
(www.smithsonianmag.com)
2018-07-01
Inside the 20-year decline of Toys R Us
(www.retaildive.com)
2018-07-01
The Counterfeit Queen of Soul | Arts & Culture | Smithsonian
(www.smithsonianmag.com)
2018-06-13
Optical Scanning Technology Lets Researchers Recover Lost...
(www.openculture.com)
2018-06-03
A Brief History of America's Appetite for Macaroni and Ch...
(www.smithsonianmag.com)
2018-06-03
The Two-Napkin Protocol
(www.computerhistory.org)
2018-04-30
A lost vision of West Virginia – Explore Parts Unknown
(explorepartsunknown.com)
2018-03-08
A Digital Archive of Heavy Metal, the Influential “Adult ...
(www.openculture.com)
2018-02-12
The Conqueror Who Longed for Melons - Gastro Obscura
(www.atlasobscura.com)
2018-01-21
Gavin Francis · The Untreatable: The Spanish Flu
(www.lrb.co.uk)
2017-11-24
Baseball, BBQ, and Dead Ponies—A History of Fat Men’s Clu...
(www.texasmonthly.com)
2017-10-21
Brooklyn Academy of Music Puts Online 70,000 Objects Docu...
(www.openculture.com)
2017-09-24
Did Frank Sinatra Really Perform at My Grandma's High Sch...
(www.cantgetmuchhigher.com)
2014-10-24
The Puzzling History of China’s Most Controversial Flavoring
(www.sixthtone.com)
2012-10-24
Age of Invention: The Coal Conquest
(www.ageofinvention.xyz)
-->
startups (all)
categories:
tags:
startups
date: 30 Mar 2025
slug:raindrop-startups-all
(review.firstround.com)
2025-04-04
SpinLaunch—yes, the centrifuge rocket company—is making a...
(arstechnica.com)
2025-03-16
Startup Strategy for Commodity Products - Austin Vernon's...
(www.austinvernon.site)
2025-03-06
Will Boom Successfully Build a Supersonic Airliner?
(open.substack.com)
2024-11-25
The Uncomfortable Truth: A 3X Founder's Guide to Intellec...
(review.firstround.com)
2024-10-26
Nabeel S. Qureshi
(nabeelqu.co)
2024-10-26
How do the most successful VCs pick which companies to be...
(sherwood.news)
2024-10-25
Aa former West Virginia steel mill is now home to a cutti...
(www.fastcompany.com)
2024-07-10
How Beautycounter Fell Apart, Sinking Almost $700 Million...
(www.nytimes.com)
2024-07-02
Firefly is building fast and breaking things on path to a...
(arstechnica.com)
2024-06-30
Doordash and Pizza Arbitrage
(www.readmargins.com)
2024-06-17
On being laid off & unplanned entrepreneurship - Deep Sou...
(www.deepsouthventures.com)
2024-05-21
From $1B to bankrupt: How private equity killed Beautycou...
(www.fastcompany.com)
2024-05-13
Will Stone Replace Steel and Concrete?
(open.substack.com)
2024-05-11
AI chip startup Deepx raises $80m, receives $529m valuation
(www.datacenterdynamics.com)
2024-04-12
Build Your Culture Like a Product — Lessons from Asana’s ...
(review.firstround.com)
2024-02-29
Why I spent 3 years working on a coat hanger
(www.youtube.com)
2024-02-22
The What, Who, and When with IPOs
(a16z.com)
2024-02-06
Turning abandoned mines into batteries | IIASA
(iiasa.ac.at)
2024-01-18
Pilot’s Path to Product-Market Fit — Three-Peat Founders ...
(review.firstround.com)
2024-01-16
What I learned selling my company
(www.harryglaser.com)
2023-10-04
Electric Hydrogen is the green hydrogen industry’s first ...
(techcrunch.com)
2023-09-11
Startup Building Zinc-Based Alternatives to Lithium Batte...
(hardware.slashdot.org)
2023-09-10
The Sure Thing
(www.thediff.co)
2023-07-24
Scientists Made An Artificial "Cloud" That Pulls Electric...
(www.inverse.com)
2023-07-24
‘It was an accident’: the scientists who have turned humi...
(www.theguardian.com)
2023-07-18
How to be a Consultant, a Freelancer, or an Independent C...
(jacquesmattheij.com)
2023-05-07
I’m in Wyoming to celebrate the next nuclear breakthrough
(www.gatesnotes.com)
2023-05-03
How My Business Makes $500K/Month Selling Yarn Products T...
(www.starterstory.com)
2023-04-26
Salience Labs advances its AI agenda using new chip design
(www.theceomagazine.com)
2023-04-14
The Four-Horse Race to Decarbonize Steel: Strategies, Inn...
(www.energymonitor.ai)
2023-03-28
How A Marketer Started A $500K/Month Custom Packaging Bus...
(www.starterstory.com)
2023-03-18
Finance 101: The Guide for Seed/Series A Startups - The C...
(www.causal.app)
2023-03-12
WTF is Marketplace Liquidity?
(medium.com)
2023-02-07
Why so many people undercharge for their work
(getpocket.com)
2023-01-26
?? Why billing systems are a nightmare for engineers
(dev.to)
2023-01-09
If you like startups you should love anti-trust
(alexwrites.substack.com)
2022-12-21
A Standard and Clean Series A Term Sheet | Y Combinator
(www.ycombinator.com)
2022-12-17
This 28-year-old built a side hustle that brings in $30,0...
(www.cnbc.com)
2022-12-10
GitHub - kuchin/awesome-cto: A curated and opinionated li...
(github.com)
2022-12-09
Why you should start a company
(www.axios.com)
2022-11-23
Should You Invest in Disruptive Materials?
(www.visualcapitalist.com)
2022-10-26
A search engine for shapes
(www.technologyreview.com)
2022-10-24
Startup Insider: How A Molecule Becomes A Drug - Crunchba...
(news.google.com)
2022-10-22
Pollen’s enormous debt left behind: exclusive details
(blog.pragmaticengineer.com)
2022-10-01
How Product Strategy Fails in the Real World — What to Av...
(review.firstround.com)
2022-09-22
[P] My co-founder and I quit our engineering jobs at AWS ...
(www.reddit.com)
2022-09-22
Can software simplify the supply chain? Ryan Petersen thi...
(www.theverge.com)
2022-09-16
#17: One kitchen, hundreds of internet restaurants
(peabee.substack.com)
2022-09-15
A Taxonomy of Drawdowns
(www.thediff.co)
2022-09-12
SaaS spend ratios on R&D/S&M/G&A
(blossomstreetventures.medium.com)
2022-09-09
Super Hot Sand Could Help Us Store Renewable Energy
(getpocket.com)
2022-09-05
Find The Fast Moving Water
(www.nfx.com)
2022-08-30
Meet Pinky Cole, the force behind Slutty Vegan’s booming ...
(www.washingtonpost.com)
2022-08-12
Spotify For Clothes: How I Launched A Business Helping Gu...
(www.starterstory.com)
2022-08-08
Why your daily stand-ups don't work and how to fix them
(lucasfcosta.com)
2022-08-01
Semis for Everyone?
(d2dadvisory.us6.list-manage.com)
2022-07-27
Two-Sided Networks in Healthcare, a Founder’s Playbook
(a16z.com)
2022-07-19
The 11 Risks VCs Evaluate by @ttunguz
(tomtunguz.com)
2022-07-19
Why You Can't Settle For The "Minimum" In Your Minimum Vi...
(readwrite.com)
2022-07-19
Running Costs - Cushion
(cushionapp.com)
2022-07-19
Startup Advice
(bothsidesofthetable.com)
2022-07-19
Test your startup idea!
(blog.hubstaff.com)
2022-07-18
3 Strategies To Building a Marketplace Startup | SaaS Aca...
(www.danmartell.com)
2022-07-18
The Startup Idea Matrix
(medium.com)
2022-07-18
‘Give Away Your Legos’ and Other Commandments for Scaling...
(firstround.com)
2022-07-18
http://platformed.info/how-to-get-startup-ideas/
(platformed.info)
2022-07-18
23 Ways to Generate Startup Ideas
(www.startuprob.com)
2022-07-18
GrowthHackers Community
(growthhackers.com)
2022-07-18
16 More Startup Metrics | Andreessen Horowitz
(a16z.com)
2022-07-18
Startup Therapy: Ten questions to ask yourself every month
(blog.asmartbear.com)
2022-07-18
Keurig accidentally created the perfect business model fo...
(blog.bolt.io)
2022-07-18
Startup Best Practices 1 - Situational Management by @ttu...
(tomtunguz.com)
2022-07-18
57 startup lessons
(www.defmacro.org)
2022-07-18
Designing Your Sales Stack so that Customers Come to You
(firstround.com)
2022-07-18
What’s Next for Marketplace Startups? | Andreessen Horowitz
(a16z.com)
2022-07-17
The rise of the "successful" unsustainable company
(blog.asmartbear.com)
2022-07-17
30 Useful Tools for Growth Hackers and Startups
(medium.com)
2022-07-17
Lessons learned from scaling a product team
(blog.intercom.com)
2022-07-17
20 Questions To Ask Before Joining A Startup
(hharnisc.github.io)
2022-07-14
Why T-Shirts Matter
(blog.adamnash.com)
2022-07-12
Popsockets growth
(jilt.com)
2022-07-11
How to Get Startup Ideas
(paulgraham.com)
2022-07-11
10 Data Acquisition Strategies for Startups
(medium.com)
2022-07-06
Startup Culture Is Not About Ping-Pong Tables
(blog.mojotech.com)
2022-07-05
Cash is a fact, profit is an opinion
(mondaynote.com)
2022-07-05
A Standard and Clean Series A Term Sheet | Y Combinator
(blog.ycombinator.com)
2022-07-05
16 Startup Metrics | Andreessen Horowitz
(a16z.com)
2022-07-04
Watching an acquirer ruin your company - by Jon Christensen
(startupwin.kelsus.com)
2022-06-28
Steve Blank Fear of Failure and Lack of Speed In a Large ...
(steveblank.com)
2022-06-28
autopsy.io - Domain Name For Sale | Dan.com
(autopsy.io)
2022-06-28
Picking a Market
(eleganthack.com)
2022-06-27
Why clean energy needs financial engineering
(joulethief.substack.com)
2022-06-25
How CDBaby Built 20,000 Citations With One E-Mail
(searchengineland.com)
2022-06-25
Do Things that Don't Scale
(paulgraham.com)
2022-06-23
Why Dyson's robot vacuum took 16 years, and why it's head...
(www.engadget.com)
2022-06-23
87 Service Business Ideas to Start Today
(www.entrepreneur.com)
2022-06-23
Invisible unicorns: 35 big companies that started with li...
(techcrunch.com)
2022-06-23
The Marketing Stack of a Lazy Saas Company
(www.cbinsights.com)
2022-06-14
Startups Live & Die by These 5 Street-Smart Laws of Adver...
(techcrunch.com)
2022-06-13
Opportunity Canvas
(www.jpattonassociates.com)
2022-06-13
How Cup Noodles Became One of the Biggest Transpacific Bu...
(getpocket.com)
2022-06-13
We have built and launched exactly 30 tech products for o...
(www.reddit.com)
2022-06-08
Startup Metrics for Pirates
(www.slideshare.net)
2022-05-28
Tech in Asia - Connecting Asia's startup ecosystem
(www.techinasia.com)
2022-05-23
Practical Power Beaming Gets Real
(spectrum.ieee.org)
2022-05-11
The secret of my success as an entrepreneur: I’m 60
(www.fastcompany.com)
2022-04-15
A new heat engine with no moving parts is as efficient as...
(news.mit.edu)
2022-04-15
Zapier: The $5B unbundling opportunity
(www.georgesequeira.com)
2022-03-27
A case study in early-stage startup execution
(www.wave.com)
2022-03-23
23 Tactical Company Building Lessons, Learned From Scalin...
(review.firstround.com)
2022-03-16
http://limedaring.com/articles/how-i-run-a-marketplace-wi...
(limedaring.com)
2022-03-13
Electric Planes Are Coming Sooner Than You Think
(www.afar.com)
2022-03-10
The Economics of Data Businesses
(summation.us6.list-manage.com)
2022-02-25
The Craft of Artisanal Computer Manufacturing
(spectrum.ieee.org)
2022-02-10
Why I changed my mind about advertising | The Sample blog
(thesample.ai)
2022-01-29
The reason some vegan alternatives don't taste like meat ...
(www.bbc.com)
2022-01-19
Can Freight Train Cars Go Electric—and Self-Driving?
(spectrum.ieee.org)
2022-01-12
Gravity Could Solve Clean Energy’s One Major Drawback
(www.wired.com)
2022-01-09
I Bought A Dying Used Machinery Marketplace And Grew It T...
(www.starterstory.com)
2022-01-07
MicroAcquire, the #1 Startup Acquisition Marketplace
(microacquire.com)
2021-12-20
The Race to Find ‘Green’ Helium
(www.wired.com)
2021-11-13
The Highest Paid Person's Opinion
(jeffgothelf.com)
2021-10-16
‘Give away your Legos’ and other commandments for scaling...
(review.firstround.com)
2021-08-04
Where Are The Robotic Bricklayers? - by Brian Potter - Co...
(constructionphysics.substack.com)
2021-07-24
Mailchimp: Ben Chestnut
(open.spotify.com)
2021-07-24
Numi Organic Tea: Reem Hassani and Ahmed Rahim
(open.spotify.com)
2021-07-24
Expedia & Zillow: Rich Barton
(open.spotify.com)
2021-07-24
Policygenius: Jennifer Fitzgerald
(open.spotify.com)
2021-07-13
Why Build Toys
(blog.aaronkharris.com)
2021-07-13
Gutting Decades Of Architecture To Build A New Kind Of Pr...
(www.nextplatform.com)
2021-07-10
We replaced rental brokers with software
(caretaker.com)
2021-07-05
The Right Way to Ship Software | First Round Review
(review.firstround.com)
2021-06-07
At Grocery Stores, It's Hard Work Picking Your Online Ord...
(www.nytimes.com)
2021-05-22
You Probably Shouldn’t Work at a Startup - Napkin Math - ...
(every.to)
2021-05-18
Fierce Nerds
(paulgraham.com)
2021-05-14
Untether AI: At Memory Computation A Transformative Compu...
(youtube.com)
2021-04-30
How to | How to write cold emails to investors – lessons ...
(www.flowrite.com)
2021-03-23
What to Do When You Are Asking Yourself, “Is My Product M...
(www.skmurphy.com)
2021-03-03
Vestiaire Collective raises $216 million for its second-h...
(techcrunch.com)
2021-03-02
Enterprise Gateway Marketplaces Will Turn Large Organizat...
(www.nfx.com)
2021-03-02
The Abandoned Side Project That Quietly Turned Into a $70...
(entrepreneurshandbook.co)
2021-03-01
Reddit: Organized Lightning | The Generalist
(www.readthegeneralist.com)
2021-02-22
Start with a Niche
(fibery.io)
2021-02-19
What leader(s) over your product career truly changed how...
(askgib.substack.com)
2021-02-17
What Chip Startups Can Learn from Google’s TPU Design Team
(www.nextplatform.com)
2021-01-30
Hacker News
(costplusdrugs.com)
2021-01-30
Instacart Survived Covid Chaos — But Can It Keep Deliveri...
(www.forbes.com)
2021-01-21
7 Crowdfunding Platforms You Can Use To Boost Your Ideas
(www.entrepreneur.com)
2021-01-21
WTF is a SPAC?
(digiday.com)
2021-01-19
Hacker News
(tjcx.me)
2021-01-14
What Bill Gurley Saw - Commonplace - The Commoncog Blog
(commoncog.com)
2020-12-21
The Fall Of Mic Was A Warning | HuffPost
(www.huffpost.com)
2020-12-18
Startup Idea Validation Tools
(www.starterscode.com)
2020-11-05
The economics of vending machines
(thehustle.co)
2020-11-03
How We Created A $40K/Month 1-Click Integrations Platform
(www.starterstory.com)
2020-11-03
Million-Dollar, One-Person Businesses
(trends.vc)
2020-11-03
https://www-bloomberg-com.cdn.ampproject.org/c/s/www.bloo...
(www-bloomberg-com.cdn.ampproject.org)
2020-08-08
Sweatpants Forever: How the Fashion Industry Collapsed (P...
(www.nytimes.com)
2020-05-14
Patio11’s Law
(secondbreakfast.co)
2020-05-10
https://kamerontanseli.ghost.io/first-it-was-craiglist-ne...
(kamerontanseli.ghost.io)
2020-03-09
How to brainstorm great business ideas
(www.indiehackers.com)
2020-02-19
Startup Economic Lessons from Shen Yun’s Empire — Packy M...
(www.packym.com)
2020-02-03
A startup built around building materials: Yesler marketp...
(www.geekwire.com)
2020-01-12
On Creating A Health Care Website Used In 190 Countries
(www.starterstory.com)
2020-01-12
Canva’s Digital Growth Strategy
(www.growthmanifesto.com)
2020-01-12
Elad Blog: A Brief Guide To Startup Pivots (4 Types Of Pi...
(blog.eladgil.com)
2019-12-23
Tasks
(unawaz.github.io)
2019-12-23
https://manifold.co/blog/founders-guide-developer-tools-s...
(manifold.co)
2019-12-23
https://www.lennyrachitsky.com/p/how-to-kickstart-and-sca...
(www.lennyrachitsky.com)
2019-11-28
Crossed Stitches
(getpocket.com)
2019-11-13
How VCs Make Money
(vcstarterkit.substack.com)
2019-11-12
How I Built A $200K/Month Business Selling Proofreading C...
(www.starterstory.com)
2019-11-03
Startup Benchmarks
(www.vccafe.com)
2019-10-31
How Our Sustainable Corporate Merchandising Became a $40K...
(www.starterstory.com)
2019-09-17
The boring technology behind a one-person Internet company
(broadcast.listennotes.com)
2019-08-31
This researcher studied 400,000 knitters and discovered w...
(www.washingtonpost.com)
2019-08-30
All Things Sales! 16 Mini-Lessons for Startup Founders | ...
(a16z.com)
2019-08-29
The Subtle Art of User Onboarding & Adoption
(openviewpartners.com)
2019-08-29
The 4 Stages of 0->1 Products
(medium.com)
2019-08-24
Buy Low-Tops, Sell High-Tops: A Sneaker Exchange Is Worth...
(www.nytimes.com)
2019-08-15
Meet the next generation of entrepreneurs. They’re ...
(www.technologyreview.com)
2019-08-15
SoftBank’s first bet in energy storage is a startup that ...
(qz.com)
2019-08-05
How Duolingo Built a $700 Million Company Without Chargin...
(producthabits.com)
2019-07-19
Tech Due Diligence Calculator by Point Nine Capital
(decodingvc.gitbooks.io)
2019-07-04
That Time a Guy Cornered the Liquid Soap Market by Sneaki...
(www.todayifoundout.com)
2019-06-24
Startup idea checklist | defmacro
(www.defmacro.org)
2019-06-16
Pitt and CMU To Create Autonomous Robotic Trauma Care System
(t.co)
2019-05-12
The Camera as the App Layer
(500ish.com)
2019-04-27
What Seven Years at Airbnb Taught Me About Building a Bus...
(medium.com)
2019-04-20
The Truth About the Scooter Economy — An Insider’s Perspe...
(bothsidesofthetable.com)
2019-03-27
Name It, and They Will Come — overreacted
(overreacted.io)
2019-03-25
Stupid Advice: “You’ll Never Be Rich Working for Somebody...
(www.scotthyoung.com)
2019-03-12
Markets To Build In (2019)
(pioneer.app)
2019-03-05
Iterative Development: The Secret to Great Product Launch...
(www.mindk.com)
2019-02-21
“She Never Looks Back”: Inside Elizabeth Holmes’s Final M...
(www.vanityfair.com)
2019-02-05
9 Habits of World Class Startups
(www.nfx.com)
2019-01-26
Don't Pay to Acquire Your First Users
(www.kapwing.com)
2019-01-22
Starting A Skin Care Product Business as a Middle School ...
(www.starterstory.com)
2019-01-13
How PopSockets Prospered after Leaving Amazon
(www.practicalecommerce.com)
2019-01-13
Speed as a Habit
(firstround.com)
2019-01-11
More Start-Ups Have an Unfamiliar Message for Venture Cap...
(www.nytimes.com)
2018-12-21
CEO interview series: Michael Seibel on leadership attrib...
(torch.io)
2018-10-07
Project Repat: $10MM Business Making Quilts From Old T-Sh...
(starterstory.com)
2018-09-28
Don’t Fuck Up the Culture
(medium.com)
2018-09-14
https://funduf.com/
(funduf.com)
2018-09-13
"Disciplined Entrepreneurship" by Bill Aulet (Book Summary)
(tech.co)
2018-09-12
How Much Energy Can You Store in a Stack of Cement Blocks?
(www.wired.com)
2018-09-09
The founder of Pinboard on why understanding fandom is go...
(www.theverge.com)
2018-08-31
Memory app Timehop built an ad server to go from near-dea...
(digiday.com)
2018-08-13
Starting An Amazon FBA Business - Starter Story
(starterstory.com)
2018-07-26
This technology could fundamentally change our relationsh...
(www-vox-com.cdn.ampproject.org)
2018-07-07
The many twists and turns of hardware
(techcrunch.com)
2018-07-02
An Ohio Startup Rebuilds Lives One Piece of Fried Chicken...
(www.politico.com)
2018-05-12
Why Entrepreneurship Programs for Engineers Fail
(hbr.org)
2017-12-09
Why Is the Live-Event Ticket Market So Screwed Up? - Frea...
(freakonomics.com)
2017-10-10
Here's What Happened When I Opened a Restaurant in Portland
(www.wweek.com)
2016-10-03
Building an Empire with a Single Brick: Meet Patrick McKe...
(blog.bench.co)
-->
food & drink (all)
categories:
tags:
food-drink
date: 30 Mar 2025
slug:raindrop-fooddrink-all
(www.fastcompany.com)
2025-04-03
Big Fish
(www.thedial.world)
2025-03-26
Tacos del Carmen
(www.atlasobscura.com)
2025-03-25
Sachiyo Harada’s Visual Guide to Mastering Japanese Cuisine
(design-milk.com)
2025-03-03
Mise en Place: The Chef’s Secret to a More Productive and...
(www.artofmanliness.com)
2025-02-22
How Protein Mania Took Over the Grocery Store
(www.grubstreet.com)
2025-02-17
A Guide to the Cardamoms of the World
(www.atlasobscura.com)
2025-01-24
How One Austinite Is Bringing Central Texas–Style BBQ to ...
(www.texasmonthly.com)
2025-01-21
One-Bowl Lemon and Olive Oil Cake Recipe
(cooking.nytimes.com)
2025-01-12
The case for Japan-ifying everything you cook
(www.japantimes.co.jp)
2025-01-08
Maitake au Poivre Recipe
(cooking.nytimes.com)
2024-12-29
Everything You Need to Know About Gamay
(www.foodandwine.com)
2024-12-23
How Tortillas Lost Their Magic
(www.theatlantic.com)
2024-12-21
Vanilla Wafers Recipe
(sugarspunrun.com)
2024-12-20
How to Make Vospov Kofte (Red Lentil Kofte)
(youtube.com)
2024-12-16
The Secret History of Risotto
(www.newyorker.com)
2024-12-02
The secret tricks hidden inside restaurant menus
(www.bbc.com)
2024-11-12
Extra virgin olive oil is the flavour of mechanisation | ...
(aeon.co)
2024-11-12
The Kitchen with Two Doors - Longreads
(longreads.com)
2024-11-06
The truffle industry is a big scam. Not just truffle oil,...
(www.tasteatlas.com)
2024-10-25
The Surprising Story of How Peaches Became an Icon of the...
(www.scientificamerican.com)
2024-10-20
The Vivid Second Life of a Mexican Supper Club
(www.newyorker.com)
2024-10-19
Allrecipes America’s Most Unruly Cooking Web Site
(www.newyorker.com)
2024-10-19
The Mystery of the Masters' Pimento Cheese
(gardenandgun.com)
2024-10-19
Amid a Disastrous Crawfish Harvest, Louisiana Restaurateu...
(gardenandgun.com)
2024-07-31
How to Get Rich From Peeping Inside People’s Fridges
(www.wired.com)
2024-07-15
All Meat Church Merch – Page 4
(www.meatchurch.com)
2024-07-14
Grilled Chorizo Sandwiches with Chimichurri (Choripán)
(getpocket.com)
2024-07-13
Book Review: Refrigeration and the Many Virtues of the Co...
(undark.org)
2024-06-30
Doordash and Pizza Arbitrage
(www.readmargins.com)
2024-06-28
3 Degrees and $100M of Product: What It’s Like to Work a ...
(www.eater.com)
2024-06-26
Pizza in America Is Better Than Ever
(www.nytimes.com)
2024-06-24
Creamy Coconut-Lime Rice With Peanuts
(cooking.nytimes.com)
2024-06-23
How onigiri, not as famous as ramen or sushi, became Japa...
(www.scmp.com)
2024-06-16
The Man Who’s Going to Save Your Neighborhood Grocery Store
(longreads.com)
2024-06-16
The Utopian Promises and Novelty Cheese of a Discount Gro...
(tastecooking.com)
2024-06-07
How to Eat Your Way Through 24 Perfect Hours in Paris
(www.eater.com)
2024-05-30
It’s the first taquería in the world to get a Michelin st...
(www.latimes.com)
2024-05-21
Vietnamese Daikon and Carrot Pickles (Do Chua)
(pocket.co)
2024-05-21
The Ultimate Gulf Coast Seafood Crawl
(www.texasmonthly.com)
2024-05-20
How to Apéro Like the French
(www.nytimes.com)
2024-05-19
Freeze Every Citrus Peel That Comes Through Your Kitchen
(getpocket.com)
2024-05-12
The hot business of cold storage
(sherwood.news)
2024-05-11
The Giddy Delights of Trompe L’Oeil Candy
(www.nytimes.com)
2024-05-10
I Was at the Clapperboard for Orson Welles’ Drunk Wine Co...
(melmagazine.com)
2024-05-07
Hear that? That’s the sound of an ultrasonic cold brew co...
(www.unsw.edu.au)
2024-05-05
The Country Bumpkins who gave us Parisian Café Culture
(www.messynessychic.com)
2024-04-16
This Restaurant Offers Free Wine if You Put Away Your Phone
(www.neatorama.com)
2024-04-04
Saffron: The Story of the World’s Most Expensive Spice
(daily.jstor.org)
2024-04-01
The Hottest Restaurant in France Is an All-You-Can-Eat Bu...
(www.newyorker.com)
2024-03-11
A Hearty Irish Bread Absolutely Anyone Can Make
(www.nytimes.com)
2024-03-11
The 38 All-Time Best Food Movies
(www.eater.com)
2024-02-29
The Unique History of Japanese Plastic Food Samples
(www.tokyoweekender.com)
2024-02-22
Millions of women are 'under-muscled.' These foods help b...
(www.npr.org)
2024-02-21
Why is Diet Coke so expensive in 2023? - Vox
(www.vox.com)
2024-02-21
The Twilight of the American Sommelier
(www.nytimes.com)
2024-02-19
The Book of Ramen
(docs.google.com)
2024-02-10
What really caused the sriracha shortage? 2 friends and t...
(fortune.com)
2024-02-06
Your Cart
(leidenheimer.com)
2024-02-06
Liquid logistics: The fine art of wine transportation
(www.dhl.com)
2024-01-30
Where Southerners Go to Fill the Tank and Feed the Family
(www.nytimes.com)
2024-01-28
The Right Way to Sauce Pasta
(www.seriouseats.com)
2024-01-16
Please sir, I want Sumo: How Sumo wrestlers fuel up for f...
(www.fedfedfed.com)
2023-10-18
The Best Restaurants in New Orleans
(www.nytimes.com)
2023-10-15
Sweet Potato Stew With Chickpeas & Hardy Greens
(food52.com)
2023-10-07
We are sakuraco
(sakura.co)
2023-10-06
I Was a Pop-Tarts Taste Tester
(www.nytimes.com)
2023-09-28
The Ultimate TexasTacopedia
(www.texasmonthly.com)
2023-09-27
The Chemistry behind Bourbon
(theconversation.com)
2023-09-13
Eating bread when scared? There's science behind the Mexi...
(www.nbcnews.com)
2023-08-16
Why the world’s best vanilla is so easy to steal
(thehustle.co)
2023-08-09
Meet Luna: The New, Improved ‘Great-Granddaughter’ of the...
(www.texasmonthly.com)
2023-08-05
Saraga Is the International Grocery Store of My Dreams
(www.bonappetit.com)
2023-07-31
Revolutionary culinary collective Ghetto Gastro is bringi...
(www.fastcompany.com)
2023-07-29
What Makes the Allsup’s Burrito So Legendary?
(www.texasmonthly.com)
2023-07-28
Lemon Posset
(therecipecritic.com)
2023-07-24
A Story of Pepper, the World’s Most Important and Underap...
(newlinesmag.com)
2023-07-22
A funeral for fish and chips
(www.theguardian.com)
2023-07-02
The Condiment Packet Gallery
(www.condimentpacket.com)
2023-06-17
Meyer Lemon Mezcal Margarita
(www.foodandwine.com)
2023-06-12
This 1-Ingredient No-Cook Stock is at the Heart of Japane...
(www.saveur.com)
2023-05-29
For a Chile Con Queso Like No Other, Head to Southern New...
(www.nytimes.com)
2023-05-24
Baking Powder vs. Baking Soda: How They’re Different, Whi...
(getpocket.com)
2023-05-13
It’s May in Rome: A Time to Revere, and Fear, Fava Beans
(www.nytimes.com)
2023-05-09
How Sight—Not Taste, Smell, or Touch—Became the Sense of ...
(behavioralscientist.org)
2023-05-07
16 Recipes for Becoming a Next-Level French Cook
(www.foodandwine.com)
2023-05-05
Why so many top restaurants are launching grocery store p...
(www.fastcompany.com)
2023-04-30
Black Vinegar Doesn't Just Season a Dish–It Transforms It...
(www.bonappetit.com)
2023-04-20
This Ginger-Based Cocktail Is an Incredible Hangover Cure
(www.foodandwine.com)
2023-04-19
8 French Sandwiches to Eat Before You Die
(www.foodandwine.com)
2023-04-16
Why Does a Plastic-Wrapped Turkey Sandwich Cost $15 at th...
(hellgatenyc.com)
2023-04-13
How America's Beloved Meyer Lemon Caused a Mid-Century Ci...
(www.atlasobscura.com)
2023-04-12
How to Make a Simple Roast Chicken, According to a French...
(www.nytimes.com)
2023-04-09
Allegheny Coffee & Tea Exchange
(www.alleghenycoffee.com)
2023-04-08
How to Make Baguettes
(www.saveur.com)
2023-04-06
How Cookie Jars Capture American Kitsch
(www.eater.com)
2023-03-28
The Best Biscuits Outside of the South
(www.nytimes.com)
2023-03-22
Carrot Maqluba Recipe
(cooking.nytimes.com)
2023-03-17
The Timeless Draw of Decorating Cookies
(www.smithsonianmag.com)
2023-03-17
Fish Sauce, Loud and Proud
(tastecooking.com)
2023-03-08
The Folklore-Filled History of Absinthe
(food52.com)
2023-03-01
The East Village Shop That’s Been the Magic Weapon of Che...
(ny.eater.com)
2023-02-26
Welcome to Hillstone, America's Favorite Restaurant | Bon...
(www.bonappetit.com)
2023-02-22
A Pro Baker's Top 10 Essentials for Dabbling With Dough
(food52.com)
2023-02-09
Palestinian Food 101: Recipes to Get You Started
(www.seriouseats.com)
2023-02-02
In pursuit of decent coffee
(worksinprogress.substack.com)
2023-01-22
How saliva changes the flavor of food
(knowablemagazine.org)
2023-01-20
Flour Trip
(getpocket.com)
2023-01-19
All of the Tools You Need to Make Really Great Baguettes ...
(www.seriouseats.com)
2023-01-14
Hunting for Truffles Is a Perilous Pursuit, Especially fo...
(www.nytimes.com)
2023-01-13
The Economic Secret Hidden in a Tiny, Discontinued Pasta
(www.thebulwark.com)
2022-12-19
Homemade French Baguettes
(www.seriouseats.com)
2022-12-16
Chile Crisp Recipe
(cooking.nytimes.com)
2022-12-15
What it's like to be a food writer when you can taste eve...
(www.atlantamagazine.com)
2022-12-14
What’s the (Cheesy, Bacony) Way to Say “Hygge” in French?
(food52.com)
2022-12-14
Ka'ak al Quds
(www.seriouseats.com)
2022-12-09
Mansaf
(www.seriouseats.com)
2022-12-08
The weird world of soda flavours
(www.bbc.com)
2022-11-22
‘China’s hottest woman’: the driving force behind crunchy...
(www.theguardian.com)
2022-11-20
Blessed are the (tiny) cheesemakers
(knowablemagazine.org)
2022-11-17
Life in the Slow Lane
(longreads.com)
2022-11-12
Why Prehistoric Herders Didn't Spit Out Their Watermelon ...
(www.smithsonianmag.com)
2022-10-25
What's the Difference Between Western and Japanese Chef's...
(www.seriouseats.com)
2022-10-25
Recipe: How to make cannabis-infused caramels
(www.leafly.com)
2022-10-24
The Evolution of the Diwali Sweet
(chicago.eater.com)
2022-10-21
How to Buy the Best Coffee
(www.seriouseats.com)
2022-10-21
How to Make the Juiciest Dumplings at Home
(getpocket.com)
2022-10-18
The French Art of Cheese-Label Collecting
(www.atlasobscura.com)
2022-10-11
Use the Leidenfrost effect to make your stainless steel p...
(www.popsci.com)
2022-10-10
The 40 Top Restaurants Along The Pacific Coast Highway
(apple.news)
2022-10-01
The Best Jewish Food Cookbooks (for Noshing Your Way Thro...
(www.vice.com)
2022-09-30
A Guide to Thai Soups
(www.seriouseats.com)
2022-09-29
Drinking Ginger Water Can Actually Help With PMS, Researc...
(getpocket.com)
2022-09-27
A good biscuit is a work of art. You won't want to miss M...
(twitter.com)
2022-09-23
A Pesto for Every Pantry and Mood
(www.nytimes.com)
2022-09-19
Pay Attention to Deviations from Mainstream Incentives
(commoncog.com)
2022-09-19
The Japanese tradition of raising and eating wasps | The ...
(www.splendidtable.org)
2022-09-18
The family that built a ballpark nachos monopoly
(thehustle.co)
2022-09-17
The Mysterious, Stubborn Appeal of Mass-Produced Fried Ch...
(www.vice.com)
2022-09-16
#17: One kitchen, hundreds of internet restaurants
(peabee.substack.com)
2022-09-14
NakedPack uses edible, soluble food packaging to give you...
(www.yankodesign.com)
2022-09-05
The Missing Chinese Machine Revolution
(erikexamines.substack.com)
2022-09-02
Grilling the Perfect Steak
(www.artofmanliness.com)
2022-08-30
Meet Pinky Cole, the force behind Slutty Vegan’s booming ...
(www.washingtonpost.com)
2022-08-24
Scientists Fed Rats Sugary Soda for Two Months and They G...
(futurism.com)
2022-08-21
J.Q. Dickinson Appalachian Mercantile
(jqdappalachianmercantile.com)
2022-08-17
Why Are Border Smugglers Trafficking Bologna?
(www.texasmonthly.com)
2022-08-15
Le bon temps continue to roll on Cajun radio in Southern ...
(www.npr.org)
2022-08-14
The Economic Principle That Helps Me Order at Restaurants
(www.theatlantic.com)
2022-08-12
Can a grocery store teach its customers to love to cook?
(retailwire.com)
2022-08-12
The Secret Life of Leftovers — The New Atlantis
(www.thenewatlantis.com)
2022-08-08
Za'atar
(www.seriouseats.com)
2022-07-30
Is the Minimalist Restaurant Menu Over?
(www.eater.com)
2022-07-28
The Quest to Save the Pink Apples of Italy
(www.afar.com)
2022-07-28
When Did Peanut Butter Get So Cool?
(tastecooking.com)
2022-07-23
A Traveling Jewish Deli Exhibit Tells an American Tale in...
(www.nytimes.com)
2022-07-20
Samoon | Traditional Bread From Iraq | TasteAtlas
(www.tasteatlas.com)
2022-07-19
The Case for Bad Coffee
(www.seriouseats.com)
2022-07-17
Dinner Parties Are No Longer About Showing Off
(www.bonappetit.com)
2022-07-13
How to Sell a $300 Chocolate Bar
(api.atlasobscura.com)
2022-07-13
A Guide to Barbecue Around the World—in All Its Tangy, Sp...
(www.cntraveler.com)
2022-07-11
Hacker News
(www.sixthtone.com)
2022-07-10
The Secret to Better Home Fries? Cook Them Like the Frenc...
(getpocket.com)
2022-07-09
Recipe: Laotian lettuce wraps
(www.japantimes.co.jp)
2022-07-04
On the Sonoma Coast, Fog, Wind and Exceptional Wine
(www.nytimes.com)
2022-06-27
Lifelong Quests! Lawsuits! Feuds! A Super-Serious Story A...
(narratively.com)
2022-06-26
Shop info
(www.sushi-jiro.jp)
2022-06-23
Recipe Cuisine Classification
(towardsdatascience.com)
2022-06-16
When Baking and Real Estate Collide
(www.newyorker.com)
2022-06-16
Why Are So Many Cakes Named After Fabric?
(www.epicurious.com)
2022-06-13
How Cup Noodles Became One of the Biggest Transpacific Bu...
(getpocket.com)
2022-06-07
The Engineering of the Chain Restaurant Menu
(www.theatlantic.com)
2022-06-07
Easy No Knead Bread
(getpocket.com)
2022-06-02
Chemistry of Cast Iron Seasoning (2010)
(sherylcanter.com)
2022-05-30
So You Want to Be a Bootlegger | The Saturday Evening Post
(www.saturdayeveningpost.com)
2022-05-18
Here’s How to Make Olive Oil Like an Ancient Egyptian
(www.sapiens.org)
2022-05-17
3 Must-Know Mexican Spirits Worth a Spot on Your Bar Cart
(food52.com)
2022-05-17
The Shortcut Magic of Mole Paste
(food52.com)
2022-05-15
Hacker News
(thehustle.co)
2022-05-15
The Rickety Economics of Food Trucks
(getpocket.com)
2022-05-08
From Our Cooking Newsletter
(cooking.nytimes.com)
2022-05-03
18 Recipes You Should Learn by Heart (Published 2022)
(www.nytimes.com)
2022-05-02
The 22 Best Ways to Lose Weight After 50
(getpocket.com)
2022-04-14
You Can Have Torta Rustica, an Easter Pie, Any Time of Year
(www.nytimes.com)
2022-04-10
The world's oldest dessert?
(www.bbc.com)
2022-04-09
Sassquatch Coffee Mug by Sophie Corrigan | Society6
(society6.com)
2022-04-08
Best Spaghetti with Lemon Pesto Recipe - How to Make Spag...
(www.177milkstreet.com)
2022-03-27
How to Make Conchas - The New York Times
(www.nytimes.com)
2022-03-17
14 Things to Buy at H Mart, America's Favorite Korean Gro...
(food52.com)
2022-03-16
Everything You Ever Wanted to Know About Sumac
(www.eater.com)
2022-03-10
ReadPDF
(readpdf.org)
2022-03-06
How Sugar Affects the Brain, According to a Neuroscience ...
(getpocket.com)
2022-03-04
Revolución on the Cookie Factory Floor
(narratively.com)
2022-02-25
The rise, fall and potential resurrection of a coffee bre...
(www.modernretail.co)
2022-02-24
How Heinz uses a fake number to keep its brand timeless |...
(www.cnn.com)
2022-02-18
Flour Trip
(www.eater.com)
2022-02-18
20 Cannabis Edibles That Are Truly, Actually Delicious
(apple.news)
2022-02-10
With Coffee, It Pays to Be a Homebody
(www.vice.com)
2022-02-09
Heart of Mold
(tedium.co)
2022-02-05
Drugs, Punk Rock, and Handmade Street Pasta: How Popping-...
(www.lataco.com)
2022-02-03
Johnnie Walker Penicillin | VinePair
(vinepair.com)
2022-02-03
America’s Next Food Craze Is Buried in Appalachia
(www.outsideonline.com)
2022-01-30
How to Fry Fish: The Ultimate Guide on Everything from Oi...
(getpocket.com)
2022-01-29
The reason some vegan alternatives don't taste like meat ...
(www.bbc.com)
2022-01-29
Plastic-Free Shopping Is Going Mainstream
(reasonstobecheerful.world)
2022-01-29
Spice up your life! 22 sensational seasonings that aren’t...
(www.theguardian.com)
2022-01-16
The Zen of Drinking Alone | Modern Drunkard Magazine
(drunkard.com)
2022-01-07
The (Other) French Chef | Hazlitt
(hazlitt.net)
2022-01-07
Still She Rises — THE BITTER SOUTHERNER
(bittersoutherner.com)
2022-01-07
Sonoma County farm finds first truffle - Los Angeles Times
(www.latimes.com)
2022-01-03
In West Bengal, Date Palm Jaggery Is a Winter Delicacy. I...
(www.eater.com)
2021-12-27
The Incredible Fig
(nautil.us)
2021-12-26
Where the Tupelo Grows — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-12-26
I Write About Food Every Single Day, And These Are The Mo...
(www.buzzfeed.com)
2021-12-26
The Lost Lingo of New York City’s Soda Jerks
(www.atlasobscura.com)
2021-12-24
Lemon Bars With Olive Oil and Sea Salt Recipe
(cooking.nytimes.com)
2021-12-18
The Secret to Impossibly Fluffy Southern-Style Biscuits
(www.thekitchn.com)
2021-12-18
Umami Exists and MSG is its Messenger
(www.atvbt.com)
2021-12-15
Cioppino (San Francisco Seafood Stew)
(www.seriouseats.com)
2021-12-12
The Story of Carolina Gold, the Best Rice You've Never Ta...
(www.seriouseats.com)
2021-12-12
Spicy Pork Tamales Recipe
(www.vice.com)
2021-12-10
Bros., Lecce: We Eat at The Worst Michelin Starred Restau...
(everywhereist.com)
2021-12-08
Crispy Garlic Chili Oil Recipe
(www.vice.com)
2021-12-08
In New Mexico, Money Grows on Trees
(www.eater.com)
2021-11-29
High-Protein Alternatives to Meat
(getpocket.com)
2021-11-29
The Loss at the Heart of Guy Fieri’s Entertainment Empire
(www.theatlantic.com)
2021-11-23
The World’s Deadliest Thing — Anthony Warner
(www.the-angry-chef.com)
2021-11-22
How Fish and Chips Migrated to Great Britain
(getpocket.com)
2021-11-21
Bulk Yemeni Coffee - Al Mokha
(www.almokha.com)
2021-11-16
Griswold Cast Iron – Histroy, Value, Identify Guide In 2021
(thepan-handler.com)
2021-11-09
What Chefs Make When All They Have Is a Bag of Rice
(getpocket.com)
2021-11-09
Follow These 5 Steps to the Best Banh Mi
(getpocket.com)
2021-11-08
A Hot Bowl Of Homemade Shoyu Ramen Is Worth Every Second
(getpocket.com)
2021-11-02
Inside Ekiben’s six-hour trip to make a special dish for ...
(www.baltimoresun.com)
2021-10-26
Hatch green chiles are feeling the heat
(www.hcn.org)
2021-10-24
An NYC Chef’s Flavor-Building Pantry Staples, None of Whi...
(getpocket.com)
2021-10-01
How to Make a Fried Catfish Po’Boy Sandwich
(getpocket.com)
2021-09-25
The Wild Story of Manuka, the World’s Most Coveted Honey
(getpocket.com)
2021-09-24
A rare treat getting rarer: Chimayo Red New Mexico's 'hol...
(www.npr.org)
2021-09-24
How to Use Canned Chipotles—the Smoky, Spicy Peppers We A...
(www.marthastewart.com)
2021-09-05
The Million-Dollar Nose
(www.theatlantic.com)
2021-08-28
Rural America is Gearing Up For a Generation of Change - ...
(austinvernon.eth.link)
2021-08-21
Serving Up West Virginia History, Not All of It Sweet (Pu...
(www.nytimes.com)
2021-08-20
The Queen of Delicacies — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-08-15
Pastis, an iconic French aperitif, makes a comeback
(apple.news)
2021-08-05
Lifelong Quests! Lawsuits! Feuds! A Super-Serious Story A...
(getpocket.com)
2021-07-30
Everything You Always Wanted to Know About Vanilla
(www.eater.com)
2021-07-20
How Pork Rinds Ditched the ‘Junk Food’ Label
(www.vice.com)
2021-07-10
The unique culture of Japanese convenience stores - BBC T...
(www.bbc.com)
2021-07-03
The Deep Roots of the Vegetable That ‘Took Over the World’
(www.atlasobscura.com)
2021-06-27
Pastis, a Perfect Aperitif for the Lazy Days of Summer (P...
(www.nytimes.com)
2021-06-23
Chefs share their best tricks for making 16 foods everyon...
(www.insider.com)
2021-06-20
Bringing the sass(afras) and other spices to root beer ma...
(www.kcrw.com)
2021-06-19
The Elusive Story of the Bread-and-Butter Pickle Sandwich
(getpocket.com)
2021-06-19
The birthplace of the modern apple - BBC Travel
(www.bbc.com)
2021-06-07
How to Start Cooking: Tips from the Pros
(getpocket.com)
2021-06-07
How to Build a Better Dinner - The New York Times
(www.nytimes.com)
2021-06-07
At Grocery Stores, It's Hard Work Picking Your Online Ord...
(www.nytimes.com)
2021-06-04
Meet the Appalachian Apple Hunter Who Rescued 1,000 'Lost...
(www.atlasobscura.com)
2021-05-31
America Loves Gas Station Snacks. Here Are Some of the Fi...
(www.eater.com)
2021-05-31
Spaghetti With Fried Eggs Recipe
(cooking.nytimes.com)
2021-05-24
Shrimp Tacos
(getpocket.com)
2021-05-17
How to Use Onions, Garlic, Shallots and More
(www.nytimes.com)
2021-04-26
The Unlikely Success of Fish Sticks | Hakai Magazine
(www.hakaimagazine.com)
2021-04-24
Mexican Street Tacos
(getpocket.com)
2021-04-24
How to make tonpeiyaki cabbage and pork omelette
(www.japantimes.co.jp)
2021-04-23
The Cold War Over Hacking McDonald’s Ice Cream Machines
(www.wired.com)
2021-04-20
How to Make Fresh Homemade Pasta
(www.epicurious.com)
2021-04-12
The Unlikely Rise of the French Tacos
(www.newyorker.com)
2021-04-10
A Hedonist’s Guide to Dining in and Around Big Bend
(www.texasmonthly.com)
2021-04-08
Authentic Hummus
(getpocket.com)
2021-03-29
Low effort, huge reward: readers recommend 10 very easy, ...
(www.theguardian.com)
2021-03-27
The Timeless Fantasy of Stanley Tucci Eating Italian Food...
(www.newyorker.com)
2021-03-19
Pan-Baked Lemon-Almond Tart Recipe
(cooking.nytimes.com)
2021-03-14
Tuna’s Last Stand | Hakai Magazine
(www.hakaimagazine.com)
2021-03-09
Will Fish Sauce and Charred Oranges Return the World Covi...
(www.nytimes.com)
2021-03-07
Guobing: the giant Chinese pancake three times the size o...
(www.scmp.com)
2021-03-07
‘The Truffle Hunters’ Review: In Dogged Pursuit of Culina...
(www.nytimes.com)
2021-03-06
Tiny Pies – Locally Sourced Pies made from scratch daily
(tinypies.com)
2021-03-02
‘This sauce will change your life!’ 30 brilliant condimen...
(www.theguardian.com)
2021-03-01
Iranian and Mexican Rice Pudding Meet at Nixta Taqueria i...
(www.nytimes.com)
2021-02-23
Garam Masala, Za'atar and More Homemade Spice Blends
(www.nytimes.com)
2021-02-20
Take your pasta up a notch with Niigata’s kanzuri chili p...
(www.japantimes.co.jp)
2021-02-20
How To Make Classic French Madeleines
(www.thekitchn.com)
2021-02-19
The Secret to a Rich and Comforting Beef Stew? Just Add C...
(apple.news)
2021-02-09
De Cecco Reveals Why There Is a Bucatini Shortage in America
(www.grubstreet.com)
2021-02-09
This Ridiculously Tender Brisket Is Almost Too Good to Be...
(getpocket.com)
2021-02-08
Birria: greatest of all time | Good Food
(www.kcrw.com)
2021-02-07
Pellet Ice Is the Good Ice
(www.newyorker.com)
2021-02-03
Filipino Tacos Are Here, and They’re Superb
(www.texasmonthly.com)
2021-02-02
The Fried Rib Tips Are Sacred at Mitch’s Corner Stop
(www.texasmonthly.com)
2021-01-27
Treat Yourself to a Parisian Aperitif That Is Easy to Mak...
(www.nytimes.com)
2021-01-19
America’s Independent Bowling Alleys Might Not Make It Th...
(www.eater.com)
2021-01-17
How the napa cabbage became the king of leafy greens in J...
(www.japantimes.co.jp)
2021-01-16
This Homemade Chai Latte Will Have You Skipping the Coffe...
(getpocket.com)
2021-01-16
How To Make Panna Cotta
(getpocket.com)
2021-01-13
For a ‘Proper Proper Proper’ Baked Sweet Potato, Freeze I...
(www.eater.com)
2021-01-10
How to Make Buckwheat Soba Noodles from Scratch
(getpocket.com)
2021-01-07
The Industrial Croissant Deserves Your Respect
(tastecooking.com)
2021-01-02
The Poke Paradox
(longreads.com)
2020-12-30
Why Is There a Bucatini Shortage in America?
(www.grubstreet.com)
2020-12-28
Thai Basil Stir-Fry (Put Kaprow)
(food52.com)
2020-12-26
The Tasting Menu at the End of the World
(www.eater.com)
2020-12-24
How To Make Starbucks-Style Cold Brew Coffee at Home
(getpocket.com)
2020-12-18
A Chicken Dish That Makes It Feel Like Christmas (Publish...
(www.nytimes.com)
2020-12-18
Sini Manti (Armenian Baked Lamb Manti)
(www.seriouseats.com)
2020-12-18
Recipe: Slow Cooker Golden Chickpea Soup
(getpocket.com)
2020-12-16
Recipe: Slow Cooker Boeuf Bourguignon
(getpocket.com)
2020-12-16
Old-Fashioned Buttermilk Bar Donuts Are Crispy, Fluffy Pe...
(getpocket.com)
2020-11-27
What It Takes to Be a Short-Order Cook in Las Vegas
(www.newyorker.com)
2020-11-26
A Coconut Milk–Laced Beef Stew to Warm You Up in an Insta...
(apple.news)
2020-11-11
Who Was Pappy Van Winkle and Why Does His Whiskey Cost So...
(www.nytimes.com)
2020-11-07
The World’s Most Nutritious Foods
(getpocket.com)
2020-11-05
custom yeast - Google Search
(www.google.com)
2020-11-03
Tamales | Order Tamales Online | Delia’s Specializing in ...
(deliastamales.com)
2020-10-30
The 20 best sandwich recipes
(www.theguardian.com)
2020-10-30
Making Your Own Ramen Is a Labor of Love — But So Worth It
(getpocket.com)
2020-10-30
Panduan Cerdas untuk Teknologi Sehari-hari
(smallspacebigtaste.co)
2020-10-26
Simple Crusty Bread Recipe - NYT Cooking
(cooking.nytimes.com)
2020-10-23
How To Make Pita Bread at Home
(getpocket.com)
2020-10-20
How To Make No-Knead Bread
(getpocket.com)
2020-10-19
How To Make Cacio e Pepe: The Easiest Method for Perfect ...
(getpocket.com)
2020-10-18
How To Make Crispy Roasted Chickpeas in the Oven
(getpocket.com)
2020-10-13
Here's the Perfect Ratio for French Press Coffee
(getpocket.com)
2020-09-29
You'll Want to Add Socca — A Popular French Street Food —...
(getpocket.com)
2020-09-20
53 Vegetarian Dinner Recipes for Meatless Meals Every Nig...
(t.co)
2020-09-16
The Redemption of the Spice Blend
(www.eater.com)
2020-09-15
http://feeds.seriouseats.com/~r/seriouseatsfeaturesvideos...
(feeds.seriouseats.com)
2020-08-20
Prik Gaeng Panaeng (Thai Panang Curry Paste)
(www.seriouseats.com)
2020-08-17
Ackee and Saltfish with Johnny Cakes and Steamed Callaloo...
(www.vice.com)
2020-08-15
How To Roast Any Vegetable
(getpocket.com)
2020-08-12
Finding the Soul of Sonora in Carne Asada (Published 2020)
(www.nytimes.com)
2020-08-11
How To Make Kombucha Tea at Home
(getpocket.com)
2020-08-11
The Parisian Cookbook We're Escaping Into
(food52.com)
2020-08-10
How to Make Cannabutter at Home - Best Weed Butter Recipe
(food52.com)
2020-08-08
It Took Years to Formulate, But This Is the Absolute Best...
(getpocket.com)
2020-08-08
The Simple Joys of Tamarind
(www.nytimes.com)
2020-07-24
The Valley of the Cheese of the Dead
(getpocket.com)
2020-07-23
Lamb Biryani With Saffron, Yogurt, and Caramelized Onions
(www.seriouseats.com)
2020-07-20
How to Create a Charcuterie Board the French Way
(getpocket.com)
2020-07-19
Misir Wat (Ethiopian Spiced Red Lentils)
(www.daringgourmet.com)
2020-07-16
How Nespresso's coffee revolution got ground down | Coffe...
(www.theguardian.com)
2020-07-16
The French Girl’s Guide to Cooking Eggs
(getpocket.com)
2020-07-10
The Mighty Mudbug
(getpocket.com)
2020-06-23
Maque Choux Recipe - NYT Cooking
(cooking.nytimes.com)
2020-06-20
This European Pre-Dinner Ritual Helps Me Wind Down After ...
(getpocket.com)
2020-06-14
Low Effort, High Reward
(www.nytimes.com)
2020-06-01
How to Make Iced Coffee (The Best Method Isn't Cold Brew)...
(www.epicurious.com)
2020-05-28
How Energy Bars Became America's Favorite Snack
(getpocket.com)
2020-05-25
How to Smoke Brisket on a Weber Grill
(getpocket.com)
2020-05-24
Inside the Flour Company Supplying America’s Sudden Bakin...
(marker.medium.com)
2020-05-21
Grilled Shrimp with Miso, Ginger, and Scallion Butter Recipe
(www.vice.com)
2020-05-19
A Hotelier’s Spicy Fish Stew
(www.nytimes.com)
2020-05-17
Guy Fieri Is The Last Unproblematic Food Person
(www.buzzfeednews.com)
2020-05-15
new york times sandwich recipe tampenade - Google Search
(www.google.com)
2020-05-03
Chef Hugh Amano Explains How To Make Handmade Ramen Noodles
(www.saveur.com)
2020-05-01
The Worst Rebrand in the History of Orange Juice
(medium.com)
2020-04-25
The Art of Homemade Soba Noodles
(getpocket.com)
2020-04-24
BBC - Travel - How to make pizza like a Neapolitan master
(www.bbc.com)
2020-04-23
16 Recipes That Prove Canned Fish Is Actually Rad As Hell
(www.vice.com)
2020-04-23
We Don’t Need Nearly as Much Protein as We Consume
(getpocket.com)
2020-04-21
Stanley Tucci offers unsolicited advice on making the per...
(theweek.com)
2020-04-21
In Japan, a 1,000-year-old cheese recipe makes its comeba...
(www.pri.org)
2020-04-21
How to Substitute Flours
(www.nytimes.com)
2020-04-19
The Galette Recipe One French Creative Director Grew Up On
(www.nytimes.com)
2020-04-19
How Sherry Became the Secret to Great Scotch
(getpocket.com)
2020-04-19
Flourless Almond Cake
(leitesculinaria.com)
2020-04-18
https://www.yummly.com/recipe/Southwestern-Pumpkin-Burger...
(www.yummly.com)
2020-04-07
How to make your own yeast for baking
(www.theverge.com)
2020-04-07
The Bacon, Egg and Cheese of Pastas
(www.nytimes.com)
2020-04-06
Baking Bread in Lyon
(www.newyorker.com)
2020-03-11
Victorian Culinary Trading Cards Are a Feast for the Eyes
(getpocket.com)
2020-03-05
The Tiny Island Just Minutes From Québec City That’s a Fo...
(getpocket.com)
2020-03-03
Chowhound - The Site for Food Nerds: Cooking Tips, Culina...
(www.chowhound.com)
2020-02-26
The Surprising Story of Moscow’s Food Revolution
(getpocket.com)
2020-02-26
A Texas Border Town’s Booming Trade in Great Tacos
(www.nytimes.com)
2020-02-25
Everybody loves a panade | Pittsburgh Post-Gazette
(www.post-gazette.com)
2020-02-23
The Recipe to Bob's Red Mill's Supreme Recipes
(www.tastecooking.com)
2020-02-19
Why Japan Is Obsessed With Kentucky Fried Chicken on Chri...
(www.smithsonianmag.com)
2020-02-19
Bon Appétit's letter to H-E-B tortillas spotlights Texas'...
(austin.culturemap.com)
2020-02-18
A Guide to 'Nduja: Italy's Funky, Spicy, Spreadable Salume
(www.seriouseats.com)
2020-02-17
An app can be a home-cooked meal
(www.robinsloan.com)
2020-02-07
Old-Fashioned Recipe
(cooking.nytimes.com)
2020-02-02
50 Slow-Cooker Recipes to Set & Forget
(food52.com)
2020-01-22
This Is the Secret Michelin-Star Capital of the World
(getpocket.com)
2020-01-12
How New York’s Bagel Union Fought — and Beat — the Mafia
(www.grubstreet.com)
2020-01-12
Italy's Great Garlic Divide
(www.tastecooking.com)
2020-01-10
The Chef Restoring Appalachia's World-Class Food Culture
(www.atlasobscura.com)
2020-01-02
Eating the Arab Roots of Sicilian Cuisine
(getpocket.com)
2019-12-23
Potpies Gone Wild – Garden & Gun
(gardenandgun.com)
2019-12-22
Pasta With Cauliflower, Bacon and Sage Recipe
(cooking.nytimes.com)
2019-12-20
Readers’ choice: Tokyo’s best ramen shops
(www.japantimes.co.jp)
2019-12-15
The Surprising Psychology of Dieting and Plate Design
(getpocket.com)
2019-12-15
Why Does Cilantro Taste Like Soap To Some People?
(getpocket.com)
2019-12-15
Journey to the Place Where Pesto Was Born
(getpocket.com)
2019-12-11
You Don’t Know Jack
(www.tastecooking.com)
2019-12-11
Death-Cap Mushrooms Are Spreading Across North America
(getpocket.com)
2019-12-08
https://cooking.nytimes.com/68861692-nyt-cooking/18198167...
(cooking.nytimes.com)
2019-12-02
Kitchen Rhythm: A Year in a Parisian Pâtisserie - Longreads
(longreads.com)
2019-11-27
Lessons From a ‘Local Food’ Scam Artist
(getpocket.com)
2019-11-27
Snow’s Queen
(getpocket.com)
2019-11-26
Inside the Secret World of Global Food Spies
(getpocket.com)
2019-11-18
How Turkish coffee destroyed an empire
(www.1843magazine.com)
2019-11-06
This little butcher shop in rural West Virginia is turnin...
(www.washingtonpost.com)
2019-11-05
How to be an Epicurean
(aeon.co)
2019-11-03
Of Meat and Men
(getpocket.com)
2019-11-02
No-Knead Bread Recipe - NYT Cooking
(cooking.nytimes.com)
2019-10-31
Manago Hotel - Hawaii Restaurant Review
(food52.com)
2019-10-31
The Agony and the Ecstasy of the State Fair Food Finalists
(getpocket.com)
2019-10-26
Jasmine, Basmati, Sticky, and Beyond: The Serious Eats Gu...
(www.seriouseats.com)
2019-10-25
The Paleta War
(www.eater.com)
2019-10-23
The Queen of the State Fair of Texas
(www.eater.com)
2019-10-22
What happens when an Italian tries to go paleo for a month
(getpocket.com)
2019-10-21
Inside the Members-Only Eating Clubs of San Sebastián
(getpocket.com)
2019-10-20
Zhug
(cooking.nytimes.com)
2019-10-20
This Knockout Spicy Sauce From Yemen Will Improve Almost ...
(www.nytimes.com)
2019-10-17
The Story of France’s Most Extraordinary Pastry
(food52.com)
2019-10-15
The Best Cast Iron Skillets
(www.seriouseats.com)
2019-10-14
Sinigang (Tamarind Broth With Pork and Vegetables) Recipe...
(cooking.nytimes.com)
2019-10-07
How Irish Butter Kerrygold Conquered America’s Kitchens
(www.bloomberg.com)
2019-10-07
The Troubling Economics of Food Halls
(heated.medium.com)
2019-09-17
15 Dressings and Vinaigrettes That Will Make You Fall in ...
(cooking.nytimes.com)
2019-09-10
Long Misunderstood, Appalachian Food Finds the Spotlight
(www.nytimes.com)
2019-09-10
On the Hunt for the World’s Rarest Pasta
(getpocket.com)
2019-09-03
The Rickety Economics of Food Trucks
(melmagazine.com)
2019-09-03
Jacobsen Salt Is Bringing Attention to Sodium Chloride
(www.bloomberg.com)
2019-09-03
Want to eat much less meat? Take the top vegan tips from ...
(www.theguardian.com)
2019-09-03
Why the Food in Okinawa’s Not Like Anything in the Rest o...
(getpocket.com)
2019-08-17
What the Heck Is Crab Rangoon Anyway?
(longform.org)
2019-08-16
How Ranch Water Became the Unofficial Cocktail of West Te...
(punchdrink.com)
2019-08-15
The True Story of Wild Rice, North America’s Most Misunde...
(www.saveur.com)
2019-08-14
This Is the Beginning of the End of the Beef Industry
(longform.org)
2019-08-06
The Humble Brilliance of Italy’s Moka Coffee Pot
(getpocket.com)
2019-08-04
This Italian Town Always Smells Like Panettone
(getpocket.com)
2019-07-31
In Search of Alaska’s Deadliest Catch: The Sea Cucumber
(getpocket.com)
2019-07-31
The Multimillion-Dollar Junkets That Introduced Americans...
(www.tastecooking.com)
2019-07-27
Restaurant Secrets From Nobu: Reservations, Unruly Celebs...
(www.bloomberg.com)
2019-07-21
The Oyster Poachers of Connemara - Saveur - Pocket
(getpocket.com)
2019-07-21
Inside the “largest launch of a produce item in American ...
(story.californiasunday.com)
2019-07-16
Is the World’s Best Butter Worth 50 Dollars a Pound?
(getpocket.com)
2019-07-12
North Austin nabs first Texas location of cult Middle Eas...
(austin.culturemap.com)
2019-07-11
Don’t Mess With the Food of Lyon
(getpocket.com)
2019-07-10
The Varied, Still-Evolving History of San Vicente’s Baske...
(getpocket.com)
2019-07-10
The best tourist secret attraction is the grocery store.
(nymag.com)
2019-07-08
The Complete Guide to Mastering Chinese Dumplings at Home
(getpocket.com)
2019-07-07
The Durian King
(www.latimes.com)
2019-06-29
Tembo Tusk – Innovations for the Road Less Traveled
(tembotusk.com)
2019-06-26
He's Making the Spice Trade Less Shady
(www.ozy.com)
2019-06-18
The Surprising Reason that There Are So Many Thai Restaur...
(www.vice.com)
2019-04-27
The Raisin Situation (Published 2019)
(www.nytimes.com)
2019-04-25
A Dispatch From the Fast-Paced, Makeshift World of High-E...
(longreads.com)
2019-03-31
The Startlingly Flavorful Dressing That Will Boost More T...
(www.nytimes.com)
2019-03-16
How Turkish coffee destroyed an empire
(www.1843magazine.com)
2019-03-09
The Prized Pepper That Comes From a Single New Mexican Town
(www.atlasobscura.com)
2019-03-06
The Female Chef Making Japan’s Most Elaborate Cuisine Her...
(www.newyorker.com)
2019-03-06
The Aldi effect: how one discount supermarket transformed...
(www.theguardian.com)
2019-02-27
Are Mail-Order Meal Kits Doomed? - Eater
(www.eater.com)
2019-02-10
The 'Ten Commandments' of running a genuine Irish pub
(www.japantimes.co.jp)
2019-02-10
Beer Pairing 101: Rich and Roasty Beers
(www.seriouseats.com)
2019-02-02
How Heirloom Corn Is Making a Comeback in Mexico City
(www.afar.com)
2019-01-29
White gold: the unstoppable rise of alternative milks
(www.theguardian.com)
2019-01-28
The Secret Sushi Bar on the 10th Floor
(www.nytimes.com)
2019-01-26
This exceptional French white wine tastes rich but costs ...
(www.washingtonpost.com)
2019-01-16
Ribollita
(www.101cookbooks.com)
2019-01-11
The High-Stakes World of Christmas Tamales
(www.theatlantic.com)
2019-01-07
In a Tokyo neighborhood’s last sushi restaurant, a sense ...
(www.japantimes.co.jp)
2018-12-30
The Best Things We Ate This Year
(www.texasmonthly.com)
2018-12-26
The Fight to Save the Traditional Tortilla
(www.nytimes.com)
2018-12-18
Rice Pilaf With Cinnamon And Golden Raisins Recipe - Geni...
(www.geniuskitchen.com)
2018-12-12
Inside Sun Noodle, the Secret Weapon of America's Best Ra...
(www.eater.com)
2018-11-23
Leftover Turkey Pot Pie Empanadas
(www.skinnytaste.com)
2018-11-20
A day in the life of Lloyd Squires, Vermont's 'best' bage...
(www.burlingtonfreepress.com)
2018-11-17
Will Stanich's Ever Reopen? Why America's Best Burger Spo...
(www.thrillist.com)
2018-11-16
A new wave of grain - Boulder Weekly
(www.boulderweekly.com)
2018-10-28
https://www.curbed.com/a/texas-california/gilroy-californ...
(www.curbed.com)
2018-10-24
The Road of Doom Leads to A Lemony Heaven
(roadsandkingdoms.com)
2018-10-23
The man who has eaten at more than 7,300 Chinese restaura...
(www.scmp.com)
2018-10-21
How Being a Line Cook Ruined Me
(munchies.vice.com)
2018-10-18
The Cheating Scandal That Has Shaken the World of Élite S...
(www.newyorker.com)
2018-10-17
France Dispatch: At World’s Largest Food Market, a Sip of...
(www.nytimes.com)
2018-10-11
We Tried the Vegan Brisket at Rice University
(www.texasmonthly.com)
2018-09-30
21 Absolutely Invaluable Kitchen Hacks Few People Know Of
(bixize.com)
2018-09-28
Bracing for the Vanilla Boom
(www.sapiens.org)
2018-09-21
Is the best restaurant in West Virginia a campsite on the...
(www.lonelyplanet.com)
2018-09-14
Searching for chocolate’s roots, and enemies, in Colombia...
(www.knowablemagazine.org)
2018-09-11
Meet the Warby Parker of dishware
(www.fastcompany.com)
2018-09-10
How Food Holidays and Hashtags Like #NationalCoffeeDay St...
(www.adweek.com)
2018-08-31
A History of Moscow in 13 Dishes
(roadsandkingdoms.com)
2018-08-31
Edge Computing at Chick-fil-A – Chick-fil-A Tech Blog – M...
(medium.com)
2018-08-28
9 Food Markets Around the World We'd Hop on a Plane For
(food52.com)
2018-08-27
Why This Japanese Knife Takes 42 Days to Make
(food52.com)
2018-08-24
Can Liquor Have a Local Taste? They’re Banking on It (Pub...
(www.nytimes.com)
2018-08-14
Colcannon
(www.atlasobscura.com)
2018-08-09
My Favorite Potato Salad Is Mashed & Comes From Japan
(food52.com)
2018-08-08
The multibillion-dollar war over chocolate design
(www.fastcompany.com)
2018-07-30
Pizza Physics: Why Brick Ovens Bake The Perfect Italian-S...
(www.npr.org)
2018-07-24
Viet-Cajun Crawfish
(www.atlasobscura.com)
2018-07-22
No-Cook, No-Sweat, No-Churn Lemon Ice Cream From a Southe...
(slate.com)
2018-07-15
White Gold
(story.californiasunday.com)
2018-07-15
Umami: The 5th Taste, Explained
(food52.com)
2018-07-03
11 Cult Condiments You Can Buy on Amazon
(slate.com)
2018-07-02
An Ohio Startup Rebuilds Lives One Piece of Fried Chicken...
(www.politico.com)
2018-07-01
The Best Chef's Knives
(www.seriouseats.com)
2018-06-26
Mauby
(www.atlasobscura.com)
2018-06-14
Kitfo - Gastro Obscura
(www.atlasobscura.com)
2018-06-03
A Brief History of America's Appetite for Macaroni and Ch...
(www.smithsonianmag.com)
2018-05-19
A Beginner’s Guide to the Dizzying World of Car...
(www.afar.com)
2018-04-05
On Dessert: A New Pastry Layers Tastes of France and Syria
(www.nytimes.com)
2018-03-17
The story of Heady Topper, Americas most loved craft beer
(longreads.com)
2018-03-07
The Story of Dave and His Killer Bread
(www.theringer.com)
2018-02-28
‘Feeding the spirit, soul and stomach’: Inside Pittsburgh...
(www.geekwire.com)
2018-02-20
Eureka! California-Grown Coffee Is Becoming The State's N...
(www.npr.org)
2018-02-20
The humble origins of popular foods
(www.bbc.com)
2018-02-20
The Unexpected Reemergence of an Elusive Strain of Rice
(longreads.com)
2017-12-13
The Food Lab's 20 Most Influential Food Books
(www.seriouseats.com)
2017-11-21
How an unpaid UK researcher saved the Japanese seaweed in...
(arstechnica.com)
2017-10-10
Here's What Happened When I Opened a Restaurant in Portland
(www.wweek.com)
2017-10-10
See the Beautiful, Campy Posters of Meat Fight
(www.texasmonthly.com)
2017-08-31
The Tater Tot Is American Ingenuity at Its Finest
(www.eater.com)
2017-04-14
In photos: India’s colonial coffee houses in an era of St...
(qz.com)
2014-10-24
The Puzzling History of China’s Most Controversial Flavoring
(www.sixthtone.com)
2014-09-24
How pour-over coffee got good
(worksinprogress.co)
2013-10-24
The Secretive Dynasty That Controls the Boar’s Head Brand
(www.nytimes.com)
2012-10-24
McDonald’s Macarons
(www.thedial.world)
2012-08-24
Injera Is the Soul of Ethiopian Cuisine
(www.nytimes.com)
2011-09-24
Lemony Shrimp and Bean Stew
(cooking.nytimes.com)
2008-10-24
Coconut Paloma
(cooking.nytimes.com)
2008-10-24
Miso Mushroom and Leek Pasta
(cooking.nytimes.com)
2006-08-24
Running a Fine Dining Restaurant in a Recession
(commoncog.com)
-->
analytics (all)
categories:
tags:
analytics
date: 30 Mar 2025
slug:raindrop-analytics-all
(github.com)
2025-02-17
WTF is open-source marketing mix modeling?
(digiday.com)
2025-02-07
SWOT Analysis
(www.nngroup.com)
2025-02-07
Stop Using Zip Codes for Geospatial Analysis
(carto.com)
2025-02-07
Time Series Decomposition: Extracting Seasonal, Trend, an...
(www.statology.org)
2024-12-13
Testing Visual Design: A Comprehensive Guide
(www.nngroup.com)
2024-11-20
DataExpert-io/data-engineer-handbook: This is a repo with...
(github.com)
2024-10-30
Beyond Pageviews: Measure Content Performance And User En...
(www.searchenginejournal.com)
2024-10-27
Goodhart's Law Isn't as Useful as You Might Think
(commoncog.com)
2024-10-21
An Introduction to Experiment Pairing — Precoil
(www.precoil.com)
2024-10-20
Supply Chain Analysis with R Using the planr Package | R-...
(www.r-bloggers.com)
2024-10-20
Mastering the Big 12 Data-driven Economic Concepts - Data...
(www.datasciencecentral.com)
2024-10-16
Marketing Mix Modeling (MMM): How to Avoid Biased Channel...
(towardsdatascience.com)
2024-08-01
Customer Satisfaction Analysis with Python
(thecleverprogrammer.com)
2024-07-31
6 Statistical Methods for A/B Testing in Data Science and...
(www.marktechpost.com)
2024-07-10
The Amazon Weekly Business Review
(commoncog.com)
2024-07-03
Run Charts - Improvement | theCompleteMedic
(thecompletemedic.com)
2024-05-31
Sample Size Calculator
(www.evanmiller.org)
2024-04-15
Using window functions for advanced data analysis
(www.datasciencecentral.com)
2024-04-08
Alabama, UConn Share Analytical Mindset—And Even Used Sam...
(www.sportico.com)
2024-03-19
Lessons from More Than 1,000 E-Commerce Pricing Tests
(hbr.org)
2024-02-29
Tools to Export Google’s SERPs
(www.practicalecommerce.com)
2024-01-15
How to use Causal Inference when A/B testing is not avail...
(towardsdatascience.com)
2023-10-04
What’s an Operational Definition Anyway?
(commoncog.com)
2023-09-29
Burning money on paid ads for a dev tool – what we've lea...
(posthog.com)
2023-09-27
Your Followers are not Your Fans
(open.substack.com)
2023-08-20
Congrats on your Customer Lifetime Value prediction model...
(towardsdatascience.com)
2023-08-14
11 free tools for PPC campaign management
(searchengineland.com)
2023-08-05
B3ed2e05
(www.thediff.co)
2023-08-05
Caveats and Limitations of A/B Testing at Growth Tech Com...
(www.thediff.co)
2023-07-30
the-markup/xandr-audience-segments
(github.com)
2023-07-29
List: Marketing Mix Modeling | Curated by Abhijeet Talaul...
(medium.com)
2023-07-24
From “Heavy Purchasers” of Pregnancy Tests to the Depress...
(themarkup.org)
2023-07-23
Uplift Modeling — A Data Scientist’s Guide to Optimizing ...
(towardsdatascience.com)
2023-07-22
Evaluating Uplift Models
(towardsdatascience.com)
2023-06-30
15 Google Analytics 4 alternatives: Free and low-cost opt...
(searchengineland.com)
2023-06-19
8 annoying A/B testing mistakes every engineer should know
(posthog.com)
2023-06-19
When You Should Prefer “Thompson Sampling” Over A/B Tests
(towardsdatascience.com)
2023-05-24
7 top enterprise SEO tools compared: A comprehensive eval...
(searchengineland.com)
2023-05-04
What is Cohort Analysis in Data Science
(thecleverprogrammer.com)
2023-04-17
Retail Price Optimization using Python
(thecleverprogrammer.com)
2023-03-31
How and where each Premier League team pass — and how the...
(theathletic.com)
2023-03-19
Uplift Modeling with Cost Optimization
(towardsdatascience.com)
2023-02-22
Forget Milk and Eggs: Supermarkets Are Having a Fire Sale...
(themarkup.org)
2023-01-31
7 Open-Source Log Management Tools that you may consider ...
(dev.to)
2023-01-26
25 A/B Testing Concepts — Interview Cheat Sheet
(towardsdatascience.com)
2023-01-17
Google ranking signals: A complete breakdown of all confi...
(searchengineland.com)
2023-01-16
Bayesian AB Testing
(towardsdatascience.com)
2022-12-17
Media Mix Modeling: How to measure the effectiveness of a...
(towardsdatascience.com)
2022-12-10
How to Select the Right Statistical Tests for Different A...
(towardsdatascience.com)
2022-11-20
NCAA Statistics
(stats.ncaa.org)
2022-11-05
https://www.analyticbridge.datasciencecentral.com/profile...
(www.analyticbridge.datasciencecentral.com)
2022-10-14
Bayesian Hierarchical Marketing Mix Modeling in PyMC
(buff.ly)
2022-09-24
Be critical or be corrupted
(www.cenizal.com)
2022-09-03
Be good-argument-driven, not data-driven
(twitchard.github.io)
2022-08-24
7 useful Excel formulas and functions for PPC
(searchengineland.com)
2022-08-19
Pipeline Analysis Playbook
(www.tomtunguz.com)
2022-08-05
5 Amazon product listing optimization must-haves
(searchengineland.com)
2022-08-01
The Joy of A/B Testing: Theory, Practice, and Pitfalls
(towardsdatascience.com)
2022-07-30
Fully Mastering Fisher’s Exact Test for A/B Testing
(towardsdatascience.com)
2022-07-29
Test Your Product On A Crappy Laptop | CSS-Tricks
(css-tricks.com)
2022-07-19
Defining Churn Rate (no really, this actually requires an...
(shopify.engineering)
2022-07-19
Running Marketing Experiments with Purpose
(lukethomas.com)
2022-07-19
Getting 200% More Actionable Feedback from Customers that...
(www.extendslogic.com)
2022-07-19
Simple Analytics documentation
(docs.simpleanalytics.com)
2022-07-19
The Data Incubator is Now Pragmatic Data | Pragmatic Inst...
(blog.thedataincubator.com)
2022-07-18
How to use 12 micro intents for SEO and content journey m...
(searchengineland.com)
2022-07-18
How Pinterest drives sustainable growth
(medium.com)
2022-07-18
Analyzing churn rates, free trials, and other metrics
(jlongster.com)
2022-07-18
Twilio Segment Blog
(segment.com)
2022-07-18
http://www.evanmiller.org/sequential-
(www.evanmiller.org)
2022-07-18
Using Spotify to measure the popularity of older music
(pudding.cool)
2022-07-18
Pricing Experiments You Might Not Know, But Can Learn From
(conversionxl.com)
2022-07-18
The Four Kinds of Churn - Predictable Revenue
(predictablerevenue.com)
2022-07-18
23 Tips on How to A/B Test Like a Badass - Search Engine ...
(searchenginewatch.com)
2022-07-18
How To Easily Manage & Test Millions Of Ads
(searchengineland.com)
2022-07-18
Easy statistics for A/B testing and hamsters
(blog.asmartbear.com)
2022-07-18
The golden rule of A/B testing: look beyond validation
(blog.intercom.com)
2022-07-18
Hire a Top Performer Every Time with These Interview Ques...
(firstround.com)
2022-07-18
A dirty dozen: twelve common metric interpretation pitfal...
(blog.acolyer.org)
2022-07-18
https://blog.keen.io/how-to-do-a-retention-analysis-26d3f...
(blog.keen.io)
2022-07-18
3 easy internal linking strategies for keywords with diff...
(searchengineland.com)
2022-07-18
A Beginner’s Guide to Cohort Analysis: the Most Actionabl...
(medium.com)
2022-07-18
The privacy-first Google Analytics alternative - Simple A...
(simpleanalytics.io)
2022-07-18
Start here: Statistics for A/B testing
(productcoalition.com)
2022-07-17
5 Tricks When AB Testing Is Off The Table
(medium.com)
2022-07-17
Email Marketing Metrics, Part 2: Advanced Topics
(www.practicalecommerce.com)
2022-07-05
Etsy's A/B Testing Culture Spurs Mobile Innovation | Appt...
(apptimize.com)
2022-07-05
13% of my website visitors block Google Analytics
(markosaric.com)
2022-07-04
Top 10 SEO Tools You Need in 2022
(dev.to)
2022-06-28
Cohort Visualizer » A handy tool for browsing cohort data...
(bslatkin.github.io)
2022-06-28
Home Page of Evan Miller
(www.evanmiller.org)
2022-06-28
Implications of use of multiple controls in an A/B test
(blog.twitter.com)
2022-06-28
Growth Hacking Checklist
(mattishness.blogspot.com)
2022-06-25
About Google Tag Manager | Google for Developers
(developers.google.com)
2022-06-25
3 pitfalls of PPC experiments
(searchengineland.com)
2022-06-25
The ultimate guide to A/B testing. Part 1: experiment design
(medium.com)
2022-06-24
Fathom: An Open Source Google Analytics Alternative
(dev.to)
2022-06-23
Startup Metrics, a love story. All slides of an 6h Lean A...
(www.slideshare.net)
2022-06-23
Multivariate vs. A/B Testing: Incremental vs. Radical Cha...
(www.nngroup.com)
2022-06-23
The Awkward Truth Behind Skip Rates
(www.hypebot.com)
2022-06-23
ANALYZE YOUR A/B TEST RESULTS
(www.conversioner.com)
2022-06-23
Roll Your Own Analytics
(www.pcmaffey.com)
2022-06-23
A Developer’s Guide To SEO
(www.portent.com)
2022-06-23
Show your musical taste with data: The best analytics too...
(dataconomy.com)
2022-06-22
How Content Scoring Can Help Generate Revenue
(www.noupe.com)
2022-06-21
180 Marketing Founder: 4 Buckets to SEO
(www.practicalecommerce.com)
2022-06-21
6 Email Triggers for Max Conversions
(www.practicalecommerce.com)
2022-06-17
5 Rank Tracking Tools for Organic Search
(www.practicalecommerce.com)
2022-06-13
https://www.airpair.com/analytics/posts/user-analytics-as...
(www.airpair.com)
2022-06-13
Reforge
(www.reforge.com)
2022-06-13
https://www.datascience.com/blog/what-is-a-churn-analysis...
(www.datascience.com)
2022-06-13
It's not me, Google, it's you - from GA to Fathom | Jeff ...
(www.jeffgeerling.com)
2022-06-13
https://trafficiscurrency.com/product-qualified-leads/
(trafficiscurrency.com)
2022-06-11
What Is Conjoint Analysis, and How Can It Be Used?
(online.hbs.edu)
2022-06-11
9 Common Types of Conjoint Analysis and How To Use Them
(www.qualtrics.com)
2022-06-08
Startup Metrics for Pirates
(www.slideshare.net)
2022-06-01
4 technical SEO issues auditing tools won’t show you
(searchengineland.com)
2022-05-28
Statistical Significance Calculator - FREE AB Test Calcul...
(www.websiteplanet.com)
2022-05-27
13 marketing automation tools that can help you boost you...
(dataconomy.com)
2022-05-20
When Keyword Poaching Pays Off
(hbr.org)
2022-05-19
How Keyword Clustering Powers SEO
(www.practicalecommerce.com)
2022-05-14
How to make a GA4 landing page report in 10 easy steps
(searchengineland.com)
2022-03-19
Google brand SERPs: Why you must dominate People Also Ask
(searchengineland.com)
2022-02-19
The Sales Sandwich by @ttunguz
(www.tomtunguz.com)
2022-01-17
Vanity Metrics: Add Context to Add Meaning
(www.nngroup.com)
2022-01-17
Why You Only Need to Test with 5 Users
(www.nngroup.com)
2022-01-16
Keyword Tool ⚠️ Google Keyword Planner【Search FREE】
(keywordtool.io)
2022-01-12
Ask HN: Good open source alternatives to Google Analytics...
(news.ycombinator.com)
2021-12-10
igorbarinov/awesome-data-engineering: A curated list of d...
(github.com)
2021-12-09
7 Ways Experiments Break
(link.medium.com)
2021-11-17
11 A/B Testing Tools to Optimize Conversions
(www.practicalecommerce.com)
2021-10-19
Build an Interactive Data App in 3 Steps | KNIME
(www.knime.com)
2021-10-17
Evan's Awesome A/B Tools - sample size calculator, A/B te...
(www.evanmiller.org)
2021-08-31
58% of Hacker News, Reddit and tech-savvy audiences block...
(plausible.io)
2021-08-12
The Ultimate Guide to Google Ads Campaign Management
(neilpatel.com)
2021-07-14
Marketing Automation: What is it, Examples & Tools [2021]
(neilpatel.com)
2021-07-10
Full Rank Conjoint Analysis
(towardsdatascience.com)
2021-06-17
When Graphs Are a Matter of Life and Death
(www.newyorker.com)
2021-06-07
Why You Should Switch to Bayesian A/B Testing
(towardsdatascience.com)
2021-05-31
Is Gerrymandering About to Become More Difficult?
(www.politico.com)
2021-05-30
Metric-Based (Ratings-based) Conjoint Analysis
(towardsdatascience.com)
2021-05-29
How SoundScan Changed Everything We Knew About Popular Music
(www.theringer.com)
2021-05-29
Boxes, trucks and bikes
(www.ben-evans.com)
2021-05-18
The Two Flavors Of Churn You Need To Know - Crunchbase News
(news.crunchbase.com)
2021-05-18
A/B/C Tests: How to Analyze Results From Multi-Group Expe...
(towardsdatascience.com)
2021-03-22
Oliver Palmer | You probably don’t need A/B testing
(oliverpalmer.com)
2021-03-14
Resource Round-Up: Causal Inference | Emily Riederer
(emilyriederer.netlify.app)
2021-03-01
Are You Still Using Pandas to Process Big Data in 2021?
(link.medium.com)
2021-02-23
Buyer beware: Massive experiment shows why ticket sellers...
(newsroom.haas.berkeley.edu)
2021-02-22
8 Common Pitfalls of Running A/B Tests
(towardsdatascience.com)
2021-02-18
A/B Testing — A complete guide to statistical testing
(towardsdatascience.com)
2021-02-18
AB_Testing/AB_Testing.ipynb at main · bjpcjp/AB_Testing
(github.com)
2021-02-13
A Dynamic Journey to Performance
(tech.wayfair.com)
2021-01-02
Pylift: A Fast Python Package for Uplift Modeling – Wayfair
(tech.wayfair.com)
2020-12-26
Annotated Heatmaps of a Correlation Matrix in 5 Simple St...
(towardsdatascience.com)
2020-12-18
Why you should try the Bayesian approach of A/B testing
(towardsdatascience.com)
2020-12-09
Why You Should Learn Alteryx
(towardsdatascience.com)
2020-11-03
https://px6vg4ekvl21gtxs836x5jyx-wpengine.netdna-ssl.com/...
(px6vg4ekvl21gtxs836x5jyx-wpengine.netdna-ssl.com)
2020-11-03
The Guide to Product Analytics - Introduction | Mixpanel
(mixpanel.com)
2020-03-18
Retail Analytics: A Novel and Intuitive way of finding Su...
(towardsdatascience.com)
2020-03-09
One Piece of Calculus That Can Change the Way You Advertise
(mackgrenfell.com)
2020-02-09
Regular expressions google analytics 2019
(www.bounteous.com)
2020-01-22
Features
(www.psl.com)
2019-12-23
I've Built Multiple Growth Teams. Here's Why I Won't Do I...
(conversionxl.com)
2019-12-23
Back to basics: Understanding your paid search metrics
(searchengineland.com)
2019-12-23
How To Design Profitable Sales Funnels On Mobile
(www.smashingmagazine.com)
2019-12-23
https://docs.simpleanalytics.com/uniques
(docs.simpleanalytics.com)
2019-12-23
How tracking pixels work - Julia Evans
(jvns.ca)
2019-12-14
Building our Centralized Experimental Platform | Stitch F...
(multithreaded.stitchfix.com)
2019-11-19
19 Free Tutorials for Google Analytics
(www.practicalecommerce.com)
2019-10-17
Google Analytics: Introduction to Cross-device Reporting ...
(www.practicalecommerce.com)
2019-08-30
Using Experiments to Launch New Products
(hbr.org)
2019-08-30
How to use data in user research when you have no web ana...
(ui-patterns.us10.list-manage.com)
2019-08-29
Replacing Google Analytics with GoAccess
(benhoyt.com)
2019-08-29
On Migrating from Google Analytics - Thomas Hunter II
(thomashunter.name)
2019-08-29
Zero to Cohort Analysis in 60 Minutes
(data.valorep.com)
2019-06-23
7 Gaps in Google Analytics That Require Additional Tools
(www.practicalecommerce.com)
2019-03-16
$9 Marketing Stack: A Step-by-Step Guide
(robsobers.com)
2019-03-12
How to Respond to Skepticism of Testing Small Groups of U...
(www.nngroup.com)
2019-03-03
6 Experimentation Secrets from Airbnb and Uber
(blog.optimizely.com)
2019-02-06
Evidence scores — the acid test of your ideas
(medium.com)
2019-02-02
It's time to ditch Google Analytics - Fast Company
(www.fastcompany.com)
2019-01-16
We wasted $50K on Google Ads so you don’t have to
(www.indiehackers.com)
2019-01-12
4 Ways to Measure Marketing Campaigns You (Probably) Have...
(dataconomy.com)
2019-01-12
https://t.co/jaEWMYfgXr?ssr=true
(t.co)
2018-11-26
25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages
(sumo.com)
2018-10-23
Things I Learned Building an Analytics Engine
(dev.to)
2018-09-29
How to Use Google Analytics: A Complete Guide
(www.searchenginejournal.com)
2018-09-05
The Best Product Teams Crave Truth and Do Math
(www.insightpartners.com)
2018-08-31
Edge Computing at Chick-fil-A – Chick-fil-A Tech Blog – M...
(medium.com)
2018-06-08
The Left Side of Steve Kerr’s Brain
(www.nytimes.com)
2018-06-04
51 Examples of Growth Hacking Strategies & Techniques Fro...
(johnmcelborough.com)
2018-01-24
Comparing A/B and Multivariate Testing
(www.practicalecommerce.com)
2017-12-27
Using Google Analytics with Angular
(dev.to)
2017-12-27
Marketing Multi-Channel Attribution model based on Sales ...
(analyzecore.com)
2017-12-27
When to Track on the Client vs. Server
(segment.com)
2017-12-11
5 Tricks When A/B Testing Is Off The Table
(www.kdnuggets.com)
2017-11-24
Understanding the value of your customer: CLV 101
(dataconomy.com)
2017-08-31
How Not To Sort By Average Rating – Evan Miller
(www.evanmiller.org)
2009-09-24
Game on Paper
(gameonpaper.com)
-->
design patterns (all)
categories:
tags:
design-patterns
date: 30 Mar 2025
slug:raindrop-designpats-all
(www.nngroup.com)
2023-03-05
The Anatomy of a Good Design: An Analysis of 4 Sites
(www.nngroup.com)
2023-01-24
10 Essential Design System Components
(www.uxpin.com)
2023-01-09
7 Principles of Design Psychology Every UX Designer Shoul...
(www.uxmatters.com)
2023-01-02
The Five Tools of Hedonic Design
(experimentalhistory.substack.com)
2022-12-23
How to design almost any UI element (list of ~58 articles...
(dev.to)
2022-11-06
Hostile Patterns in Error Messages
(www.nngroup.com)
2022-09-17
What Are Design Tokens?
(www.uxpin.com)
2022-09-14
Accessibility UX Best Practices – 8 Tactics for Web Design
(www.uxpin.com)
2022-09-14
Design System Glossary – 34 Powerful Terms You Should Know
(www.uxpin.com)
2022-09-05
Top 5 Technology Trends in UX Design
(www.uxmatters.com)
2022-07-18
http://spyrestudios.com/30-faq-webpage-layouts-with-effec...
(spyrestudios.com)
2022-07-05
The Design Sprint — GV
(www.gv.com)
2022-07-01
Bootstrap CSS is still the sh*t. But we can make it better.
(dev.to)
2022-06-29
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-23
Hacker News
(webauthn.guide)
2022-06-23
Hacker News
(blog.pwego.com)
2022-06-21
Perfect CTA Placement: Above-The-Fold Vs. Below-The-Fold
(www.webdesignerdepot.com)
2022-06-21
The World's Most Satisfying Checkbox | !Boring Software
(www.andy.works)
2022-06-21
6 In-demand Marketing Skills for Your Design CV
(www.noupe.com)
2022-06-21
You’re not still using “Read More” are you?
(blog.prototypr.io)
2022-06-01
faif/python-patterns: A collection of design patterns/idi...
(github.com)
2022-03-31
Steps Left design pattern
(ui-patterns.com)
2022-03-28
Achievements design pattern
(ui-patterns.com)
2022-03-28
Home Link design pattern
(ui-patterns.com)
2022-03-28
479 ‘No Results Page’ Design Examples – Baymard Institute
(baymard.com)
2022-03-28
658 ‘Receipt / Order Confirmation’ Design Examples – Baym...
(baymard.com)
2022-03-28
Trend Alert: What is Flat Design?
(www.designcontest.com)
2022-03-28
Vertical Dropdown Menu design pattern
(ui-patterns.com)
2022-03-14
The Catalog of Design Patterns
(refactoring.guru)
2022-02-24
Sort By Column design pattern
(ui-patterns.com)
2022-02-24
Role Playing design pattern
(ui-patterns.com)
2022-02-24
814 ‘Search Field’ Design Examples – Baymard Institute
(baymard.com)
2022-02-24
Unlock Features design pattern
(ui-patterns.com)
2022-02-24
Peak-end rule design pattern
(ui-patterns.com)
2022-02-24
Pay To Promote design pattern
(ui-patterns.com)
2022-02-24
Table Filter design pattern
(ui-patterns.com)
2022-02-24
Blank Slate design pattern
(ui-patterns.com)
2022-02-24
Reputation design pattern
(ui-patterns.com)
2022-02-24
Retaliation design pattern
(ui-patterns.com)
2022-02-24
321 ‘Image Gallery Overlay’ Design Examples – Baymard Ins...
(baymard.com)
2022-02-24
Tag Cloud design pattern
(ui-patterns.com)
2022-02-24
Slideshow design pattern
(ui-patterns.com)
2022-02-24
Testimonials design pattern
(ui-patterns.com)
2022-02-24
Collectible Achievements design pattern
(ui-patterns.com)
2022-02-23
843 ‘Account Selection’ Design Examples – Baymard Institute
(baymard.com)
2022-02-23
Preview design pattern
(ui-patterns.com)
2022-02-23
Annotation Is Now a Web Standard : Hypothesis
(hypothes.is)
2022-02-23
Activity Stream design pattern
(ui-patterns.com)
2022-02-23
Adaptable View design pattern
(ui-patterns.com)
2022-02-23
Undo design pattern
(ui-patterns.com)
2022-02-23
Framing design pattern
(ui-patterns.com)
2022-02-23
342 Mobile ‘Search Field’ Examples – Baymard Institute
(baymard.com)
2022-02-23
Beautiful Reasons
(medium.com)
2022-02-23
Flagging & Reporting design pattern
(ui-patterns.com)
2022-02-23
Shortcut Dropdown design pattern
(ui-patterns.com)
2022-02-12
Library of design inspiration examples & user flows from ...
(nicelydone.club)
2022-02-10
Progressive Disclosure design pattern
(ui-patterns.com)
2022-02-08
359 Mobile ‘Product Lists’ Examples – Baymard Institute
(baymard.com)
2022-02-08
Self-Expression design pattern
(ui-patterns.com)
2022-02-08
A Survey of Explore and Exploit Interfaces
(medium.com)
2022-02-08
Social Proof design pattern
(ui-patterns.com)
2022-02-08
Notifications design pattern
(ui-patterns.com)
2022-02-08
Keyboard Shortcuts design pattern
(ui-patterns.com)
2022-02-08
Fat Footer design pattern
(ui-patterns.com)
2022-02-08
Endowment Effect design pattern
(ui-patterns.com)
2022-02-08
15 reasons why grid approach will improve your design
(learn.canva.com)
2022-02-08
Commitment & Consistency design pattern
(ui-patterns.com)
2022-02-08
350 Mobile ‘Search Results’ Examples – Baymard Institute
(baymard.com)
2022-02-08
How to Use Tooltips as Microinteractions
(www.webdesignerdepot.com)
2022-02-08
Periodic Events design pattern
(ui-patterns.com)
2022-02-08
Curiosity design pattern
(ui-patterns.com)
2022-02-08
945 ‘Product List’ Design Examples – Baymard Institute
(baymard.com)
2022-02-08
Competition design pattern
(ui-patterns.com)
2022-02-08
http://www.starbucks.com/static/reference/styleguide/
(www.starbucks.com)
2022-02-08
Inline Hints design pattern
(ui-patterns.com)
2022-02-08
Input Prompt design pattern
(ui-patterns.com)
2022-02-08
Playthrough design pattern
(ui-patterns.com)
2022-02-08
Reciprocation design pattern
(ui-patterns.com)
2022-02-08
233 Mobile ‘Billing Address’ Examples – Baymard Institute
(baymard.com)
2022-02-08
Fill in the Blanks design pattern
(ui-patterns.com)
2022-02-08
Inplace Editor design pattern
(ui-patterns.com)
2022-02-08
Negativity bias design pattern
(ui-patterns.com)
2022-02-08
Good Defaults design pattern
(ui-patterns.com)
2022-02-07
UI-Patterns.com
(ui-patterns.com)
2022-01-29
Modal design pattern
(ui-patterns.com)
2022-01-29
Status design pattern
(ui-patterns.com)
2022-01-29
1236 ‘Main Navigation’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Delighters design pattern
(ui-patterns.com)
2022-01-29
257 Mobile ‘Category Page’ Examples – Baymard Institute
(baymard.com)
2022-01-29
Rule Builder design pattern
(ui-patterns.com)
2022-01-29
1024 ‘Search Results Page’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-29
Dashboard design pattern
(ui-patterns.com)
2022-01-29
Autocomplete design pattern
(ui-patterns.com)
2022-01-29
Scarcity design pattern
(ui-patterns.com)
2022-01-29
330 Mobile ‘Delivery & Shipping Methods’ Examples – Bayma...
(baymard.com)
2022-01-29
Breadcrumbs design pattern
(ui-patterns.com)
2022-01-29
Optimism Bias design pattern
(ui-patterns.com)
2022-01-29
Isolation Effect design pattern
(ui-patterns.com)
2022-01-29
Status-Quo Bias design pattern
(ui-patterns.com)
2022-01-29
Value Attribution design pattern
(ui-patterns.com)
2022-01-29
18,000+ E-Commerce Design Examples Organized Across 62 Pa...
(baymard.com)
2022-01-29
Carousel design pattern
(ui-patterns.com)
2022-01-29
Guided Tour design pattern
(ui-patterns.com)
2022-01-29
The ultimate guide to proper use of animation in UX
(uxdesign.cc)
2022-01-29
450 Mobile ‘Payment’ Examples – Baymard Institute
(baymard.com)
2022-01-29
Liking design pattern
(ui-patterns.com)
2022-01-29
Levels design pattern
(ui-patterns.com)
2022-01-29
159 ‘Store Pickup’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Lazy Registration design pattern
(ui-patterns.com)
2022-01-29
Forgiving Format design pattern
(ui-patterns.com)
2022-01-29
105 ‘Top-Level Navigation’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-29
Drag and drop design pattern
(ui-patterns.com)
2022-01-29
Autosave design pattern
(ui-patterns.com)
2022-01-29
207 ‘Address Validator’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Copy Box design pattern
(ui-patterns.com)
2022-01-29
Input Feedback design pattern
(ui-patterns.com)
2022-01-29
Wizard design pattern
(ui-patterns.com)
2022-01-29
Friend design pattern
(ui-patterns.com)
2022-01-29
UX Crash Course: User Psychology
(thehipperelement.com)
2022-01-29
Invite friends design pattern
(ui-patterns.com)
2022-01-29
522 ‘Sorting Tool’ Design Examples – Baymard Institute
(baymard.com)
2022-01-29
Paywall design pattern
(ui-patterns.com)
2022-01-29
Event Calendar design pattern
(ui-patterns.com)
2022-01-23
7 things I wish every search box did
(blog.intercom.com)
2022-01-23
317 Mobile ‘Search Autocomplete’ Examples – Baymard Insti...
(baymard.com)
2022-01-23
Account Registration design pattern
(ui-patterns.com)
2022-01-23
272 Mobile ‘Receipt’ Examples – Baymard Institute
(baymard.com)
2022-01-23
1239 ‘Product Page’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
762 ‘Autocomplete Suggestions’ Design Examples – Baymard ...
(baymard.com)
2022-01-23
Explore the Book » Designing Web Interfaces
(designingwebinterfaces.com)
2022-01-23
1018 ‘Homepage’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Reduction design pattern
(ui-patterns.com)
2022-01-23
Continuous Scrolling design pattern
(ui-patterns.com)
2022-01-23
188 ‘Cross-Sells’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
887 ‘Cart’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Tagging design pattern
(ui-patterns.com)
2022-01-23
Nostalgia Effect design pattern
(ui-patterns.com)
2022-01-23
Coachmarks design pattern
(ui-patterns.com)
2022-01-23
Favorites design pattern
(ui-patterns.com)
2022-01-23
Inline Help Box design pattern
(ui-patterns.com)
2022-01-23
Vote To Promote design pattern
(ui-patterns.com)
2022-01-23
Structured Format design pattern
(ui-patterns.com)
2022-01-23
429 Mobile ‘Homepages’ Examples – Baymard Institute
(baymard.com)
2022-01-23
458 ‘User Reviews Section’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-23
Loss Aversion design pattern
(ui-patterns.com)
2022-01-23
130 ‘Order Returns’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Fixed rewards design pattern
(ui-patterns.com)
2022-01-23
Self-Monitoring design pattern
(ui-patterns.com)
2022-01-23
340 ‘Newsletter Management’ Design Examples – Baymard Ins...
(baymard.com)
2022-01-23
1024 ‘Search Results Page’ Design Examples – Baymard Inst...
(baymard.com)
2022-01-23
Categorization design pattern
(ui-patterns.com)
2022-01-23
Appropriate Challenge design pattern
(ui-patterns.com)
2022-01-23
Completeness meter design pattern
(ui-patterns.com)
2022-01-23
653 Mobile ‘Navigation Menu’ Examples – Baymard Institute
(baymard.com)
2022-01-23
Wiki design pattern
(ui-patterns.com)
2022-01-23
WYSIWYG design pattern
(ui-patterns.com)
2022-01-23
GoodUI
(www.goodui.org)
2022-01-23
Pagination design pattern
(ui-patterns.com)
2022-01-23
Accordion Menu design pattern
(ui-patterns.com)
2022-01-23
Friend list design pattern
(ui-patterns.com)
2022-01-23
224 Mobile ‘Review Order’ Examples – Baymard Institute
(baymard.com)
2022-01-23
Rate Content design pattern
(ui-patterns.com)
2022-01-23
1118 ‘Payment’ Design Examples – Baymard Institute
(baymard.com)
2022-01-23
Image Zoom design pattern
(ui-patterns.com)
2022-01-23
Calendar Picker design pattern
(ui-patterns.com)
2022-01-23
Article List design pattern
(ui-patterns.com)
2022-01-23
Set Completion design pattern
(ui-patterns.com)
2022-01-23
robinstickel/awesome-design-principles: ✨ A curated list ...
(github.com)
2022-01-23
Horizontal Dropdown Menu design pattern
(ui-patterns.com)
2022-01-23
Limited Choice design pattern
(ui-patterns.com)
2022-01-23
How to Design a Large Scale Responsive Site | UX Booth
(www.uxbooth.com)
2022-01-23
Smart Interface Design Patterns In Your Pocket: Checklist...
(smashingmagazine.com)
2022-01-23
Chat design pattern
(ui-patterns.com)
2022-01-23
Gallery design pattern
(ui-patterns.com)
2022-01-23
973 ‘Customer Info & Address’ Design Examples – Baymard I...
(baymard.com)
2022-01-23
Home | Laws of UX
(lawsofux.com)
2022-01-23
Limited duration design pattern
(ui-patterns.com)
2022-01-23
Follow design pattern
(ui-patterns.com)
2022-01-17
802 ‘Delivery & Shipping Methods’ Design Examples – Bayma...
(baymard.com)
2021-06-14
Design Patterns Cheat Sheet
(dev.to)
2021-04-04
Sticky Headers: 5 Ways to Make Them Better
(www.nngroup.com)
2018-06-08
10 Common Software Architectural Patterns in a nutshell
(medium.com)
-->
books (all)
categories:
tags:
books
date: 30 Mar 2025
slug:raindrop-books-all
(github.com)
2025-04-01
Libgen (similar to ArXiV)
(libgen.is)
2025-04-01
Summaries & Notes From Books I've Read
(www.grahammann.net)
2025-03-25
ATDCO topology diffcalc optimization book
(www.cis.upenn.edu)
2025-03-12
everything you always wanted to know about math pdf
(www.math.cmu.edu)
2025-02-26
Michael Lewis on the Magic of One-Hit Wonders
(www.newyorker.com)
2025-02-26
Visualizing all the books in the world
(flowingdata.com)
2025-01-19
Top 10 Game Theory Books to Enhance Strategic Thinking
(www.gametheorystrategies.com)
2024-12-17
11 Books to Help Navigate Risk
(www.practicalecommerce.com)
2024-12-07
7 New Books added to Big Book of R [7/12/2024] | R-bloggers
(www.r-bloggers.com)
2024-12-01
25 essential science fiction and fantasy books
(www.powells.com)
2024-11-17
The only computer science book worth reading twice? | Sim...
(simondobson.org)
2024-11-13
Speech and Language Processing An Introduction to Natural...
(web.stanford.edu)
2024-10-30
Agile Web Development with Rails 8
(pragprog.com)
2024-10-27
How the whip-poor-will became an iconic bird of American ...
(www.fastcompany.com)
2024-10-22
Book
(github.com)
2024-10-21
5 Free Books on Computer Vision - MachineLearningMastery.com
(machinelearningmastery.com)
2024-10-19
High Performance PostgreSQL for Rails: Reliable Scalable ...
(pragprog.com)
2024-08-02
Book Review: You Talking to Me? How Human Language Evolved
(undark.org)
2024-08-02
PacktPublishing/Modern-Graph-Theory-Algorithms-with-Python
(github.com)
2024-07-30
https://global.oup.com/academic/product/evolutionary-synt...
(global.oup.com)
2024-07-08
Eight Books That Will Change Your Perspective
(www.theatlantic.com)
2024-07-05
Physics — Susan Rigetti
(www.susanrigetti.com)
2024-07-04
The alchemy of air : a Jewish genius, a doomed tycoon, an...
(archive.org)
2024-05-15
Top Books on Deep Learning and Neural Networks
(www.marktechpost.com)
2024-05-04
The Complicated Ethics of Rare-Book Collecting
(www.theatlantic.com)
2024-05-04
Did a Female Chinese Super Spy Wreck CIA Ops?
(substack.com)
2024-05-04
High Anxiety - by Henry R. Schlesinger - SpyTalk
(www.spytalk.co)
2024-04-16
The Laws of Human Nature by Robert Greene - Summary & Notes
(www.grahammann.net)
2024-04-09
books/Clean Ruby.pdf at main · emrancub/books
(github.com)
2024-04-08
Carrie at 50: the bloody history of Stephen King’s audaci...
(www.independent.co.uk)
2024-04-01
10 New Ecommerce Books for Spring 2024
(www.practicalecommerce.com)
2024-03-11
Tiny Python Projects
(tinypythonprojects.com)
2024-03-07
Eloquent JavaScript
(eloquentjavascript.net)
2024-03-07
Seven Books That Explain How Hollywood Actually Works
(www.theatlantic.com)
2024-03-05
Graph Representation Learning Book
(www.cs.mcgill.ca)
2024-03-05
Conformal_Prediction/paper/Conformal_Prediction_final.pdf...
(github.com)
2024-02-10
Welcome to Open Library | Open Library
(openlibrary.org)
2024-02-06
A 500-Page Book Explores the Ghosts & Monsters from Japan...
(www.openculture.com)
2024-02-06
Sacksvl
(web.arch.virginia.edu)
2024-02-05
Why Gödel, Escher, Bach is the most influential book in m...
(philosophygeek.medium.com)
2024-02-04
The 5 best books about Special Forces — according to Gree...
(taskandpurpose.com)
2024-01-25
Noise: A Flaw in Human Judgment - Wikipedia
(en.wikipedia.org)
2024-01-11
Building an antilibrary: the power of unread books
(nesslabs.com)
2024-01-08
Spatial Statistics for Data Science: Theory and Practice ...
(www.paulamoraga.com)
2023-10-20
Understanding Deep Learning
(udlbook.github.io)
2023-10-20
Math for Machine Learning: 14 Must-Read Books
(mltechniques.com)
2023-09-29
Hagakure: Book of the Samurai - hagakure.pdf
(ia804603.us.archive.org)
2023-09-27
VLSI Physical Design
(www.ifte.de)
2023-09-21
Dirty Secrets of BookCorpus, a Key Dataset in Machine Lea...
(towardsdatascience.com)
2023-09-19
Ness Labs Best Books of September 2023
(nesslabs.com)
2023-09-19
20 of the Most Thought-Provoking, Philosophical Science F...
(bookriot.com)
2023-09-12
Probabilistic Machine Learning: Advanced Topics
(probml.github.io)
2023-08-24
Book Review: A Neurosurgeon’s Inside Look at the Brain
(undark.org)
2023-07-30
We are as gods
(www.kvetch.au)
2023-07-28
I can't miss Jukka Sarasti - PeterWatts_Blindsight.pdf
(rifters.com)
2023-06-14
Outer Dark: A Cormac McCarthy Reading List
(longreads.com)
2023-06-10
10 Terrifying 21st Century Novels
(getpocket.com)
2023-06-04
How to hold onto a sense of wonder
(www.npr.org)
2023-05-27
The 100 greatest children's books of all time
(www.bbc.com)
2023-05-08
The Best of Science Fiction | Five Books recommends
(fivebooks.com)
2023-04-01
The Best Science Fiction is Real: Realistic Sci-Fi to TBR
(bookriot.com)
2023-03-10
Margaret Atwood Is Ready to Let It Rip
(www.wired.com)
2023-03-01
25 of the Best Historical Fiction Books of the Past 10 Years
(bookriot.com)
2023-02-17
Probability stats for ds
(cims.nyu.edu)
2023-02-11
Madeline Kripke Owned 20,000 Books, Some of Them Very Bawdy
(www.chronicle.com)
2023-01-30
pythondocument/Fluent Python.pdf at master · hiddenJuliet...
(github.com)
2023-01-22
The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and...
(www.thediff.co)
2023-01-17
bmurmann/Book-on-MOS-stages: Book repository "Analysis an...
(github.com)
2023-01-13
🛰️ Liu Cixin's technologies of the future | vincelwt.com
(vincelwt.com)
2023-01-05
To Build Truly Intelligent Machines, Teach Them Cause and...
(www.quantamagazine.org)
2023-01-01
What Can We Learn from Barnes & Noble's Surprising Turnar...
(tedgioia.substack.com)
2022-12-22
mgp/book-notes: Notes from books and other interesting th...
(github.com)
2022-12-21
Stream 47 Hours of Classic Sci-Fi Novels & Stories: Asimo...
(www.openculture.com)
2022-12-13
The 7 Powers Known to Tesla, Pixar, Netflix, Apple & Twilio
(www.nfx.com)
2022-12-13
The Top 10 Toilet Books
(www.artofmanliness.com)
2022-12-10
Forecasting: Principles and Practice (3rd ed)
(otexts.com)
2022-12-10
https://fabiensanglard.net/b/gebbdoom.pdf
(fabiensanglard.net)
2022-12-07
Capital in the Twenty-First Century a book by Thomas Pike...
(bookshop.org)
2022-12-07
Neurolinguistics
(mitpress.mit.edu)
2022-12-06
Seven Books That Will Make You Smarter
(www.theatlantic.com)
2022-11-30
Category Theory for Programmers: The Preface | &nbs...
(bartoszmilewski.com)
2022-10-27
New Book: Approaching (Almost) Any Machine Learning Probl...
(mltechniques.com)
2022-10-10
30 Best Math Books to Learn Advanced Mathematics for Self...
(abakcus.com)
2022-10-04
CompCogNeuro/book: Computational Cognitive Neuroscience t...
(github.com)
2022-10-04
Fundamentals of Data Visualization
(clauswilke.com)
2022-10-04
Videos — Engineering Media
(engineeringmedia.com)
2022-10-01
The Best Jewish Food Cookbooks (for Noshing Your Way Thro...
(www.vice.com)
2022-09-22
The Enduring Wisdom of ‘Goodnight Moon’ (Published 2022)
(www.nytimes.com)
2022-08-22
Patterns, Predictions, and Actions
(mlstory.org)
2022-08-14
20 of the Best Science Fiction Books of All Time | Book Riot
(bookriot.com)
2022-08-14
The Most Influential Sci-Fi Books Of All Time
(bookriot.com)
2022-08-14
20 Must-Read Genre-Bending Sci-Fi Books | Book Riot
(bookriot.com)
2022-08-14
Outer Sight: The Best Science Fiction Books You've Never ...
(bookriot.com)
2022-07-26
The Digital Shopfloor: Industrial Automation in the Indus...
(www.riverpublishers.com)
2022-07-24
fastai/fastbook: The fastai book, published as Jupyter No...
(github.com)
2022-07-22
https://twitter.com/freakonometrics/status/15504396025944...
(twitter.com)
2022-07-20
Welcome | Handbook of Graphs and Networks in People Analy...
(ona-book.org)
2022-07-19
Index
(www.talkingtohumans.com)
2022-07-19
The lean startup summary
(www.kimhartman.se)
2022-07-19
http://www.neildavidson.com/downloads/dont-just-roll-the-...
(www.neildavidson.com)
2022-07-18
d2l-ai/d2l-en: Interactive deep learning book with multi-...
(github.com)
2022-07-18
Dive into Deep Learning — Dive into Deep Learning 0.14.4 ...
(d2l.ai)
2022-07-18
The Design of Everyday Things — Book Summary & Notes
(elvischidera.com)
2022-07-17
book-notes/never-split-the-difference.markdown at master ...
(github.com)
2022-07-14
The Sanaa Palimpsest: A truly fascinating Quranic manuscript
(english.alaraby.co.uk)
2022-07-14
PostgreSQL 14 Internals
(postgrespro.com)
2022-07-13
Book Release: Go For DevOps #go #golang #sre #devops #ter...
(www.amazon.com)
2022-07-10
Voynich Manuscript
(beinecke.library.yale.edu)
2022-07-10
Probabilistic Numerics | Textbooks
(substack.com)
2022-07-07
Best photos on manny.codes
(manny.codes)
2022-07-05
An eBook pricing model that resulted in $100,000 in sales
(blog.asmartbear.com)
2022-07-04
The books that no-one can read
(www.bbc.com)
2022-06-28
Thirty-Six Stratagems
(en.wikipedia.org)
2022-06-25
Forecasting: Principles and Practice (2nd ed)
(otexts.com)
2022-06-25
Amazon.com: The World For Sale: Money, Power, and the Tra...
(amzn.to)
2022-06-23
Market Design
(mitpress.mit.edu)
2022-06-22
Super Study Guides
(superstudy.guide)
2022-06-13
‘After lockdown, things exploded’ – how TikTok triggered ...
(www.theguardian.com)
2022-06-04
book notes | Derek Sivers
(sive.rs)
2022-05-20
Introduction to Compilers and Language Design
(www3.nd.edu)
2022-04-13
10 Best UI/UX Books that Every Designer Should Read [2022]
(dev.to)
2022-03-23
Introduction — Machine Learning from Scratch
(dafriedman97.github.io)
2022-03-23
Natural Language Processing with Transformers Book
(transformersbook.com)
2022-03-22
D3 Tips and Tricks v3.x
(www.dbooks.org)
2022-03-21
R Graphics Cookbook, 2nd edition
(r-graphics.org)
2022-03-21
Text Mining with R
(www.tidytextmining.com)
2022-03-21
Welcome · Advanced R.
(adv-r.had.co.nz)
2022-03-21
Welcome | Data Science at the Command Line, 2e
(datascienceatthecommandline.com)
2022-03-19
3 t7n57q bj g
(t.co)
2022-03-14
Wonders and warnings from the ancient world | Daisy Dunn ...
(thecritic.co.uk)
2022-02-19
str021.pdf
(www.management.com.ua)
2022-01-31
100 Notable Books of 2021: Full Reviews List - The New Yo...
(www.nytimes.com)
2022-01-29
http://click.revue.email/ss/c/XN2t88CAhalHja1RClwc6sAEQeb...
(click.revue.email)
2022-01-29
http://click.revue.email/ss/c/TzfyQfvFfgo-vTkXDZQg1wKA8SK...
(click.revue.email)
2022-01-23
Explore the Book » Designing Web Interfaces
(designingwebinterfaces.com)
2022-01-23
Divine Comedy - Wikipedia
(en.wikipedia.org)
2022-01-16
Book Summary: The Lessons of History by Will and Ariel Du...
(jamesclear.com)
2022-01-15
20 Short Novels To Stay Up All Night Reading
(getpocket.com)
2022-01-12
In Praise of Bad Taste
(www.bookforum.com)
2021-12-08
Python Programming And Numerical Methods: A Guide For Eng...
(pythonnumericalmethods.berkeley.edu)
2021-12-01
http://www.cnf.cornell.edu/cnf_spie9.html
(www.cnf.cornell.edu)
2021-11-30
The Spine Collector
(www.vulture.com)
2021-11-03
The Hit Book That Came From Mars
(m.nautil.us)
2021-10-18
Books – Anil Seth
(www.anilseth.com)
2021-10-11
Web UI Best Practices: UI Design from the Experts
(www.uxpin.com)
2021-09-24
Carl-McBride-Ellis/Compendium-of-free-ML-reading-resources
(github.com)
2021-09-19
Is Becky Chambers the Ultimate Hope for Science Fiction?
(www.wired.com)
2021-09-16
Useful Spy Books
(berthub.eu)
2021-09-07
Mastering spaCy | Data | eBook
(www.packtpub.com)
2021-08-17
Five Books: The best books on Assassinations, recommended...
(fivebooks.com)
2021-08-05
An Introduction to Statistical Learning
(www.statlearning.com)
2021-07-26
10 Digital Libraries Where You Can Download Ebooks for Free
(www.makeuseof.com)
2021-07-13
The 10 Must-Read Psychology Books Every Human Being Shoul...
(durmonski.com)
2021-07-10
A Well-Woven Tale: The fabric of the modern world
(www.historytoday.com)
2021-06-17
Math Books you should read in 2021
(medium.com)
2021-06-09
7 Powers: The Foundations of Business Strategy by Hamilto...
(blas.com)
2021-06-09
Behavioral Scientist’s Summer Book List 2021 - By Antonia...
(behavioralscientist.org)
2021-06-08
A Lucid, Literary Illustration of the Complex, Beautiful ...
(www.nytimes.com)
2021-06-06
Big Book of R has over 200 books! | R-bloggers
(www.r-bloggers.com)
2021-05-25
We Can’t Schedule Innovation, But We Can Schedule Discovery
(www.mironov.com)
2021-05-24
Data-Technology-Books/dth(157).pdf at master · manjunath5...
(github.com)
2021-05-15
Man’s Search For Meaning By Viktor Frankel: Book Summary,...
(dailystoic.com)
2021-05-12
Geometric Deep Learning: Grids, Groups, Graphs, Geodesics...
(t.co)
2021-04-30
Exclusive Excerpt: An Icy Death at the Bottom of the World
(www.vanityfair.com)
2021-04-06
Working Backwards - Commonplace - The Commoncog Blog
(commoncog.com)
2021-04-02
https://getpocket.com/explore/item/essential-books-for-th...
(getpocket.com)
2021-03-25
The Best Spy Novels Written by Spies, According to a Spy
(crimereads.com)
2021-03-12
How Hank the Cowdog Made John R. Erickson the King of the...
(www.texasmonthly.com)
2021-02-21
50 Great Classic Novels Under 200 Pages
(lithub.com)
2021-01-13
Algorithms for Decision Making | Hacker News
(news.ycombinator.com)
2021-01-07
Deep Learning Systems: Algorithms, Compilers, and Process...
(deeplearningsystems.ai)
2021-01-06
Perspective | My two weeks with John le Carré: What I lea...
(www.washingtonpost.com)
2021-01-04
Patterns — Gordon Brander
(gordonbrander.com)
2021-01-03
Bookshelf — Gordon Brander
(gordonbrander.com)
2020-12-25
Applications of Deep Neural Networks 575 page free book&n...
(www.datasciencecentral.com)
2020-12-24
Reading Comprehension: How to Retain More of Every Book Y...
(jamesclear.com)
2020-12-18
https://getpocket.com/explore/item/paradigm-shifting-book...
(getpocket.com)
2020-12-10
Culture series
(en.wikipedia.org)
2020-11-06
https://wtf.tw/ref/tainter.pdf
(wtf.tw)
2020-11-03
Lead Yourself First: Inspiring Leadership Through Solitud...
(www.amazon.com)
2020-11-03
Amazon.com: Performing Under Pressure: The Science of Doi...
(www.amazon.com)
2020-10-21
15 recent sci-fi books that forever shaped the genre
(www.polygon.com)
2020-09-02
Netflix is making a series based on 'The Three-Body Problem'
(techcrunch.com)
2020-07-16
‘Eat the Buddha’ Reports From the ‘World Capital of Self-...
(www.nytimes.com)
2020-07-10
The Alchemist, 25th Anniversary: A Fable About Following ...
(www.amazon.com)
2020-07-10
0a3b13b476ac67bbf142c769830c1d6b
(www.alrashed-alsaleh.com)
2020-07-10
The Historian: Kostova, Elizabeth: 9780316070638: Amazon....
(www.amazon.com)
2020-06-01
Ask HN: Mind bending books to read and never be the same ...
(news.ycombinator.com)
2020-06-01
Think Like a Freak: The Authors of Freakonomics Offer to ...
(www.amazon.com)
2020-05-15
SICP in Python
(wizardforcel.gitbooks.io)
2020-03-09
Books To Base Your Life on (The Reading List) – RyanHolid...
(ryanholiday.net)
2020-02-19
TinyML Book
(tinymlbook.com)
2020-02-19
http://mckaywrigley.com/index.php/reading/
(mckaywrigley.com)
2019-12-23
https://www.nerdmuch.com/books/2063/best-sci-fi-books/
(www.nerdmuch.com)
2019-12-23
The Secret to Shopping in Used Bookstores
(lithub.com)
2019-12-23
My ebooks!
(flaviocopes.com)
2019-11-08
The 20 Best Works of Nonfiction of the Decade
(lithub.com)
2019-11-07
https://mitpress.ublish.com/ereader/7093/?preview=#page/C...
(mitpress.ublish.com)
2019-10-28
The 21 Best Science Fiction and Fantasy Book Series Ever
(www.thrillist.com)
2019-10-26
How the ‘Brainy’ Book Became a Publishing Phenomenon
(getpocket.com)
2019-09-30
The Math of Machine Learning - Berkeley University Textbook
(www.datasciencecentral.com)
2019-09-15
Exilium Vita Est: The Island Home of Victor Hugo
(longreads.com)
2019-08-30
Mathematics for Computer Science (2017) [pdf]
(opendatastructures.org)
2019-08-29
Anna Shipman : JFDI
(www.annashipman.co.uk)
2019-08-28
Python Data Science Handbook | Python Data Science Handbook
(jakevdp.github.io)
2019-08-26
Andrew Luck Book Club
(andrewluckbookclub.com)
2019-08-23
The Great CEO Within - Google Docs
(docs.google.com)
2019-08-23
Numerical book
(people.csail.mit.edu)
2019-08-20
Algorithms by Jeff Erickson
(jeffe.cs.illinois.edu)
2019-08-09
Math basics
(www.cis.upenn.edu)
2019-07-05
The Legend of Moe’s Books
(www.nytimes.com)
2019-07-03
Bookshelf · Patrick Collison
(patrickcollison.com)
2019-05-22
A Memory Called Empire is a brilliant blend of cyberpunk,...
(www.theverge.com)
2019-05-14
Designing Data-Intensive Applications (DDIA) — an O’Reill...
(dataintensive.net)
2019-05-12
https://aux.avclub.com/ted-chiang-the-mind-behind-arrival...
(aux.avclub.com)
2019-03-25
The Quest to Acquire the Oldest, Most Expensive Book on t...
(lithub.com)
2019-03-05
Meditations - Wikipedia
(en.wikipedia.org)
2019-02-10
The Beautiful Mind-Bending of Stanislaw Lem
(www.newyorker.com)
2018-09-30
10 Books That Make You Smarter
(bookriot.com)
2018-08-30
The Best Sci-Fi Books of All Time | Penguin Random House
(www.unboundworlds.com)
2018-07-26
Something for everyone: 5 essential science fiction antho...
(factordaily.com)
2018-07-02
Ticking all the right boxes: A review of Gareth L. Powell...
(factordaily.com)
2018-06-30
Free E-Book: Software Defined Radio for Engineers
(hackaday.com)
2018-03-08
A Digital Archive of Heavy Metal, the Influential “Adult ...
(www.openculture.com)
2017-12-13
The Food Lab's 20 Most Influential Food Books
(www.seriouseats.com)
-->
pricing (all)
categories:
tags:
pricing
date: 30 Mar 2025
slug:raindrop-pricing-all
(firstquarterfinance.com)
2025-04-08
How PawnGuru Helps Sellers And Pawn Shops Compare Prices ...
(www.forbes.com)
2025-04-08
How big market diamond
(blog.pawnguru.com)
2025-04-08
The Economics of Pawn Shops
(priceonomics.com)
2025-01-29
Beyond Human Intervention: Algorithmic Collusion through ...
(freakonometrics.hypotheses.org)
2025-01-09
Ecommerce Benefits of Dynamic Pricing
(www.practicalecommerce.com)
2024-11-10
Mistakes from my Failed Startup in Scalping Concert Tickets
(www.thediff.co)
2024-11-02
What Companies Do Well is Not Necessarily How They Make M...
(capitalgains.thediff.co)
2024-08-02
StubHub vs. Ticketmaster vs. SeatGeek: What’s the Di...
(www.sportico.com)
2024-07-31
How to Get Rich From Peeping Inside People’s Fridges
(www.wired.com)
2024-07-30
How To Price A Data Asset
(pivotal.substack.com)
2024-07-15
How annual pre-pay creates an infinite marketing budget
(longform.asmartbear.com)
2024-07-05
Shipt’s Pay Algorithm Squeezed Gig Workers. They Fought B...
(spectrum.ieee.org)
2024-06-30
Doordash and Pizza Arbitrage
(www.readmargins.com)
2024-06-11
Information as a Universal Complement and Universal Subst...
(www.thediff.co)
2024-05-18
Maximizing Value: How to Leverage Psychology to Raise You...
(www.choicehacking.com)
2024-05-07
Simplicity is An Advantage but Sadly Complexity Sells Better
(eugeneyan.com)
2024-05-04
Paris F.C. Set Tickets To $0. Should Others Do the Same?
(www.nytimes.com)
2024-04-30
Collusive Outcomes Without Collusion
(d.repec.org)
2024-04-23
Equitable Pricing in Auctions
(d.repec.org)
2024-04-23
Algorithmic Collusion and Price Discrimination: The Over-...
(d.repec.org)
2024-04-16
Pricing | Heroku
(www.heroku.com)
2024-04-07
Van Westendorp's Price Sensitivity Meter - Wikipedia
(en.wikipedia.org)
2024-03-30
Algorithms can aid price collusion, even if no humans act...
(www.theverge.com)
2024-03-27
Uber-style pricing is coming for everything
(www.vox.com)
2024-03-19
Lessons from More Than 1,000 E-Commerce Pricing Tests
(hbr.org)
2024-03-06
The Ultimate Guide to B2B SaaS Pricing & Packaging
(www.news.aakashg.com)
2024-02-29
Why the worst users come from referral programs, free tri...
(andrewchen.com)
2024-02-29
Web Monetization Editions | Techdirt
(www.techdirt.com)
2023-08-19
Dynamic Pricing with Multi-Armed Bandit: Learning by Doing!
(towardsdatascience.com)
2023-07-29
The secret economics of the Birkin bag
(businessday.ng)
2023-06-19
Everything Must Be Paid for Twice
(www.raptitude.com)
2023-04-17
Retail Price Optimization using Python
(thecleverprogrammer.com)
2023-04-16
Why Does a Plastic-Wrapped Turkey Sandwich Cost $15 at th...
(hellgatenyc.com)
2023-04-08
The Art and Science of Spending Money
(collabfund.com)
2023-03-29
Here’s How Tool Companies Charge Vastly Different Prices ...
(www.thedrive.com)
2023-03-28
Telfar’s Dynamic Pricing Model Offers a New Way to Gauge ...
(retailwire.com)
2023-03-26
Shoppers say secondhand stores like Goodwill are getting ...
(www.businessinsider.com)
2023-03-12
How One Guy’s Car Blog Became a $1 Billion Marketplace
(www.wsj.com)
2023-02-07
Why so many people undercharge for their work
(getpocket.com)
2023-02-07
What Product Managers Need To Know About The 0.99 Trick
(theaccidentalpm.com)
2023-02-02
AMD is 'Undershipping' Chips To Keep CPU, GPU Prices Elev...
(hardware.slashdot.org)
2023-01-29
The Alchian-Allen Effect
(www.thediff.co)
2023-01-26
Who Sets the Prices?
(tedium.co)
2023-01-26
?? Why billing systems are a nightmare for engineers
(dev.to)
2023-01-22
3 Flaws of Cost-plus Pricing - Practical Ecommerce
(www.practicalecommerce.com)
2023-01-14
DigiTimes: TSMC 3nm wafer price breaks $20,000. Expect pr...
(twitter.com)
2023-01-14
TSMC Might Cut 3nm Prices to Lure AMD, Nvidia
(www.tomshardware.com)
2023-01-13
TSMC’s Wafer Prices Revealed: 300mm Wafer at 5nm Is Nearl...
(www.tomshardware.com)
2022-10-01
7 Lessons on Dynamic Pricing (Courtesy of Bruce Springsteen)
(hbr.org)
2022-09-25
Dynamic Price Competition: Theory and Evidence from Airli...
(d.repec.org)
2022-09-25
Platform pricing strategies when consumers web/showroom
(d.repec.org)
2022-09-25
Pricing Novel Goods
(d.repec.org)
2022-09-24
Pricing at Lyft
(eng.lyft.com)
2022-09-16
https://pcpartpicker.com/trends/
(pcpartpicker.com)
2022-08-22
An Old-Fashioned Economic Tool Can Tame Pricing Algorithm...
(www.scientificamerican.com)
2022-07-28
The value of not flying
(koenfucius.medium.com)
2022-07-19
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-19
Pricing | Heavybit
(www.heavybit.com)
2022-07-19
http://www.neildavidson.com/downloads/dont-just-roll-the-...
(www.neildavidson.com)
2022-07-18
Pricing Psychology Test: Shopping Guide Lifts Order Value...
(www.marketingsherpa.com)
2022-07-18
Why We’re Dropping Freemium as a Business Model: Value vs...
(blog.evercontact.com)
2022-07-18
How to Price Shipping and Handling Fees
(www.practicalecommerce.com)
2022-07-18
Why Is Art Expensive? - Priceonomics
(priceonomics.com)
2022-07-18
Pricing niche products: Why sell a mechanical keyboard ki...
(kevinlynagh.com)
2022-07-18
The 30 Elements of Consumer Value: A Hierarchy
(hbr.org)
2022-07-18
Pricing psychology
(jilt.com)
2022-07-18
Price Increase By Any Other Name
(iterativepath.wordpress.com)
2022-07-18
Perfect Pricing Part Deux — More money from fewer sales
(blog.asmartbear.com)
2022-07-18
How Pricing Bots Could Form Cartels and Make Things More ...
(hbr.org)
2022-07-18
Pricing Strategy for Creatives
(alistapart.com)
2022-07-18
How Netflix did pricing right
(iterativepath.wordpress.com)
2022-07-18
How Our Brain Determines if the Product is Worth the Price
(hbswk.hbs.edu)
2022-07-18
Pay What You Want: The Ultimate Sales Strategy
(medium.com)
2022-07-18
Product Pricing Primer
(ericsink.com)
2022-07-18
Pricing Experiments You Might Not Know, But Can Learn From
(conversionxl.com)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-18
How To Price Your Hardware Product
(marcbarros.com)
2022-07-18
The Surprising Upside of Expensive Products That Don’t Sell
(hbr.org)
2022-07-18
Store Brands Aren’t Just about Price
(hbr.org)
2022-07-18
The Risks of Changing Your Prices Too Often
(hbr.org)
2022-07-18
GrowthHackers Community
(growthhackers.com)
2022-07-18
https://gigaom.com/2009/09/13/what-we-can-learn-about-pri...
(gigaom.com)
2022-07-18
http://www.pakman.com/2014/03/18/the-price-of-music
(www.pakman.com)
2022-07-18
How repositioning a product allows you to 8x its price
(blog.asmartbear.com)
2022-07-18
Price Unbundling Vs. Product Unbundling
(iterativepath.wordpress.com)
2022-07-18
7 Pricing Strategies Based on Research Studies
(sixrevisions.com)
2022-07-18
ALERT!!
(upstreamcommerce.com)
2022-07-18
The State of SaaS Pricing [Infographic] - OpenView
(labs.openviewpartners.com)
2022-07-18
http://market-found.com/flavors-freemium/
(market-found.com)
2022-07-18
A Quick Guide to Value-Based Pricing
(hbr.org)
2022-07-18
If You Want to Raise Prices, Tell a Better Story
(hbr.org)
2022-07-18
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-07-17
https://conversionxl.com/category/pricing-strategy/
(conversionxl.com)
2022-07-13
How Artists Get Paid From Streaming
(pudding.cool)
2022-07-13
How to Sell a $300 Chocolate Bar
(api.atlasobscura.com)
2022-07-11
5 Pricing Resolutions for 2019 - OpenView
(labs.openviewpartners.com)
2022-07-10
If Your Customers Don't Care What You Charge, What Should...
(hbswk.hbs.edu)
2022-07-06
There are 7 Types of Freemium and Why That Matters...
(sixteenventures.com)
2022-07-05
Don't Leave Money on the Table with This Crash Course in ...
(firstround.com)
2022-07-05
A Rake Too Far: Optimal Platform Pricing Strategy
(abovethecrowd.com)
2022-07-05
3 Steps to Break Out in a Tired Industry
(hbr.org)
2022-07-05
It’s OK to Move Down (Yes, Down) the Value Chain
(hbr.org)
2022-07-05
The Most Effective Price Discovery Question for Your Star...
(tomtunguz.com)
2022-07-05
An eBook pricing model that resulted in $100,000 in sales
(blog.asmartbear.com)
2022-07-05
A Deeper Look at Uber’s Dynamic Pricing Model
(abovethecrowd.com)
2022-07-05
Secrets Of Freemium Pricing: Make The Cheapskates Pay
(onstartups.com)
2022-07-05
Relearning the Art of Asking Questions
(hbr.org)
2022-07-05
Five dynamic pricing issues retailers should consider
(econsultancy.com)
2022-07-05
How to Increase SaaS Pricing (and Quickly Triple Your Gro...
(www.extendslogic.com)
2022-07-04
Could This Be The End Of Hidden Ticket Charges For Concer...
(music3point0.com)
2022-07-04
1980 Sears Spring Summer Catalog, Page 729 - Catalogs & W...
(christmas.musetechnical.com)
2022-06-28
How to Sell High-priced (and High-quality) Products
(www.practicalecommerce.com)
2022-06-28
Pricing Strategies: 16 Articles You Need to Read
(conversionxl.com)
2022-06-28
How Much Is Michael Bolton Worth to You? (Published 2013)
(www.nytimes.com)
2022-06-28
Neil Patel's Digital Marketing Blog
(blog.kissmetrics.com)
2022-06-28
Four Myths of Bundling
(coda.io)
2022-06-28
Neuro-Menus and Restaurant Psychology
(www.neurosciencemarketing.com)
2022-06-25
Busting Six Myths About Customer Loyalty Programs
(hbswk.hbs.edu)
2022-06-25
5 Questions to Consider When Pricing Smart Products
(hbr.org)
2022-06-25
How do you put a price on your source code?
(arstechnica.com)
2022-06-25
Price Bundling in Couponing
(iterativepath.wordpress.com)
2022-06-25
Pro sport team sales are driven by the law of scarcity
(www.axios.com)
2022-06-24
We raised prices to preserve our business model
(iterativepath.wordpress.com)
2022-06-24
The most beautiful price fence
(iterativepath.wordpress.com)
2022-06-24
How Perfect Pricing got me 1500 Sales in 2 Days
(blog.asmartbear.com)
2022-06-24
Ask HN: How do you set prices? | Hacker News
(news.ycombinator.com)
2022-06-24
Risk Discounts and Usage-Based Pricing - OpenView
(openviewpartners.com)
2022-06-23
The Dollar-Store Economy (Published 2011)
(www.nytimes.com)
2022-06-23
https://thestack.com/world/2015/04/17/netflix-to-set-pric...
(thestack.com)
2022-06-23
The unpredictable economics of pawn shops
(thehustle.co)
2022-06-23
SeatGeek will calculate how much that ticket is worth | T...
(techcrunch.com)
2022-06-23
When Freemium Fails
(www.wsj.com)
2022-06-23
It Costs $2.50 to Make Lipstick — Here’s Why You’re Charg...
(www.racked.com)
2022-06-23
How To Design Products For People Making $2 A Day - Fast ...
(www.fastcoexist.com)
2022-06-13
http://market-found.com/pricing-product-scratch/
(market-found.com)
2022-06-13
What are value metrics? How value metrics optimize pricing
(www.priceintelligently.com)
2022-06-13
21 Examples of Pricing Pages in Web Design
(webdesignledger.com)
2022-06-13
https://www.fastcompany.com/3000999/takeaway/what-dead-sq...
(www.fastcompany.com)
2022-06-12
Why You’re Never Really Happy With the Things You Buy Any...
(getpocket.com)
2022-06-12
Pricing Your Product
(www.sequoiacap.com)
2022-06-10
https://sergionajera.com/dont-think-of-price-think-of-cos...
(sergionajera.com)
2022-06-07
The Engineering of the Chain Restaurant Menu
(www.theatlantic.com)
2022-06-02
https://www.fastcompany.com/3026550/lessons-learned/how-a...
(www.fastcompany.com)
2022-05-28
The Pricing Model That Increased Our Free Trial Signups b...
(www.groovehq.com)
2022-05-28
Pricing on Purpose (Summary)
(www.overdrive.com)
2022-05-28
Pricing Psychology: A List of Tactics
(www.nickkolenda.com)
2022-04-13
AWS Data Transfer Costs: Solving Hidden Network Transfer ...
(cloud.netapp.com)
2022-03-28
The Welfare Effects of Dynamic Pricing: Evidence From Air...
(onlinelibrary.wiley.com)
2022-03-16
http://limedaring.com/articles/how-i-run-a-marketplace-wi...
(limedaring.com)
2022-03-14
Implementing Usage-Based Pricing: What Your Financial Tea...
(openviewpartners.com)
2022-03-07
This Is Peak Subscription
(www.theatlantic.com)
2022-02-24
Tearing Down the Pricing of Dollar Shave Club and Gillette
(www.priceintelligently.com)
2022-02-10
How Artists Use Psychology to Price a Painting
(www.psychologytoday.com)
2022-01-15
The Wild, Wonderful World of Estate Sales
(www.newyorker.com)
2021-12-08
The Behavioral Economics of Price-Setting
(www.behavioraleconomics.com)
2021-11-11
There’s Still Profit Potential in Your Low-Profit Customers
(hbr.org)
2021-07-04
Why Charging for Plastic Bags Makes People Give Them Up
(www.smithsonianmag.com)
2021-06-21
Why Are People Getting Worse at “The Price Is Right”?
(getpocket.com)
2021-06-17
Science Says
(tips.ariyh.com)
2021-03-26
SaaS for component pricing: Q&A with Lytica chairman Ken ...
(www.digitimes.com)
2021-03-15
When should you kill a product? 4 lessons from GitLab’s s...
(thenextweb.com)
2021-03-01
How a 10-second video clip sold for $6.6 million | Reuters
(www.reuters.com)
2021-02-27
Sneakerheads have turned Jordans and Yeezys into an asset...
(www.bloomberg.com)
2021-02-23
Buyer beware: Massive experiment shows why ticket sellers...
(newsroom.haas.berkeley.edu)
2021-02-23
Veblen good - Wikiwand
(www.wikiwand.com)
2021-02-18
It's going to cost four figures
(raccoon.onyxbits.de)
2021-02-18
Ask HN: Is “contact us for pricing” a dark pattern? | Hac...
(news.ycombinator.com)
2021-02-18
Hacker News
(www.drugchannels.net)
2021-02-18
How A Retail Chain Without A Website Powered Through The ...
(www.npr.org)
2021-02-11
Auction Catalogue Symbols, Decoded
(www.artsy.net)
2021-01-10
The art and science of SaaS pricing: True usage-based pri...
(venturebeat.com)
2021-01-10
The art and science of SaaS pricing: Finding the right mo...
(venturebeat.com)
2020-12-18
How grading agencies drove the trading card boom
(www.axios.com)
2020-12-18
Mark Stiving on Value Based Pricing and Price Segmentation
(www.skmurphy.com)
2020-11-03
A guide to platform fees
(www.theverge.com)
2020-11-03
Auction Prices That Take Your Breath Away
(www.nytimes.com)
2020-11-03
How I learned to charge my customers
(idiallo.com)
2020-06-01
Pricing with 4 & 9 Scientific Strategies
(towardsdatascience.com)
2020-01-21
Sunday Strategist: Why So Many Things Cost Exactly Zero
(www.bloomberg.com)
2019-12-31
A 2020 guide to smart discounting
(www.retaildive.com)
2019-12-28
Pricing algorithms can learn to collude with each other t...
(www.technologyreview.com)
2019-12-23
Pricing experiments and how they can help you increase re...
(www.reddit.com)
2019-12-19
The falling price of a TV set is the story of the America...
(theoutline.com)
2019-10-18
Changing Your Pricing Model: How Hired Went from a Transa...
(openviewpartners.com)
2019-08-29
Applying Discounts and Promotions on Ecommerce Websites
(www.nngroup.com)
2019-08-29
How to Negotiate the Price of a Pricey Premium Domain
(www.entrepreneur.com)
2019-08-29
Value Delivery Patterns Shape Your Pricing Choices
(labs.openviewpartners.com)
2019-08-20
Veblen good - Wikipedia
(en.wikipedia.org)
2019-07-03
How Retailers Use Personalized Prices to Test What You’re...
(hbr.org)
2019-05-29
Dynamic pricing: Using digital and analytics to take valu...
(www.mckinsey.com)
2019-05-09
Average Cost: One Ounce of High Quality Marijuana
(ritholtz.com)
2018-12-20
5 Pricing Resolutions for 2019
(labs.openviewpartners.com)
2018-10-17
The Power of Price Points
(www.strategy-business.com)
2018-09-30
Why You Don’t Know the Price Until You Sell
(ofdollarsanddata.com)
2018-09-25
'I'm getting ripped off': A look inside Ticketmaster's pr...
(www.cbc.ca)
2018-08-27
Creating value at industrial companies through advanced p...
(www.mckinsey.com)
2018-08-24
Forever 21 visual search tool boosted purchase value by 20%
(www.retaildive.com)
2018-07-17
When Cost-Plus Pricing Is a Good Idea
(hbr.org)
2018-05-30
10 ways to offer shoppers a discount
(www.practicalecommerce.com)
2018-05-08
Why Online Retailers Should Hide Their Best Discounts
(hbswk.hbs.edu)
2018-01-23
Growing One's Consulting Business
(training.kalzumeus.com)
2017-11-22
How restaurant menus play tricks on you
(www.bbc.com)
2017-11-07
Why Grandfathering Your Pricing is Terrible for Your Busi...
(www.priceintelligently.com)
-->
platforms (all)
categories:
tags:
platforms
date: 30 Mar 2025
slug:raindrop-platforms-all
(www.readtrung.com)
2025-01-29
TikTok and the Sorting Hat — Remains of the Day
(www.eugenewei.com)
2025-01-23
An Interview with Daniel Gross and Nat Friedman About Mod...
(stratechery.com)
2024-12-20
Casual Viewing | Will Tavlin
(www.nplusonemag.com)
2024-11-25
16 Ways to Measure Network Effects | Andreessen Horowitz
(a16z.com)
2024-11-10
Why Middlemen Don't Get Eliminated
(capitalgains.thediff.co)
2024-07-03
Building the Bell System
(open.substack.com)
2024-05-28
Platform as a Product 101
(thenewstack.io)
2024-04-08
ISO 19005-1:2005
(www.iso.org)
2024-04-08
Pdf32000 2008
(opensource.adobe.com)
2024-02-29
Web Monetization Editions | Techdirt
(www.techdirt.com)
2024-02-21
YouTube Dominates TV Streaming In US, Per Nielsen's Lates...
(news.slashdot.org)
2024-02-15
Finding the product in your platform
(open.substack.com)
2024-02-14
50 Types of Business Models (2022) – The Best Examples of...
(bstrategyhub.com)
2024-02-14
Business models based on the compiled list at http://news...
(gist.github.com)
2024-02-06
How Quora Died
(slate.com)
2023-12-29
The New Moats. Why Systems of Intelligence™ are the… | by...
(news.greylock.com)
2023-10-16
The SaaS Opportunity Of Unbundling Excel
(foundationinc.co)
2023-08-06
Platform Adjacency Theory - Infrequently Noted
(infrequently.org)
2023-07-24
208. Ultimate Guide to Platforms
(open.substack.com)
2023-06-10
Inside 4chan’s top-secret moderation machine
(www.wired.com)
2023-03-31
Twitter alternative T2 launches new verification program,...
(techcrunch.com)
2023-03-24
OpenAI turns ChatGPT into a platform overnight with addit...
(venturebeat.com)
2023-03-20
Matching and Information Design in Marketplaces
(d.repec.org)
2023-03-19
Two design rules that make products win. - by Thomas Drach
(subtract.substack.com)
2023-03-19
How do you solve world-class problems?
(open.substack.com)
2023-03-12
How One Guy’s Car Blog Became a $1 Billion Marketplace
(www.wsj.com)
2023-03-12
WTF is Marketplace Liquidity?
(medium.com)
2023-01-16
Everyone's app platform
(airtable.com)
2023-01-13
The platform and the curator
(seths.blog)
2023-01-09
If you like startups you should love anti-trust
(alexwrites.substack.com)
2023-01-07
Hacker News
(www.janestreet.com)
2022-12-13
The 7 Powers Known to Tesla, Pixar, Netflix, Apple & Twilio
(www.nfx.com)
2022-11-05
The Art of Profitability by Adrian Slywotzky
(jamesclear.com)
2022-10-17
Turning non-tradables into tradables
(www.thediff.co)
2022-09-05
What is Plex? Everything you need to know
(www.tomsguide.com)
2022-08-17
The speakeasy economy of WeChat
(www.theverge.com)
2022-07-30
Royalty Exchange: Buy & Sell Music Rights & Copyrights
(www.royaltyexchange.com)
2022-07-30
Buy Royalties & Intellectual Property Rights Income | Roy...
(www.royaltyexchange.com)
2022-07-27
Two-Sided Networks in Healthcare, a Founder’s Playbook
(a16z.com)
2022-07-19
How to protect yourself as middleman in a marketplace
(venturebeat.com)
2022-07-18
3 Strategies To Building a Marketplace Startup | SaaS Aca...
(www.danmartell.com)
2022-07-18
Signaling as a Service
(julian.digital)
2022-07-18
Platforms and Networks
(platformsandnetworks.blogspot.com)
2022-07-18
http://platformed.info/virality-viral-growth-network-effects
(platformed.info)
2022-07-18
Pando: Democratizing career progression
(pando.com)
2022-07-18
The 7 marketplace design patterns
(rishidean.com)
2022-07-18
Axial - Business models
(axial.substack.com)
2022-07-18
The 3 Competitive Defenses of Enduring SaaS Companies by ...
(tomtunguz.com)
2022-07-18
Why Platform Disruption Is So Much Bigger than Product Di...
(hbr.org)
2022-07-18
Positional Scarcity
(alexdanco.com)
2022-07-18
How to Build a Company That Lasts Forever
(www.inc.com)
2022-07-18
https://codingvc.com/the-value-of-data-part-1-using-data-...
(codingvc.com)
2022-07-18
Crowd Patronage: How A 400 Year Old Model Can Save The Mu...
(bryank.im)
2022-07-18
Why Uber Fights
(stratechery.com)
2022-07-18
Everything We Know About Platforms We Learned from Mediev...
(hbr.org)
2022-07-18
The Businesses That Platforms Are Actually Disrupting
(hbr.org)
2022-07-18
Twilio Segment Blog
(segment.com)
2022-07-18
Three Elements of a Successful Platform Strategy
(hbr.org)
2022-07-18
The Power of Data Network Effects
(mattturck.com)
2022-07-18
What’s Next for Marketplace Startups? | Andreessen Horowitz
(a16z.com)
2022-07-18
6 Reasons Platforms Fail
(hbr.org)
2022-07-17
Why Figma Wins - kwokchain
(kwokchain.com)
2022-07-17
All Markets Are Not Created Equal: 10 Factors To Consider...
(abovethecrowd.com)
2022-07-13
How Artists Get Paid From Streaming
(pudding.cool)
2022-07-13
Nearly a third of new subscribers to some news publicatio...
(www.niemanlab.org)
2022-07-06
Thoughts on Building Weatherproof Companies | Andreessen ...
(a16z.com)
2022-07-05
The Marketplace Glossary | Andreessen Horowitz
(a16z.com)
2022-07-05
Selling pickaxes during a gold rush
(cdixon.org)
2022-07-05
In times of change, make tires
(medium.com)
2022-07-05
4 Business Models for the Data Age
(hbr.org)
2022-07-05
3 Steps to Break Out in a Tired Industry
(hbr.org)
2022-07-05
The Real Power of Platforms Is Helping People Self-Organize
(hbr.org)
2022-07-05
http://platformed.info/platform-strategy-and-walled-garde...
(platformed.info)
2022-07-05
http://www.recode.net/2015/7/23/11615008/guess-whos-makin...
(www.recode.net)
2022-07-05
Network Effects Aren’t Enough
(hbr.org)
2022-07-05
A Dozen Attributes of a Scalable Business
(25iq.com)
2022-07-05
“Platform” risk — Remains of the Day
(www.eugenewei.com)
2022-07-05
http://platformed.info/platform-metrics/
(platformed.info)
2022-07-05
Use Co-opetition to Build New Lines of Revenue
(hbr.org)
2022-07-05
Pando: Democratizing career progression
(pando.com)
2022-06-29
http://platformed.info/qa-quora-stack-overflow-mahalo-yah...
(platformed.info)
2022-06-28
http://platformed.info/seeding-platform-standalone-square...
(platformed.info)
2022-06-28
How to Make a Good Secret Sauce
(medium.com)
2022-06-28
Is There a Platform in Your Product?
(hbr.org)
2022-06-28
http://platformed.info/twitter-whatsapp-uber-airbnb-netwo...
(platformed.info)
2022-06-28
https://codingvc.com/the-value-of-data-part-3-data-busine...
(codingvc.com)
2022-06-25
Three-Dimensional Strategy: Winning the Multisided Platform
(hbswk.hbs.edu)
2022-06-25
http://platformed.info/creative-platform-threadless-500px...
(platformed.info)
2022-06-24
A Brief History of the Ways Companies Compete
(hbr.org)
2022-06-23
Beyond Disruption
(stratechery.com)
2022-06-23
Snapchat’s Ladder
(stratechery.com)
2022-06-23
10 Places to Find Product-Market Fit
(www.nfx.com)
2022-06-23
Full Stack Music: 1 Trillion Streams, 200 Million Tickets...
(techcrunch.com)
2022-06-23
Strategy Letter V
(www.joelonsoftware.com)
2022-06-23
Tidal and the Future of Music
(stratechery.com)
2022-06-23
How To Structure A Marketplace | TechCrunch
(techcrunch.com)
2022-06-13
The Empty Promise of Data Moats | Andreessen Horowitz
(a16z.com)
2022-06-13
Anatomy of a managed marketplace | TechCrunch
(techcrunch.com)
2022-06-13
The New Curated Consumer Marketplace Model: 10 Criteria F...
(www.forbes.com)
2022-06-12
Defining Aggregators
(stratechery.com)
2022-06-12
Building a Marketplace: A Checklist for Online Disruption
(www.slideshare.net)
2022-06-07
Alexa: Amazon’s Operating System
(stratechery.com)
2022-06-04
Economies Of Scale As A Service | TechCrunch
(techcrunch.com)
2022-06-02
Aggregation and the New Regulation
(stratechery.com)
2022-06-02
Reverse Network Effects: Why Scale Threatens Today’s Soci...
(thenextweb.com)
2022-05-28
The Intentional Network Effects of Uber
(www.nfx.com)
2022-05-28
A Taxonomy of Moats
(reactionwheel.net)
2022-05-17
What is the point of crypto?
(www.vox.com)
2022-04-15
Zapier: The $5B unbundling opportunity
(www.georgesequeira.com)
2022-03-10
The Economics of Data Businesses
(summation.us6.list-manage.com)
2022-03-07
Twitter Wants to Reinvent Itself, by Merging the Old With...
(www.nytimes.com)
2022-03-07
This Is Peak Subscription
(www.theatlantic.com)
2022-02-19
str021.pdf
(www.management.com.ua)
2022-02-10
Five Reasons to Sell End-to-End Products in Early Markets...
(tomtunguz.com)
2022-02-10
Shopify and the Power of Platforms
(stratechery.com)
2022-02-10
The Tribal Network Effect (nfx #15)
(www.nfx.com)
2022-02-08
The economics of Spotify
(thehustle.co)
2022-02-08
Storming Reddit's Moat
(floodstate.substack.com)
2022-01-16
How we crack the chicken and the egg problem
(medium.com)
2022-01-14
The power of defaults
(julian.digital)
2021-10-15
White Label Designs – All About Implementation, Design Sy...
(www.uxpin.com)
2021-09-26
The Emergence of B2B Raw Material Marketplaces
(www.practicalecommerce.com)
2021-09-14
What Spotify and Apple can learn from Chinese podcasting ...
(restofworld.us20.list-manage.com)
2021-06-25
The thriving business of ‘Ikea hacking’
(thehustle.co)
2021-06-21
The Great Game of Risk Played in Category Creation, and W...
(www.tomtunguz.com)
2021-06-14
Can Apple change ads? — Benedict Evans
(d2dadvisory.us6.list-manage.com)
2021-06-09
7 Powers: The Foundations of Business Strategy by Hamilto...
(blas.com)
2021-06-03
Distribution and Demand
(stratechery.com)
2021-06-03
App Store Arguments
(stratechery.com)
2021-05-01
Spotify’s Surprise
(stratechery.com)
2021-04-04
Why I wouldn't invest in open-source companies, even thou...
(www.linkedin.com)
2021-03-09
Excel Never Dies
(www.notboring.co)
2021-03-02
Enterprise Gateway Marketplaces Will Turn Large Organizat...
(www.nfx.com)
2021-02-06
How to Eat an Elephant, One Atomic Concept at a Time - kw...
(kwokchain.com)
2021-01-03
Laws of Tech: Commoditize Your Complement
(www.gwern.net)
2021-01-02
Sustainable Sources of Competitive Advantage · Collaborat...
(www.collaborativefund.com)
2021-01-02
Why Competitive Advantages Die · Collaborative Fund
(www.collaborativefund.com)
2021-01-02
Dan McKinley :: Choose Boring Technology
(mcfunley.com)
2020-12-22
Why Content Is King
(divinations.substack.com)
2020-12-18
Five Lessons From Dave Chappelle – Stratechery by Ben Tho...
(stratechery.com)
2020-11-03
A guide to platform fees
(www.theverge.com)
2020-08-10
Come for the Network, Pay for the Tool
(subpixel.space)
2020-07-26
10 Best Ecommerce Platforms Compared & Rated For 2020
(www.ecommerceceo.com)
2020-06-01
What is the business model for DuckDuckGo? (2017) | Hacke...
(news.ycombinator.com)
2020-06-01
Moats Before (Gross) Margins
(a16z.com)
2020-03-18
How Cameo Turned D-List Celebs Into a Monetization Machine
(marker.medium.com)
2020-02-24
When Distribution Trumps Product
(a16z.com)
2019-12-23
The Story of a Great Monopoly - The Atlantic
(www.theatlantic.com)
2019-12-23
8 Things to Consider When Building Managed Marketplace Co...
(a16z.com)
2019-12-23
How interchangeable parts revolutionised the way things a...
(www.bbc.com)
2019-11-02
HBO’s Corpus of Content and Apple’s Lack Thereof
(500ish.com)
2019-10-09
Japanese manufacturers use decades of experience to domin...
(www.japantimes.co.jp)
2019-09-03
The Rickety Economics of Food Trucks
(melmagazine.com)
2019-08-30
Netflix and the Economics of Bundling
(hbr.org)
2019-08-29
Disruptive Interfaces & The Emerging Battle To Be The Def...
(medium.com)
2019-08-20
Product innovation is not enough to beat a competitor’s n...
(medium.com)
2019-08-11
A Framework for Moderation
(stratechery.com)
2019-08-09
Amazon is a boring retailer — Benedict Evans
(www.ben-evans.com)
2019-08-02
Hidden Networks: Network Effects That Don’t Look Like Net...
(a16z.com)
2019-07-25
Bullet Time
(logicmag.io)
2019-07-17
10 Quirky Families That Still Rule the World
(getpocket.com)
2019-07-09
The economics of copying
(www.axios.com)
2019-04-21
Ahead of Its Time, Behind the Curve: Why Evernote Failed ...
(usefyi.com)
2019-04-20
The Truth About the Scooter Economy — An Insider’s Perspe...
(bothsidesofthetable.com)
2019-03-16
$9 Marketing Stack: A Step-by-Step Guide
(robsobers.com)
2019-01-20
Come for the tool, stay for the network
(cdixon.org)
2018-12-24
The Dynamics of Network Effects
(a16z.com)
2018-12-22
Shopify App Store: Ecommerce App Marketplace
(apps.shopify.com)
2018-12-21
‘It’s their moat’: How Shopify built an $800 million part...
(digiday.com)
2018-09-05
The Approval Economy
(zandercutt.com)
2018-05-28
Do platforms work?
(aeon.co)
2018-05-20
The Moat Map
(stratechery.com)
2017-12-27
The pains of growing a platform - Inside Intercom
(blog.intercom.com)
2017-10-22
Goodbye Gatekeepers
(stratechery.com)
-->
movies & television (all)
categories:
tags:
movies-television
date: 30 Mar 2025
slug:raindrop-moviestv-all
(www.vulture.com)
2025-02-07
Opinion | A.I. Is Coming for Hank Azaria’s ‘Simpsons’ Voices
(www.nytimes.com)
2025-02-05
Full Movies | Warner Bros. Entertainment
(www.youtube.com)
2025-01-05
Cost of internet streaming and cell phone bills
(www.reviews.org)
2024-12-24
12 Days Of Xmas | Space Ghost Coast To Coast | Adult Swim
(youtu.be)
2024-12-23
Film Technica: Our favorite movies of 2024
(arstechnica.com)
2024-12-20
Casual Viewing | Will Tavlin
(www.nplusonemag.com)
2024-12-16
SNL: The 40 Best Skits Of All Time, Ranked
(screenrant.com)
2024-12-11
Quality Trash: Meet director Ron Oliver, Hallmark’s king ...
(torontolife.com)
2024-12-09
Do G-Rated Films Even Make Sense Anymore?
(tedium.co)
2024-11-23
Cable TV Is on Its Very Last Legs. Next Year May Be the End.
(slate.com)
2024-11-05
New Zemeckis film used AI to de-age Tom Hanks and Robin W...
(arstechnica.com)
2024-10-19
Our 50 Favorite ‘Saturday Night Live’ Sketches
(www.vanityfair.com)
2024-07-30
‘Twisters’ Has Become the Perfect Storm for Drive-In Thea...
(www.thedrive.com)
2024-07-05
Spanish Translation - S1 EP1 - Space Ghost Coast to Coast
(www.adultswim.com)
2024-06-24
A Closer Look At The Growth In Ad-Supported Streaming - A...
(www.antenna.live)
2024-06-22
The Future of Netflix, Amazon and Other Streaming Services
(www.nytimes.com)
2024-06-22
TV Companies Losing Subscribers As Sports Rights Deals Co...
(frontofficesports.com)
2024-06-22
DMA® Regions | Nielsen
(www.nielsen.com)
2024-06-22
Nielsen geographic regions
(s3-us-west-2.amazonaws.com)
2024-06-19
Why Tubi CEO Anjali Sud thinks free TV can win again
(www.theverge.com)
2024-06-16
50 Perfect Movies, According to Rotten Tomatoes
(getpocket.com)
2024-05-14
The Madness of King George- The stool scene.
(youtube.com)
2024-05-11
Conan - What is Best in Life
(youtu.be)
2024-05-07
Digiday+ Research: A guide to ad-supported streaming serv...
(digiday.com)
2024-05-05
Research Briefing: Frequency capping matters most on stre...
(digiday.com)
2024-04-28
How realistic is the planetary orbit in Netflix’s ‘3 Body...
(www.fastcompany.com)
2024-04-17
The lines between streaming and cable continue to blur | ...
(arstechnica.com)
2024-04-08
Carrie at 50: the bloody history of Stephen King’s audaci...
(www.independent.co.uk)
2024-04-08
3 Body Problem’s most mind-bending question isn’t about a...
(www.vox.com)
2024-03-18
“3 Body Problem” Is a Rare Species of Sci-Fi Epic
(www.newyorker.com)
2024-03-13
The 15 Greatest Documentaries of All Time: Explore Films ...
(www.openculture.com)
2024-03-11
The 38 All-Time Best Food Movies
(www.eater.com)
2024-03-09
“Dune” and the Delicate Art of Making Fictional Languages
(www.newyorker.com)
2024-03-07
Seven Books That Explain How Hollywood Actually Works
(www.theatlantic.com)
2024-03-06
The Ruthless Rise and Fall of Paramount Pictures During H...
(www.hollywoodreporter.com)
2024-03-05
Ridley Scott’s “Napoleon” Complex
(www.newyorker.com)
2024-03-05
The Most Beautiful Shots in Cinema History: Scenes from 1...
(www.openculture.com)
2024-02-21
YouTube Dominates TV Streaming In US, Per Nielsen's Lates...
(news.slashdot.org)
2024-02-19
What You Need to Know About U.S. Sports TV Contracts
(www.sportico.com)
2024-02-19
How Netflix Conquered Hollywood — And Then Broke It
(www.hollywoodreporter.com)
2024-02-19
Understanding YouTube Campaign Types
(www.practicalecommerce.com)
2024-02-17
‘Shawshank’ in China, as You’ve Never Seen It Before
(www.nytimes.com)
2024-02-07
Why Ted Lasso isn’t the massive hit in the U.K. that it i...
(theathletic.com)
2024-02-06
CBS’s Super Bowl Features 165 Camera Feeds. He Watches Th...
(www.sportico.com)
2024-01-25
HOPPER: An American love story - About the documentary | ...
(www.pbs.org)
2024-01-18
Adam Sandler Is A Lonely Astronaut With An Alien Stowaway...
(www.empireonline.com)
2024-01-06
Americans Are Canceling More of Their Streaming Services
(www.wsj.com)
2023-10-24
Netflix’s Leave the World Behind is a tense post-apocalyp...
(www.theverge.com)
2023-10-20
Free Animated Films: From Classic to Modern | Open Culture
(www.openculture.com)
2023-09-25
The Sam Neill Horror Movie On Streaming That Questions Re...
(www.giantfreakinrobot.com)
2023-09-24
The Sci-Fi Thriller On Streaming Every X-Files Fan Needs ...
(www.giantfreakinrobot.com)
2023-09-16
The Rise and Fall of TV's Golden Age
(www.statsignificant.com)
2023-09-14
The Real Reason These Celebrity Talk Shows Keep Imploding
(www.nytimes.com)
2023-09-12
The Rise and Fall of ESPN’s Leverage
(stratechery.com)
2023-09-12
Animating the Grim Reaper and a Canine Companion, in “Dea...
(www.newyorker.com)
2023-09-10
The truth is out there: Celebrate 30 years of The X-Files...
(arstechnica.com)
2023-08-19
The 50 Best Movie Soundtracks of the Past 50 Years
(www.theringer.com)
2023-08-03
‘I Didn’t Kill My Wife!’ — An Oral History of ‘The Fugitive’
(longreads.com)
2023-07-28
Raylan and Boyd's Final Meeting - Scene | Justified | FX
(youtu.be)
2023-07-27
Connections (British TV series) - Wikipedia
(en.wikipedia.org)
2023-07-23
Plex
(app.plex.tv)
2023-07-16
Reddit - Dive into anything
(www.reddit.com)
2023-07-07
OPPENHEIMER - New Trailer (Universal Pictures) - HD | Watch
(www.msn.com)
2023-07-03
‘Dazed and Confused’ at 30: Wooderson Gets Older, but His...
(www.texasmonthly.com)
2023-07-02
Sports Streaming Interest in the U.S. by State
(www.visualcapitalist.com)
2023-06-30
How the Astonishing Sushi Scene in Wes Anderson’s Isle of...
(www.openculture.com)
2023-06-19
Stream These Five Cormac McCarthy Film Adaptations
(www.nytimes.com)
2023-05-30
The Untold History of the ‘Whassup?’ Super Bowl Commercial
(getpocket.com)
2023-05-30
Watch Marjoe (1973) Full Movie Free Online - Plex
(watch.plex.tv)
2023-05-18
From Netflix to HBO, the terrible design of streaming is ...
(www.fastcompany.com)
2023-05-04
The 50 Best Movies on Netflix Right Now
(www.nytimes.com)
2023-04-25
Top 50 TV Shows Of All Time Ranked by the most known sour...
(www.reddit.com)
2023-04-19
Draculas, Ranked
(www.vulture.com)
2023-04-14
Wes Anderson Goes Sci-Fi in 1950s America: Watch the Trai...
(www.openculture.com)
2023-04-05
Inside Amazon Studios: Big Swings Hampered by Confusion a...
(www.hollywoodreporter.com)
2023-04-05
A Thousand and One review: The most terrifying movie of t...
(slate.com)
2023-04-05
The 12 Greatest, Strangest, Most Transfixing Dance Scenes...
(getpocket.com)
2023-03-31
35 Trivia Tidbits About ‘Beetlejuice’ for Its 35th Annive...
(www.cracked.com)
2023-03-30
Daisy Jones & the Six Wasn’t Only Inspired by Fleetwood Mac
(slate.com)
2023-03-17
Nothing but net: The 20 greatest basketball movies, ranked
(www.avclub.com)
2023-03-15
Results
(www.antennaweb.org)
2023-03-14
The future of TV is up in the air - The Verge
(www.theverge.com)
2023-03-14
Vesper movie review & film summary (2022) | Roger Ebert
(www.rogerebert.com)
2023-03-04
The “Dazed and Confused” Generation
(www.newyorker.com)
2023-02-05
What is the Most Successful Hollywood Movie? A Data Story
(informationisbeautiful.net)
2023-02-04
More People Should Watch One of the Best Sci-Fi Movies of...
(www.cnet.com)
2023-01-27
The VICE Guide to Streaming Services
(www.vice.com)
2023-01-20
Comedy movies rarely make it to theaters today. Here's why.
(bigthink.com)
2023-01-14
How Much More Netflix Can the World Absorb?
(www.newyorker.com)
2022-12-27
Why YouTube spent the money on NFL Sunday Ticket
(www.theverge.com)
2022-12-21
The Blues | PBS
(www.pbs.org)
2022-12-21
The Eagle Huntress || A Sony Pictures Classics Release
(sonyclassics.com)
2022-12-19
Want to Understand Television’s Troubles? Look at AMC. (P...
(www.nytimes.com)
2022-12-10
DeepMind Created An AI Tool That Can Help Generate Rough ...
(entertainment.slashdot.org)
2022-12-04
'Arrival' Is a Timely Film About Aliens and Empathy
(www.theatlantic.com)
2022-11-15
Why have late-night talk show ratings collapsed?
(bigthink.com)
2022-10-31
The Story Behind One of the Creepiest Scenes in TV History
(www.vanityfair.com)
2022-10-28
The 12 Best Horror Shows to Binge for Halloween
(www.wired.com)
2022-10-25
The 55 Best Horror Movies To Scare Yourself Silly
(www.refinery29.com)
2022-10-22
The Real Star of M*A*S*H
(quillette.com)
2022-10-08
30 Interesting Facts About Alien - All The Right Movies
(www.alltherightmovies.com)
2022-10-05
Hilarious Cowboy Poetry With Waddie Mitchell and Batxer B...
(youtube.com)
2022-09-29
TV Fool
(www.tvfool.com)
2022-09-24
10 Great Movies About 10 of History's Worst People
(lifehacker.com)
2022-09-17
'How to Blow Up a Pipeline' Is the Movie Everyone Needs t...
(www.vice.com)
2022-09-16
A Comprehensive Tutorial on Stereo Geometry and Stereo Re...
(towardsdatascience.com)
2022-09-15
Ask HN: What are some of the best documentaries you've se...
(news.ycombinator.com)
2022-09-14
AlphaGo
(www.alphagomovie.com)
2022-09-05
[OC] The Most Watched Netflix Shows
(www.reddit.com)
2022-09-05
The Streaming TV Bloodbath
(slate.com)
2022-08-30
An Oral History of ‘Steamed Hams,’ the Funniest ‘Simpsons...
(getpocket.com)
2022-08-28
The Elephant Effect - Considerations on Live Streaming It...
(labs.ripe.net)
2022-08-27
The Guilt-Free Pleasure of Airplane Movies
(www.theatlantic.com)
2022-08-14
Does the Dog Die? · The Wildest
(www.thewildest.com)
2022-08-07
Mike Judge knows why 'Beavis and Butt-Head' endure: 'They...
(clicks.getpocket.com)
2022-07-27
Cinema’s greatest scene: ‘Casablanca’ and ‘La Marseillaise’
(seveninchesofyourtime.com)
2022-07-20
The 50 Greatest Fictional Deaths of All Time
(slate.com)
2022-07-19
I worked in a video store for 25 years. Here’s what I lea...
(www.vox.com)
2022-07-18
15 Marketing Lessons From Infomercials
(medium.com)
2022-07-18
Tropes - TV Tropes
(tvtropes.org)
2022-07-18
Art, Commerce, and Zamfir: Selling Music on TV
(www.neatorama.com)
2022-07-16
America’s favorite family outings are increasingly out of...
(thehustle.co)
2022-07-16
'The Bear's' Jeremy Allen White Has a Crush on Carmy, Too
(www.gq.com)
2022-07-16
What Is HDMI?
(www.howtogeek.com)
2022-07-14
http://www.pixartouchbook.com/blog/2011/5/15/pixar-story-...
(www.pixartouchbook.com)
2022-07-14
List of television networks by country
(en.m.wikipedia.org)
2022-07-06
The Economics of Infomercials - Priceonomics
(priceonomics.com)
2022-07-05
Anatomy of a Product Placement (Published 2022)
(www.nytimes.com)
2022-07-03
Pop Culture Posters & Illustrations by Tomasz Majewski
(designyoutrust.com)
2022-06-25
Why Sports Are a Game-Changer for Streaming
(slate.com)
2022-06-24
How To Improve Your Writing: 5 Secrets From Hollywood - B...
(www.bakadesuyo.com)
2022-06-24
Aidy Bryant’s ‘SNL’ Exit Interview: ‘I Was Worried I Was ...
(variety.com)
2022-06-24
The Story of Lee Marvin, Gene Hackman, and Quite Possibly...
(crimereads.com)
2022-06-23
Roku
(www.dataxu.com)
2022-06-19
Inside the Brilliant, Heartbreaking First 10 Minutes of ‘Up’
(www.theringer.com)
2022-06-13
TV Advertising’s Surprising Strength — And Inevitable Fall
(stratechery.com)
2022-06-07
The oral history of 'Encino Man,' Brendan Fraser's cavema...
(www.inverse.com)
2022-06-04
Browse Movies, TV Shows and Games
(www.metacritic.com)
2022-06-02
How Netflix Reverse-Engineered Hollywood
(www.theatlantic.com)
2022-06-01
Can Paramount Go It Alone? (Published 2022)
(www.nytimes.com)
2022-05-29
Ted Sarandos Talks About That Stock Drop, Backing Dave Ch...
(www.nytimes.com)
2022-05-29
42 years ago, the "Mother of Yoda" conquered Hollywood — ...
(www.inverse.com)
2022-05-25
Why Is ‘Bob’s Burgers’ So Freakishly Lovable? This Guy.
(www.nytimes.com)
2022-05-22
'The Fifth Element' to Return to Theaters to Celebrate It...
(collider.com)
2022-05-09
This Sci-Fi Western Offers a Quiet Rebuke to Yellowstone
(slate.com)
2022-04-15
It’s Still Stupidly, Ridiculously Difficult To Buy A ‘Dum...
(www.techdirt.com)
2022-04-07
Kiss the streaming struggle goodbye with Plex | Plex
(www.plex.tv)
2022-03-19
‘Texas Chain Saw Massacre’ and the Lessons Few Horror Fil...
(www.nytimes.com)
2022-03-15
These are Netflix's Most Popular Shows (According to Netf...
(www.bloomberg.com)
2022-03-13
One of the Greatest Movies About Jazz
(www.newyorker.com)
2022-02-18
“Columbo” shows the benefits of asking just one more thing
(www.economist.com)
2022-02-18
The Little TV Industry That Could
(www.nytimes.com)
2022-02-10
Breaking Bad became one of the best TV shows ever by borr...
(www.vox.com)
2022-01-02
Ted Lasso - Wikipedia
(en.wikipedia.org)
2021-12-26
Mel Brooks on the Making of Spaceballs
(lithub.com)
2021-12-15
See the Real Live Man Who Grew Up in a Carnival
(www.nytimes.com)
2021-11-29
The Loss at the Heart of Guy Fieri’s Entertainment Empire
(www.theatlantic.com)
2021-11-23
Taking Humor Seriously on “The Simpsons”
(link.newyorker.com)
2021-11-23
David Simon and the Creation of “The Wire”
(link.newyorker.com)
2021-11-22
Why ‘Planes, Trains and Automobiles’ Is the Ultimate Than...
(getpocket.com)
2021-11-22
The Old Country Meets Prozac Nation on “The Sopranos”
(link.newyorker.com)
2021-11-21
Why ‘Slap Shot’ Captures the 1970s Better Than Any Other ...
(getpocket.com)
2021-11-19
Why Netflix never goes down - The Verge
(www.theverge.com)
2021-11-07
The 100 Best Film Noirs of All Time
(www.pastemagazine.com)
2021-09-19
The 30 best mobster movies – ranked!
(www.theguardian.com)
2021-09-05
This Artist Creates Hilarious Combinations Of Popular Cha...
(designyoutrust.com)
2021-08-24
The Real C.E.O. of “Succession”
(www.newyorker.com)
2021-08-05
What We Do in the Shadows | Yard Sale - Season 3 Teaser | FX
(www.youtube.com)
2021-07-24
Why Horror Films Are More Popular Than Ever
(m.nautil.us)
2021-07-19
Sci-Fi Short Film “FTL" | DUST - YouTube
(www.youtube.com)
2021-07-18
The Weird History of Hillbilly TV — THE BITTER SOUTHERNER
(bittersoutherner.com)
2021-07-07
No More Movies | Jay Riverlong
(jayriverlong.github.io)
2021-07-03
Robin Williams - Chlamydia, Your Dad Is Here! - 5/5 Appea...
(www.youtube.com)
2021-07-03
Toy Story - Story Structure Analysis
(www.helpingwritersbecomeauthors.com)
2021-07-03
The Remaking of Comedy Central
(www.vulture.com)
2021-06-21
Why Are People Getting Worse at “The Price Is Right”?
(getpocket.com)
2021-06-21
Adult Swim - YouTube
(www.youtube.com)
2021-06-15
Danish Road Safety Council / Helmet has always been a goo...
(youtu.be)
2021-06-14
After saving Tuca & Bertie, Adult Swim has posted the fir...
(www.theverge.com)
2021-06-13
The Formidable Charm of Omar Sy
(www.newyorker.com)
2021-06-07
How 'One Hundred and One Dalmatians' Saved Disney
(www.smithsonianmag.com)
2021-05-26
The Expanse UI Design — HUDS GUIS
(www.hudsandguis.com)
2021-05-10
The economics of movie product placements
(thehustle.co)
2021-05-09
Two Assholes Lost in the Woods: An Oral History of ‘Pine ...
(www.theringer.com)
2021-05-07
How Pixar Uses Hyper-Colors to Hack Your Brain
(www.wired.com)
2021-04-28
Why Don’t Some TV Shows Sound the Way They Used To? (Publ...
(www.nytimes.com)
2021-04-22
The 101 Greatest Endings in Movies History
(www.vulture.com)
2021-04-17
The Low-Key Carter-Era Pleasures of “The Muppet Show”
(www.newyorker.com)
2021-04-11
The Tim Ferriss Show Transcripts: Jerry Seinfeld — A Come...
(tim.blog)
2021-03-28
The 32 Greatest Character Actors Working Today
(www.vulture.com)
2021-03-28
The Best Moments Of Archer: Malory | Netflix Nordic
(youtube.com)
2021-03-27
The Timeless Fantasy of Stanley Tucci Eating Italian Food...
(www.newyorker.com)
2021-03-22
Glory at sea! | Psyche Films
(psyche.co)
2021-03-09
Comfort Viewing: 3 Reasons I Love ‘Courage the Cowardly Dog’
(www.nytimes.com)
2021-03-07
‘The Truffle Hunters’ Review: In Dogged Pursuit of Culina...
(www.nytimes.com)
2021-03-05
The 20 Best Horror Movies on Hulu Right Now
(www.vulture.com)
2021-02-20
The 25 Essential Episodes of The Muppet Show
(www.vulture.com)
2021-02-19
‘Nomadland’ | Anatomy of a Scene
(www.nytimes.com)
2021-01-27
The 50 Best Cult Movies
(www.theringer.com)
2021-01-27
'One Night In Miami' Is a Rare Glimpse at the Humanity of...
(www.vice.com)
2021-01-16
How to Go From Working in a Steel Mill to Being the Highe...
(www.wealthsimple.com)
2020-12-18
Five Lessons From Dave Chappelle – Stratechery by Ben Tho...
(stratechery.com)
2020-11-17
Staff-favorite streaming devices for 2024
(apple.news)
2020-11-07
25 Feel-Good Films You’ll Want to Watch Again—and Again
(www.theatlantic.com)
2020-11-03
Space Mutiny – List of David Ryder Names [MST3K]
(www.rowsdowr.com)
2020-11-03
Wendy's - Soviet Fashion Show (1985, USA) - YouTube
(www.youtube.com)
2020-10-21
Sixty-two of the Best Documentaries of All Time
(www.newyorker.com)
2020-10-20
Python For Feature Film
(www.gfx.dev)
2020-10-16
Tubi is the largest free movie and TV streaming service i...
(tubitv.com)
2020-10-16
COMET - Science Fiction Movies and Entertainment Televisi...
(www.comettv.com)
2020-09-15
Remembering Laika: 'Space Dogs' Documentary Explores Mosc...
(science.slashdot.org)
2020-07-19
The Guy Who Wouldn't Write a Hit: An Interview with David...
(getpocket.com)
2020-06-01
What Happened to the Shows That Were Supposed to Become t...
(www.theringer.com)
2020-05-28
30 Movies That Are Unlike Anything You’ve Seen Before
(www.theatlantic.com)
2020-04-19
Unexpected Movie Masterpieces to Watch in Quarantine
(www.theatlantic.com)
2020-04-19
https://www.metacritic.com/pictures/best-and-worst-film-f...
(www.metacritic.com)
2020-03-26
Meet the Criterion Channel, the most fun way to become a ...
(www.vox.com)
2020-02-19
Jellyfin
(jellyfin.org)
2020-02-12
The Secret of Mystery Science Theater 3000’s Success
(getpocket.com)
2020-02-09
How Bullwinkle Taught Kids Sophisticated Political Satire
(www.smithsonianmag.com)
2019-12-23
Terrestrial television - Wikipedia
(en.wikipedia.org)
2019-12-23
The essential comparison guide to every streaming service
(www.polygon.com)
2019-12-15
An Ode to the Video Store Chain, on the Occasion of Block...
(getpocket.com)
2019-11-27
The Real-Life Hollywood Hoax That Turned a Fake Bradley C...
(melmagazine.com)
2019-11-02
HBO’s Corpus of Content and Apple’s Lack Thereof
(500ish.com)
2019-11-02
Watch The Laundromat | Netflix Official Site
(www.netflix.com)
2019-10-31
Check Out These 5 Seriously Creepy Documentaries for Hall...
(www.pbs.org)
2019-10-27
The Vast of Night is an alien encounter film like no other
(arstechnica.com)
2019-09-05
How Dan Patrick and Keith Olbermann’s ‘SportsCenter’ Chan...
(www.theringer.com)
2019-08-18
Taylor and Kanye: How two superstars and four words influ...
(www.washingtonpost.com)
2019-08-02
The tiny video store that survived Netflix
(thehustle.co)
2019-07-15
The Future of Television | I, Cringely
(www.cringely.com)
2019-04-26
Why Isn’t Hulu Better?
(hbr.org)
2019-03-12
The 50 Best Movie Soundtracks of All Time
(pitchfork.com)
2019-01-31
(29) Harry Patch: The Last Tommy - YouTube
(www.youtube.com)
2019-01-18
The Ministry of Mr. Rogers
(longform.org)
2018-12-25
The 21 best movies of 2018
(www.vox.com)
2018-12-24
Fractured Fairy Tales
(www.neatorama.com)
2018-11-16
Do you like dogs? You will love Dogs.
(theweek.com)
2018-11-13
25 Things You Didn't Know Your Chromecast Could Do
(www.pcmag.com)
2018-10-12
The 40 Greatest Movie Soundtracks of All Time
(www.vulture.com)
2018-10-06
The First Good Omens Trailer Is Here to Drag You to Hell
(io9.gizmodo.com)
2018-09-30
When ratings don’t define success, more TV series hang ar...
(www.washingtonpost.com)
2018-09-24
The Age of Jennifer’s Body
(www.theatlantic.com)
2018-09-05
‘Michael Clayton’ in the Age of Netflix
(500ish.com)
2018-07-02
The 17 Best Indie Movies of 2018 (So Far) | IndieWire
(www.indiewire.com)
2018-03-16
TV Time, the TV tracking app with over a million daily us...
(techcrunch.com)
2018-01-31
Watch the First Trailer for Hereditary, Sundance’s Bigges...
(www.vulture.com)
2017-10-30
The Post-Apocalyptic Stop-Motion Animated Film Junk Head ...
(io9.gizmodo.com)
2010-10-24
The inside story of Roku’s TV program
(www.fastcompany.com)
-->
large language models (LLMs) (all)
categories:
tags:
llms
date: 30 Mar 2025
slug:raindrop-llms-all
(www.theatlantic.com)
2025-04-08
The “S” in MCP Stands for Security - Elena Cross - Medium
(elenacross7.medium.com)
2025-04-07
Topic 33: Slim Attention, KArAt, XAttention and Multi-Tok...
(huggingface.co)
2025-04-06
The Llama 4 herd: The beginning of a new era of natively ...
(ai.meta.com)
2025-04-06
Model Context Protocol (MCP) an overview
(www.philschmid.de)
2025-04-06
Use MCP servers in VS Code (Preview)
(code.visualstudio.com)
2025-04-05
If Anthropic Succeeds, a Nation of Benevolent AI Geniuses...
(www.wired.com)
2025-04-02
LLM Benchmarking: Fundamental Concepts | NVIDIA Technical...
(developer.nvidia.com)
2025-04-02
A Comprehensive Guide to LLM Routing: Tools and Frameworks
(www.marktechpost.com)
2025-03-28
How DeepSeek Rewrote the Transformer [MLA]
(www.youtube.com)
2025-03-28
Tracing the thoughts of a large language model
(simonwillison.net)
2025-03-27
Anthropic can now track the bizarre inner workings of a l...
(www.technologyreview.com)
2025-03-26
10 Must-Know Python Libraries for LLMs in 2025
(machinelearningmastery.com)
2025-03-25
Introducing 4o Image Generation
(openai.com)
2025-03-25
What is the hallucination index?
(dataconomy.com)
2025-03-23
Quickstart | Mistral AI Large Language Models
(docs.mistral.ai)
2025-03-22
Improving Recommender Systems & Search in the Age of LLMs
(eugeneyan.com)
2025-03-20
Anthropic just gave Claude a superpower: real-time web se...
(venturebeat.com)
2025-03-18
Mistral Small 3.1 runs on a MacBook and beats giants - Da...
(dataconomy.com)
2025-03-17
Mistral Small 3.1
(simonwillison.net)
2025-03-16
https://www.r-bloggers.com/2025/03/the-ellmer-package-for...
(www.r-bloggers.com)
2025-03-13
What is catastrophic forgetting? - Dataconomy
(dataconomy.com)
2025-03-13
Top 7 Open-Source LLMs in 2025 - KDnuggets
(www.kdnuggets.com)
2025-03-12
What are model cards? - Dataconomy
(dataconomy.com)
2025-03-11
How I use LLMs to help me write code
(open.substack.com)
2025-03-08
On GPT-4.5
(thezvi.substack.com)
2025-03-08
The State of LLM Reasoning Models
(open.substack.com)
2025-03-07
Mistral OCR
(simonwillison.net)
2025-03-06
Mistral OCR | Mistral AI
(mistral.ai)
2025-03-04
llm-ollama 0.9.0
(simonwillison.net)
2025-02-26
Claude 3.7 Sonnet and Claude Code
(www.anthropic.com)
2025-02-26
The Deep Research problem — Benedict Evans
(www.ben-evans.com)
2025-02-24
5 Principles for Writing Effective Prompts (2025 Update)
(blog.tobiaszwingmann.com)
2025-02-24
Greg Brockman shared this template for prompting
(www.linkedin.com)
2025-02-21
LLM Leaderboard
(artificialanalysis.ai)
2025-02-17
Here Are My Go-To AI Tools
(open.substack.com)
2025-02-17
A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer...
(www.marktechpost.com)
2025-02-15
We Were Wrong About GPUs
(fly.io)
2025-02-07
Using pip to install a Large Language Model that’s under ...
(simonwillison.net)
2025-02-05
Understanding Reasoning LLMs
(sebastianraschka.com)
2025-02-03
5 AI Agent Frameworks Compared - KDnuggets
(www.kdnuggets.com)
2025-02-02
(WIP) A Little Bit of Reinforcement Learning from Human F...
(rlhfbook.com)
2025-02-02
Creating an AI Agent-Based System with LangGraph: Adding ...
(www.marktechpost.com)
2025-02-01
aidanmclaughlin/AidanBench: Aidan Bench attempts to measu...
(github.com)
2025-01-31
OpenAI o3-mini, now available in LLM
(simonwillison.net)
2025-01-29
Multi-Head Latent Attention and Other KV Cache Tricks
(www.pyspur.dev)
2025-01-29
Qwen AI Introduces Qwen2.5-Max: A large MoE LLM Pretraine...
(www.marktechpost.com)
2025-01-29
Alibaba releases AI model it says surpasses DeepSeek
(www.reuters.com)
2025-01-28
On MLA
(planetbanatt.net)
2025-01-27
The Illustrated DeepSeek-R1
(newsletter.languagemodels.co)
2025-01-26
DeepSeek-R1 vs. OpenAI’s o1: A New Step in Open Source an...
(www.marktechpost.com)
2025-01-25
AI hallucinations can’t be stopped — but these techniques...
(www.nature.com)
2025-01-23
Noteworthy LLM Research Papers of 2024
(sebastianraschka.com)
2025-01-23
LLM 0.20
(simonwillison.net)
2025-01-23
How Chinese A.I. Start-Up DeepSeek Is Competing With Open...
(www.nytimes.com)
2025-01-20
DeepSeek-R1 and exploring DeepSeek-R1-Distill-Llama-8B
(simonwillison.net)
2025-01-18
Microsoft Presents a Comprehensive Framework for Securing...
(www.marktechpost.com)
2025-01-18
Lessons From Red Teaming 100 Generative AI Products
(simonwillison.net)
2025-01-18
Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...
(sebastianraschka.com)
2025-01-17
This Rumor About GPT-5 Changes Everything
(open.substack.com)
2025-01-14
The 2025 AI Engineering Reading List
(www.latent.space)
2025-01-12
Agents
(huyenchip.com)
2025-01-12
100 Must-Read Generative AI Papers from 2024
(open.substack.com)
2025-01-09
7 Next-Generation Prompt Engineering Techniques - Machine...
(machinelearningmastery.com)
2025-01-08
How to use NotebookLM for personalized knowledge synthesis
(open.substack.com)
2025-01-07
An Opinionated Evals Reading List — Apollo Research
(www.apolloresearch.ai)
2025-01-01
LLMS 2023-2024 (Williston) – Dropbox Paper
(www.dropbox.com)
2024-12-31
Things we learned out about LLMs in 2024
(simonwillison.net)
2024-12-30
How to Build a Graph RAG App
(towardsdatascience.com)
2024-12-24
Gemini 2.0 Flash "Thinking Mode"
(open.substack.com)
2024-12-22
LLM Research Papers: The 2024 List
(magazine.sebastianraschka.com)
2024-12-22
Why AI language models choke on too much text
(arstechnica.com)
2024-12-21
rasbt/LLMs-from-scratch: Implement a ChatGPT-like LLM in ...
(github.com)
2024-12-21
Slim-Llama: An Energy-Efficient LLM ASIC Processor Suppor...
(www.marktechpost.com)
2024-12-21
OpenAI Unveils o3 System That Reasons Through Math, Scien...
(www.nytimes.com)
2024-12-19
Building effective agents \ Anthropic
(www.anthropic.com)
2024-12-18
Blt patches scale better than tokens
(dl.fbaipublicfiles.com)
2024-12-16
Meta AI Proposes Large Concept Models (LCMs): A Semantic ...
(www.marktechpost.com)
2024-12-15
How LLMs Store and Use Knowledge? This AI Paper Introduce...
(www.marktechpost.com)
2024-12-13
LangChain vs OpenAI API: When Simplicity Meets Scalabilit...
(blogs.adityabh.is-a.dev)
2024-12-12
Transformers Key-Value (KV) Caching Explained
(towardsdatascience.com)
2024-12-12
Scaling Laws – O1 Pro Architecture, Reasoning Training In...
(semianalysis.com)
2024-12-11
The AI Researchers Pushing Computers to Launch Nightmare ...
(www.wsj.com)
2024-12-09
What are Hallucinations in LLMs and 6 Effective Strategie...
(www.marktechpost.com)
2024-12-07
Countless.dev | AI Model Comparison
(countless.dev)
2024-12-07
CPU-GPU I/O-Aware LLM Inference Reduces Latency in GPUs b...
(www.marktechpost.com)
2024-12-05
How to Build a General-Purpose LLM Agent
(towardsdatascience.com)
2024-12-05
Treemap
(aiworld.eu)
2024-12-05
AI Hallucinations: Why Large Language Models Make Things ...
(www.kapa.ai)
2024-11-29
llama.cpp guide - Running LLMs locally, on any hardware, ...
(steelph0enix.github.io)
2024-11-28
Four Cutting-Edge Methods for Evaluating AI Agents and En...
(www.marktechpost.com)
2024-11-26
eugeneyan/llm-paper-notes: Notes from the Latent Space pa...
(github.com)
2024-11-21
Understanding Multimodal LLMs
(magazine.sebastianraschka.com)
2024-11-17
Something weird is happening with LLMs and chess
(open.substack.com)
2024-11-11
Analyzing the homerun year for LLMs: the top-100 most cit...
(www.zeta-alpha.com)
2024-10-31
LLM Chunking, Indexing, Scoring and Agents, in a Nutshell...
(www.datasciencecentral.com)
2024-10-28
Developing a computer use model
(www.anthropic.com)
2024-10-19
5 LLM Tools I Can’t Live Without
(www.kdnuggets.com)
2024-10-19
Claude: Everything you need to know about Anthropic's AI ...
(techcrunch.com)
2024-10-17
Nvidia just dropped a new AI model that crushes OpenAI’s ...
(venturebeat.com)
2024-08-04
dpo-from-scratch.ipynb
(github.com)
2024-08-04
What We Learned from a Year of Building with LLMs (Part I)
(www.oreilly.com)
2024-08-01
Towards Monosemanticity: A step towards understanding lar...
(towardsdatascience.com)
2024-07-24
Meta unleashes its most powerful AI model, Llama 3.1, wit...
(venturebeat.com)
2024-07-24
Customize Generative AI Models for Enterprise Application...
(developer.nvidia.com)
2024-07-24
Llama 3.1 Released: Meta’s New Open-Source AI Model that ...
(www.marktechpost.com)
2024-07-24
Meta Llama 3.1 405b is outperforming private models with ...
(dataconomy.com)
2024-07-20
Understanding Positional Embeddings in Transformers: From...
(towardsdatascience.com)
2024-07-15
Claude 3.5 Sonnet
(www.anthropic.com)
2024-07-13
Do large language models understand the world?
(www.amazon.science)
2024-07-04
Building an LLM Router for High-Quality and Cost-Effectiv...
(www.anyscale.com)
2024-07-03
From bare metal to a 70B model: infrastructure set-up and...
(imbue.com)
2024-07-02
StarCoder2-15B: A Powerful LLM for Code Generation, Summa...
(nvda.ws)
2024-06-27
How Gradient created an open LLM with a million-token con...
(venturebeat.com)
2024-06-22
Some Commonly Used Advanced Prompt Engineering Techniques...
(www.marktechpost.com)
2024-06-20
Key Metrics for Evaluating Large Language Models (LLMs)
(www.marktechpost.com)
2024-06-20
Firecrawl: A Powerful Web Scraping Tool for Turning Websi...
(www.marktechpost.com)
2024-06-19
Let's reproduce GPT-2 (124M)
(m.youtube.com)
2024-06-19
How to use an open source LLM model locally and remotely
(thoughtbot.com)
2024-06-12
“The” Midjourney model personalization guide
(dataconomy.com)
2024-06-12
How to use Perplexity in your PM work
(www.lennysnewsletter.com)
2024-06-11
[2406.01506] The Geometry of Categorical and Hierarchical...
(arxiv.org)
2024-06-11
What We Learned from a Year of Building with LLMs (Part II)
(www.oreilly.com)
2024-06-11
Sharpening LLMs: The Sharpest Tools and Essential Techniq...
(www.marktechpost.com)
2024-06-11
List of Activities and Their Corresponding Suitable LLMs ...
(www.marktechpost.com)
2024-06-11
Three Things to Know About Prompting LLMs
(sloanreview.mit.edu)
2024-05-31
Perplexity goes beyond AI search, launches publishing pla...
(venturebeat.com)
2024-05-28
The Great AI Chatbot Challenge: ChatGPT vs. Gemini vs. Co...
(www.wsj.com)
2024-05-26
The future of foundation models is closed-source
(www.thediff.co)
2024-05-24
Demystifying Vision-Language Models: An In-Depth Exploration
(www.marktechpost.com)
2024-05-22
AI Is a Black Box. Anthropic Figured Out a Way to Look In...
(www.wired.com)
2024-05-21
naklecha/llama3-from-scratch
(github.com)
2024-05-21
Abacus AI Releases Smaug-Llama-3-70B-Instruct: The New Be...
(www.marktechpost.com)
2024-05-13
Do Enormous LLM Context Windows Spell the End of RAG?
(thenewstack.io)
2024-05-13
How Good Are the Latest Open LLMs? And Is DPO Better Than...
(sebastianraschka.com)
2024-05-12
ChuXin: A Fully Open-Sourced Language Model with a Size o...
(www.marktechpost.com)
2024-05-11
Title:You Only Cache Once: Decoder-Decoder Architectures ...
(arxiv.org)
2024-05-11
Anthropic AI Launches a Prompt Engineering Tool that Gene...
(www.marktechpost.com)
2024-05-11
Cleaning
(docs.unstructured.io)
2024-05-08
[2404.19737] Better & Faster Large Language Models via Mu...
(arxiv.org)
2024-05-07
Researchers at NVIDIA AI Introduce ‘VILA’: A Vision Langu...
(www.marktechpost.com)
2024-05-05
Hugging Face - Documentation
(huggingface.co)
2024-04-25
Understanding Key Terminologies in Large Language Model (...
(www.marktechpost.com)
2024-04-25
Top 15 AI Libraries/Frameworks for Automatically Red-Team...
(www.marktechpost.com)
2024-04-19
Meta says Llama 3 beats most other models, including Gemi...
(www.theverge.com)
2024-04-17
anthropics/anthropic-cookbook: A collection of notebooks/...
(github.com)
2024-04-15
Deep Learning Architectures From CNN, RNN, GAN, and Trans...
(www.marktechpost.com)
2024-04-15
Tips for LLM Pretraining and Evaluating Reward Models
(magazine.sebastianraschka.com)
2024-04-14
Lessons after a half-billion GPT tokens - Ken Kantzer's Blog
(kenkantzer.com)
2024-04-13
5 Ways To Use LLMs On Your Laptop
(www.kdnuggets.com)
2024-04-13
Words are flowing out like endless rain: Recapping a busy...
(arstechnica.com)
2024-04-12
Gemini: A Family of Highly Capable Multimodal Models
(dev.to)
2024-04-10
Peter Gostev’s Post
(www.linkedin.com)
2024-04-05
Detecting Hallucinations in Large Language Models with Te...
(dev.to)
2024-04-05
Top Open Source Large Language Models (LLMs) Available Fo...
(www.marktechpost.com)
2024-04-02
LLaMA Now Goes Faster on CPUs
(justine.lol)
2024-04-02
Large language models use a surprisingly simple mechanism...
(news.mit.edu)
2024-04-02
Introducing DBRX: A New State-of-the-Art Open LLM
(www.databricks.com)
2024-04-01
ChatGPT vs Perplexity AI: AI App Comparison
(www.marktechpost.com)
2024-03-30
Mamba Explained
(thegradient.pub)
2024-03-29
How Nvidia Blackwell Systems Attack 1 Trillion Parameter ...
(www.nextplatform.com)
2024-03-29
How Chain-of-Thought Reasoning Helps Neural Networks Compute
(www.quantamagazine.org)
2024-03-11
Why and How to Achieve Longer Context Windows for LLMs
(towardsdatascience.com)
2024-03-11
Generative AI Design Patterns: A Comprehensive Guide | by...
(towardsdatascience.com)
2024-03-11
You can now train a 70b language model at home
(www.answer.ai)
2024-03-11
Easily Train a Specialized LLM: PEFT, LoRA, QLoRA, LLaMA-...
(towardsdatascience.com)
2024-03-07
Google Bard is called Gemini now and expands to mobile, p...
(www.axios.com)
2024-03-05
Anthropic’s Post
(www.linkedin.com)
2024-03-05
OpenAI's ChatGPT may have its first true rival in Anthrop...
(qz.com)
2024-02-29
rasbt/LLMs-from-scratch
(github.com)
2024-02-29
Meet RAGxplorer: An interactive AI Tool to Support the Bu...
(www.marktechpost.com)
2024-02-29
Meet Google Lumiere AI, Bard’s video maker cousin
(dataconomy.com)
2024-02-29
How To Build an LLM-Powered App To Chat with PapersWithCode
(towardsdatascience.com)
2024-02-29
The killer app of Gemini Pro 1.5 is video
(simonwillison.net)
2024-02-29
Understanding Direct Preference Optimization
(towardsdatascience.com)
2024-02-29
I Spent a Week With Gemini Pro 1.5—It’s Fantastic
(every.to)
2024-02-29
Title:The Era of 1-bit LLMs: All Large Language Models ar...
(arxiv.org)
2024-02-29
Sora early access: Your guide to securing a spot
(dataconomy.com)
2024-02-29
Au Large | Mistral AI | Frontier AI in your hands
(mistral.ai)
2024-02-22
Claude
(claude.ai)
2024-02-22
Beyond Self-Attention: How a Small Language Model Predict...
(shyam.blog)
2024-02-22
How do transformers work?+Design a Multi-class Sentiment ...
(open.substack.com)
2024-02-22
1708022141659 (JPEG Image, 1280 × 1600 pixels) ...
(media.licdn.com)
2024-02-22
Groq Inference Tokenomics: Speed, But At What Cost?
(www.semianalysis.com)
2024-02-20
How Well Can LLMs Negotiate? Stanford Researchers Develop...
(www.marktechpost.com)
2024-02-17
Sora
(openai.com)
2024-02-15
Code LoRA from Scratch - a Lightning Studio by sebastian
(lightning.ai)
2024-02-15
Bard is now Gemini and Gemini Advanced is amazing
(dataconomy.com)
2024-02-11
Ask HN: What have you built with LLMs?
(news.ycombinator.com)
2024-02-04
Title:BloombergGPT: A Large Language Model for Finance
(arxiv.org)
2024-01-24
Exploring the Zephyr 7B: A Comprehensive Guide to the Lat...
(www.kdnuggets.com)
2024-01-17
Mastering PDFs: Extracting Sections, Headings, Paragraphs...
(blog.llamaindex.ai)
2024-01-16
Understanding and Coding Self-Attention, Multi-Head Atten...
(magazine.sebastianraschka.com)
2024-01-16
Dashboard - SciSummary
(scisummary.com)
2024-01-07
Meet Waymo’s MotionLM: The State-of-the-Art Multi-Agent M...
(www.marktechpost.com)
2024-01-07
How much detail is too much? Midjourney v6 attempts to fi...
(arstechnica.com)
2024-01-07
10 Noteworthy AI Research Papers of 2023
(magazine.sebastianraschka.com)
2023-10-20
7 Steps to Mastering Large Language Models (LLMs)
(www.kdnuggets.com)
2023-10-20
Meta AI Researchers Propose Advanced Long-Context LLMs: A...
(www.marktechpost.com)
2023-10-20
This AI Paper from NVIDIA Explores the Power of Retrieval...
(www.marktechpost.com)
2023-10-20
Finetuning LLMs with LoRA and QLoRA: Insights from Hundre...
(lightning.ai)
2023-10-20
Getting Started with Large Language Models: Key Things to...
(flyte.org)
2023-10-20
Unlocking GPT-4 Summarization with Chain of Density Promp...
(www.kdnuggets.com)
2023-10-20
The Ins and Outs of Retrieval-Augmented Generation (RAG)
(towardsdatascience.com)
2023-10-20
Building RAG-based LLM Applications for Production (Part 1)
(www.anyscale.com)
2023-10-20
RAG vs Finetuning: Which Is the Best Tool to Boost Your L...
(towardsdatascience.com)
2023-10-20
A High-Level Overview Of Large Language Model Concepts, U...
(smashingmagazine.com)
2023-10-20
Augmenting LLMs with RAG
(towardsdatascience.com)
2023-10-07
Parallel Processing in Prompt Engineering: The Skeleton-o...
(www.kdnuggets.com)
2023-10-05
[2302.07730] Transformer models: an introduction and catalog
(arxiv.org)
2023-10-04
Hey, Computer, Make Me a Font
(serce.me)
2023-10-04
SaaS Competitive Advantage Through Elegant LLM Feedback M...
(www.tomtunguz.com)
2023-10-03
2302.11382.pdf
(arxiv.org)
2023-10-03
ChatGPT, Bard, or Bing Chat? Differences Among 3 Generati...
(www.nngroup.com)
2023-10-03
Bard
(bard.google.com)
2023-10-03
The State of Large Language Models
(www.scientificamerican.com)
2023-09-25
10 Ways to Improve the Performance of Retrieval Augmented...
(towardsdatascience.com)
2023-09-25
How to Build an LLM from Scratch
(towardsdatascience.com)
2023-09-25
Large Language Model Prompt Engineering for Complex Summa...
(devblogs.microsoft.com)
2023-09-25
Open LLM Leaderboard : a Hugging Face Space by HuggingFaceH4
(huggingface.co)
2023-09-25
Llama from scratch
(blog.briankitano.com)
2023-09-25
Cracking Open the OpenAI (Python) API
(towardsdatascience.com)
2023-09-25
Cracking Open the Hugging Face Transformers Library
(towardsdatascience.com)
2023-09-25
Asking 60+ LLMs a set of 20 questions
(benchmarks.llmonitor.com)
2023-09-24
OpenAI Unveils DALL·E 3: A Revolutionary Leap in Text-to-...
(www.marktechpost.com)
2023-09-24
Comparison: DALL-E 3 vs Midjourney
(dataconomy.com)
2023-09-17
What OpenAI Really Wants
(www.wired.com)
2023-09-12
A Beginner’s Guide to Building LLM-Powered Applications w...
(dev.to)
2023-08-31
iryna-kondr/scikit-llm: Seamlessly integrate LLMs into sc...
(github.com)
2023-08-31
Prompt Engineering — How to trick AI into solving your pr...
(towardsdatascience.com)
2023-08-30
A Beginner’s Guide to LLM Fine-Tuning
(towardsdatascience.com)
2023-08-27
Together AI Unveils Llama-2-7B-32K-Instruct: A Breakthrou...
(www.marktechpost.com)
2023-08-25
A Practical Introduction to LLMs
(towardsdatascience.com)
2023-08-20
Meet Chroma: An AI-Native Open-Source Vector Database For...
(www.marktechpost.com)
2023-08-07
How to Extract Text from Any PDF and Image for Large Lang...
(towardsdatascience.com)
2023-08-07
Introducing OpenLLM: Open Source Library for LLMs
(www.kdnuggets.com)
2023-08-07
Abacus AI Introduces A New Open Long-Context Large Langua...
(www.marktechpost.com)
2023-08-06
How to use LLMs for PDF parsing
(nanonets.com)
2023-08-06
How to Chat With Any File from PDFs to Images Using Large...
(towardsdatascience.com)
2023-08-06
How to Leverage Open-Source LLMs in Your Project
(www.turingpost.com)
2023-08-02
LangChain 101: Build Your Own GPT-Powered Applications
(www.kdnuggets.com)
2023-07-28
MPT-30B: Raising the bar for open-source foundation models
(www.mosaicml.com)
2023-07-28
Midjourney pricing plans and free alternatives to try
(dataconomy.com)
2023-07-28
A Deep Dive Into LLaMA, Falcon, Llama 2 and Their Remarka...
(www.turingpost.com)
2023-07-28
Chain of Thought Prompting for LLMs
(towardsdatascience.com)
2023-07-28
Is Anthropic's Claude 2 model ready to take down GPT-4? W...
(dev.to)
2023-07-24
Emerging Architectures for LLM Applications
(a16z.com)
2023-07-24
ELI5: FlashAttention
(gordicaleksa.medium.com)
2023-07-24
Build Industry-Specific LLMs Using Retrieval Augmented Ge...
(towardsdatascience.com)
2023-07-24
Free Full Stack LLM Bootcamp
(www.kdnuggets.com)
2023-07-24
Edge 300: Meet Falcon LLM: The Most Powerful Open Source ...
(thesequence.substack.com)
2023-07-23
The Secret Sauce behind 100K context window in LLMs: all ...
(blog.gopenai.com)
2023-07-23
Observe.ai unveils 30-billion-parameter contact center LL...
(venturebeat.com)
2023-07-23
All You Need to Know to Build Your First LLM App
(towardsdatascience.com)
2023-07-23
Training LLMs with AMD MI250 GPUs and MosaicML
(www.mosaicml.com)
2023-07-23
Optimizing Memory Usage for Training LLMs and Vision Tran...
(lightning.ai)
2023-07-23
Deploying Falcon-7B Into Production
(towardsdatascience.com)
2023-07-23
Anthropic releases Claude 2, its second-gen AI chatbot
(techcrunch.com)
2023-07-23
Google Launches AI-Powered Notes App Called NotebookLM
(tech.slashdot.org)
2023-07-23
Ecosystem Graphs for Foundation Models
(crfm.stanford.edu)
2023-07-23
Meet LMQL: An Open Source Query Language for LLMs
(thesequence.substack.com)
2023-07-23
Leandro von Werra’s Post
(www.linkedin.com)
2023-07-23
LLaMA 2: How to access and use Meta’s versatile open-sour...
(venturebeat.com)
2023-07-22
Beyond LLaMA: The Power of Open LLMs
(towardsdatascience.com)
2023-07-22
Facebook parent Meta unveils LLaMA 2 open-source AI model...
(venturebeat.com)
2023-07-22
MosaicML launches MPT-7B-8K, a 7B-parameter open-source L...
(venturebeat.com)
2023-07-22
The $1 billion gamble to ensure AI doesn’t destroy humanity
(www.thediff.co)
2023-07-12
Unraveling the Power of Chain-of-Thought Prompting in Lar...
(www.kdnuggets.com)
2023-07-12
GitHub - Mooler0410/LLMsPracticalGuide: A curated list of...
(github.com)
2023-06-19
Introduction to the Open LLM Falcon-40B: Performance, Tra...
(towardsdatascience.com)
2023-06-19
Falcon LLM: The New King of Open-Source LLMs
(www.kdnuggets.com)
2023-06-18
Meet FinGPT: An Open-Source Financial Large Language Mode...
(www-marktechpost-com.cdn.ampproject.org)
2023-06-09
LMM Garden | Discover, search, and compare LLMs
(llm.garden)
2023-06-08
iryna-kondr/scikit-llm
(github.com)
2023-06-02
The Case for Running AI on CPUs Isn’t Dead Yet
(spectrum.ieee.org)
2023-05-28
The Art of Prompt Design: Prompt Boundaries and Token Hea...
(towardsdatascience.com)
2023-05-21
Sonali Pattnaik on LinkedIn: #generativeai #ai | 45 comments
(www.linkedin.com)
2023-05-19
The Non-Silence of the LLMs
(informationisbeautiful.net)
2023-05-19
Super Bard: The AI That Can Do It All and Better
(www.kdnuggets.com)
2023-05-18
Edge 291: Reinforcement Learning with Human Feedback
(thesequence.substack.com)
2023-05-12
Google dives into the ‘supercomputer’ game by knitting to...
(venturebeat.com)
2023-05-05
Distilling Step-by-Step! Outperforming Larger Language Mo...
(arxiv.org)
2023-05-05
SparseGPT: Massive Language Models Can Be Accurately Prun...
(arxiv.org)
2023-05-05
openlm-research/open_llama: OpenLLaMA, a permissively lic...
(github.com)
2023-05-03
guidance-ai/guidance: A guidance language for controlling...
(github.com)
2023-04-29
Blog | Anyscale
(www.anyscale.com)
2023-04-29
Parameter-Efficient LLM Finetuning With Low-Rank Adaptati...
(sebastianraschka.com)
2023-04-29
Edge 286: Vicuna, the LLaMA-Based Model that Matches Chat...
(thesequence.substack.com)
2023-04-26
Grounding Large Language Models in a Cognitive Foundation...
(thegradient.pub)
2023-04-25
Data Machina #198
(datamachina.substack.com)
2023-04-25
Finetuning Large Language Models
(magazine.sebastianraschka.com)
2023-04-21
The LLama Effect: How an Accidental Leak Sparked a Series...
(thesequence.substack.com)
2023-04-21
Stanford CRFM
(crfm.stanford.edu)
2023-04-21
Meta has built a massive new language AI—and it’s giving ...
(www.technologyreview.com)
2023-04-21
Eight Things to Know about Large Language Models
(arxiv.org)
2023-04-19
Baby AGI: The Birth of a Fully Autonomous AI
(www.kdnuggets.com)
2023-04-19
Hacker News
(magazine.sebastianraschka.com)
2023-04-17
📝 Guest Post: How to Enhance the Usefulness of Large Lang...
(thesequence.substack.com)
2023-04-14
Prompt Engineering
(lilianweng.github.io)
2023-04-14
A Survey of Large Language Models
(arxiv.org)
2023-04-14
New Ebook: A Beginner’s Guide to Large Language Models
(www.nvidia.com)
2023-04-13
Maximizing the Potential of LLMs: A Guide to Prompt Engin...
(www.ruxu.dev)
2023-04-13
The Magic of LLMs — Prompt Engineering
(towardsdatascience.com)
2023-04-12
📝 Guest Post: Caching LLM Queries for Improved Performanc...
(thesequence.substack.com)
2023-02-10
OpenAI Platform
(platform.openai.com)
2014-09-24
Graphiti: A Python Library for Building Temporal Knowledg...
(www.marktechpost.com)
2014-09-24
Top 9 Different Types of Retrieval-Augmented Generation (...
(www.marktechpost.com)
2014-09-24
FlashSigmoid: A Hardware-Aware and Memory-Efficient Imple...
(www.marktechpost.com)
2014-08-24
Building a Simple RAG Application Using LlamaIndex - Mach...
(machinelearningmastery.com)
2009-09-24
LlamaIndex : LlamaIndex
(docs.llamaindex.ai)
2003-09-24
Why GPU Utilization Falls Short: Understanding Streaming ...
(www.marktechpost.com)
2002-10-24
Nvidia just dropped a bombshell: Its new AI model is open...
(venturebeat.com)
2002-10-24
LightLLM: A Lightweight Scalable and High-Speed Python Fr...
(www.marktechpost.com)
2001-10-24
Ten Effective Strategies to Lower Large Language Model (L...
(www.marktechpost.com)
-->
databases/sql (all)
categories:
tags:
databases
sql
date: 02 Apr 2025
slug:raindrop-sql-all
sockpuppet.org
(2025-02-26)
www.sqlitetutorial.net
(2025-02-22)
This tutorial shows you various ways to import CSV data into an SQLite table using sqlite3 and SQLite Studio tools.
simonwillison.net
(2025-02-07)
Neat open source project on the GitHub organisation for the UK government's Department for Business and Trade: a "Python virtual filesystem for SQLite to read from and write to S3." …
blog.julik.nl
(2025-01-27)
An interesting twist in my recent usage of SQLite was the fact that I noticed my research scripts and the database intertwine more. SQLite is unique in that it really lives in-process, unlike standalone database servers. There is a feature to that which does not get used very frequently, but can be indispensable in some situations. By the way, the talk about the system that made me me to explore SQLite in anger can now be seen here. Normally it is your Ruby (or Python, or Go, or whatever) program which calls SQLite to make it “do stuff”. Most calls will be mapped to a native call like sqlite3_exec() which will do “SQLite things” and return you a result, converted into data structures accessible to your runtime. But there is another possible direction here - SQLite can actually call your code instead.
avi.im
(2024-12-31)
Some of the interesting and insane facts I learned about SQLite
www.kdnuggets.com
(2024-12-13)
newsletter.systemdesign.one
(2024-11-10)
#60: Break Into Google Spanner Architecture (5 Minutes)
www.marktechpost.com
(2024-08-04)
Alex Garcia announced the much-anticipated release of sqlite-vec v0.1.0. This new SQLite extension, written entirely in C, introduces a powerful vector search capability to the SQLite database system. Released under the MIT/Apache-2.0 dual license, sqlite-vec aims to be a versatile and accessible tool for developers across various platforms and environments. Overview of sqlite-vec The sqlite-vec extension enables vector search functionality within SQLite by allowing the creation of virtual tables with vector columns. Users can insert data using standard SQL commands and perform vector searches using SELECT statements. This integration means that vector data can be stored and queried within the
www.kdnuggets.com
(2024-05-22)
Get started with SQLite databases in Python using the built-in sqlite3 module.
fractaledmind.github.io
(2024-04-23)
This is my personal site, where I write about Ruby, programming, and any of my varied fascinations.
dev.to
(2024-04-21)
While both WHERE and HAVING are used for filtering rows, condition in WHERE clause is applied before grouping of data and condition on HAVING is applied after grouping
www.datasciencecentral.com
(2024-04-15)
Window functions are an advanced feature of SQL that provides powerful tools for detailed data analysis and manipulation without grouping data into single output rows, which is common in aggregate functions.
fractaledmind.github.io
(2024-03-27)
This is my personal site, where I write about Ruby, programming, and any of my varied fascinations.
calpaterson.com
(2024-03-10)
"Deep" modules, mismatched interfaces - and why SAP is so painful
explainextended.com
(2024-03-05)
A complete GPT2 implementation as a single SQL query in PostgreSQL.
gvwilson.github.io
(2024-02-15)
dev.to
(2023-07-26)
Introduction: Losing or forgetting the MySQL root password can be a stressful situation, but don't...
justinjaffray.com
(2023-07-23)
thesequence.substack.com
(2023-07-23)
Developed by ETH Zürich, the language explores new paradigms for LLM programming.
antonz.org
(2023-06-18)
Seriously, I don't. I'd prefer SQL.
dev.to
(2023-06-18)
Intro Hello guys! Today I try to write about how to start using psql in Terminal app,...
www.sqlite.org
(2023-04-14)
sqlfordevs.com
(2023-04-05)
Recursive queries are a straightforward solution to querying hierarchical trees. However, one loop in the relationship references results in a failing or never ending query when cycle detection is not used.
towardsdatascience.com
(2023-04-05)
Simple hacks to try before moving to a different data model altogether
towardsdatascience.com
(2023-03-30)
The QUALIFY clause is pure syntactic sugar
github.com
(2023-03-21)
A SQLite extension which loads a Google Sheet as a virtual table. - 0x6b/libgsqlite
towardsdatascience.com
(2023-03-13)
Speed up your SQL learning curve.
dev.to
(2023-03-12)
Data is naturally at the heart of the job of a data scientist or data analyst. You can get your...
dev.to
(2023-02-19)
SQL (Structured Query Language) is a programming language used to manage and manipulate relational...
datasette.io
(2023-02-09)
www.digitalocean.com
(2023-01-16)
MySQL is an open-source database management system, commonly installed as part of the popular LAMP (Linux, Apache, MySQL, PHP/Python/Perl) stack. It implemen…
www.kdnuggets.com
(2022-10-20)
Learn SQL commands for filtering, string operations, alias, joining tables, if-else statements, and grouping.
www.sqlite.org
(2022-10-20)
observablehq.com
(2022-10-04)
a.k.a. leave BeautifulSoup in the past and embrace SQL I used DALL·E to generate thumbnails for this post: “cute cartoon|claymation abominable snowman scraping ice off his frozen car windshield” is nightmare fuel Some of the most common web-scraping tasks can be done in pure SQLite - meaning no Python, Node, Ruby, or other programming languages necessary, only the SQLite CLI and some extensions. The main extension that enables this: sqlite-http, which allows you to make HTTP requests and sa
github.blog
(2022-09-05)
We've open sourced Trilogy, the database adapter we use to connect Ruby on Rails to MySQL-compatible database servers.
fly.io
(2022-07-30)
Let's open a hex editor and see what this thing is made of
til.simonwillison.net
(2022-06-23)
I figured out how to run a SQL query directly against a CSV file using the sqlite3 command-line utility:
dev.to
(2022-06-22)
When migrating from PostgreSQL to MySQL we often get stuck with syntax between databases. Here are...
blog.wesleyac.com
(2022-04-29)
github.com
(2022-04-09)
general purpose extensions to golang's database/sql - jmoiron/sqlx
towardsdatascience.com
(2022-03-26)
Finally, start practicing SQL with your own database
www.kdnuggets.com
(2022-02-08)
Databases are the houses of our data and data scientists HAVE TO HAVE A KEY! In this article, I discuss some lesser known concepts of SQL that data scientists do not familiarize themselves with.
www.botreetechnologies.com
(2022-01-17)
towardsdatascience.com
(2022-01-15)
Use these simple techniques to make your analysis and data extracts easier
link.medium.com
(2021-12-26)
Bringing it back to the basics
towardsdatascience.com
(2021-12-07)
A Quick Guide to the IF, CASE, and IFNULL Statements
learnsql.com
(2021-11-26)
This 2-page SQL Basics Cheat Sheet will be a great value for beginners as well as for professionals. Download it in PDF or PNG format.
blog.testdouble.com
(2021-10-01)
Implementing search in your Rails app can be vexing. Here's a great pattern to use that combines the best parts of ActiveRecord and Postgres.
phiresky.netlify.app
(2021-07-31)
I was writing a tiny website to display statistics of how much sponsored content a Youtube creator has over time when I noticed that I often write a small tool as a website that queries some data from a database and then displays it in a graph, a table, or similar. But if you want to use a
avi.im
(2021-07-18)
This is a chronicle of my experiment where I set out to insert 1B rows in SQLite
towardsdatascience.com
(2021-06-26)
Reviewing more advanced SQL operations to extract additional data insights from the Irish Weather dataset.
news.ycombinator.com
(2021-06-13)
towardsdatascience.com
(2021-06-05)
SQL is a programming language used by relational database management systems. It provides numerous functions and methods that operate on the data stored in relational databases. SQL is not just a…
www.kdnuggets.com
(2021-05-18)
Are you a NoSQL beginner, but want to become a NoSQL Know-It-All? Well, this is the place for you. Get up to speed on NoSQL technologies from a beginner's point of view, with this collection of related progressive posts on the subject. NoSQL? No problem!
towardsdatascience.com
(2021-05-12)
One of the most valuable technical skills I use working on a data science team in the retail space is SQL…
dev.to
(2021-05-05)
To explore SQLite along with Python, which is a user-friendly and no-nonsense language, we are going...
towardsdatascience.com
(2021-04-25)
If you’ve been practicing your SQL religiously, like I suggested in Top Skills to Ace Every SQL Interview Question, then you’ve probably…
unixsheikh.com
(2021-04-16)
github.com
(2021-04-03)
The ultimate set of SQLite extensions.
antonz.org
(2021-03-26)
Here is why SQLite is a perfect tool for you - whether you are a developer, data analyst, or geek.
www.kdnuggets.com
(2021-03-25)
The last SQL guide for data analysis you'll need! OK, maybe it’s actually the first, but it’ll give you a solid head start.
developer.nvidia.com
(2021-03-15)
Historically speaking, processing large amounts of structured data has been the domain of relational databases. Databases, consisting of tables that can be joined together or aggregated…
thedigitalskye.com
(2021-03-10)
How to avoid those dreaded pitfalls and “gotcha” moments when selecting databases for your next application?
eng.uber.com
(2021-02-27)
towardsdatascience.com
(2021-01-23)
A practical guide with MongoDB
www.digitalocean.com
(2020-11-20)
MySQL is an open-source database management system, commonly installed as part of the popular LAMP (Linux, Apache, MySQL, PHP/Python/Perl) stack. It implemen…
towardsdatascience.com
(2020-11-03)
From the power of hierarchical queries to that of procedural constructs in SQL
towardsdatascience.com
(2020-11-03)
Using SQLite to store your Pandas dataframes gives you a persistent store and a way of easily selecting and filtering your data
duckduckgo.com
(2020-08-22)
DuckDuckGo. Privacy, Simplified.
duckduckgo.com
(2020-08-22)
DuckDuckGo. Privacy, Simplified.
www.reddit.com
(2020-07-21)
521 votes, 27 comments. 411K subscribers in the computerscience community. The hot spot for CS on reddit.
towardsdatascience.com
(2020-06-01)
Transforming spreadsheets into queryable database tables
towardsdatascience.com
(2020-05-19)
MongoDB and SQL databases are two polar opposite sides of the backend world. The former deals with chaotic unstructured data, while the…
mlwhiz.com
(2020-05-15)
This post is about installing SQL, explaining SQL and running SQL.
towardsdatascience.com
(2020-05-15)
Everything You Need to Get Started!
towardsdatascience.com
(2020-04-21)
towardsdatascience.com
(2020-04-19)
The SQL queries I use as a data scientist and software engineer
towardsdatascience.com
(2020-04-19)
stackoverflow.com
(2020-03-23)
I'm re-installing MySQL (5.7.29) for Ubuntu Linux 18.04 LTS. I installed the package using apt & started the service without issue. I was not asked for a root password during the install and am...
www.johndcook.com
(2020-02-19)
How to combine data spread over two CSV files, like separate tables in a normalized relational database.
www.sqlshack.com
(2019-04-15)
In this new chapter, we are going to show the following examples in a local SQL Server using SQL Server command line (sqlcmd).
github.com
(2019-04-15)
A command-line client for SQL Server with auto-completion and syntax highlighting - dbcli/mssql-cli
www.sqlite.org
(2017-12-27)
-->
sql toolbox - booknotes
categories:
tags:
booknotes
databases
sql
date: 02 Apr 2025
slug:databases
seo (the art of) booknotes
categories:
tags:
ppc
prodmgmt
search
seo
date: 02 Apr 2025
slug:art-of-seo-booknotes
The Mission of Search Engines
Search Engine Market Share
Human Goals of Searching
Who Searches and What Do They Search For
Search Intent
Marketers and Search Engines
Navigational Queries
Informational Queries
Transactional Queries
Adaptive Search
Searcher Intent
How People Search
Ecommerce
Mobile
Eye Tracking
How Users Click on Results (Organic Versus Paid)
Distribution of Search Results and Traffic
Conclusion
Search Engine Basics
Results
Results page layout
Vertical Results & SERPs
Google’s Knowledge Graph
Crawling, Indexing, Ranking
Crawling & Indexing
Retrieval & Ranking
Evaluating Content
What Search Engines can “See”
Searcher Intent
Document Analysis & Semantic Connectivity
Content Quality & User Engagement
Link Analysis
Social Media Signals
Problem Words, Disambiguation, and Diversity
Why Algorithms Sometimes Fail
The Knowledge Graph
Ranking Factors
Negative Ranking Factors
Other Ranking Factors
Advanced Search Techniques
Google Search Operators
Bing Advanced Search Operators
More Advanced Search Operator Techniques
Vertical Search Engines
Vertical Search from the Major Search Engines
Universal Search/Blended Search
Country-Specific Search Engines
Optimizing for Specific Countries
Conclusion
Goals
Visibility (Branding)
Traffic
ROI
Customization
Understanding Traffic & Visitor Intent
Developing an SEO Plan Prior to Site Development
Business Factors That Impact Your SEO Strategy135
Understanding Your Audience and Finding Your Niche
Mapping Your Products and Services
Understanding That Content Is King
Segmenting Your Site’s Audience
Market Competitiveness
SEO for Raw Traffic
SEO for Ecommerce Sales
SEO for Mindshare and Branding
SEO for Lead Generation and Direct Marketing
SEO for Reputation Management
SEO for Ideological Influence
Advanced Methods for Planning and Evaluation
SWOT Analysis
SWOT Guidelines
SMART Objectives
Conclusion
The Importance of Planning
Identifying the Site Development Process and Players
Development Platform and Information Architecture
Technology Decisions
Structural Decisions
Mobile Sites and Mobile Apps
Single-Page Applications
Auditing an Existing Site to Identify SEO Problems
Elements of an Audit
The Importance of Keyword Reviews
Keyword Cannibalization
Example - Fixing an Internal Linking Problem
Server and Hosting Issues
Identifying Current Server Statistics Software and
Web Analytics
Log file Tracking
Google Search Console and Bing Webmaster Tools
Determining Top Competitors
Identifying Spam
Seeking the Best
Uncovering Their Secrets
Assessing Historical Progress
Timeline of Site Changes
Types of Site Changes That Can Affect SEO
Previous SEO Work
Benchmarking Current Indexing Status
Benchmarking Organic Rankings
Benchmarking Current Traffic Sources and Volume
Leveraging Business Assets for SEO
Other Domains You Own/Control
Relationships On and Off the Web
Content or Data You’ve Never Put Online
Customers Who Have Had a Positive Experience
Followers, Friends, and Fans
Conclusion
Keyword Research
The Theory Behind Keyword Research
Thinking Strategically
Understanding the Long Tail
Understanding the Impact of Google Hummingbird
Understanding Keyword “Not Provided” and Co- Occurrence Analysis
Traditional Approaches
Content Analysis
Including Competitive Analysis
Integrating Keyword Research, Co-Occurrence
Analysis, and Knowledge of User Intent
Keyword Research Options
Keyword Research Data from Search Engines
Keyword Research Data from Tools
Keyword Research Data Analysis
Ad Campaign Runs and Third-Party Search Data
Landing Page Optimization
Leveraging the Long Tail of Keyword Demand
Extracting Terms from Relevant Web Pages
Mining Keyword Research Tools
Identifying Long-Tail Patterns
Applying Editorial Content Strategies
Applying User-Generated Content Strategies
Trending, Seasonality, and Seasonal Fluctuations
Conclusion
Developing an SEO-Friendly Website
Making Your Site Accessible to Search Engines
Indexable Content
Spiderable Link Structures
XML Sitemaps
Creating an Optimal Information Architecture
The Importance of a Logical, Category-Based Flow
Site Architecture Design Principles
Flat Versus Deep Architecture
Search-Friendly Site Navigation
Root Domains, Subdomains, and Microsites
Subfolders
Subdomains
Separate Root Domains
Microsites
When to Use a TLD Other Than .com
Optimization of Domain Names/URLs
Optimizing Domains
Picking the Right URLs
Mobile Friendliness
Keyword Targeting
HTML
Tags
Meta Description Tags
Heading Tags
Document Text
Image Filenames and alt Attributes
Boldface Text
Keyword Cannibalization
Keyword Targeting in Content Management Systems and Automatically Generated Content
Effective Keyword Targeting by Content Creators
Long-Tail Keyword Targeting
Content Optimization
Content Structure
CSS and Semantic Markup
Content Uniqueness and Depth
Content Themes
Duplicate Content Issues
Consequences of Duplicate Content
How Search Engines Identify Duplicate Content
Copyright Infringement
How to Avoid Duplicate Content on Your Own Site Controlling Content with Cookies and Session IDs What’s a Cookie? What Are Session IDs? How Do Search Engines Interpret Cookies and Session IDs? Why Would You Want to Use Cookies or Session IDs to Control Search Engine Access? Content Delivery and Search Spider Control Cloaking and Segmenting Content Delivery Showing Different Content to Engines and Visitors Displaying Different Content to Search Engines Versus Visitors Redirects Why and When to Redirect Good and Bad Redirects Methods for URL Redirecting and Rewriting How to Redirect a Home Page Index File Without Looping Content Management System Issues CMS Selection Third-Party CMS Add-Ons Flash Coding Best Practices Best Practices for Multilanguage/Country Targeting How to Target a Specific Country Problems with Using Your Existing Domain The Two Major Approaches Multiple-Language Issues Semantic Search Google’s Hummingbird Semantic Search and SEO Entities and Semantic Search Structured Data Schema.org Overview How to Use Schema.org Summary Google Authorship and Author Authority A Brief History of Google Authorship Why Did Google End Support for rel=“author”? Is Author Authority Dead for Google? Google+ Authors in Personalized Search The Future of Author Authority at Google Author Authority Google’s Publisher Tag Google’s Knowledge Graph and the Knowledge Vault Overview of Changes in Search Complexity Fair Use? How the Knowledge Vault Works The Future of the Knowledge Vault Conclusion
How Links Historically Influenced Search Engine Rankings The Original PageRank Algorithm Additional Factors That Influence Link Value How Search Engines Use Links Further Refining How Search Engines Judge Links Additional Link Evaluation Criteria How Search Engines Determine a Link’s Value Creating Content That Attracts Links How Are Links Earned? How Can Sites Approach Getting Links? Introduction to Content Marketing Using Content to Attract Links Understanding Content Marketing Basics Customizing Your Content Types to Your Audience Implementing Content Marketing Strategies Developing Content That Works Brainstorming Content Ideas and Being Creative Speedstorming Getting Creative Help Repurposing Content Understanding What Makes Content High Quality Integrating Emotional Triggers, Titles, and Images Leveraging the Power of Memes Measuring Engagement in Content Marketing Choosing the Right Content Marketing Strategy Identifying Types of Sites That Might Link to a Site Like Yours Placing a Value on the Sites Segmenting Your Audience, Identifying Personas, and Targeting Content Putting It All Together Types of Content Marketing Campaigns Guest Posting Content Syndication Link-Worthy or Viral Content User-Generated Content Building an Audience Get to Know Other People’s Audiences Leverage Influencers and Influencer Marketing Get Active in Social Media Build Offline Relationships Relationships and Outreach Building Relationships with Influencers Creating a Value Proposition for a Relationship Using Direct Email Pitches Effectively Other Ways to Earn Links Web Directories Manual Social Media Link Creation Gray Hat/Black Hat Awards and Badges Customer Discount/Incentives How Search Engines Fight Link Spam Google’s Penguin Algorithm Other Algorithmic Approaches to Fighting Link Spam Negative Link Building Unnatural Links Messages Other Search Engine Courses of Action Social Networking for Links Blogging for Links Leveraging Major Social Media Platforms Using Social Media Networking Effectively Using YouTube Successfully for Content Marketing Implementing Guest Posting Successfully Putting It All Together Conclusion
Correlation Between Social Signals and Google Rankings 540 What Is the Value of Social Signals? Bing’s Experiments with Social Signals Does Google Use Facebook as a Ranking Signal? Does Google Use Twitter as a Ranking Signal? Does Google Use Google+ as a Ranking Signal? Google+ Personalization Google+ Posts in the Search Results Google+ Brand Pages in the Search Results Google+ Impact on Nonpersonalized Rankings of Content Study on Google+ as a Ranking Factor How Might Google Use Google+ as a Ranking Factor? The Indirect Influence of Social Media Marketing Monitoring, Measuring, and Improving Social Media Marketing- Best Practices Claiming Key Profiles Deciding on a New Social Network Tracking Social Media User Engagement as a Measure of Search Quality How Google and Bing Collect Engagement Metrics Potential User Engagement Signals Voting Mechanisms Document Analysis Poor Editorial Quality Reading Level Keyword Stuffing/Lack of Synonyms Ad Density and Offensive Ads Sameness Page Speed Optimizing User Experience to Improve SEO Step 1- Build a Survey Step 2- Send It to Your Customers/Potential Customers Step 3- Record Responses and Leverage Them to Build What the People Want Additional Social Media Resources Conclusion
Diagnosing the Cause of a Traffic Loss Summary of Major Google Algorithms Panda Target Areas of Panda Importance of Diversity in Rankings Role of Authority in Rankings Impact of Any Weak Content on Rankings Path to Recovery Penguin Target Areas of Penguin Path to Recovery Penalties Types of Manual Penalties Links Google Does Not Like Link Cleanup Process Sources of Data Using Tools The Link Removal Process Conclusion
The Mobile Landscape SEO for Mobile App SEO App Deep Linking App Indexing Optimizing for Vertical Search Universal Search = Blended Search The Opportunity Unleashed Optimizing for Local Search Local Listing Submissions Google My Business Google Knowledge Graph Carousel Bing Places for Business Yahoo! Local Business Website Optimization for Local Search Optimizing for Image Search Image Optimization Tips Optimizing for Google Shopping Search Submitting a Product Feed Optimizing a Product Feed Promoting Products in AdWords Reporting Results of Shopping Ads Optimizing for Blog Search Structural Blog Optimizations Optimizing Your Anchor Text Sticky Posts Author Profile Pages Links Optimizing for News Search- Google News Acceptance Criteria Application Process Paywalls and Subscription Sites Google News Publisher Center Technical Requirements Thumbnail Images in Google News Recrawling Google News Sitemaps Videos in Google News Editor’s Picks Optimizing for Video/Multimedia Search Video SEO for YouTube Video SEO for Google Conclusion
Why Measuring Success Is Essential to the SEO Process The Tracking Cycle Establishing a Proper Baseline Using Analytics as a Business Case for SEO Measuring Search Traffic Basic Overview Selecting the Right Analytics Package Extracting Valuable SEO Data in Web Analytics Number of pages getting search traffic Segmenting Search Traffic Referring Sites Using Custom Analytics Dashboards Taking a Deeper Look at Action Tracking Separating the Analytics Wheat from the Chaff Tying SEO to Conversion and ROI Managing Attribution Setting Up Analytics Software to Track Conversions Segmenting Campaigns and SEO Efforts by Conversion Rate Increasing Conversion Determining Project ROI Competitive and Diagnostic Search Metrics Search Engine and Competitive Metrics Site Indexing Data Link-Based Tracking of Content Marketing Ranking Shelf space SEO Platforms Crawl Errors Tracking the Blogosphere Tracking Your Blog(s) Search Engine Robot Traffic Analysis Web Traffic Comparison Temporal Link Growth Measurements Key Performance Indicators for Long-Tail SEO Duplicate Content Other Third-Party Tools MozBar SEO Quake SEO for Firefox SpyFu SEMrush Rio SEO Search Analytics Rio SEO Website Optimizer Searchmetrics Essentials Conclusion
The Basics of Moving Content Large-Scale Content Moves Mapping Content Moves Expectations for Content Moves Maintaining Search Engine Visibility During and After a Site Redesign Maintaining Search Engine Visibility During and After Domain Name Changes Unique Challenges of Domain Name Changes Pre-Move Preparations Changing Servers Monitoring After Your Server Move Hidden Content Identifying Content That Search Engines Don’t See Identifying the Cause of Non-Spidering Identifying Hidden Content That May Be Viewed as Spam Spam Filtering and Penalties Low-Quality Domains and Spam Sites Spam Reports Duplicate Content Basic Rules for Spam-Free SEO Search Engine Penalties and Reconsideration Requests Content Theft Changing SEO Vendors or Staff Members Potential Problems with SEO Staff Changes SEO Documentation for Actions and Progress SEO Documentation for Rapid Training Cleanup and Auditing Conclusion
SEO Research and Search Performance Analysis SEO Resources SEO Testing Analysis of Top-Ranking Sites and Pages Analysis of Algorithmic Differentiation Across Engines and Search Types The Importance of Experience Competitive Analysis Content Analysis Internal Link Structure and Site Architecture External Link Attraction Analysis What Is Their SEO Strategy? Competitive Analysis Summary Using Competitive Link Analysis Tools Competitive Analysis for Those with a Big Budget Using Search Engine–Supplied SEO Tools Search Engine Tools for Webmasters The SEO Industry on the Web Blogs SEO News Outlets, Communities, and Forums Communities in Social Networks Participation in Conferences and Organizations Conclusion
The Business of SEO Understand Your Market Opportunity Get Buy-In Across the Organization Lay the Groundwork Motivate Resources That Don’t Share Your Goals to Help You Progress Through the Stages of SEO Maturity Building an SEO team In-House vs Outsourced Support Dynamics and Challenges The Value of In-House SEO The Value of Outsourced SEO Support The Case for Working with an Outside Expert How to Best Leverage Outside Help How to Implement Your Expert’s Recommendations How to Integrate SEO Knowledge in the Organization The Impact of Site Complexity on SEO Workload Solutions for Small Organizations Developing the In-House SEO Specialist Making the Most of Limited Resources or Budgets Solutions for Large Organizations Contracting for Specialist Knowledge and Experience Applying SEO Recommendations Intelligently Hiring SEO Talent Selecting the Right SEO Person Pitching the Person Making the Offer Selecting an SEO Firm/Consultant Getting the Process Started Preparing a Request for Proposal Communicating with Candidate SEO Firms Making the Decision Mixing In-House SEO with Outside SEO Help Building a Culture of SEO into Your Organization Conclusion
The Ongoing Evolution of Search The Growth of Search Complexity Google’s Dominance More Searchable Content and Content Types901 Engines Will Make Crawling Improvements Engines Are Getting New Content Sources Multimedia Is Becoming Indexable More Personalized, Localized, and User-Influenced Search User Intent User Interactions New Search Patterns Growing Reliance on the Cloud Increasing Importance of Local, Mobile, and Voice Search 918 Local Search Mobile Search Voice Recognition Search Increased Market Saturation and Competition SEO as an Enduring Art Form The Future of Semantic Search and the Knowledge Graph 924 Conclusion
-->
signaling (behavior)
categories:
tags:
behavior
signaling
date: 02 Apr 2025
slug:signaling
kottke.org
(2024-03-21)
I thought for sure that I’d previously written about the secret jelly packet & pickle-based system that chefs at the Waffle House use to “store” all of the orders that come in for food during service, but I can’t find it in the a
julian.digital
(2022-07-18)
01 Intro One of the best books I have read in the last few years is The Elephant in the Brain by Robin Hanson and Kevin Simler. The book makes two main arguments: a) Most of our everyday actions can be traced back to some form of signaling or status seeking b) Our brains deliberately hi
theconversation.com
(2022-07-18)
New research on consumer behavior shows that we tend to match some types of choices the people around us make, but not others.
www.bbc.com
(2022-06-30)
For a couple of centuries, the British were in an unlikely frenzy for the exotic fruit.
behavioralscientist.org
(2022-06-25)
How do false beliefs spread, and what are the consequences?
psyche.co
(2021-02-24)
Smiles can be a way to dupe people because they’re easy to fake – but we’ve figured out which smiles can be trusted
www.toptal.com
(2021-01-30)
www.theatlantic.com
(2021-01-30)
The psychological quirks that make it tricky to get an accurate read on someone's emotions
julian.digital
(2021-01-25)
I’ve spent a lot of time recently thinking about different proof-of-work mechanisms. When I say proof-of-work, I’m not talking about consensus algorithms like the ones that some crypto currencies use. I’m talking about social networks.
www.toptal.com
(2019-08-29)
Many brands overshoot the subtleties of virtue signaling. They preach, posture, and alienate the people they’re trying to impress. We show how big companies can better bang their virtue drums. #brand #marketing #PR #business #SocialMedia #CX
www.lesswrong.com
(2019-03-12)
The most commonly used introduction to signaling, promoted both by Robin Hanson and in The Art of Strategy, starts with college degrees. Suppose, the…
effectiviology.com
(2008-10-24)
-->
python (fluent) booknotes
categories:
tags:
python
date: 02 Apr 2025
slug:python-fluent-booknotes
pythonic card deck
special methods
why "len" is not a method
overview
list comprehensions / generator expressions
tuples - not just immutable lists
slices
using + and * with sequences
augmented assignments
list.sort & sort built-in function
bisect
when lists aren't the answer
mapping types
dict comprehensions
mapping
dict variations
subclassing UserDict
immutable maps
sets
dict & set internals
character issues
bytes
encoders/decoders
text files
unicode
sorting unicode text
unicode database
dual-mode str & byte APIs
treating a function like an object
higher-order functions
anon functions
seven flavors of callable objects
user-defined callables
introspection
positional vs keyword-only args
param information
function annotations
packages for functional programming
intro
python decorator execution
decorator-enhanced strategy pattern
variable scope rules
closures
nonlocal
implementation
decorators in stdlib
stacked decorators
parameterized decorators
variables are NOT boxes
identity, equality, aliases
copies are shallow by default
function params as references
del & garbage collection
weak refs
immutables tricks
object representations
vector class, redux
alternate constructors
classmethod vs staticmethod
formatted displays
hashable Vector2D
private vs protected attributes
__slots__
overriding class attributes
vectors
vector2D
protocols & duck typing
sliceable sequences
dynamic attribute access
hashing and a faster "=="
formatting
python culture
python loves sequences
monkey-patching
alex martellis waterfowl
subclassing an ABC
ABCs in stdlib
ABC definition & use
Tombola subclass testing
register
geese can behave as ducks
subclassing gotchas
multiple inheritance - method resolution
real-world multi inheritance
coping strategies
example - Django view mixins
basics
unary operators
vector addition
scalar multiplication
rich comparisons
augmented assignments
a sequence of words
iterables vs iterators
classic iterator
generator function
lazy implementation
generator expression
when to use expressions
example - arithmetic progression generator
generator functions in std library
python 3.3 new syntax
iterable reducing functions
iter
case study - db conversion utility
generators as coroutines
do this, then that
context managers & with blocks
contextlib
contextmanager
how coroutines came from generators
basic behavior
example - running average coroutine
decorators for coroutine priming
termination & exceptions
return values
yield
yield meaning
use case - discrete event simulation
examples - 3 styles of web downloads
blocking I/O and the GIL
launching processes
experiments & Executor.map
downloads & Progress Display, error handling
threads vs coroutines
downloading
blocking calls
enhancing asyncio downloader script
callbacks vs futures & coroutines
asyncio servers
data wrangling
using a property for validation
properties
property factories
attribute deletion
essential attributes & handlers
example - attribute validation
overriding vs non-overriding descriptors
methods ARE descriptors
tips
docstrings & overriding deletion
class factory
class decorator - custom descriptors
what happens when - import time vs runtime
metaclasses 101
metaclass for custom descriptors
__prepare__
classes as objects
-->
pycaret
categories:
tags:
pycaret
python
date: 02 Apr 2025
slug:raindrop-pycaret
www.statology.org
(2025-02-18)
This article illustrates defining and using custom metrics through a code example.
www.statology.org
(2025-02-14)
This article explains early stopping and how to use it in PyCaret for classification.
moez-62905.medium.com
(2023-03-31)
Exploring the Latest Enhancements and Features of PyCaret 3.0
towardsdatascience.com
(2022-09-05)
A beginner’s guide to PyCaret’s natural language processing module.
towardsdatascience.com
(2021-12-20)
Combining the “Trend” and “Difference” Terms
link.medium.com
(2021-10-17)
Low-code Machine Learning with a Powerful Python Library
towardsdatascience.com
(2021-05-24)
A step-by-step guide on how to predict customer churn the right way using PyCaret that actually optimizes the business objective and improves ROI for the business.
www.kdnuggets.com
(2021-04-22)
PyCaret is an alternate low-code library that can be used to replace hundreds of lines of code with few lines only. See how to use PyCaret's Regression Module for Time Series Forecasting.
towardsdatascience.com
(2021-03-06)
Train, visualize, evaluate, interpret, and deploy models with minimal code.
pycaret.readthedocs.io
(2021-02-25)
pycaret.org
(2021-02-25)
[et_pb_section fb_built=”1″ admin_label=”Header” _builder_version=”4.12.0″ background_color=”#01012C” collapsed=”on” global_colors_info=”{}”][et_pb_row column_structure=”1_2,1_2″ _builder_version=”4.12.0″ collapsed=”on” global_colors_info=”{}”][et_pb_column type=”1_2″ _builder_version=”4.12.0″ z_index=”10″ custom_padding=”18%||||false|false” global_colors_info=”{}”][et_pb_text _builder_version=”4.14.7″ text_font=”Montserrat|800|||||||” text_text_color=”#01012C” text_font_size=”470px” text_line_height=”1em” positioning=”absolute” custom_margin=”|-30%||-10%|false|false” custom_margin_tablet=”|0%||-5%|false|false” custom_margin_phone=”|0%|||false|false” custom_margin_last_edited=”on|desktop” text_font_size_tablet=”40vw” text_font_size_phone=”40vw” text_font_size_last_edited=”on|tablet” text_text_shadow_style=”preset5″ text_text_shadow_horizontal_length=”-1.5px” text_text_shadow_vertical_length=”-1.5px” text_text_shadow_color=”#DB0EB7″ global_colors_info=”{}”] pc [/et_pb_text][et_pb_text _builder_version=”4.14.7″ header_font=”Barlow Condensed|500|||||||” header_text_color=”#FFFFFF” header_font_size=”122px” custom_margin=”||0px||false|false” header_font_size_tablet=”42px” header_font_size_phone=”26px” header_font_size_last_edited=”on|tablet” global_colors_info=”{}”] low-code machine learning [/et_pb_text][et_pb_button button_url=”https://pycaret.gitbook.io” url_new_window=”on” button_text=”GET STARTED” _builder_version=”4.14.7″ […]
www.kdnuggets.com
(2020-11-03)
towardsdatascience.com
(2020-05-15)
I came across Pycaret while I was browsing on a slack for data scientists. It's a versatile library in which you can apply/evaluate/tune…
-->
a/b testing (analytics)
categories:
tags:
analytics
date: 03 Apr 2025
slug:ab-testing
www.marktechpost.com
(2024-07-31)
A/B testing is a cornerstone of data science, essential for making informed business decisions and optimizing customer revenue. Here, we delve into six widely used statistical methods in A/B testing, explaining their purposes and appropriate contexts. 1. Z-Test (Standard Score Test): When to Use: This method is ideal for large sample sizes (typically over 30) when the population variance is known. Purpose: Compares the means of two groups to determine if they are statistically different. Applications: This technique is frequently employed in conversion rate optimization and click-through rate analysis. It helps identify whether changes in website elements or marketing strategies
www.evanmiller.org
(2024-05-31)
Visual, interactive sample size calculator ideal for planning online experiments and A/B tests.
towardsdatascience.com
(2024-01-15)
Evaluating ad targeting product using causal inference: propensity score matching!
www.thediff.co
(2023-08-05)
www.thediff.co
(2023-08-05)
For non-tech industry folks, an “A/B test” is just a randomized controlled trial where you split users or other things into treatment and control groups, and then later compare key metr…
posthog.com
(2023-06-19)
Running experiments is equal parts powerful and terrifying. Powerful because you can validate changes that will transform your product for the better…
towardsdatascience.com
(2023-06-19)
An in-depth explanation of “Thompson Sampling”, a more efficient alternative to A/B testing for online learning
towardsdatascience.com
(2023-01-26)
Questions on A/B testing are being increasingly asked in interviews but reliable resources to prepare for these are still far and few…
towardsdatascience.com
(2023-01-16)
Using and choosing priors in randomized experiments.
towardsdatascience.com
(2022-12-10)
A Discussion of the go-to methods for 5 Types of A/B Metrics
towardsdatascience.com
(2022-08-01)
How today’s tech companies make data-driven decisions in Machine Learning production
towardsdatascience.com
(2022-07-30)
While Fisher’s exact test is a convenient tool for A/B testing, the idea and results of the test are often hard to grasp and difficult to…
searchenginewatch.com
(2022-07-18)
A/B testing is hitting the mainstream because it is so effective. And with so many tools available it has become very easy and very inexpensive to run. Here are 23 helpful tips on how you can take your A/B tests from basic to the next level.
blog.intercom.com
(2022-07-18)
A/B tests provide more than statistical validation of one execution over another. They can and should impact how your team prioritizes projects.
blog.acolyer.org
(2022-07-18)
productcoalition.com
(2022-07-18)
We’re Agile, we think lean, we’re data-driven. If you live in the new economy and work in some sort of digital product you hear some of…
medium.com
(2022-07-17)
An applied introduction to causal inference in tech
apptimize.com
(2022-07-05)
We spoke with Etsy’s iOS Software Engineer, Lacy Rhoades, about their culture of continuous experimentation. Learn about their a/b testing culture
blog.twitter.com
(2022-06-28)
medium.com
(2022-06-25)
A/B testing is a very popular technique of checking granular changes in a product without mistakenly taking into account changes that were…
www.nngroup.com
(2022-06-23)
Multivariate tests indicate how various UI elements interact with each other and are a tool for making incremental improvements to a design.
www.conversioner.com
(2022-06-23)
The best way to determine what works best for your site is to carry out an A/B test for your landing pages. Check out this A/B significant test calculator.
www.reforge.com
(2022-06-13)
www.websiteplanet.com
(2022-05-28)
Our A/B test calculator will help you to compare two or three variants to determine which test will be statistically significant.
www.nngroup.com
(2022-01-17)
Elaborate usability tests are a waste of resources. The best results come from testing no more than 5 users and running as many small tests as you can afford.
www.practicalecommerce.com
(2021-11-17)
A/B testing, the process of exposing randomized visitors to one or more variables, is among the most effective strategies to optimize user experiences and conversion rates. Here is a list of A/B testing tools.
www.evanmiller.org
(2021-10-17)
towardsdatascience.com
(2021-06-07)
Statistics & Business can share the same Language
towardsdatascience.com
(2021-05-18)
Experimentation is widely used at tech startups to make decisions on whether to roll out new product features, UI design changes, marketing campaigns and more, usually with the goal of improving…
oliverpalmer.com
(2021-03-22)
The best way to optimise your website is usually the simplest.
towardsdatascience.com
(2021-02-22)
How not to fail your online controlled experimentation
towardsdatascience.com
(2021-02-18)
Optimizing web marketing strategies through statistical testing
github.com
(2021-02-18)
A/B Testing — A complete guide to statistical testing - bjpcjp/AB_Testing
towardsdatascience.com
(2020-12-18)
The intuitive way of A/B testing. The advantages of the Bayesian approach and how to do it.
conversionxl.com
(2019-12-23)
Big success. Bigger failure. And lots of lessons. Learn why building a growth team may be a multi-million dollar mistake.
sumo.com
(2018-11-26)
The biggest question in ecommerce A/B testing is not “how.”
www.practicalecommerce.com
(2018-01-24)
A/B tests are controlled experiments of two attributes, to measure which one was most popular with users. You can apply A/B testing to just about anything that you can measure. Multivariate testing allows you to measure multiple variables simultaneously.
www.kdnuggets.com
(2017-12-11)
Data Science, Machine Learning, AI & Analytics
-->
animation
categories:
tags:
animation
webdev
date: 03 Apr 2025
slug:animation
www.smithsonianmag.com
(2024-04-06)
How an image format changed the way we communicate
dataconomy.com
(2024-03-15)
Keeping characters looking the same across different scenes and styles has always been tricky. But now, with the new Midjourney
lisyarus.github.io
(2024-03-09)
www.bryanbraun.com
(2024-02-29)
Something happened earlier this year where I got on a run making checkbox animations and just couldn’t stop.
www.marktechpost.com
(2023-09-17)
Video and audio recordings of people saying or doing things they never said or did can be created using AI deepfake generators and software tools that use artificial intelligence to make convincing fakes. A neural network is trained using a massive collection of authentic media featuring the target individual to accomplish this. The web is trained to recognize individuals and imitate their appearance, speech, and behavior. There is a wide range of potential good and bad uses for AI deepfake generators. You can use them to make comedic videos or instructional materials. Here are some AI deepfake generators for photos
www.newyorker.com
(2023-09-12)
Geoff Bailey and Lucy York Struever used C.G.I. to create a world that’s layered and cozy, even when Death comes knocking.
makeagif.com
(2023-09-08)
Browse MakeaGif's great section of animated GIFs, or make your very own. Upload, customize and create the best GIFs with our free GIF animator! See it. GIF it. Share it.
dev.to
(2023-08-06)
In the ever-evolving landscape of web development, creating captivating user experiences is a...
dev.to
(2023-08-05)
Introduction Cascading Style Sheet (CSS) is a style sheet language that's used to design,...
dev.to
(2023-08-03)
1. Animated Background with SVG in CSS Output Source Code 2. CSS...
dev.to
(2023-07-24)
Live Demo / Download -- In this tutorial, we will utilize the power of HTML canvas to...
www.openculture.com
(2023-06-30)
Since the moviegoing public first started hearing it twenty years ago, Wes Anderson's name has been a byword for cinematic meticulousness.
animejs.com
(2023-06-24)
Javascript animation engine
developer.mozilla.org
(2023-05-30)
Learn how to use JavaScript to draw any regular shape to a HTML canvas with a single function, and how to modify it to draw multiple shapes.
rachsmith.com
(2023-04-08)
Lerp is the nickname for Linear Interpolation between two points. It's a fairly simple effect to implement but can really improve the look of your animations if you're moving an object from a point A to point B.
dev.to
(2023-03-07)
Web Animations API is a JavaScript API that provides a standardized approach to creating and...
dev.to
(2023-02-23)
For the longest time, developers were limited to Flash players and gifs when they wanted to display...
www.smashingmagazine.com
(2023-02-17)
SVG `` provides a way to define how an element moves along a motion path. In this article, Paul Scanlon shares an idea of how to use it by animating race cars in an infinite loop as easy as one-two-three!
smashingmagazine.com
(2023-02-17)
Developers often feel discouraged from editing SVG markup and experimenting with SVG animations, thinking it’s a significant time investment or they need to use a complex animation library to do so. In this article, Adrian showcases his favorite tricks, which make the process streamlined and fun.
www.smashingmagazine.com
(2023-02-17)
Smashing Magazine — front-end, UX and design for front-end engineers and designers
visme.co
(2023-02-11)
Some of the best animation software are Visme, Adobe Animate, Blender, Pencil2D, Animaker and Biteable. Find out how these and other tools compare.
github.com
(2023-02-11)
A React+D3 animated bubble chart.
dev.to
(2023-01-01)
Welcome to the second tutorial in this series on animating with anime.js! In the previous post,...
codeburst.io
(2022-10-28)
Let’s get things moving! 🎞
www.toptal.com
(2022-07-06)
Animation can help people make sense of all the data at their fingertips.
towardsdatascience.com
(2022-06-04)
disneyanimation.com
(2022-02-09)
From sequence to shot to frame, explore our studio pipeline.
uxdesign.cc
(2022-01-29)
Nowadays it’s hard to impress or even surprise with an interface animation. It shows interactions between screens, explains how to use the…
www.webdesignerdepot.com
(2022-01-17)
Used correctly, it can capture audience attention, make your website more engaging, and even improve your chances of delivering conversions for your clients.Unfortunately, like many things in the web design world, it’s also easy to get too carried away with animation. As professional designers and…
www.nngroup.com
(2022-01-17)
Motion is a powerful tool to attract users’ attention. When designing an animation consider its goal, its frequency of occurrence, and its mechanics.
www.codeinwp.com
(2022-01-16)
This collection of the best JavaScript animation libraries will help you get a headstart in animating any element on your website.
blog.prototypr.io
(2022-01-12)
Oh, animation… we want to get it right so badly, don’t we? I mean, does anybody really enjoys a stiff, snappy UI? Can anyone admit they’re…
dev.to
(2022-01-11)
Transitions from one CSS style configuration to another can be animated using CSS animations. A style...
www.webdesignerdepot.com
(2021-12-13)
Its popularity fluctuates, but it’s always there somewhere, as an essential component in any web site.From tiny, barely visible, loading spinners, to whole page transitions like a movie experience, animation reaches into every area of our designs.For designers looking to incorporate animation,…
dev.to
(2021-11-28)
Introduction Libraries help us to code faster through their predefined classes for...
dev.to
(2021-05-24)
Here is the list of awesome CSS animation resources that will help you to animate components quickly...
www.joshwcomeau.com
(2021-02-26)
This comprehensive guide shows how to use CSS transitions! A back-to-basics look at the fundamental building blocks we need to create microinteractions and other animations.
www.vulture.com
(2020-10-20)
From Bugs Bunny to Spike Spiegel to Miles Morales, retracing 128 years of an art form that continues to draw us all in.
zulko.github.io
(2020-02-19)
Python has some great data visualization librairies, but few can render GIFs or video animations. This post shows how to use MoviePy as a generic …
www.practicalecommerce.com
(2018-06-13)
If you’re interested in creating content to promote your product or service, think about making a cartoon. Producing animation has several advantages over
-->
auctions
categories:
tags:
auctions
game-theory
date: 03 Apr 2025
slug:auctions
d.repec.org
(2025-01-02)
www.artsy.net
(2024-10-19)
From flipping to white glove sales, here are terms to know before you attend an auction.
en.wikipedia.org
(2024-10-19)
An auction is usually a process of buying and selling goods or services by offering them up for bids, taking bids, and then selling the item to the highest bidder or buying the item from the lowest bidder. Some exceptions to this definition exist and are described in the section about different types. The branch of economic theory dealing with auction types and participants' behavior in auctions is called auction theory.
auctionsnearme.net
(2024-08-24)
There are many types of auctions. Learn the various auction types and when each one is used based on the lot. You may be surprised that...
searchengineland.com
(2023-10-15)
A deep dive into why the DOJ thinks RGSP makes ad auctions unfair, and why Google believes it creates a better user experience.
capitalgains.thediff.co
(2023-03-25)
How bid density impacts ads, recommender systems, and salary negotiations.
www.wsj.com
(2023-03-12)
It’s a place for obsessives to buy, sell and geek out over classic cars. The company pops open its hood after 100,000 auctions to explain why.
www.nytimes.com
(2023-03-05)
Fliers on some airlines can upgrade at a discounted rate to avoid what could be a cramped flight. With some cruise ships and even Amtrak getting in on the act, is bidding up worth it?
www.adpushup.com
(2022-10-30)
Learn everything you need to know about an ad exchange, from how they function to their impact on advertising success. Here's an A to Z guide.
www.artsy.net
(2022-09-27)
Auction houses and galleries are getting creative, partnering to drive demand and give their clients access to the best works.
www.fcc.gov
(2022-09-17)
The page you requested might have been removed, renamed or is temporarily unavailable.
tech.ebayinc.com
(2022-09-13)
Determining which promoted auction items to display in a merchandising placement is a multi-sided customer challenge that presents opportunities to both surface amazing auction inventory to buyers and help sellers boost visibility on their auction listings.
deltatradinggroup.com
(2022-07-19)
www.nirandfar.com
(2022-07-05)
How easy is it to fall into auction addiction? Here we examine how one site, Quibids, tried its hand at behavioral design.
mitpress.mit.edu
(2022-06-23)
A broad overview of market mechanisms, with an emphasis on the interplay between theory and real-life applications; examples range from eBay auctions to scho...
www.nuffield.ox.ac.uk
(2022-06-13)
web.stanford.edu
(2022-06-07)
www.newyorker.com
(2022-01-15)
The estate-sale industry is fragile and persistent in a way that doesn’t square with the story of the world as we have come to expect it.
www.artsy.net
(2021-02-11)
Collectors fluent in catalogue symbology can see which lots are locked in, which might lead to surprising results, and how an entire auction is likely to go.
www.npr.org
(2020-11-27)
A Nobel-Prize winner spent years designing an auction to sell off the airwaves, which are owned by the public. But Wall Street found a tiny flaw. | Subscribe to our weekly newsletter here.
www.nytimes.com
(2020-11-03)
Prices for works by some relatively new artists have skyrocketed, seemingly overnight.
www.nobelprize.org
(2020-11-02)
The Sveriges Riksbank Prize in Economic Sciences in Memory of Alfred Nobel 2020 was awarded jointly to Paul R. Milgrom and Robert B. Wilson "for improvements to auction theory and inventions of new auction formats"
www.paulklemperer.org
(2020-08-06)
atreus.auction
(2020-06-14)
Atreus provides a complete platform for selling and buying by online auction that includes several auctions types, auction management software, auction as a service solution (SaaS platform), Auctions API, bidding platform, custom auctions solutions.
www.nytimes.com
(2020-06-03)
Insiders may already know who’s going to buy what for how much, and lots are presented in a certain order just to build excitement.
www.nytimes.com
(2020-06-03)
As Christie’s, Sotheby’s and others vie to lure sellers of big-name artworks, analysts wonder if the houses are running oversize risks.
www.nytimes.com
(2020-06-02)
Their business model harkens to the 1700s, but the fight for buyers has moved to the internet and to Asia.
www.artsy.net
(2020-06-02)
Even as auction house salesrooms have gone quiet amid the pandemic, Christie’s, Phillips’s, and Sotheby’s private sales departments are keeping busy.
en.wikipedia.org
(2019-08-02)
A Vickrey–Clarke–Groves (VCG) auction is a type of sealed-bid auction of multiple items. Bidders submit bids that report their valuations for the items, without knowing the bids of the other bidders. The auction system assigns the items in a socially optimal manner: it charges each individual the harm they cause to other bidders. It gives bidders an incentive to bid their true valuations, by ensuring that the optimal strategy for each bidder is to bid their true valuations of the items; it can be undermined by bidder collusion and in particular in some circumstances by a single bidder making multiple bids under different names. It is a generalization of a Vickrey auction for multiple items.
-->
beliefs
categories:
tags:
behavior
beliefs
date: 03 Apr 2025
slug:beliefs
www.thecut.com
(2024-05-24)
We put a lot of weight on the backstories of objects, even — maybe especially — when those stories aren’t happy ones.
theconversation.com
(2024-05-14)
Conspiracy theories abound. What should you believe − and how can you tell?
getpocket.com
(2023-01-14)
The source of 13’s bad reputation – “triskaidekaphobia” – is murky and speculative.
curiosity.com
(2022-07-18)
changingminds.org
(2022-07-18)
These are psychological theories about belief.
effectiviology.com
(2022-06-25)
medium.com
(2019-07-15)
Improve your thinking, become smarter and pioneer the future
-->
charisma
categories:
tags:
charisma
influence-persuasion
date: 03 Apr 2025
slug:charisma
www.newyorker.com
(2024-09-24)
Kamala Harris has energized Democrats with her personality, but charm in politics may be more limited and volatile than we think.
noemamag.com
(2023-07-24)
How our culture, politics and technology became infused with a mysterious social phenomenon that everyone can feel but nobody can explain.
fs.blog
(2023-03-30)
Industrial genius Carl Braun believed that clear thinking and clear communication go hand in hand. Here the guide on writing productively to get things done.
projectcharisma.com
(2022-07-19)
Charisma, elusive gift bestowed upon a select few? Or a set of skills and qualities that anyone can learn? An in-depth breakdown of charismatic leadership tactics and communication.
highexistence.com
(2022-07-18)
What did JFK, Marilyn Monroe and Hitler all have in common?They were all renowned charismatics that lit up every room they entered. You’ve most likely met one of these kinds before. The guy/girl at the party. They possess some strange quality that causes them to be liked
nautil.us
(2022-07-18)
What makes a person magnetic and why we should be wary.
www.businessinsider.com
(2022-07-18)
Good body language is a crucial part of making an excellent first impression.
www.uncommonhelp.me
(2022-07-18)
www.bbc.com
(2022-07-18)
From the first moment you walk into a room people are making judgements about how much they like you. Fortunately, there are ways to improve your chances
-->
chivalry
categories:
tags:
behavior
chivalry
date: 03 Apr 2025
slug:chivalry
tedgioia.substack.com
(2023-04-08)
These methods have helped me enormously—and can save you much heartache and anxiety
www.sahilbloom.com
(2023-01-13)
The Curiosity Chronicle has quickly become one of the most popular newsletters for growth-minded individuals in the world. Each week, subscribers receive a deep dive that covers topics ranging from growth and decision-making to business, finance, startups, and technology. In addition, subscribers receive The Friday Five, a weekly newsletter with five ideas curated to spark curiosity headed into the weekend.
fs.blog
(2022-07-18)
“Often we imagine that we will work hard until we arrive at some distant goal, and then we will be happy. This is a delusion. Happiness is the result of a life lived with purpose. Happiness is not an objective. It is the movement of life itself, a process, and an activity. It arises from …
-->
cognition (neurology)
categories:
tags:
cognition
neurology
perception
date: 03 Apr 2025
slug:cognition
sciencemission.com
(2025-04-09)
www.thecollector.com
(2025-03-04)
The brain is our most powerful information-processing machine, but can it sometimes glitch? Enter the Stroop Effect.
minds.md
(2024-12-25)
There are so many buzzwords and best practices out there, but let's focus on something more fundamental. What matters is the amount of confusion developers feel when going through the code.
www.quantamagazine.org
(2024-10-18)
Zero, which was invented late in history, is special among numbers. New studies are uncovering how the brain creates something out of nothing.
www.scientificamerican.com
(2024-06-22)
Different approaches can support varied forms of memory
www.technologyreview.com
(2024-05-19)
Researchers are using AI and technological advancements to create companion robots
psyche.co
(2024-05-12)
The pleasant feeling of knowing, the frustration of forgetting, and other ‘metacognitive feelings’ serve as unsung guides
venturebeat.com
(2024-05-11)
For Perplexity, the partnership with SoundHound marks the addition of another strong distribution channel expanding the reach of its LLM-driven search capabilities.
www.nationalgeographic.com
(2024-04-28)
While experts disagree on how common self-talk really is, they wholeheartedly agree that it’s a valuable tool for self-discovery.
www.scientificamerican.com
(2024-04-09)
From the time I learned to read, I have experienced a form of mental closed-captioning called ticker-tape synesthesia
www.gla.ac.uk
(2024-02-29)
Research shows that people are quick to form impressions of other people’s social class standing, which can have important consequences – but what specifically drives these impressions, and their relationship to judgements of harmful or advantageous stereotypes, has remained unknown.
otter.ai
(2024-02-11)
Otter.ai uses an AI Meeting Assistant to transcribe meetings in real time, record audio, capture slides, extract action items, and generate an AI meeting summary.
github.com
(2022-12-21)
Clone a voice in 5 seconds to generate arbitrary speech in real-time - CorentinJ/Real-Time-Voice-Cloning
github.com
(2022-06-21)
Silero Models: pre-trained speech-to-text, text-to-speech and text-enhancement models made embarrassingly simple - snakers4/silero-models
www.nytimes.com
(2022-05-30)
PimEyes is a paid service that finds photos of a person from across the internet, including some the person may not want exposed. “We’re just a tool provider,” its owner said.
www.scientificamerican.com
(2022-03-15)
New research shows that detecting digital fakes generated by machine learning might be a job best done with humans still in the loop.
www.datasciencecentral.com
(2021-06-26)
paperswithcode.com
(2020-12-21)
**Facial Recognition** is the task of making a positive identification of a face in a photo or video image against a pre-existing database of faces. It begins with detection - distinguishing human faces from other objects in the image - and then works on identification of those detected faces. The state of the art tables for this task are contained mainly in the consistent parts of the task : the face verification and face identification tasks. ( Image credit: [Face Verification](https://shuftipro.com/face-verification) )
towardsdatascience.com
(2020-11-19)
Learn which of the 9 most prominent automatic speech recognition engines is best for your needs, and how to use it in Python programs.
www.wired.com
(2020-02-19)
Sixty years ago, a sharecropper’s son invented a technology to identify faces. Then the record of his role all but vanished. Who was Woody Bledsoe, and who was he working for?
www.washingtonpost.com
(2019-08-29)
A journey toward seeing myself more clearly.
flowingdata.com
(2018-12-22)
Computers can generate faces that look real. What a time to be alive. As it becomes easier to do so, you can bet that the software will be used at some point for less innocent reasons. You should p…
-->
language & linguistics
categories:
tags:
language
linguistics
date: 03 Apr 2025
slug:language-linguistics
sciencemission.com
(2025-04-09)
arstechnica.com
(2025-04-03)
300 aspects of each call were cataloged, letting researchers estimate meaning.
www.scientificamerican.com
(2025-04-03)
Studying how extraterrestrials might communicate could help prepare for first contact and also hint at the point of language itself
dataconomy.com
(2025-04-02)
METEOR Score is a metric used to evaluate the quality of machine translation based on precision, recall, word alignment, and linguistic flexibility.
dataconomy.com
(2025-03-13)
Stemming is the linguistic process of reducing words to their base form, ignoring prefixes and suffixes, to enhance clarity and information retrieval.
knowablemagazine.org
(2025-03-04)
Utterances like um, wow and mm-hmm aren’t garbage — they keep conversations flowing
www.smithsonianmag.com
(2025-02-11)
In the 1850s, cuneiform was just a series of baffling scratches on clay, waiting to spill the secrets of the ancient civilizations of Mesopotamia
www.sapiens.org
(2025-01-21)
An anthropologist explores laughter as a far more complex phenomenon than simple delight—reflecting on its surprising power to disturb and disrupt.
www.scientificamerican.com
(2025-01-18)
Linguists think that the words that we use to express pain might tell us something about our shared biology and the commonality of language.
99percentinvisible.org
(2024-12-21)
In 1990, the federal government invited a group of geologists, linguists, astrophysicists, architects, artists, and writers to the New Mexico desert, to visit the Waste Isolation Pilot Plant. They would be there on assignment. The Waste Isolation Pilot Plant (WIPP) is the nation’s only permanent underground repository for nuclear waste. Radioactive byproducts from nuclear weapons manufacturing and nuclear power plants. WIPP was
www.thedial.world
(2024-12-06)
How forensic linguists use grammar, syntax and vocabulary to help crack cold cases.
hub.jhu.edu
(2024-11-24)
Findings suggest alphabetic writing may be some 500 years older than other discoveries
longreads.com
(2024-11-22)
"How forensic linguists use grammar, syntax and vocabulary to help crack cold cases."
blog.oup.com
(2024-11-19)
Some sentences just sound awkward. In order to ensure clarity, writers need to consider more than just grammar: weight is equally important. In the following extract from Making Sense, acclaimed linguist David Crystal shows how sentence length (and weight) affects writing quality.
web.stanford.edu
(2024-11-13)
www.sapiens.org
(2024-10-31)
A language scientist delves into historic and current efforts to catalog the planet’s 7,000-plus languages, uncovering colorful tales.
www.bbc.com
(2024-10-30)
Up to 50% of twins develop their own communication pattern with one another. Most lose it over time, but for the Youlden twins it has become a normal way of communicating.
nautil.us
(2024-10-22)
How taboo language turned the wolf into a monster.
www.vox.com
(2024-10-19)
In defense of the supremely useful and unfairly maligned word.
www.scientificamerican.com
(2024-10-19)
Brain studies show that language is not essential for the cognitive processes that underlie thought
www.scientificamerican.com
(2024-10-15)
Songs and speech across cultures suggest music developed similar features around the world
slate.com
(2024-08-04)
Being cool is hard. Staying cool is harder. It’s an elusive quality, in part because it’s an elusive word with layers of nuanced meaning that peel off...
undark.org
(2024-08-02)
Prehistory professor Steven Mithen’s “The Language Puzzle” explores the mysteries of when and how we began to speak.
global.oup.com
(2024-07-30)
www.nytimes.com
(2024-07-13)
Don’t fixate on a few shaggy phrases. There’s something bigger going on.
www.npr.org
(2024-06-11)
Research on the rumbles of wild elephants suggest that these animals address each other with unique, name-like vocalizations. (Story aired on All Things Considered on June 10, 2024.)
bigthink.com
(2024-06-10)
The 7-38-55 rule claims that the majority of a conversation’s meaning is found in tone and body language. The truth is much more complicated.
getpocket.com
(2024-05-30)
This piece of pseudo-profanity is what’s known as a taboo deformation—a word we say when we don’t want to say the word.
www.mentalfloss.com
(2024-05-15)
Your sixth-grade language arts class probably didn't cover kangaroo words and snowclones.
getpocket.com
(2024-05-04)
A new sign language is developing in the Negev desert and it’s catching linguists off-guard.
greensdictofslang.com
(2024-04-14)
www.scientificamerican.com
(2024-04-09)
From the time I learned to read, I have experienced a form of mental closed-captioning called ticker-tape synesthesia
www.atlasobscura.com
(2024-04-05)
www.mentalfloss.com
(2024-04-05)
Some words, when used in specific situations, have deeper meanings than you realize: They’re codes to alert those in the know while keeping others in the dark.
web.stanford.edu
(2024-03-12)
www.newyorker.com
(2024-03-09)
The alien language spoken in Frank Herbert’s novels carries traces of Arabic. Why has that influence been scrubbed from the films?
www.openculture.com
(2024-02-29)
There was a time in America, not so very long ago, when conventional wisdom discouraged immigrants from speaking the language of the old country at home. In fact, 'it used to be thought that being bilingual was a bad thing, that it would confuse or hold people back, especially children.
www.theatlantic.com
(2024-02-25)
If we can learn to speak their language, what should we say?
psyche.co
(2024-02-17)
How are so many politicians today able to get away with overtly racist utterances? By using rhetorical ‘figleaves’
knowablemagazine.org
(2024-02-15)
Linguists and archaeologists have argued for decades about where, and when, the first Indo-European languages were spoken, and what kind of lives those first speakers led. A controversial new analytic technique offers a fresh answer.
www.scientificamerican.com
(2024-02-05)
Distinctive meanings for a word like “risk” can have a big impact on public messaging, especially when it comes to issues like climate change
vietnamesetypography.com
(2024-02-03)
restofworld.org
(2024-01-23)
Laughter is universal, but lol is not.
www.scientificamerican.com
(2023-10-16)
Argentine researchers studied a regional slang that reverses the order of word syllables or letters. Their findings give insight into our natural ability to engage in wordplay
www.smithsonianmag.com
(2023-09-24)
The centuries-old texts were erased, and then written over, by monks at Saint Catherine’s Monastery in Egypt
www.technologyreview.com
(2023-08-27)
From Wubi to Zhineng ABC, here are the different ways Chinese people have typed their language over the years.
linguischtick.wordpress.com
(2023-08-22)
Just a few days ago I saw an amazing video about Kurt Quinn, a man who can talk backwards. When I say backwards, I don’t mean that he reverses the order of the words in a sentence, but he act…
cohost.org
(2023-08-14)
So I stumbled a few weeks ago on this video [https://www.youtube.com/watch?v=E4y7tf3VJAM] about the world's smallest conlang and I've been thinking about it ever since. [https://staging.cohostcdn.org/attachment/91c54129-9425-4695-bd68-6f65d83ae793/maxresdefault.jpeg] [https://www.youtube.com/watch?v=E4y7tf3VJAM] (You will probably have the idea more than fully by the ten minute mark.) This fascinated me. I think languages are really interesting but I'm also really bad at them. I cannot hack the memorization. I've mostly avoided conlangs (that's Constructed Languages, like Esperanto or Klingon) because like, oh no, now there's even more languages for me to fail at memorizing. So like, a language so minimal you can almost learn it by accident, suddenly my ears perk up. Toki pona is really interesting, on a lot of different axes. It's a thought experiment in Taoist philosophy that turns out to be actually, practically useful. It's Esperanto But It Might Actually Work This Time¹. It has NLP implications— it's a human language which feels natural to speak yet has such a deeply logical structure it seems nearly custom-designed for simple computer programs to read and write it². Beyond all this it's simply beautiful as an intellectual object— nearly every decision it makes feels deeply right. It solves a seemingly insoluble problem³ and does it with a sense of effortlessness and an implied "LOL" [https://staging.cohostcdn.org/attachment/747b4517-a3cf-438b-a6a0-07ad9e6883fd/Toki_pona.svg.png] at every step. So what toki pona is. Toki pona is a language designed around the idea of being as simple as it is possible for a language to be. It has 120 words in its original form (now, at the twenty year mark, up to 123), but you can form a lot of interesting sentences with only around twenty or thirty (I know this because this is roughly the size of my current tok vocabulary). The whole tok->en dictionary fits on seventeen printed pages [https://devurandom.xyz/tokipona/dictionary.html]⁴. There are no conjugations or tenses to memorize. There are no parts of speech, generally: almost every single word can be used as almost any part of speech, drop a pronoun or a preposition⁵ in the right place and it becomes a verb, drop a verb in the right place and it becomes an adjective. There are almost no ambiguities in sentence structure; I've only found one significant one so far (using "of" [pi] twice in the same clause) and the community deals with this by just agreeing not to do that. There's in one sense quite a lot of ambiguity in the vocabulary but in another sense there's none; for example nena is listed in the dictionary as meaning hill, mountain, button, bump, nose, but the official ideology of Toki Pona is that this is not a word with five definitions, it is a word with exactly one definition, that being the concept encompassing all five of hills, mountains, buttons, bumps, and noses. Toki pona words are not ambiguous, they're just broad. I will now teach you enough toki pona to understand most sentences (assuming you consult the dictionary [https://devurandom.xyz/tokipona/dictionary.html] as you go) in a paragraph shorter than this one: Every sentence has an "verb" or action clause. Most sentences also have a subject clause, which goes before the verb separated by "li". Some sentences also have an "object" or target clause, which goes after the verb clause separated by "e". So "[subject] li [verb] e [object]". All three clauses are any number of words, the first word is the noun (or verb) and the rest are adjectives (or adverbs). If the first word in a sentence is mi or sina you can omit the li in that case only. There is no "is", a sentence like "a flower is red" is just "[a plant] li [red]" because there are no parts of speech and adjectives are verbs. Pronounce everything the way you would in English except "j" sounds like "y". If you see "tawa", "lon", "tan" or "kepeken" in adjective/adverb position that's a preposition, so treat whatever comes after it as a fourth clause. "a" and "n" are interjections and can go anywhere in a sentence. If you see "o", "pi", "la", "taso, "anu" or "en", then you've found one of the few special words (particles) and you should probably either read the book [https://www.amazon.com/dp/B012M1RLXS/] or watch the jan Misali instructional videos [https://www.youtube.com/playlist?list=PLLIjft6ja7DM70MkOMu56c4Grku7LXR61] on YouTube. That's like… almost it!⁶ Watch one youtube video, or read a half page of grammar summary and keep the dictionary open on your phone, and you're basically ready to jump into conversations. (You'll need those last six particles to make nuanced sentences, but sentences do not have to be nuanced.) In my own case I watched the Langfocus video linked at the top and then lazily over the next week watched the jan Misali overview [https://www.youtube.com/watch?v=eLn6LC1RpAo] and two of their instructional videos then read a few chapters of the book, and was already able to construct a full paragraph and be understood by another person: > o! mi sona e toki pona. mi lukin sona e toki mute... taso mi toki ike e toki ale. toki mute li jo e nimi mute. nimi mute li pona ala tawa mi. toki pona li pona e mi tan ni. toki pona li jo nimi lili. nimi lili li pona e me :) (Translation: Hello! I am learning toki pona. I've tried to learn many languages… but I speak all of the[m] badly. Most languages have a lot of words. Lots of words is not good for me. Toki pona is good for me because of this. Toki pona has few words. Few words is good for me :)⁷) So that's week one. By the end of week three (that'll be this past Sunday) I had hit three milestones: * I was able to make a joke in toki pona. Not a good one. * When the joke misfired, I was able to successfully toss off an entire complex paragraph rapidly without really thinking about it. * Probably a sign I Am Getting It more significant than anything else: I realized that talking on the Discord I was dropping toki pona words into my English sentences solely because the toki pona word seemed to me to communicate a concept I wanted to communicate more precisely than any particular English word. (That last one actually kind of excited me when I realized, after the fact, that it had been happening for several days before I noticed it.) All of the above happened on the toki pona Discord, which seems to be the largest and healthiest outpost of toki pona community online⁸ and, I assume therefore, the world. Here's my toki pona joke; you'll notice that I begin by preemptively apologizing for it, but by the end it becomes clear I was, at that moment anyway, apparently completely on the Discord's level:⁹ [https://staging.cohostcdn.org/attachment/d5366ff6-ae17-4c70-a900-a02ac307f108/tokipona_conversation.png] ---------------------------------------- Footnotes ¹ Esperanto was meant to be an auxillary language simple enough the entire world could learn it as a second language. But it does not seem to me to be actually all that simple to learn (the verb tenses may be free of exceptions, but there are still like six of them) and it seems hard to convince myself to study it when I could put that effort toward a more widespread language. Toki Pona on the other hand is a language simple enough the entire world actually could learn it, had it reason to, and the buy-in cost in time is a lot lower. Meanwhile Toki Pona just seems to get certain international-accessibility things right, probably due to the advantage of having over a century of conlang practice largely inspired by Esperanto to draw from. The difference that's most interesting to me, but which I'm also least qualified to evaluate, is that the Toki Pona author had some basic familiarity with, and gave Toki Pona input from, east Asian languages. Both Toki Pona and Esperanto draw roots from a variety of languages but in Esperanto's case this winds up being mostly European languages, mostly Italian, whereas Toki Pona has Mandarin and Cantonese in its mix. Both languages were intended to have a minimal, universal phonology but Esperanto's is not very universal at all and has some consonant sounds that are going to be be totally unfamiliar unless you speak Polish or a language related to Polish. Toki Pona's phonology is actually minimal-- it has the letters in the sentence "mi jan pi ko suwi lete" and nothing else and the legal syllabary is basically hiragana without the combination syllables. Now, what I don't know is whether any of this actually helps speakers of Asian languages in practice or if it just makes surface choices that make it seem that way to a westerner like me. In practice if you find a toki pona speaker their native language is almost certainly English, so there doesn't seem to have been a great deal of testing as to how learnable it is to people from varied regions. ² I kept imagining toki pona as being like LLVM IR for human languages or something. ³ Designing an actually learnable, universal(?) international auxillary language. ⁴ By which I mean if you print the unofficial web version it's 17 pages long. But you can fit it in sixteen if you remove the web-specific introductory paragraph, the "joke word" kijetesantakalu, and the web footer with the "trans rights now!" banner in it. ⁵ There's an awkward nuance in the specific case of prepositions: if you drop a preposition into verb position it still winds up "behaving like" a preposition, it's just that the preposition describes an action. It's probably more accurate to say that the preposition phrase becomes a verb rather than the preposition itself. So for example "mi tawa kalama" means "I went toward the sound" [kamala is a noun and the object of the preposition] not "I went loudly" [as it would be if kamala were an adverb modifying tawa as a verb]. Going into detail on this because I don't want to mislead anyone but "you can form a sentence using an unmodified preposition as a verb" is such a fun fact I...
psyche.co
(2023-08-07)
Many languages have very few odour-related words, so conveying what a scent is like requires knowing your audience
link.sbstck.com
(2023-08-05)
Alex Danco's Newsletter, Season 3, Episode 2
www.scientificamerican.com
(2023-08-05)
An artist, a programmer and a scientist have created a simulation of extraterrestrial communication to test Earthlings’ ability to understand it
mentalfloss.com
(2023-07-27)
Optical illusions have long captured our imagination, but what about linguistic illusions? A linguistic illusion is a phenomenon in which your judgment or under
16x.engineer
(2023-07-13)
Learn about five Chinese tech terms: Huidu, Lunzi, Chendian, Dapan, and Maidian, frequently used in companies like Tencent and ByteDance.
restofworld.org
(2023-07-06)
For farmers in Senegal who struggle to read or write, sending voice notes has unlocked a new world of collaboration across the industry.
www.openculture.com
(2023-07-02)
When first we start learning a new foreign language, any number of its elements rise up to frustrate us, even to dissuade us from going any further: the mountain of vocabulary to be acquired, the grammar in which to orient ourselves, the details of pronunciation to get our mouths around.
theworld.org
(2023-06-30)
To English speakers, the word, “peanut” isn’t especially funny. But “peanut” in Serbian, “kikiriki” is widely considered by Serbs to be the funniest word in their language. This raises the question of why people laugh at some words (“poop”) but not at others (“treadmill”). Does it come down to their meanings? Or are people responding to their sounds? Psycholinguist Chris Westbury set out to discover the answer.
bigthink.com
(2023-06-18)
For linguists, the uniqueness of the Basque language is an unsolved mystery. For native speakers, long oppressed, it's a source of pride.
www.bbc.com
(2023-06-13)
Speaking a second or even a third language can bring obvious advantages, but occasionally the words, grammar and even accents can get mixed up.
www.openculture.com
(2023-05-30)
French is known as the language of romance, a reputation that, whatever cultural support it enjoys, would be difficult to defend on purely linguistic grounds.
getpocket.com
(2023-05-27)
We all know people who talk with their hands. Turns out there’s quite a bit of research around the relationship between language and gestures.
www.smithsonianmag.com
(2023-05-14)
The writing system is 6,000 years old, but its influence is still felt today
www.mentalfloss.com
(2023-05-07)
Here’s (at least) one interesting way station each of these common words made on its journey to the present day.
www.scientificamerican.com
(2023-05-05)
We think about what a penguin is like in dozens of different ways—one reason why we often talk past each other
behavioralscientist.org
(2023-04-25)
When trying to make language either more concrete or more abstract, one helpful approach is to focus on either the how or the why.
www.nytimes.com
(2023-04-09)
A dialect from the state’s earliest Spanish-speaking settlers has endured for over 400 years in the state’s remote mountain villages. But its time may be running out.
www.neatorama.com
(2023-04-05)
Sometimes, we feel things that we can’t put into words. We can certainly describe things through paragraphs, but finding the exact word to describe our emotions can be limited. It turns out that aside from the common words we used to talk about how we feel, there are other phrases and nouns in English that can describe more complicated human emotions.
www.getty.edu
(2023-03-27)
The rise, fall, and rediscovery of cuneiform
time.com
(2023-03-24)
Mental-health experts say we often use psychology terms incorrectly—and that's a problem
hbr.org
(2023-03-19)
Technological advances in natural language processing, computational linguistics, and machine learning, combined with the digitization of everything from cover letters to conversations, have revolutionized our ability to analyze language, yielding unprecedented insights. Think of it as a new science of language. Many of the findings suggest that small changes in the words we use can increase our ability to persuade and influence others.
www.atlasobscura.com
(2023-03-13)
What do we lose when we forget about locations like "Troll's Cave" and "Window Claw"?
www.politico.com
(2023-03-04)
A major advance in translation technology means that Ukrainians can inform and debunk in real time. The world hasn’t seen a weapon quite like it before.
www.grammarphobia.com
(2023-02-25)
The 23rd letter of the English alphabet is called a “double u” because it was originally written that way in Old English.
www.bbc.com
(2023-02-17)
Despite never having been to Ireland, the North Carolina man spoke with a "brogue" until his death, say researchers.
www.chronicle.com
(2023-02-11)
She had perhaps the largest personal dictionary collection in the world. It is certainly the most titillating.
restofworld.org
(2023-02-11)
From “lie flat” to “let it rot,” common terms have taken on new meaning in recent years.
getpocket.com
(2023-02-05)
When trying to learn a foreign language, most of us have the same complaint:
www.reddit.com
(2023-01-31)
17K votes, 728 comments. 5.5M subscribers in the coolguides community. Picture based reference guides for anything and everything. If it seems like…
www.scmp.com
(2023-01-31)
Hundreds of mainland Chinese families have been reunited with missing relatives thanks to the help of a Chinese woman who has taught herself more than 10 of the country’s myriad of dialects.
www.sixthtone.com
(2023-01-16)
Often portrayed as the result of a revolutionary pro-literacy movement, many “simplified” characters have existed for hundreds of years.
www.scientificamerican.com
(2022-12-13)
Languages from Hindi to Korean tone down swear words by inserting gentler consonants into speech. Here’s how “Let’s go Brandon” got started
www.noemamag.com
(2022-12-08)
Advanced technologies like A.I. are enabling scientists to learn that the world is full of intelligent creatures with sophisticated languages, like honeybees. What might they tell us?
stratechery.com
(2022-12-07)
The first obvious casualty of large language models is homework: the real training for everyone, though, and the best way to leverage AI, will be in verifying and editing information.
mitpress.mit.edu
(2022-12-07)
An accessible introduction to the study of language in the brain, covering language processing, language acquisition, literacy, and language disorders.Neurol...
www.theatlantic.com
(2022-12-04)
The movie's screenwriter talks about the creation of the story's extraterrestrial language and the importance of communication.
www.kdnuggets.com
(2022-11-21)
This collection of 5 courses is intended to help NLP practitioners or hopefuls acquire some of their lacking linguistics knowledge.
www.smithsonianmag.com
(2022-11-20)
What makes this utterance the “universal word”?
www.bbc.com
(2022-11-06)
The languages we speak can have a surprising impact on the way we think about the world and even how we move through it.
getpocket.com
(2022-10-30)
A professional explains why brand names have gotten weirder.
undark.org
(2022-10-17)
Scientist Gary Marcus argues that “deep learning” is not the only path to true artificial intelligence.
www.bbc.com
(2022-10-01)
The science of these viral mash-ups reveals why they are so effective at spreading ideas and beliefs.
www.ireviews.com
(2022-09-26)
Learning a language is challenging but extremely rewarding. Try one of these excellent apps to help you get started.
www.atlasobscura.com
(2022-09-16)
According to experts, it's unlike any word, in any language.
www.openculture.com
(2022-09-13)
No one person can take credit for the invention of American Sign Language. Its history reaches back to the early 19th century, when forms of sign developed among Deaf communities in New England.
www.nytimes.com
(2022-08-30)
Scientists are using machine learning to eavesdrop on naked mole rats, fruit bats, crows and whales — and to communicate back.
www.bbc.com
(2022-08-22)
The Sumerians, Maya and other ancient cultures created texts that have lasted hundreds and even thousands of years. Here's what they can teach us about crafting an immortal message.
www.axios.com
(2022-08-19)
Sometimes you can say more with humor than with a polished speech or marketing spot.
www.historytoday.com
(2022-08-13)
www.bbc.com
(2022-08-11)
The Kusunda language has no known origin and a number of quirks, like no words for "yes" or "no". It also has only one fluent speaker left, something linguists are racing to change.
www.themarginalian.org
(2022-08-07)
A pocket guide to Neapolitan nonverbal communication.
www.smithsonianmag.com
(2022-08-02)
Linear Elamite, a writing system used in what is now Iran, may reveal the secrets of a little-known kingdom bordering Sumer
getpocket.com
(2022-08-01)
Neuroscience has found that gestures are not merely important as tools of expression but as guides of cognition and perception.
getpocket.com
(2022-08-01)
It’s all because of the similarities between words.
nautil.us
(2022-07-26)
Our sensory systems for hearing and touch overlap to stir a wealth of emotions.
getpocket.com
(2022-07-24)
There’s ancient evidence for the custom of shaking hands, but did it mean the same thing then as it does today?
getpocket.com
(2022-07-19)
Psychologists, neuroscientists and philosophers are trying to understand humor.
www.bbc.com
(2022-07-18)
Although the default answer to almost every question, request or suggestion is a disheartening ‘non’, a ‘oui’ is often hiding in the context of what is being said.
english.alaraby.co.uk
(2022-07-14)
The Sanaa Palimpsest has a number of unique characteristics, not least as an enduring artefact of Quranic scribal methods and of Islamic heritage within Yemen. Yet deciphering the text poses theological quandaries surrounding Quranic tradition.
beinecke.library.yale.edu
(2022-07-10)
aeon.co
(2022-07-07)
At the crossroads of south and central Asia lies one of the world’s most multilingual places, with songs and poetry to match
theness.com
(2022-07-05)
From a neurological and evolutionary perspective, music is fascinating. There seems to be a deeply rooted biological appreciation for tonality, rhythm, and melody. Not only can people find certain sequences of sounds to be pleasurable, they can powerfully evoke emotions. Music can be happy, sad, peaceful, foreboding, energetic or comical. Why is this? Music is
www.mentalfloss.com
(2022-07-05)
The singular form of 'they' has been endorsed by writers like Jane Austen and William Shakespeare.
journal.medizzy.com
(2022-07-04)
Researchers at MIT are investigating the brain of a woman, known by her initials EG, with a missing temporal lobe.
www.smithsonianmag.com
(2022-07-03)
The centuries-old texts were erased, and then written over, by monks at Saint Catherine’s Monastery in Egypt
changingminds.org
(2022-06-25)
There are words which have special meaning within each culture and carry power where they are used.
www.gsb.stanford.edu
(2022-06-25)
effectiviology.com
(2022-06-25)
medium.com
(2022-06-24)
How we applied qualitative learning, human labeling and machine learning to iteratively develop Airbnb’s Community Support Taxonomy.
www.sapiens.org
(2022-06-22)
Christine Schreyer is a linguistic anthropologist who researches the people who invent new tongues and seek to sustain ancient ones.
lifehacker.com
(2022-06-22)
Lifehacker reader Gabriel Wyner was tasked with learning four languages in the past few years for his career as an opera singer, and in the process la
preply.com
(2022-06-22)
In this map of laughter around the world you will be able to see how haha is written in different countries depending on their languages.
www.newyorker.com
(2022-06-11)
Nonhuman creatures have senses that we’re just beginning to fathom. What would they tell us if we could only understand them?
www.nbcnews.com
(2022-06-10)
“No matter how it was collected, where it was collected, when it was collected, our language belongs to us," said Ray Taken Alive, a Lakota teacher.
aeon.co
(2022-06-08)
No, English isn’t uniquely vibrant or mighty or adaptable. But it really is weirder than pretty much every other language
getpocket.com
(2022-06-05)
There couldn’t be a ‘Is This a Pigeon?’ without a ‘Beware of Doug’.
www.newyorker.com
(2022-05-30)
The tools we use to help us think—from language to smartphones—may be part of thought itself.
www.reddit.com
(2022-05-28)
24K votes, 10K comments. 49M subscribers in the AskReddit community. r/AskReddit is the place to ask and answer thought-provoking questions.
www.neatorama.com
(2022-05-28)
Have you ever had a brain fart and couldn't remember some common word or term that you needed to use? You can often get the point across by using whatever words might be close. That's how a peacock becomes a "disco chicken," or a cow can be called a "moo beast." In an AskReddit thread, people tell funny stories of folks communicating the best they can when the exact word escapes them. Couldn't remember groomsmen, went with dudesmaids instead.I forgot the word for ‘exterminator’ so I used...
publicdomainreview.org
(2022-04-28)
Before humans stored memories as zeroes and ones, we turned to digital devices of another kind — preserving knowledge on the surface of fingers and palms. Kensy Cooperrider leads us through a millennium of “hand mnemonics” and the variety of techniques practised by Buddhist monks, Latin linguists, and Renaissance musicians for remembering what might otherwise elude the mind.
consilienceproject.org
(2022-04-13)
www.washingtonpost.com
(2022-04-06)
In a city where diplomats and embassies abound, where interpreters can command six-figure salaries, where language proficiency is résumé rocket fuel, Vaughn Smith was a savant with a secret.
www.nytimes.com
(2022-04-03)
Neuroscientists are exploring whether shapes like squares and rectangles — and our ability to recognize them — are part of what makes our species special.
getpocket.com
(2022-03-19)
Is there a connection between sound and meaning?
www.dataisnature.com
(2022-03-16)
lithub.com
(2022-03-14)
The Inca are most often remembered not for what they had but for what they didn’t have: the wheel, iron, a written language. This third lack has given rise to a paradox, the Inca paradox. Could it …
lithub.com
(2022-03-14)
Maybe it has happened to you: a stranger catches your eye while you peruse the plant identification section of the library, or wander a mossy hillock speckled with Amanita bisporigera, or shuffle a…
matadornetwork.com
(2022-03-14)
5 endangered languages you can learn via Duolingo, Memrise, and online platforms like Hawaiian, Yiddish, Cornish, Greenlandic, and Navajo.
www.vice.com
(2022-02-20)
Linguistic games and research are revealing a hidden connection between what words look and sound like, and what they mean.
nautil.us
(2022-02-20)
In most languages, sounds can be re-arranged into any number of combinations. Not so in Al-Sayyid Bedouin Sign Language.Brian Goodman via Shutterstock Languages, like human bodies, come in a variety of shapes—but only to a point. Just as people don’t sprout multiple heads, languages tend to veer away from certain forms that might spring from […]
aeon.co
(2022-02-20)
A special class of vivid, textural words defies linguistic theory: could ‘ideophones’ unlock the secrets of humans’ first utterances?
www.scientificamerican.com
(2022-02-20)
In fascinating study involving synesthesia, people make good guesses at meanings of foreign words
openscholarship.wustl.edu
(2022-02-19)
restofworld.org
(2022-02-13)
Machine learning can translate between two known languages, but could it ever decipher those that remain a mystery to us?
www.user.tu-berlin.de
(2022-02-11)
www.researchgate.net
(2022-02-10)
PDF | Despite 800 million illiterate people worldwide little research has aimed at understanding how they use and appropriate mobile phones. We... | Find, read and cite all the research you need on ResearchGate
volument.com
(2022-02-10)
itsallgreektoanna.wordpress.com
(2022-02-01)
Every so often a news article will make the rounds of the internet – or, for that matter, a paper will be published in an academic journal – presenting a new ‘decipherment’ …
www.bbc.com
(2022-01-31)
Mark Forsyth tasted internet fame this week when a passage from a book he wrote went viral. He explains more language secrets that native speakers know without knowing.
randomwire.com
(2022-01-29)
newrepublic.com
(2022-01-17)
URLs like 4008-517-517.com mean a lot more than they appear.
www.webdesignerdepot.com
(2022-01-17)
A visual language is just like any other form of communication. Elements from color to style to type of photos or illustrations establish what a brand or company is. A visual language includes both the written and spoken elements of a website or brand, as well as every design technique, photo,…
slate.com
(2022-01-16)
“It was a matter of really reading between the lines of the script.”
www.bookforum.com
(2022-01-12)
Rax King’s ode to cringeworthy culture – Lindsay Zoladz
getpocket.com
(2022-01-12)
The origins, meaning, and authors behind 50 popular phrases and sayings.
knowablemagazine.org
(2022-01-01)
NuqneH! Saluton! A linguistic anthropologist (and creator of the Kryptonian language, among others) studies the people who invent new tongues.
www.theguardian.com
(2021-12-28)
We have been bombarded with negativity recently; but the English language is a treasure trove of joyous vocabulary, says Susie Dent, a lexicographer and etymologist
www.atlasobscura.com
(2021-12-26)
www.historytoday.com
(2021-12-12)
getpocket.com
(2021-12-10)
You don’t get where you want to be without practice. Here’s how and what to practice.
getpocket.com
(2021-12-08)
Once we acquire language, we can live without it.
www.newyorker.com
(2021-11-29)
The quest to decode hieroglyphic writing.
www.bbc.com
(2021-11-28)
The distinctive Americanism is making its way across the world and becoming an unlikely favourite catch-all term.
tech.slashdot.org
(2021-11-17)
In 2018, the team at Facebook had a puzzle on their hands. Cambodian users accounted for nearly 50% of all global traffic for Messenger's voice function, but no one at the company knew why, according to documents released by whistleblower Frances Haugen. From a report: One employee suggested running...
lithub.com
(2021-11-09)
Although I’ve successfully learned the language of mathematics, it has always frustrated me that I couldn’t master those more unpredictable languages like French or Russian that I’d tried to learn …
daily.jstor.org
(2021-11-03)
Although it was the language of sacred texts and ritual, modern Hebrew wasn't spoken in conversation till the late nineteenth century.
www.hakaimagazine.com
(2021-10-30)
An ambitious project is attempting to interpret sperm whale clicks with artificial intelligence, then talk back to them.
www.newyorker.com
(2021-09-18)
What can hyperpolyglots teach the rest of us?
www.bbc.com
(2021-08-19)
Using hand gestures might feel like an intuitive way to communicate across language barriers, but their meaning can change, and there are few universal signs that everyone agrees on.
getpocket.com
(2021-07-18)
An ASL interpreter shares some travel-friendly tips and techniques that she’s learned from the Deaf community, the real masters of cross-cultural communication.
antigonejournal.com
(2021-07-11)
NICHOLAS SWIFT Can we really hear the ancients speak?
betterhumans.pub
(2021-07-03)
There I was, a clumsy, decaf-drinking 25-year-old British man in a swanky Buenos Aires radio station, being ridiculed by Viggo Mortensen. But even as he laid into me — his jokes later leading to my…
newrepublic.com
(2021-07-02)
According to Amanda Montell’s new book, “Cultish,” the jargon and technical language of fanaticism is surprisingly common.
www.bbc.com
(2021-06-28)
It likely explains why the French have the reputation of being so demonstrative about love – because if you can't really say it, you have to show it.
www.salon.com
(2021-06-27)
Knowing some Latin has its advantages
www.smithsonianmag.com
(2021-06-25)
Jack may have been climbing that beanstalk for more than 5,000 years
aeon.co
(2021-06-21)
European ideas of African illiteracy are persistent, prejudiced and, as the story of Libyc script shows, entirely wrong
www.danielde.dev
(2021-06-12)
etym.org
(2021-06-12)
Etymological Wordnet/lexicon/dictionary resource
www.etymonline.com
(2021-06-12)
The online etymology dictionary (etymonline) is the internet's go-to source for quick and reliable accounts of the origin and history of English words, phrases, and idioms. It is professional enough to satisfy academic standards, but accessible enough to be used by anyone.
www.elephantvoices.org
(2021-06-10)
Introduces the elephant ethogram: A Library of African Elephant Behavior
science.slashdot.org
(2021-06-10)
An anonymous reader quotes a report from Scientific American: Elephants possess an incredibly rich repertoire of communication techniques, including hundreds of calls and gestures that convey specific meanings and can change depending on the context. Different elephant populations also exhibit cultu...
narratively.com
(2021-06-10)
For decades, Taiwan’s minority Hakka people were banned from teaching their native language. Now an unlikely coalition of aging academics and millennial radio DJs are doing all they can to keep it alive.
www.linguisticsociety.org
(2021-06-07)
arstechnica.com
(2021-05-30)
A deep dive into xenolinguistics, pragmatics, the cooperative principle, and Noam Chomsky!
veredshwartz.blogspot.com
(2021-05-29)
natural language processing, nlp, machine learning, computer science
tradingpithistory.com
(2021-05-12)
Trading Pit History - hand signals of open outcry pit trading
theconversation.com
(2021-05-12)
People tend to think of digital media as entertainment, so they devote less mental effort than when they’re reading a printed book.
www.etymologynerd.com
(2021-05-11)
The verb decide has deadly interesting origins. Though it came through Middle English deciden , Old French decider , and Latin decidere , you can tell that there's the prefix de- , kind...
www.bbc.com
(2021-05-03)
The way your name or a word rolls off the tongue can have some surprising effects on the judgements we make.
www.smithsonianmag.com
(2021-05-02)
While captive in a Navy program, a beluga whale named Noc began to mimic human speech. What was behind his attempt to talk to us?
www.nytimes.com
(2021-05-01)
The evolution of the slur's use — and the taboo around it — tells a story about what our culture values.
www.bbc.com
(2021-04-30)
Many nationalities recognise that there is a tone of voice that is instantly alluring, but do some speakers have an unfair advantage?
www.newyorker.com
(2021-04-28)
Artificial intelligence may help us decode animalese. But how much will we really be able to understand?
www.vulture.com
(2021-04-22)
Good finales offer catharsis. The best deny us closure altogether.
science.slashdot.org
(2021-04-22)
In what may be the largest interspecies communication effort in history, scientists plan to use machine learning to try to decode what Sperm whales say to one another. National Geographic reports: [Sperm whales "speak" in clicks, which they make in rhythmic series called codas. Shane Gero, a Canadi...
www.newyorker.com
(2021-04-20)
Could understanding other cultures’ concepts of joy and well-being help us reshape our own?
www.newyorker.com
(2021-04-18)
The Penobscot language was spoken by almost no one when Frank Siebert set about trying to preserve it. The people of Indian Island are still reckoning with his legacy.
towardsdatascience.com
(2021-04-08)
Pre-processing Arabic text for machine-learning using the camel-tools Python package
psyche.co
(2021-04-03)
Forget about fluency and how languages are taught at school: as an adult learner you can take a whole new approach
www.cabinetmagazine.org
(2021-03-14)
The undecipherable rongorongo script of Easter Island
www.idioms.online
(2021-03-14)
Your Free Idioms Dictionary Idioms are phrases whose meanings cannot easily be known from the meanings of each word in the phrase. They usually have a fixed form that resists being altered without changing the meaning of the phrase. While idioms are quite transparent to native speakers of a languag
www.vice.com
(2021-02-23)
The Klingon language remains relevant to today’s culture and continues to evolve in surprising ways. (Finally, you must be thinking, some Star Trek content.)
getpocket.com
(2021-02-07)
Handy words from other languages with no English equivalent.
japanesecomplete.com
(2021-02-03)
Essentials Guide to Japanese: The Mental Model by Japanese Complete. Master Japanese, get started for free.
www.peopleofar.com
(2021-01-30)
The Armenian alphabet is a true masterpiece of its era and knows many secrets. However, there is one in particular that still blows my mind. As some people know the Armenian alphabet was (re)invented in 405 AD by the Armenian linguist and theologian Mesrop Mashtots with the help of the patriarch Sahak Partev and the […]
psyche.co
(2020-12-29)
Talking out loud to oneself is a technology for thinking that allows us to clarify and sharpen our approach to a problem
nautil.us
(2020-12-28)
How we evolved to read is a story of one creative species.
www.kdnuggets.com
(2020-12-18)
Algorithms for text analytics must model how language works to incorporate meaning in language—and so do the people deploying these algorithms. Bender & Lascarides 2019 is an accessible overview of what the field of linguistics can teach NLP about how meaning is encoded in human languages.
getpocket.com
(2020-06-11)
Here are a few lucky words that have been preserved in common English expressions.
www.frantastique.com
(2020-02-19)
Frantastique, the daily French workout. Personalized online Frantastiquelessons: all levels, all users. Free test.
www.runwes.com
(2020-02-17)
www.slate.com
(2020-02-16)
Three years ago today, the 33 members of the Bluffton University baseball team boarded a bus at their campus in Bluffton, Ohio. It was early evening, a ...
nautil.us
(2020-02-05)
The origins of language are not what inherited disorders seemed to suggest.
getpocket.com
(2019-11-06)
In a fascinating look at language, a professor lays out how political parties can sway supporters with tiny tweaks in word choice.
www.quantamagazine.org
(2019-09-24)
Machines work with words by embedding their relationships with other words in a string of numbers.
theoutline.com
(2019-09-16)
A brief history of the term’s evolution.
www.problang.org
(2019-08-29)
getpocket.com
(2019-08-02)
Everyone knows a Nguyen, but how did that come to be?
getpocket.com
(2019-07-27)
A linguistic exploration.
idlewords.com
(2019-07-22)
www.scotthyoung.com
(2019-04-02)
Eight tips I wish I had known when I started. Learning Chinese is hard, but if you take the right approach, you'll be speaking, reading and writing soon!
longform.org
(2018-08-18)
On rongorongo, which no one can decipher.
www.openculture.com
(2018-06-13)
He did not, visionary though he was, conceive of one extraordinary use to which wax cylinders might be put—the recovery or reconstruction of extinct and endangered indigenous languages and cultures in California.
t.co
(2018-02-25)
Livecoding event with Christopher Wolfram on the process he went through and the code generated in building the alien language for the movie Arrival.
www.nytimes.com
(2012-08-24)
Scholars have struggled to identify fragments of the epic of Gilgamesh — one of the world’s oldest literary texts. Now A.I. has brought an “extreme acceleration” to the field.
www.bbc.com
(2005-10-24)
When Spanish meets English, new dialects emerge – giving us real-time insight into language evolution, linguists say.
-->
streamlit (python)
categories:
tags:
python
streamlit
date: 03 Apr 2025
slug:streamlit
towardsdatascience.com
(2024-02-13)
Bringing Order to a Python Streamlit App Through an Organised Project Folder Structure
docs.streamlit.io
(2024-01-16)
www.kdnuggets.com
(2023-01-02)
Learn about the most commonly used Streamlit commands and build a customized web application.
towardsdatascience.com
(2022-12-28)
Customizable Streamlit AgGrid data table connected to a Google Sheets Database
towardsdatascience.com
(2022-11-15)
Streamlit was designed to help data scientists but it’s not just about data, adding media to your apps helps to communicate your ideas
towardsdatascience.com
(2022-06-03)
Streamlit may not have been designed for full-blown websites, but it is fairly straightforward to create multiple pages in a single app
towardsdatascience.com
(2022-01-12)
Number 2 is by far my favorite
towardsdatascience.com
(2021-12-13)
Level-Up Your Streamlit Skills with A Real-World Use Case and Complete Code Example
learning.oreilly.com
(2021-10-18)
Create, deploy, and test your Python applications, analyses, and models with ease using Streamlit Key Features Learn how to showcase machine learning models in a Streamlit application effectively and efficiently … - Selection from Getting Started with Streamlit for Data Science [Book]
venturebeat.com
(2021-10-12)
Streamlit releases v1.0 of its DataOps platform for data science apps to make it easier for data scientists to share code and components.
docs.streamlit.io
(2021-10-01)
dev.to
(2021-10-01)
Hello everyone, This is a step by step tutorial about how to deploy your Streamlit app to Heroku. ...
towardsdatascience.com
(2021-10-01)
An aspiring Full Stack Developer’s guide to quickly developing and deploying scalable web applications
towardsdatascience.com
(2021-07-03)
With Streamlit creating a deploying a web app can be very easy!
towardsdatascience.com
(2021-06-26)
Present your data as an interactive dashboard web application using the python library Streamlit
towardsdatascience.com
(2021-06-14)
Using Streamlit to Build an ML-based Web Application
towardsdatascience.com
(2021-05-05)
Deep dive into Streamlit with Airbnb data
docs.streamlit.io
(2021-05-05)
dev.to
(2021-05-05)
Sometimes you make a data science , machine learning or computer vision projects but suddenly you stu...
towardsdatascience.com
(2021-04-07)
This article demonstrates the deployment of a basic Streamlit app (that simulates the Central Limit Theorem) to Heroku.
towardsdatascience.com
(2021-04-04)
This article demonstrates the deployment of a basic Streamlit app (that predicts the Iris’ species) to Streamlit Sharing.
towardsdatascience.com
(2021-03-10)
The quickest way to embed your models into web apps.
towardsdatascience.com
(2020-12-18)
A Step-by-Step Guide to Host your Models!
www.kdnuggets.com
(2020-04-19)
We’ll show you how to quickly build a Streamlit app to synthesize celebrity faces using GANs, Tensorflow, and st.cache.
-->
virality (prodmgmt)
categories:
tags:
prodmgmt
startups
virality
date: 03 Apr 2025
slug:virality
andrewchen.com
(2022-08-17)
blog.kissmetrics.com
(2022-07-19)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
sixteenventures.com
(2022-07-19)
Word of mouth is powerful... but this follow-up question allows you to harness that power to supercharge your marketing. Use it wisely and carefully.
blog.kissmetrics.com
(2022-07-18)
Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.
platformed.info
(2022-07-18)
www.referralcandy.com
(2022-07-18)
Make your brand messages viral with the 6 STEPPS from Jonah Berger's Contagious, including 75 real-life marketing examples to learn from.
blog.adamnash.com
(2022-07-18)
This is the first post in a three post series on user acquisition. The topic of this blog post may seem simplistic to those of you who have been in the trenches, working hard to grow visits and vis…
medium.com
(2022-07-18)
If your startup is building a consumer product, your product has to be viral. For consumer products, the average revenue per user tends to…
news.greylock.com
(2022-07-05)
and choosing the right one for your product to grow
blog.adamnash.com
(2022-07-05)
This is the second post in a three post series on user acquisition. In the first post in this series, we covered the basics of the five sources of traffic to a web-based product. This next post co…
www.adweek.com
(2022-07-05)
B.J. Mendelson breaks down how Batman is a growth hacker, and what we can learn about the field from him.
medium.com
(2022-07-05)
We all know about the Paypal, Hotmail, and Airbnb growth hacks. Here are 28 new growth hack examples to help you market your web and mobile
effectiviology.com
(2022-07-05)
andrewchen.co
(2022-06-28)
blog.bufferapp.com
(2022-06-25)
How can I make my content go viral? I sat down with the viral marketing geniuses Marc and Angel to discuss content marketing and other key tips.
jmarbach.com
(2022-06-24)
Yesterday RapGenius posted the following announcement on their Facebook page: As a contributor to various blogs and an endearing fan of RapGenius, I took
viniciusvacanti.com
(2022-06-24)
venturebeat.com
(2022-06-24)
Guest How to get a two-sided marketplace startup like Airbnb, Exec, or eBay up and running -- the painless way.
www.skmurphy.com
(2022-06-23)
This is an edited version of a recent online conversation I had with a team of bootstrappers about how to make their product attract early adopters.
www.nfx.com
(2022-06-23)
An inside look at 19 tactics top marketplaces have used to solve the chicken-or-egg problem and kickstart growth.
www.nfx.com
(2022-02-10)
Today, we’re sharing the newest social nfx we've identified—the 15th type of network effect: Tribal Network Effects.
email.getpocket.com
(2021-05-12)
When Megan Thee Stallion took off her bright orange mask and walked onstage to accept her Grammy on March 14, she fought back tears and thanked God, her mother, and her managers for helping her become the first female rapper to win the award for best new artist in two decades.
www.nfx.com
(2021-02-27)
James Currier is making public the "8 Motivation Clusters" that cause people to share—to help Founders engineer virality into their products.
digiday.com
(2020-10-12)
As much as marketers would like to control the narrative around their brands doing so is a fallacy.
kk.org
(2020-08-10)
This is an edited, updated version of an essay I wrote in 2008 when this now popular idea was embryonic and ragged. I recently rewrote it to convey the core ideas, minus out-of-date details. This revisited essay appears in Tim … Continue reading →
www.wired.com
(2020-07-10)
Adam Kucharski wrote The Rules of Contagion before Covid-19. He talks about misinformation, bank failures, and coming up with hypotheses during a crisis.
alexdanco.com
(2020-06-24)
Kevin Kwok had a great essay the other day on Figma, and how its runaway success is based on hundreds of successful loops baked into its product and business model: Why Figma Wins | Kevin Kwok It g…
www.growthmanifesto.com
(2020-01-12)
Canva are one of Australia's most successfull startups. In this case study we analyse how they use digital channels to attract and acquire new users
a16z.com
(2019-08-29)
Some of the most successful companies and products have been predicated on the concept of network effects, where the network becomes more valuable to users as more people use it… if managed well. But you can’t manage what you can’t measure. So, what metrics should you look at to determine if you even have network...
a16z.com
(2019-08-29)
We’ve defined network effects — from what they are and aren’t to how to measure and manage them in practice — but network effects have still always been hotly debated: Where are they, are they real, are they enduring… and so on. So in this second video of our three-part miniseries on network effects, a16z...
a16z.com
(2019-08-29)
Some of the most successful companies and products — from the phone era to the internet era — have all been predicated on the concept of network effects, where the network becomes more valuable to users as more people use it. But how do you tell network effects apart from scale effects, brand preference, or...
www.axios.com
(2019-07-09)
Art has always had a strange relationship with copying.
-->
bragging (behavior)
categories:
tags:
behavior
date: 03 Apr 2025
slug:bragging
jvns.ca
(2022-07-19)
www.lesspenguiny.com
(2022-07-18)
After feeling belittled, I journey into the heart of bragging and discover 17 modes of showing off.
www.theguardian.com
(2021-06-03)
From veganism to fundraising, psychologists have found acts of altruism often attract mistrust and even anger
www.psychologytoday.com
(2021-01-30)
How narcissists use "narcissistic supply" to exploit relationships.
psychlens.com
(2021-01-30)
-->
adversarial nets (deep learning)
categories:
tags:
adversarial
deep-learning
date: 03 Apr 2025
slug:raindrop-adversarial
arxiv.org
(2021-02-04)
The ability of the Generative Adversarial Networks (GANs) framework to learn generative models mapping from simple latent distributions to arbitrarily complex data distributions has been...
paperswithcode.com
(2021-02-04)
Browse 31 tasks • 61 datasets • 57
venturebeat.com
(2020-03-18)
In a preprint paper, researchers at Johns Hopkins detail TrojAI, a framework for hardening AI models against adversarial attacks.
www.kdnuggets.com
(2020-02-19)
mlwhiz.com
(2019-12-23)
I bet most of us have seen a lot of AI-generated people faces in recent times, be it in papers or blogs. We have reached a stage where it is becoming increasingly difficult to distinguish between actual human faces and faces that are generated by Artificial Intelligence. In this post, I will help the reader to understand how they can create and build such applications on their own. I will try to keep this post as intuitive as possible for starters while not dumbing it down too much. This post is about understanding how GANs work.
nuit-blanche.blogspot.com
(2019-12-14)
A blog about Compressive Sensing, Computational Imaging, Machine Learning. Using priors to avoid the curse of dimensionality arising in Big Data.
blog.floydhub.com
(2019-11-07)
distill.pub
(2019-08-29)
What we'd like to find out about GANs that we don't know yet.
blog.floydhub.com
(2019-08-28)
venturebeat.com
(2019-08-05)
Nvidia's GauGAN tool has been used to create more than 500,000 images, the company announced at the SIGGRAPH 2019 conference in Los Angeles.
blog.ycombinator.com
(2017-11-11)
Emil Mikhailov is the founder of XIX.ai [http://XIX.ai] (YC W17). Roman Trusov is a researcher at XIX.ai. Recent studies by Google Brain have shown that any machine learning classifier can be tricked to give incorrect predictions, and with a little bit of skill, you can get them to give pretty much any result you want. This fact steadily becomes worrisome as more and more systems are powered by artificial intelligence — and many of them are crucial for our safe and comfortable life. Banks, sur
-->
docker (devops tools)
categories:
tags:
containers
devops
docker
date: 03 Apr 2025
slug:raindrop-docker
linuxhandbook.com
(2024-10-19)
Here's an overview of the Docker Compose file components and various commands you can use to manage them.
dev.to
(2024-05-01)
In recent years, Docker has revolutionized the way software is developed, shipped, and deployed. It...
dev.to
(2024-03-20)
In the realm of containerization, Docker has long been hailed as the go-to platform for developers....
devopscycle.com
(2024-01-16)
Get your Docker Cheat Sheet as PDF or PNG. In this article, you learn how to write Dockerfiles, build images, and run them as container.
www.infoworld.com
(2023-09-17)
Now available in a beta, Rails 7.1 will generate all Dockerfiles needed for deployment, tuned for production use.
dev.to
(2023-04-07)
Scaling becomes a necessary part for your system when your system grows in popularity. There are two...
dev.to
(2023-02-20)
What is docker? and how to use it with ruby on rails applications? and benefits of using...
dev.to
(2022-12-22)
Serie of sketchnotes about Docker. Explaining in a visual way Docker principles.
rubyweekly.com
(2022-12-22)
Running Rails from Docker for easy start to development - rails/docked
towardsdatascience.com
(2022-06-29)
linuxhandbook.com
(2022-05-09)
The most common Docker command is also a versatile command. Learn a few usages of the docker ps command.
towardsdatascience.com
(2022-04-29)
Learn the difference between Docker images and containerscontainers and images are different + practical code examples
blog.docker.com
(2022-01-12)
Read our blog to find the latest Docker updates, news, technical breakdowns, and lifestyle content.
hackernoon.com
(2021-12-15)
If you don’t already know, Docker is an open-source platform for building distributed software using “containerization,” which packages applications together with their environments to make them more portable and easier to deploy.
docs.docker.com
(2021-12-12)
Docker Engine Swarm mode overview
www.docker.com
(2021-12-12)
Docker is a platform designed to help developers build, share, and run container applications. We handle the tedious setup, so you can focus on the code.
medium.com
(2021-12-12)
With an Infographic and Cheatsheet
cloudblogs.microsoft.com
(2021-12-11)
Modern application infrastructure is being transformed by containers. The question is: How do you get started?
iximiuz.com
(2021-11-15)
What is a Container? Container vs. VM? Docker vs. Kubernetes. How to organize the learning efficiently?
ably.com
(2021-07-20)
“No, we don’t use Kubernetes”. That always gets raised eyebrows... so we decided to write about our reasoning behind this cloud architecture decision.
linuxhandbook.com
(2021-03-22)
Confused between Dockerfile and docker-compose because they look and sound similar? But they are not. Read this to clear your doubts.
launchyourapp.meezeeworkouts.com
(2021-03-16)
technology.doximity.com
(2021-02-10)
Read more on the Doximity Technology Blog about how our engineers and data scientists are building the largest online network for clinicians.
t.co
(2020-12-10)
This article explains why Docker is now deprecated in Kubernetes.
developers.redhat.com
(2020-11-30)
Podman is an excellent alternative to Docker containers when you need increased security, unique identifier (UID) separation using namespaces, and integration with systemd. In this article, I use
www.docker.com
(2020-11-30)
Learn from Docker experts to simplify and advance your app development and management with Docker. Stay up to date on Docker events and new version
minikube.sigs.k8s.io
(2020-11-03)
Overview The Docker driver allows you to install Kubernetes into an existing Docker install. On Linux, this does not require virtualization to be enabled. Requirements Install Docker 18.09 or higher (20.10 or higher is recommended) amd64 or arm64 system. If using WSL complete these steps first Usage Start a cluster using the docker driver: minikube start --driver=docker To make docker the default driver: minikube config set driver docker Requirements Docker 20.10 or higher, see https://rootlesscontaine.rs/getting-started/docker/ Cgroup v2 delegation, see https://rootlesscontaine.rs/getting-started/common/cgroup2/ Kernel 5.11 or later (5.13 or later is recommended when SELinux is enabled), see https://rootlesscontaine.rs/how-it-works/overlayfs/ Usage Start a cluster using the rootless docker driver:
medium.com
(2020-10-27)
With an Infographic and Cheatsheet
towardsdatascience.com
(2020-08-10)
When you install docker it creates three networks automatically - Bridge, Host, and None. Of which, Bridge is the default network a…
towardsdatascience.com
(2020-08-10)
Docker — If you have ever been intimidated by its fancy name and wondered what it is — this post is for you.
towardsdatascience.com
(2020-07-26)
There are several courses available on this topic. Some of them are very short and do not serve any other purpose than a ‘Getting started…
codeopolis.com
(2020-04-24)
If you're trying to learn Docker you will first have to master its various terminal commands. This guide aims to help you get started with basic docker commands.
towardsdatascience.com
(2020-03-20)
www.ardanlabs.com
(2020-03-09)
Ardan Labs is trusted by small startups and Fortune 500 companies to train their engineers and develop business software solutions and applications.
mlfromscratch.com
(2020-02-19)
dev.to
(2019-08-20)
The first post on a series to get you ready to develop and deploy production-grade workloads in AWS.
dev.to
(2019-08-05)
In this post, basically, I don't put options. If you think this command is lacking something import...
towardsdatascience.com
(2019-03-12)
Part 1: The Conceptual Landscape
-->
documentation (best practices)
categories:
tags:
best-practices
documentation
date: 03 Apr 2025
slug:raindrop-documentation
www.howtogeek.com
(2025-03-27)
xmlpress.net
(2024-10-19)
designyoutrust.com
(2024-02-19)
In 1951, Bell Telephone System introduced a guide titled "The Telephone and How We Use It," designed to aid elementary school students and others in understanding the operation of classic rotary dial phones. The guide detailed everything from basic phone use, handling emergencies, to polite phone ma
www.akshaykhot.com
(2023-03-24)
This post shows how you can use the notes command in Rails to search through your codebase for comments starting with a specific keyword. By default, it searches the codebase for FIXME, OPTIMIZE, and TODO comments, but you can also configure it to use custom keywords.
venturebeat.com
(2022-11-21)
For a cost-effective way to reduce expenses, boost retention and drive new revenues, bring your outdated user manuals into the digital era.
opensource.com
(2022-07-18)
Patience and empathy are the basis of good documentation, much as they are the basis for being a decent person. Here's a how-to for creating better open source project docs, which can help your users and grow your community.
www.divio.com
(2022-06-14)
Find the software documentation system for Divio. Includes comprehensive tutorials, how-to guides, technical reference and explanation. Learn more here.
eugeneyan.com
(2022-06-14)
Three documents I write (one-pager, design doc, after-action review) and how I structure them.
www.writethedocs.org
(2021-05-30)
-->
dogwhistles (behavior)
categories:
tags:
behavior
date: 03 Apr 2025
slug:raindrop-dogwhistles
psyche.co
(2024-02-17)
How are so many politicians today able to get away with overtly racist utterances? By using rhetorical ‘figleaves’
-->
symbols / symbolism
categories:
tags:
language
symbols
date: 03 Apr 2025
slug:raindrop-symbols
www.scientificamerican.com
(2025-02-07)
A mathematician has uncovered the stories behind the symbols used in math
99percentinvisible.org
(2024-12-21)
In 1990, the federal government invited a group of geologists, linguists, astrophysicists, architects, artists, and writers to the New Mexico desert, to visit the Waste Isolation Pilot Plant. They would be there on assignment. The Waste Isolation Pilot Plant (WIPP) is the nation’s only permanent underground repository for nuclear waste. Radioactive byproducts from nuclear weapons manufacturing and nuclear power plants. WIPP was
nautil.us
(2024-10-22)
How taboo language turned the wolf into a monster.
www.nytimes.com
(2024-03-31)
For a younger generation, the once-powerful protest symbol packs about as much of a punch as a smiley face.
tedium.co
(2024-03-11)
One of the best-known icons of modern society is a classic example of a symbol—it’s easy to spot, but hard to explain. Who came up with it?
www.japantimes.co.jp
(2022-08-30)
News on Japan, Business News, Opinion, Sports, Entertainment and More article expired
99percentinvisible.org
(2022-07-18)
The world is full of icons that warn us to be afraid — to stay away from this or not do that. And many of these are easy to understand because they represent something recognizable, like a fire, or a person slipping on a wet floor. But some concepts are hard to communicate visually, especially
www.bbc.com
(2022-06-30)
For a couple of centuries, the British were in an unlikely frenzy for the exotic fruit.
unintendedconsequenc.es
(2021-01-02)
Why China considers a covered eye to be dangerous. And why people still do it. From the winking owl to the Hong Kong protest eye patch.
nautil.us
(2020-12-28)
How we evolved to read is a story of one creative species.
en.wikipedia.org
(2020-12-19)
An L-system or Lindenmayer system is a parallel rewriting system and a type of formal grammar. An L-system consists of an alphabet of symbols that can be used to make strings, a collection of production rules that expand each symbol into some larger string of symbols, an initial "axiom" string from which to begin construction, and a mechanism for translating the generated strings into geometric structures. L-systems were introduced and developed in 1968 by Aristid Lindenmayer, a Hungarian theoretical biologist and botanist at the University of Utrecht.[1] Lindenmayer used L-systems to describe the behaviour of plant cells and to model the growth processes of plant development. L-systems have also been used to model the morphology of a variety of organisms[2] and can be used to generate self-similar fractals.
www.openculture.com
(2020-11-06)
How, exactly, does one go about making a global dictionary of symbols? It is a Herculean task, one few scholars would take on today, not only because of its scope but because the philological approach that gathers and compares artifacts from every culture underwent a correction:
getpocket.com
(2019-10-09)
We’ll need both deep learning and symbol manipulation to build AI.
nautil.us
(2019-10-04)
Nautilus is a different kind of science magazine. Our stories take you into the depths of science and spotlight its ripples in our lives and cultures.
nautil.us
(2019-09-29)
The removal of cultural emblems is not the erasure of history but part of it.
www.openculture.com
(2018-08-23)
Many of us now use the word hobo to refer to any homeless individual, but back in the America of the late 19th and early 20th century, to be a hobo meant something more.
www.fastcompany.com
(2005-09-24)
Yard signs featuring this mysterious blue dot are quickly gaining popularity among Nebraska Democrats. Here's what it means.
-->
game theory
categories:
tags:
game-theory
date: 03 Apr 2025
slug:raindrop-game-theory
freakonometrics.hypotheses.org
(2025-01-29)
tags: game-theory, pricing, collusion, arxiv
Our paper, Beyond Human Intervention: Algorithmic Collusion through Multi-Agent Learning Strategies, with Suzie Grondin and Philipp Ratz is now available online Collusion in market pricing is a concept associated with human actions to raise market prices through artificially limited supply. Recently, the idea of algorithmic collusion was put forward, where the human action in the … Continue reading Beyond Human Intervention: Algorithmic Collusion through Multi-Agent Learning Strategies →
www.gametheorystrategies.com
(2025-01-19)
tags: game-theory, books
Explore the best books on game theory to sharpen your strategic thinking. From foundational texts to advanced strategies, these books offer valuable insights for professionals, students, and enthusiasts
d.repec.org
(2025-01-02)
tags: auctions, game-theory
www.iser.osaka-u.ac.jp
(2024-12-04)
tags: game-theory
arxiv.org
(2024-07-30)
tags: game-theory
In this paper, we study the highly competitive arena of baby naming. Through making several Extremely Reasonable Assumptions (namely, that parents are myopic, perfectly knowledgeable agents who...
www.scientificamerican.com
(2024-07-20)
tags: game-theory, poker
Poker players can now employ AI to find the optimal playing strategy, but they often don’t use it. Here’s why
ncase.me
(2024-07-08)
tags: game-theory
an interactive guide to the game theory of why & how we trust each other
en.wikipedia.org
(2024-06-22)
tags: game-theory
Game theory is the branch of mathematics in which games are studied: that is, models describing human behaviour. This is a glossary of some terms of the subject.
www.thediff.co
(2024-06-11)
tags: economics, game-theory, pricing
Plus! Diff Jobs; Making a Market; Financial Innovation; IRL; Open-Ended Liabilities; Meme Stock Relapse
d.repec.org
(2024-05-28)
tags: game-theory
d.repec.org
(2024-05-28)
tags: game-theory
d.repec.org
(2024-05-28)
tags: game-theory
www.lesswrong.com
(2024-04-13)
tags: game-theory
Prediction markets are speculative markets created for the purpose of making predictions. Assets are created whose final cash value is tied to a particular event or parameter. The current market prices can then be interpreted as predictions of the probability of the event or the expected value of the parameter. Prediction markets are thus structured as betting exchanges, without any risk for the bookmaker. Robin Hanson was the first to run a corporate prediction market - at Project Xanadu -, and has made several contributions to the field such as: conditional predictions, accuracy issues and market and media manipulation. People who buy low and sell high are rewarded for improving the market prediction, while those who buy high and sell low are punished for degrading the market prediction. Evidence so far suggests that prediction markets are at least as accurate as other institutions predicting the same events with a similar pool of participants. Predictions markets have been used by organizations such as Google, General Electric, and Microsoft; several online and commercial prediction markets are also in operation. Historically, prediction markets have often been used to predict election outcomes. See Also * Prediction * Economic consequences of AI and whole brain emulation * Group rationality * Making beliefs pay rent * QURI External Posts * Prediction Market FAQ by @Scott Alexander * A 1990 Corporate Prediction Market by Robin Hanson * Leamer's 1986 Idea Futures Proposal by Robin Hanson * Should Prediction Markets be Charities? by Peter McCluskey * The Future of Oil Prices 2: Option Probabilities by Hal Finney * Prediction Markets As Collective Intelligence by Robin Hanson * Fixing Election Markets by Robin Hanson * Prediction Markets at gwern.net * Idea Futures (a.k.a. Prediction Markets) by Robin Hanson External Links * Comparing face-to-face meetings, nominal groups, Delphi and prediction markets on an estimation task * Video of Robin
www.pagat.com
(2024-01-08)
tags: game-theory, games
The largest collection of card game rules on the Internet, with information about hundreds of card and tile games from all parts of the world.
www.atlasobscura.com
(2024-01-05)
tags: game-theory, games
From Atlantic City to high fashion to Karl Marx, the most recognizable board game has had serious cultural impact.
searchengineland.com
(2023-10-15)
tags: adtech-adwords, advertising-commercials, auctions, ecommerce, game-theory, prodmgmt
A deep dive into why the DOJ thinks RGSP makes ad auctions unfair, and why Google believes it creates a better user experience.
d.repec.org
(2023-07-22)
tags: arxiv, auctions, game-theory
www.playforthoughts.com
(2023-07-03)
tags: game-theory
Game theory provides a lot of insightful concepts we can wrap in the theoretical framework that can be applied to different fields under various circumstances. Here are five concepts from game theory that have a wide range of applications, and my examples of using them in different areas of my life.
capitalgains.thediff.co
(2023-03-25)
tags: algorithms-math, auctions, finance, game-theory
How bid density impacts ads, recommender systems, and salary negotiations.
github.com
(2023-03-20)
tags: game-theory, games
An interactive guide to the game theory of cooperation - ncase/trust
www.sciencedaily.com
(2023-03-15)
tags: algorithms-math, game-theory
A researcher has solved a nearly 60-year-old game theory dilemma called the wall pursuit game, with implications for better reasoning about autonomous systems such as driver-less vehicles.
tryingtruly.substack.com
(2023-03-06)
tags: game-theory
And why the combo of strength+gentleness is unbeatable in the long run.
en.m.wikipedia.org
(2023-02-05)
tags: economics, game-theory
"The Market for 'Lemons': Quality Uncertainty and the Market Mechanism" is a widely cited seminal paper in the field of economics which explores the concept of asymmetric information in markets. The paper was written in 1970 by George Akerlof and published in the Quarterly Journal of Economics. The paper's findings have since been applied to many other types of markets. However, Akerlof's research focused solely on the market for used cars.
www.deepmind.com
(2022-12-02)
tags: game-theory, games
Game-playing artificial intelligence (AI) systems have advanced to a new frontier. Stratego, the classic board game that’s more complex than chess and Go, and craftier than poker, has now been...
www.chicagotribune.com
(2022-10-02)
tags: game-theory, public-policy
Earlier this summer, a group of anti-Trump and moderate Republicans and Democrats launched a new political party called the Forward Party. On the surface, this movement echoes recent polls indicati…
www.artsy.net
(2022-09-27)
tags: art, auctions, game-theory
Auction houses and galleries are getting creative, partnering to drive demand and give their clients access to the best works.
d.repec.org
(2022-09-25)
tags: game-theory, pricing, prodmgmt
d.repec.org
(2022-09-25)
tags: game-theory, pricing, prodmgmt
d.repec.org
(2022-09-25)
tags: game-theory, pricing, prodmgmt
cepr.org
(2022-09-17)
tags: auctions, game-theory
www.nytimes.com
(2022-09-02)
tags: game-theory
Mary Peltola won by appealing to Alaskan interests and the electorate’s independent streak. But Alaska’s new voting system played a big role, too.
effectiviology.com
(2022-07-18)
tags: behaviors, bias, game-theory
hbr.org
(2022-07-18)
tags: game-theory, pricing, prodmgmt
Antitrust law will have to evolve to cope.
commoncog.com
(2022-07-18)
tags: game-theory
What do metagames have to do with the acquisition of expertise?
arxiv.org
(2022-07-11)
tags: game-theory, games, reinforcement-learning, arxiv
We introduce DeepNash, an autonomous agent capable of learning to play the imperfect information game Stratego from scratch, up to a human expert level. Stratego is one of the few iconic board...
muratbuffalo.blogspot.com
(2022-06-29)
tags: ecommerce, game-theory, prodmgmt, trust
This paper appeared in VLDB'19 and is authored by Maurice Herlihy, Barbara Liskov, and Liuba Shrira. How can autonomous, mutually-distrust...
mitpress.mit.edu
(2022-06-23)
tags: auctions, books, game-theory
A broad overview of market mechanisms, with an emphasis on the interplay between theory and real-life applications; examples range from eBay auctions to scho...
thezvi.wordpress.com
(2022-06-14)
tags: forecasting-predictions, game-theory
1 post published by TheZvi on July 26, 2018
thezvi.wordpress.com
(2022-06-14)
tags: forecasting-predictions, game-theory
Epistemic Status: Sadly Not Yet Subsidized Robin Hanson linked to my previous post on prediction markets with the following note: I did briefly mention subsidization, as an option for satisfying th…
www.nuffield.ox.ac.uk
(2022-06-13)
tags: auctions, game-theory
www.rand.org
(2022-06-11)
tags: game-theory
web.stanford.edu
(2022-06-07)
tags: auctions, game-theory
www.radicalxchange.org
(2022-03-31)
tags: economics, game-theory, public-policy
We are a community of activists, artists, entrepreneurs, and scholars committed to using mechanism design to inspire radical social change.
mwi.usma.edu
(2022-03-27)
tags: game-theory, military-warfare, public-policy
This article is part of the contribution made by the US Army War College to the series “Compete and Win: Envisioning a Competitive Strategy for the Twenty-First Century.” The series […]
arxiv.org
(2022-02-03)
tags: arxiv, game-theory
papers.ssrn.com
(2022-01-16)
tags: economics, forecasting-predictions, game-theory, sports
Contests that non-contestants consume for entertainment are a fixture of economic, cultural and political life. We exploit injury-induced changes to teams’ line
www.newyorker.com
(2022-01-15)
tags: auctions, game-theory, pricing, prodmgmt
The estate-sale industry is fragile and persistent in a way that doesn’t square with the story of the world as we have come to expect it.
www.maa.org
(2021-06-26)
tags: game-theory
deepmind.com
(2021-05-07)
tags: game-theory, machine-learning, pca, svd
Modern AI systems approach tasks like recognising objects in images and predicting the 3D structure of proteins as a diligent student would prepare for an exam. By training on many example...
m.nautil.us
(2021-03-14)
tags: game-theory, anonymity
What your generosity signals about you.
oyc.yale.edu
(2021-03-08)
tags: game-theory
getpocket.com
(2020-12-29)
tags: game-theory
John Nash’s notion of equilibrium is ubiquitous in economic theory, but a new study shows that it is often impossible to reach efficiently.
www.axios.com
(2020-12-18)
tags: game-theory, pricing
They standardized value, which helped collectors to get a sense of the market.
freakonomics.com
(2020-12-18)
tags: game-theory, gaming
The hidden side of everything
github.com
(2020-08-10)
tags: game-theory
List of research around modern boardgames.
deepai.org
(2020-06-24)
tags: game-theory
Game Theory is the study of micro-situations where each situation demands a decision that
www.nytimes.com
(2020-06-03)
tags: auctions, game-theory
As Christie’s, Sotheby’s and others vie to lure sellers of big-name artworks, analysts wonder if the houses are running oversize risks.
en.wikipedia.org
(2020-05-17)
tags: game-theory
Quadratic voting is a rated voting method procedure where voters express the degree of their preferences. By doing so, quadratic voting seeks to address issues of the Condorcet paradox and tyranny of the majority. Quadratic voting works by allowing users to "pay" for additional votes on a given outcome to express their support for given issues more strongly, resulting in voting outcomes that are aligned with the highest willingness to pay outcome, rather than just the outcome preferred by the majority regardless of the intensity of individual preferences. The payment for votes may be through either artificial or real currencies. Quadratic voting is a variant of cumulative voting, which differs in that the weight of a vote is normalized using the sum of squares, rather than the sum of absolute values.
www.vox.com
(2020-03-09)
tags: game-theory
Betting markets show Bloomberg as a leading candidate. Really?
towardsdatascience.com
(2020-03-09)
tags: game-theory
en.wikipedia.org
(2020-02-26)
tags: finance, game-theory
The Black–Scholes /ˌblæk ˈʃoʊlz/[1] or Black–Scholes–Merton model is a mathematical model for the dynamics of a financial market containing derivative investment instruments. From the parabolic partial differential equation in the model, known as the Black–Scholes equation, one can deduce the Black–Scholes formula, which gives a theoretical estimate of the price of European-style options and shows that the option has a unique price given the risk of the security and its expected return (instead replacing the security's expected return with the risk-neutral rate). The equation and model are named after economists Fischer Black and Myron Scholes. Robert C. Merton, who first wrote an academic paper on the subject, is sometimes also credited.
www.overcomingbias.com
(2020-02-19)
tags: game-theory
Advocates of prediction markets often focus their attention on markets that can be run for profit.
fs.blog
(2020-02-17)
tags: game-theory
In this classic game theory experiment, you must decide: rat out another for personal benefit, or cooperate? The answer may be more complicated than you think.
www.smithsonianmag.com
(2020-02-09)
tags: game-theory
Thousands of years before Monopoly, people were playing games like Senet, Patolli and Chaturanga
www.technologyreview.com
(2019-12-28)
tags: game-theory, pricing, prodmgmt
If you shop on Amazon, an algorithm rather than a human probably set the price of the service or item you bought. Pricing algorithms have become ubiquitous in online retail as automated systems have grown increasingly affordable and easy to implement. But while companies like airlines and hotels have long used machines to set their…
vitalik.ca
(2019-12-23)
tags: economics, game-theory
www.chessroots.com
(2019-12-05)
tags: chess, game-theory, gaming
Chess openings visualized from over 800 million Lichess games, 2 million tournament games and 1 million chess engine games.
getpocket.com
(2019-10-09)
tags: game-theory
An ancient game known as “hnefatafl” held immense symbolic and religious significance.
en.wikipedia.org
(2019-08-02)
tags: auctions, game-theory
A Vickrey–Clarke–Groves (VCG) auction is a type of sealed-bid auction of multiple items. Bidders submit bids that report their valuations for the items, without knowing the bids of the other bidders. The auction system assigns the items in a socially optimal manner: it charges each individual the harm they cause to other bidders. It gives bidders an incentive to bid their true valuations, by ensuring that the optimal strategy for each bidder is to bid their true valuations of the items; it can be undermined by bidder collusion and in particular in some circumstances by a single bidder making multiple bids under different names. It is a generalization of a Vickrey auction for multiple items.
bloomberg.com
(2019-05-05)
tags: economics, game-theory
Some lawmakers in Colorado tried so-called quadratic voting—and it worked.
www.vox.com
(2019-01-08)
tags: game-theory
It’s the game for anyone who loves shaking Scrabble tiles in the bag. (And you know you do.)
grantland.com
(2018-10-08)
tags: game-theory
www.fastcodesign.com
(2018-03-08)
tags: game-theory
Find the latest Design news from Fast company. See related business and technology articles, photos, slideshows and videos.
books.google.com
(2017-12-15)
tags: game-theory
This book, written in an interactive manner and easy-to-comprehend style, explicates the concepts of game theory. It enables the readers to think strategically in interactions that they may encounter as managers. The book innovatively cites real-world scenarios to highlight the fundamental concepts of game theory. It includes applications from regions around the world, with special emphasis on India.Primarily intended for the students of MBA, the book is also of immense use for managers involved in decision-making. In addition, it will be of value to all readers from all walks of life engaged in strategic interactions, including professionals. The book is supplemented with Instructor’s Manual and Solution’s Manual.Highlights of the book• Many case studies and examples are given in the text to maintain the reader’s interest in the subject. The case studies dwell on diverse issues such as diplomacy, politics, movies, sports, health care, environment, besides business and economics.• Mathematical usage is kept at a level that is easy for most MBA students. Even for those students who are not very comfortable with mathematics, the book is designed in such a way that intuitive and logical understanding is possible without rigorous models. • Each chapter (excluding the first chapter on introduction) ends with summary, solved examples, key terms and exercises.
d.repec.org
(2006-08-24)
tags: game-theory
-->
semiconductor docs
categories:
tags:
pdfs
date: 04 Apr 2025
slug:docs-semiconductors
(2025-04-04)
-->
math (docs)
categories:
tags:
math
date: 04 Apr 2025
slug:docs-math
()
2025-04-04
binary-search-trees-ITA.pdf
()
2025-04-04
all-pairs-shortest-paths-JE.pdf
()
2025-04-04
all-pairs-shortest-paths-ITA.pdf
()
2025-04-04
algorithms-role-ITA.pdf
()
2025-04-04
recurrent-recursive-nets-DLgoodfellow.pdf
()
2025-04-04
DLgoodfellow-part-3-research.pdf
()
2025-04-04
representation-learning-DLgoodfellow.pdf
()
2025-04-04
regularization-DLgoodfellow.pdf
()
2025-04-04
probability-DLgoodfellow.pdf
()
2025-04-04
structured-probabilistic-models-DLgoodfellow.pdf
()
2025-04-04
approximation-on-policy-prediction-RL.pdf
()
2025-04-04
approximation-off-policy-methods-RL.pdf
()
2025-04-04
approximation-on-policy-control-RL.pdf
()
2025-04-04
the-partition-problem-DLgoodfellow.pdf
()
2025-04-04
optimization-DLgoodfellow.pdf
()
2025-04-04
numerical-computation-DLgoodfellow.pdf
()
2025-04-04
arbitrary-precision-math-ADM.pdf
()
2025-04-04
monte-carlo-methods-DLgoodfellow.pdf
()
2025-04-04
after-model-selection-estimation-CSI.pdf
()
2025-04-04
wavelets-FDS.pdf
()
2025-04-04
voronoi-diagrams-ADM.pdf
()
2025-04-04
vertex-cover-ADM.pdf
()
2025-04-04
vertex-coloring-ADM.pdf
()
2025-04-04
variance-PSC.pdf
()
2025-04-04
van-emde-boas-trees-ITA.pdf
()
2025-04-04
MT-ch06-long-tails.txt
()
2025-04-04
MT-ch09-value-power.pdf
()
2025-04-04
unsupervised-learning-ESL.pdf
()
2025-04-04
triangulation-ADM.pdf
()
2025-04-04
trees-EA.pdf
()
2025-04-04
tree-drawing-ADM.pdf
()
2025-04-04
traveling-salesman-ADM.pdf
()
2025-04-04
transitive-closure-ADM.pdf
()
2025-04-04
TRANSFORMER_MODELS.pdf
()
2025-04-04
topic-models-nnmf-hmg-graph-models-FDS.pdf
()
2025-04-04
time-series-PSC.pdf
()
2025-04-04
MT-ch19-threshold.txt
()
2025-04-04
MT-ch19-threshold.pdf
()
2025-04-04
MT-ch11-broad-diff-contag.txt
()
2025-04-04
MT-ch19-threshold.pdf
()
2025-04-04
text-compression-ADM.pdf
()
2025-04-04
temporal-distances-RL.pdf
()
2025-04-04
tabular-method-planning-RL.pdf
()
2025-04-04
MT-ch18-system-dyn.txt
()
2025-04-04
MT-ch18-system-dyn.pdf
()
2025-04-04
MT-ch11-broad-diff-contag.pdf
()
2025-04-04
MT-ch18-system-dyn.pdf
()
2025-04-04
support-vector-machines-kernels-CSI.pdf
()
2025-04-04
support-vector-machines-ESL.pdf
()
2025-04-04
singular-value-decomposition-FDS.pdf
()
2025-04-04
singular-value-decomp-NA.pdf
()
2025-04-04
survival-analysis-expection-maximization-CSI.pdf
()
2025-04-04
supervised-learning-ESL.pdf
()
2025-04-04
summations-ITA.pdf
()
2025-04-04
suffix-trees-ADM.pdf
()
2025-04-04
subsets-ADM.pdf
()
2025-04-04
string-matching-ITA.pdf
()
2025-04-04
string-matching-approx-ADM.pdf
()
2025-04-04
string-matching-ADM.pdf
()
2025-04-04
data-mining-streams-DMMD.pdf
()
2025-04-04
stochastic-process-PSC.pdf
()
2025-04-04
steiner-tree-ADM.pdf
()
2025-04-04
stats-bayes-PSDS-ch10.pdf
()
2025-04-04
stats-set-theory-PSDS-apxA.pdf
()
2025-04-04
stats-hypothesis-tests-PSDS-ch11.pdf
()
2025-04-04
stats-randvars-PSDS-ch02.pdf
()
2025-04-04
stats-randvars-multivar-PSDS-ch03.pdf
()
2025-04-04
stats-rand-procs-PSDS-ch05.pdf
()
2025-04-04
stats-frequentist-PSDS-ch09.pdf
()
2025-04-04
stats-frequentist-MLP.pdf
()
2025-04-04
stats-expectation-PSDS-ch04.pdf
()
2025-04-04
stats-descriptive-PSDS-ch08.pdf
()
2025-04-04
stats-convergence-PSDS-ch06.pdf
()
2025-04-04
frequentist-stats-SM.pdf
()
2025-04-04
state-space-models-MLP.pdf
()
2025-04-04
splines-ESL.pdf
()
2025-04-04
MT-ch20-spatial-hedonic.txt
()
2025-04-04
MT-ch20-spatial-hedonic.pdf
()
2025-04-04
MT-ch12-entropy.pdf
()
2025-04-04
MT-ch20-spatial-hedonic.pdf
()
2025-04-04
spatial-DSA.pdf
()
2025-04-04
sparse-models-lasso-CSI.pdf
()
2025-04-04
sparse-linear-models-MLP.pdf
()
2025-04-04
sparse-matrices-graphs-NP.pdf
()
2025-04-04
sort-search-EA.pdf
()
2025-04-04
sort-search-ADM.pdf
()
2025-04-04
sorting-ADM.pdf
()
2025-04-04
social-graphs-DMMD.pdf
()
2025-04-04
similarity-search-DMMD.pdf
()
2025-04-04
MT-ch25-signaling.txt
()
2025-04-04
MT-ch25-signaling.pdf
()
2025-04-04
MT-ch14-path-depend.txt
()
2025-04-04
MT-ch25-signaling.pdf
()
2025-04-04
signal-processing-NP.pdf
()
2025-04-04
single-source-shortest-paths-ITA.pdf
()
2025-04-04
shortest-path-ADM.pdf
()
2025-04-04
shortest-common-superstring-ADM.pdf
()
2025-04-04
shape-similarity-ADM.pdf
()
2025-04-04
sets-strings-ADM.pdf
()
2025-04-04
sets-independent-ADM.pdf
()
2025-04-04
sets-ITA.pdf
()
2025-04-04
sets-ADM.pdf
()
2025-04-04
set-packing-ADM.pdf
()
2025-04-04
set-cover-ADM.pdf
()
2025-04-04
searching-ADM.pdf
()
2025-04-04
search-methods-ADM.pdf
()
2025-04-04
search-depth-first-JE.pdf
()
2025-04-04
depth-first-search-AJE.pdf
()
2025-04-04
combinational-search-ADM.pdf
()
2025-04-04
large-scale-machine-learning-DMMD.pdf
()
2025-04-04
satisfiability-ADM.pdf
()
2025-04-04
sampling-PSC.pdf
()
2025-04-04
MT-ch28-rugged-land.txt
()
2025-04-04
MT-ch28-rugged-land.pdf
()
2025-04-04
MT-ch16-lyapunov.pdf
()
2025-04-04
MT-ch28-rugged-land.pdf
()
2025-04-04
rnns-super-cheatsheet-SCDL.pdf
()
2025-04-04
rnns-modern-dive.pdf
()
2025-04-04
rnns-dive.pdf
()
2025-04-04
recurrent-recursive-nets-DLgoodfellow.pdf
()
2025-04-04
regression-ridge-CSI.pdf
()
2025-04-04
representation-learning-DLgoodfellow.pdf
()
2025-04-04
regularization-DLgoodfellow.pdf
()
2025-04-04
regression-trees-CSI.pdf
()
2025-04-04
red-black-trees-ITA.pdf
()
2025-04-04
recursion-JE.pdf
()
2025-04-04
recommenders-DMMD.pdf
()
2025-04-04
recommenders-dive.pdf
()
2025-04-04
range-search-ADM.pdf
()
2025-04-04
random-walks-markov-chains-FDS.pdf
()
2025-04-04
MT-ch08-concave-convex.txt
()
2025-04-04
MT-ch13-random-walks.pdf
()
2025-04-04
random-numbers-ADM.pdf
()
2025-04-04
random-forests-ESL.pdf
()
2025-04-04
random-forests-boosting-CSI.pdf
()
2025-04-04
quicksort-ITA.pdf
()
2025-04-04
queues-sequences-EA.pdf
()
2025-04-04
priority-queues-DSA.pdf
()
2025-04-04
priority-queues-ADM.pdf
()
2025-04-04
structured-probabilistic-models-DLgoodfellow.pdf
()
2025-04-04
statistics-NP.pdf
()
2025-04-04
probability-theory-PSC.pdf
()
2025-04-04
probability-SM.pdf
()
2025-04-04
probability-random-vars-PSC.pdf
()
2025-04-04
probability-other-math-PSC.pdf
()
2025-04-04
probability-MLP.pdf
()
2025-04-04
probability-M4ML.pdf
()
2025-04-04
probability-DLgoodfellow.pdf
()
2025-04-04
probability-distributions-PSC.pdf
()
2025-04-04
probabilistic-randomized-ITA.pdf
()
2025-04-04
prob-stats-cheatsheet2.pdf
()
2025-04-04
prob_cheatsheet-WC.pdf
()
2025-04-04
factoring-primes-ADM.pdf
()
2025-04-04
polynomials-fourier-ITA.pdf
()
2025-04-04
polygon-simplification-ADM.pdf
()
2025-04-04
polygon-partitions-ADM.pdf
()
2025-04-04
policy-gradients-RL.pdf
()
2025-04-04
point-location-ADM.pdf
()
2025-04-04
planarity-ADM.pdf
()
2025-04-04
permutations-ADM.pdf
()
2025-04-04
performance-dive.pdf
()
2025-04-04
perceptrons-dive.pdf
()
2025-04-04
MT-ch09-value-power.pdf
()
2025-04-04
MT-ch14-path-depend.pdf
()
2025-04-04
the-partition-problem-DLgoodfellow.pdf
()
2025-04-04
partitions-ADM.pdf
()
2025-04-04
optimization-unconstrained-NA.pdf
()
2025-04-04
optimization-specialized-NA.pdf
()
2025-04-04
optimization-SM.pdf
()
2025-04-04
optimization-NP.pdf
()
2025-04-04
optimization-M4ML.pdf
()
2025-04-04
optimization-DLgoodfellow.pdf
()
2025-04-04
optimization-dive.pdf
()
2025-04-04
optimization-constrained-NA.pdf
()
2025-04-04
optimization-ADM.pdf
()
2025-04-04
convex-optimization.pdf
()
2025-04-04
complex-numbers-LAY.pdf
()
2025-04-04
MT-ch07-linear-models.pdf
()
2025-04-04
MT-ch10-networks.pdf
()
2025-04-04
prototypes-nearest-neighbors-ESL.pdf
()
2025-04-04
mixture-models-SM.pdf
()
2025-04-04
mixture-models-em-MLP.pdf
()
2025-04-04
minkowski-sum-ADM.pdf
()
2025-04-04
minimum-spanning-trees-AJE.pdf
()
2025-04-04
minimum-spanning-tree-ADM.pdf
()
2025-04-04
min-spanning-trees-ITA.pdf
()
2025-04-04
min-spanning-tree-JE.pdf
()
2025-04-04
medians-orderstats-ITA.pdf
()
2025-04-04
medians-ADM.pdf
()
2025-04-04
medial-axis-xforms-ADM.pdf
()
2025-04-04
MT-ch24-mech-design.txt
()
2025-04-04
MT-ch24-mech-design.pdf
()
2025-04-04
MT-ch14-path-depend.pdf
()
2025-04-04
MT-ch24-mech-design.pdf
()
2025-04-04
maxflow-ITA.pdf
()
2025-04-04
max-likelihood-estimation-CSI.pdf
()
2025-04-04
symmetric-matrices-LAY.pdf
()
2025-04-04
vector-spaces-LAY.pdf
()
2025-04-04
matrix-ops-ITA.pdf
()
2025-04-04
matrix-multiply-ADM.pdf
()
2025-04-04
matrix-math-LAY.pdf
()
2025-04-04
matching-ADM.pdf
()
2025-04-04
markov-finite-RL.pdf
()
2025-04-04
markov-chain-monte-carlo-SM.pdf
()
2025-04-04
markov-chain-monte-carlo-inference-MLP.pdf
()
2025-04-04
markov-chain-monte-carlo-CSI.pdf
()
2025-04-04
stats-markov-chains-PSDS-ch07.pdf
()
2025-04-04
markov-chains-EV.pdf
()
2025-04-04
MT-ch17-markov.txt
()
2025-04-04
MT-ch17-markov.pdf
()
2025-04-04
MT-ch10-networks.txt
()
2025-04-04
MT-ch17-markov.pdf
()
2025-04-04
markov-models-MLP.pdf
()
2025-04-04
mapreduce-DMMD.pdf
()
2025-04-04
vision-dive.pdf
()
2025-04-04
machine-learning-NP.pdf
()
2025-04-04
machine-learning-intro-FDS.pdf
()
2025-04-04
machine-learning-basics-DLgoodfellow.pdf
()
2025-04-04
longest-common-substring-ADM.pdf
()
2025-04-04
MT-ch05-bell-curve.pdf
()
2025-04-04
MT-ch06-long-tails.pdf
()
2025-04-04
logistic-regression-SM.pdf
()
2025-04-04
logistic-regression-MLP.pdf
()
2025-04-04
MT-ch09-value-power.txt
()
2025-04-04
MT-ch15-local-interacts.pdf
()
2025-04-04
lists-EA.pdf
()
2025-04-04
CmndLine-cheatsheet-BP.pdf
()
2025-04-04
link-analysis-DMMD.pdf
()
2025-04-04
math-review-linearity-NA.pdf
()
2025-04-04
linear-time-sort-ITA.pdf
()
2025-04-04
linear-sys-design-analysis-NA.pdf
()
2025-04-04
stats-linear-regression-PSDS-ch12.pdf
()
2025-04-04
linear-regression-SM.pdf
()
2025-04-04
linear-regression-PSC.pdf
()
2025-04-04
linear-regression-MLP.pdf
()
2025-04-04
linear-regression-ESL.pdf
()
2025-04-04
linear-programming-ITA.pdf
()
2025-04-04
linear-programming-ADM.pdf
()
2025-04-04
linear-nns-dive.pdf
()
2025-04-04
MT-ch05-bell-curve.txt
()
2025-04-04
MT-ch07-linear-models.pdf
()
2025-04-04
linear-factor-models-DLgoodfellow.pdf
()
2025-04-04
linear-equations-ADM.pdf
()
2025-04-04
stats-linear-algebra-PSDS-apxB.pdf
()
2025-04-04
linear-algebra-M4ML.pdf
()
2025-04-04
Linear-Algebra-Lay.pdf
()
2025-04-04
linear-algebra-LAY.pdf
()
2025-04-04
linear_algebra-DLgoodfellow.pdf
()
2025-04-04
inner-product-length-orthogonality-LAY.pdf
()
2025-04-04
line-arrangements-ADM.pdf
()
2025-04-04
MT-ch26-learning.txt
()
2025-04-04
MT-ch26-learning.pdf
()
2025-04-04
MT-ch15-local-interacts.pdf
()
2025-04-04
MT-ch26-learning.pdf
()
2025-04-04
latent-vars-discrete-data-MLP.pdf
()
2025-04-04
latent-linear-models-SM.pdf
()
2025-04-04
latent-linear-models-MLP.pdf
()
2025-04-04
knapsack-problem-ADM.pdf
()
2025-04-04
kernels-SM.pdf
()
2025-04-04
kernels-MLP.pdf
()
2025-04-04
kernel-smoothing-ESL.pdf
()
2025-04-04
kd-trees-ADM.pdf
()
2025-04-04
job-scheduling-ADM.pdf
()
2025-04-04
jackknife-CSI.pdf
()
2025-04-04
iterative-linear-solvers-NA.pdf
()
2025-04-04
frequent-itemsets-DMMD.pdf
()
2025-04-04
intersections-ADM.pdf
()
2025-04-04
interpolation-NP.pdf
()
2025-04-04
interpolation-NA.pdf
()
2025-04-04
integration-differentiation-NA.pdf
()
2025-04-04
integration-NP.pdf
()
2025-04-04
info-theory-tutorial.pdf
()
2025-04-04
exact-inference-graphs-MLP.pdf
()
2025-04-04
variational-inference-pt2-MLP.pdf
()
2025-04-04
variational-inference-MLP.pdf
()
2025-04-04
statistical-inference-PSC.pdf
()
2025-04-04
parametric-inference-PSC.pdf
()
2025-04-04
inference-frequentist-CSI.pdf
()
2025-04-04
MT-ch29-inequality.txt
()
2025-04-04
MT-ch29-inequality.pdf
()
2025-04-04
MT-ch16-lyapunov.txt
()
2025-04-04
MT-ch29-inequality.pdf
()
2025-04-04
inequalities-PSC.pdf
()
2025-04-04
index.pdf
()
2025-04-04
index-RL.pdf
()
2025-04-04
index-PSC.pdf
()
2025-04-04
index-NP.pdf
()
2025-04-04
index-LAY.pdf
()
2025-04-04
index-ITA.pdf
()
2025-04-04
index-FDS.pdf
()
2025-04-04
index-DMMD.pdf
()
2025-04-04
index-DLgoodfellow.pdf
()
2025-04-04
index-CSI.pdf
()
2025-04-04
Hypothesis_Testing_cheatsheet.pdf
()
2025-04-04
hypothesis-testing-PSC.pdf
()
2025-04-04
hypothesis-testing-false-discovery-CSI.pdf
()
2025-04-04
MT-ch10-networks.pdf
()
2025-04-04
MT-ch16-lyapunov.pdf
()
2025-04-04
MT-ch04-human-actors.pdf
()
2025-04-04
MT-ch04-human-actors.pdf
()
2025-04-04
heapsort-ITA.pdf
()
2025-04-04
heaps-EA.pdf
()
2025-04-04
hashes-ITA.pdf
()
2025-04-04
hamiltonian-cycle-ADM.pdf
()
2025-04-04
growth-ITA.pdf
()
2025-04-04
greedy-algos-JE.pdf
()
2025-04-04
greedy-algos-ITA.pdf
()
2025-04-04
greedy-algos-AJE.pdf
()
2025-04-04
undirected-graphs-MLP.pdf
()
2025-04-04
undirected-graphs-ESL.pdf
()
2025-04-04
random-graphs-FDS.pdf
()
2025-04-04
graphs-weighted-ADM.pdf
()
2025-04-04
graphs-polynomial-time-ADM.pdf
()
2025-04-04
graphs-JE.pdf
()
2025-04-04
graphs-hard-ADM.pdf
()
2025-04-04
graphs-connected-components-ADM.pdf
()
2025-04-04
graph-traversal-ADM.pdf
()
2025-04-04
graph-structure-learning-MLP.pdf
()
2025-04-04
graph-partition-ADM.pdf
()
2025-04-04
graph-isomorphism-ADM.pdf
()
2025-04-04
graph-generation-ADM.pdf
()
2025-04-04
graph-drawing-ADM.pdf
()
2025-04-04
graph-datastructs-ADM.pdf
()
2025-04-04
graph-algos-ITA.pdf
()
2025-04-04
graph-algos-AJE.pdf
()
2025-04-04
feedback-edge-vertex-set-ADM.pdf
()
2025-04-04
directed-graphs-MLP.pdf
()
2025-04-04
glossary-ML-BP.pdf
()
2025-04-04
glossary-machine-learning-GOOG.pdf
()
2025-04-04
glossary-LAY.pdf
()
2025-04-04
glossary-FDS.pdf
()
2025-04-04
general-linear-exponentials-MLP.pdf
()
2025-04-04
geometry-ITA.pdf
()
2025-04-04
geometric-primitives-ADM.pdf
()
2025-04-04
generative-models-discrete-SM.pdf
()
2025-04-04
generative-discrete-MLP.pdf
()
2025-04-04
deep-generative-models-DLgoodfellow.pdf
()
2025-04-04
gaussians-SM.pdf
()
2025-04-04
gaussians-MLP.pdf
()
2025-04-04
gaussian-processes-MLP.pdf
()
2025-04-04
gaussian-models-SM.pdf
()
2025-04-04
gans-dive.pdf
()
2025-04-04
MT-ch21-game-theory.txt
()
2025-04-04
MT-ch21-game-theory.pdf
()
2025-04-04
MT-ch12-entropy.txt
()
2025-04-04
MT-ch21-game-theory.pdf
()
2025-04-04
function-estimation-non-parametric-PSC.pdf
()
2025-04-04
discrete-fourier-xform-ADM.pdf
()
2025-04-04
flows-cuts-applications-JE.pdf
()
2025-04-04
finite-state-machine-minimization-ADM.pdf
()
2025-04-04
file-io-NP.pdf
()
2025-04-04
fibonacci-heaps-ITA.pdf
()
2025-04-04
deep-feedforward-nets-DLgoodfellow.pdf
()
2025-04-04
part-1-basics-DLgoodfellow.pdf
()
2025-04-04
parametric-models-exponentials-CSI.pdf
()
2025-04-04
exponential-family-SM.pdf
()
2025-04-04
probability-expectation-PSC.pdf
()
2025-04-04
error-analysis-NA.pdf
()
2025-04-04
equation-solving-NP.pdf
()
2025-04-04
MT-ch08-concave-convex.pdf
()
2025-04-04
MT-ch12-entropy.pdf
()
2025-04-04
ensembles-ESL.pdf
()
2025-04-04
eligibility-traces-RL.pdf
()
2025-04-04
eigenvectors-NA.pdf
()
2025-04-04
eigenvectors-eigenvalues-LAY.pdf
()
2025-04-04
edge-vertex-connectivity-ADM.pdf
()
2025-04-04
edge-coloring-ADM.pdf
()
2025-04-04
dynamic-programming-RL.pdf
()
2025-04-04
dynamic-programming-JE.pdf
()
2025-04-04
dynamic-programming-ITA.pdf
()
2025-04-04
dynamic-programming-AJE.pdf
()
2025-04-04
dynamic-programming-ADM.pdf
()
2025-04-04
divide-conquer-ITA.pdf
()
2025-04-04
distributions-multivariate-PSC.pdf
()
2025-04-04
dimensionality-reduction-DMMD.pdf
()
2025-04-04
dimensionality-FDS.pdf
()
2025-04-04
dimensionality-ESL.pdf
()
2025-04-04
ordinary-diff-equations-NA.pdf
()
2025-04-04
diffeqs-partial-NP.pdf
()
2025-04-04
diffeqs-ordinary-NP.pdf
()
2025-04-04
dictionaries-DSA.pdf
()
2025-04-04
dictionaries-ADM.pdf
()
2025-04-04
matrix-determinants-ADM.pdf
()
2025-04-04
determinants-LAY.pdf
()
2025-04-04
deep-networks-modern-practices-DLgoodfellow.pdf
()
2025-04-04
deep-learning-MLP.pdf
()
2025-04-04
deep-learning-dive.pdf
()
2025-04-04
deep-learning-CSI.pdf
()
2025-04-04
linear-sys-LU-decomp-NA.pdf
()
2025-04-04
decision-theory-PSC.pdf
()
2025-04-04
other-datastructs-DSA.pdf
()
2025-04-04
datastructs-intro-ITA.pdf
()
2025-04-04
datastructs-disjoint-ITA.pdf
()
2025-04-04
datastructs-augmenting-ITA.pdf
()
2025-04-04
datastructs-ADM.pdf
()
2025-04-04
data-mining-intro-DMMD.pdf
()
2025-04-04
cryptography-ADM.pdf
()
2025-04-04
cross-validation-CSI.pdf
()
2025-04-04
counting-probability-ITA.pdf
()
2025-04-04
MT-ch22-cooperation.txt
()
2025-04-04
MT-ch22-cooperation.pdf
()
2025-04-04
MT-ch13-random-walks.pdf
()
2025-04-04
MT-ch22-cooperation.pdf
()
2025-04-04
convex-hull-ADM.pdf
()
2025-04-04
convergence-PSC.pdf
()
2025-04-04
connected-components-ADM.pdf
()
2025-04-04
MT-ch06-long-tails.pdf
()
2025-04-04
MT-ch08-concave-convex.pdf
()
2025-04-04
computation-dive.pdf
()
2025-04-04
combinatorials-ADM.pdf
()
2025-04-04
column-spaces-QR-NA.pdf
()
2025-04-04
collective-intelligence.pdf
()
2025-04-04
MT-ch23-collective-act.txt
()
2025-04-04
MT-ch23-collective-act.pdf
()
2025-04-04
MT-ch13-random-walks.txt
()
2025-04-04
MT-ch23-collective-act.pdf
()
2025-04-04
convolutional-nets-DLgoodfellow.pdf
()
2025-04-04
cnns-super-cheatsheet-SCDL.pdf
()
2025-04-04
cnns-modern-dive.pdf
()
2025-04-04
cnns-DLgoodfellow.pdf
()
2025-04-04
cnns-dive.pdf
()
2025-04-04
clustering-MLP.pdf
()
2025-04-04
clustering-FDS.pdf
()
2025-04-04
clustering-DMMD.pdf
()
2025-04-04
cliques-ADM.pdf
()
2025-04-04
linear-classification-ESL.pdf
()
2025-04-04
tips-super-cheatsheet-SCDL.pdf
()
2025-04-04
ml-cheatsheet-toc-SM.pdf
()
2025-04-04
mL-cheat-sheet-SM.pdf
()
2025-04-04
Data_Science_Cheatsheet-AW.pdf
()
2025-04-04
MT-ch07-linear-models.txt
()
2025-04-04
MT-ch11-broad-diff-contag.pdf
()
2025-04-04
MT-ch04-human-actors.txt
()
2025-04-04
MT-ch05-bell-curve.pdf
()
2025-04-04
MT-ch27-bandits.txt
()
2025-04-04
MT-ch27-bandits.pdf
()
2025-04-04
MT-ch15-local-interacts.txt
()
2025-04-04
MT-ch27-bandits.pdf
()
2025-04-04
toc.pdf
()
2025-04-04
toc-NA.pdf
()
2025-04-04
toc-MLP.pdf
()
2025-04-04
toc-M4ML.pdf
()
2025-04-04
toc-ITA.pdf
()
2025-04-04
toc-DLgoodfellow.pdf
()
2025-04-04
toc-dive.pdf
()
2025-04-04
resources-algos-ADM.pdf
()
2025-04-04
resources-ADM.pdf
()
2025-04-04
research-p3-DLgoodfellow.pdf
()
2025-04-04
README.md
()
2025-04-04
prelims-dive.pdf
()
2025-04-04
preface-ITA.pdf
()
2025-04-04
PCA-EV.pdf
()
2025-04-04
partial-diff-equations-NA.pdf
()
2025-04-04
other-FDS.pdf
()
2025-04-04
numericals-ADM.pdf
()
2025-04-04
numerical-computation-DLgoodfellow.pdf
()
2025-04-04
number-theory-ITA.pdf
()
2025-04-04
numba-cython-NP.pdf
()
2025-04-04
nstep-bootstrap-RL.pdf
()
2025-04-04
np-hardness-JE.pdf
()
2025-04-04
np-hardness-AJE.pdf
()
2025-04-04
np-complete-ITA.pdf
()
2025-04-04
nonlinear-systems-NA.pdf
()
2025-04-04
nlp-dive.pdf
()
2025-04-04
neural-nets-ESL.pdf
()
2025-04-04
neural-net-zoo-NNZ.pdf
()
2025-04-04
network-flow-ADM.pdf
()
2025-04-04
nearest-neighbors-ADM.pdf
()
2025-04-04
multithreading-ITA.pdf
()
2025-04-04
motion-planning-ADM.pdf
()
2025-04-04
monte-carlo-RL.pdf
()
2025-04-04
monte-carlo-methods-DLgoodfellow.pdf
()
2025-04-04
monte-carlo-inference-MLP.pdf
()
2025-04-04
MT-ch30-more.txt
()
2025-04-04
MT-ch30-more.pdf
()
2025-04-04
MT-ch03-science.txt
()
2025-04-04
MT-ch03-science.pdf
()
2025-04-04
MT-ch02-why-model.txt
()
2025-04-04
MT-ch02-why-model.pdf
()
2025-04-04
MT-ch01-many-model-thinker.txt
()
2025-04-04
MT-ch01-many-model-thinker.pdf
()
2025-04-04
MT-ch30-more.pdf
()
2025-04-04
MT-ch03-science.pdf
()
2025-04-04
MT-ch02-why-model.pdf
()
2025-04-04
MT-ch01-many-model-thinker.pdf
()
2025-04-04
methodology-postwar-CSI.pdf
()
2025-04-04
math-dive.pdf
()
2025-04-04
libraries-DSA.pdf
()
2025-04-04
intro.pdf
()
2025-04-04
intro-SM.pdf
()
2025-04-04
intro-PSDS-ch01.pdf
()
2025-04-04
intro-MLP.pdf
()
2025-04-04
intro-JE.pdf
()
2025-04-04
intro-FDS.pdf
()
2025-04-04
intro-ESL.pdf
()
2025-04-04
intro-DLgoodfellow.pdf
()
2025-04-04
intro-dive.pdf
()
2025-04-04
intro-CSI.pdf
()
2025-04-04
intro-ADM.pdf
()
2025-04-04
install-NP.pdf
()
2025-04-04
install-dive.pdf
()
2025-04-04
image-credits-LAY.pdf
()
2025-04-04
image-credits-JE.pdf
()
2025-04-04
how-to-design-algos-ADM.pdf
()
2025-04-04
guidelines-methodology-DLgoodfellow.pdf
()
2025-04-04
getting-started-ITA.pdf
()
2025-04-04
frontiers-RL.pdf
()
2025-04-04
dm-AlgoDM.pdf
()
2025-04-04
DLgoodfellow-part-3-research.pdf
()
2025-04-04
chinese-postman-ADM.pdf
()
2025-04-04
machine-learning-basics-DLgoodfellow.pdf
()
2025-04-04
linear-factor-models-DLgoodfellow.pdf
()
2025-04-04
linear_algebra-DLgoodfellow.pdf
()
2025-04-04
34-julia-AlgoDM.pdf
()
2025-04-04
intro.pdf
()
2025-04-04
approximate-inference-DLgoodfellow.pdf
()
2025-04-04
bayes-inference-PSC.pdf
()
2025-04-04
bayes-inference-CSI.pdf
()
2025-04-04
approximate-inference-DLgoodfellow.pdf
()
2025-04-04
part-1-basics.pdf
()
2025-04-04
index.pdf
()
2025-04-04
guidelines-methodology-DLgoodfellow.pdf
()
2025-04-04
deep-generative-models-DLgoodfellow.pdf
()
2025-04-04
gos-glossary.pdf
()
2025-04-04
gos-ch17-bargaining.pdf
()
2025-04-04
gos-ch16-auctions.pdf
()
2025-04-04
gos-ch15-voting.pdf
()
2025-04-04
gos-ch14-brinksmanship.pdf
()
2025-04-04
gos-ch13-mechanism-design.pdf
()
2025-04-04
gos-ch12-evolutionary-games.pdf
()
2025-04-04
gos-ch11-collective-action.pdf
()
2025-04-04
gos-ch10-prisoners-dilemma.pdf
()
2025-04-04
gos-ch09-strategic-moves.pdf
()
2025-04-04
gos-ch08-uncertainty-information.pdf
()
2025-04-04
gos-ch07-simultaneous-mixed.pdf
()
2025-04-04
gos-ch06-combined-moves.pdf
()
2025-04-04
gos-ch05-continuous-strategies.pdf
()
2025-04-04
gos-ch04-simultaneous-moves.pdf
()
2025-04-04
gos-ch03-sequential-moves.pdf
()
2025-04-04
gos-ch02-how-to-think.pdf
()
2025-04-04
gos-ch01-intro.pdf
()
2025-04-04
game-theory-examples.pdf
()
2025-04-04
bonanno-ch16-incomplete-info-typespace-approach.pdf
()
2025-04-04
bonanno-ch15-incomplete-info-dynamic-games.pdf
()
2025-04-04
bonanno-ch14-incomplete-info-static-games.pdf
()
2025-04-04
bonanno-ch13-perfect-bayes-equilibrium.pdf
()
2025-04-04
bonanno-ch12-sequential-equilibrium.pdf
()
2025-04-04
bonanno-ch11-weak-sequential-equilibrium.pdf
()
2025-04-04
bonanno-ch10-rationality.pdf
()
2025-04-04
bonanno-ch09-adding-beliefs.pdf
()
2025-04-04
bonanno-ch08-common-knowledge.pdf
()
2025-04-04
bonanno-ch07-extensive-form-games.pdf
()
2025-04-04
bonanno-ch06-strategic-form-games.pdf
()
2025-04-04
bonanno-ch05-utility.pdf
()
2025-04-04
bonanno-ch04-dynamic-games.pdf
()
2025-04-04
bonanno-ch03-perfect-info-games.pdf
()
2025-04-04
bonanno-ch02-ordinal-games-strategic.pdf
()
2025-04-04
deep-feedforward-nets-DLgoodfellow.pdf
()
2025-04-04
basis-expansions-regularization-ESL.pdf
()
2025-04-04
bayes-empirical-estimation-CSI.pdf
()
2025-04-04
convolutional-nets-DLgoodfellow.pdf
()
2025-04-04
book-super-cheatsheet-deep-learning-SCDL.pdf
()
2025-04-04
calendar-math-ADM.pdf
()
2025-04-04
book-Geometric_topology-GT.pdf
()
2025-04-04
book-reinforcement-learning-v2-RL.pdf
()
2025-04-04
book-reinforcement-learning-RL2.pdf
()
2025-04-04
book-numerical-python-NP.pdf
()
2025-04-04
book-prob-intro-IP.pdf
()
2025-04-04
book-prob-stats-modeling-PSM.pdf
()
2025-04-04
book-prob-stats-cookbook-PSC.pdf
()
2025-04-04
book-prob-stats-cookbook-MV.pdf
()
2025-04-04
book-planning-algorithms-PA.pdf
()
2025-04-04
book-parallel-processing-PP.pdf
()
2025-04-04
book-convex-optimization-CO.pdf
()
2025-04-04
book-numerical-algorithms-NA.pdf
()
2025-04-04
book-matrix_cookbook_MC.pdf
()
2025-04-04
book-vision_szeliski_2010-VSZ.pdf
()
2025-04-04
book-machine-learning-probabilistic-MLP.pdf
()
2025-04-04
book-M4ML.pdf
()
2025-04-04
book-foundations-FDS.pdf
()
2025-04-04
book-ESL.pdf
()
2025-04-04
book-elements-of-statistical-learning-ESL.pdf
()
2025-04-04
book-computer-statistical-inference-hastie-CSI.pdf
()
2025-04-04
book-Data_Structures_and_Apps-DSA.pdf
()
2025-04-04
book-mining-massive-datasets-3rd-DMMD.pdf
()
2025-04-04
book-data-mining-massive-datasets-v2.1-DMMD.pdf
()
2025-04-04
book-category-theory-CT.pdf
()
2025-04-04
book-bandits-BA.pdf
()
2025-04-04
book-Algorithms-JeffE.pdf
()
2025-04-04
book-algorithms-elementary-EA.pdf
()
2025-04-04
book-algorithm-design-manual-ADM.pdf
()
2025-04-04
book-ITA.pdf
()
2025-04-04
book-AJE.pdf
()
2025-04-04
book-ADM.pdf
()
2025-04-04
toc.pdf
()
2025-04-04
AlgorithmDesignManual.pdf
()
2025-04-04
bin-packing-ADM.pdf
()
2025-04-04
bibliography.pdf
()
2025-04-04
bibliography.pdf
()
2025-04-04
bibliography-DLgoodfellow.pdf
()
2025-04-04
bibliography-dive.pdf
()
2025-04-04
algo-analysis-ADM.pdf
()
2025-04-04
bayes-stats-SM.pdf
()
2025-04-04
bayes-stats-MLP.pdf
()
2025-04-04
bayes-NP.pdf
()
2025-04-04
bayes-nets-SM.pdf
()
2025-04-04
bandwidth-reduction-ADM.pdf
()
2025-04-04
bandits-upper-confidence-bound-BA.pdf
()
2025-04-04
bandits-UCB-algorithm-minimax-optimality-BA.pdf
()
2025-04-04
bandits-UCB-algorithm-bernoulli-noise-BA.pdf
()
2025-04-04
bandits-UCB-algorithm-asymptotic-optimality-BA.pdf
()
2025-04-04
bandits-thompson-sampling-BA.pdf
()
2025-04-04
bandits-stochastic-markov-BA.pdf
()
2025-04-04
bandits-stochastic-linear-sparsity-BA.pdf
()
2025-04-04
bandits-stochastic-linear-minimax-lower-bounds-BA.pdf
()
2025-04-04
bandits-stochastic-linear-finite-many-arms-BA.pdf
()
2025-04-04
bandits-stochastic-linear-BA.pdf
()
2025-04-04
bandits-stochastic-linear-asymptotic-lower-bounds-BA.pdf
()
2025-04-04
bandits-stochastic-finite-BA.pdf
()
2025-04-04
bandits-ranking-BA.pdf
()
2025-04-04
bandits-pure-exploration-BA.pdf
()
2025-04-04
bandits-probability-BA.pdf
()
2025-04-04
bandits-partial-monitoring-BA.pdf
()
2025-04-04
bandits-non-stationary-BA.pdf
()
2025-04-04
bandits-markov-decisions-BA.pdf
()
2025-04-04
bandits-lower-bounds-minimax-BA.pdf
()
2025-04-04
bandits-lower-bounds-instance-dependent-BA.pdf
()
2025-04-04
bandits-lower-bounds-high-probability-BA.pdf
()
2025-04-04
bandits-lower-bounds-BA.pdf
()
2025-04-04
bandits-least-squares-estimators-optimal-design-BA.pdf
()
2025-04-04
bandits-least-squares-estimators-confidence-bounds-BA.pdf
()
2025-04-04
bandits-intro-BA.pdf
()
2025-04-04
bandits-info-theory-BA.pdf
()
2025-04-04
bandits-index-BA.pdf
()
2025-04-04
bandits-follow-the-leader-mirror-descent-BA.pdf
()
2025-04-04
bandits-explore-then-commit-BA.pdf
()
2025-04-04
bandits-exp3.pdf
()
2025-04-04
bandits-exp3-IX-BA.pdf
()
2025-04-04
bandits-exp3-adversarial-linear-BA.pdf
()
2025-04-04
bandits-convex-analysis-BA.pdf
()
2025-04-04
bandits-contextual-BA.pdf
()
2025-04-04
bandits-concentration-of-measure-BA.pdf
()
2025-04-04
bandits-combinatorial-BA.pdf
()
2025-04-04
bandits-bayes-BA.pdf
()
2025-04-04
bandits-adversarial-vs-stochastic-linear-BA.pdf
()
2025-04-04
backtracking-JE.pdf
()
2025-04-04
backtracking-AJE.pdf
()
2025-04-04
autoencoders-DLgoodfellow.pdf
()
2025-04-04
autoencoders-DLgoodfellow.pdf
()
2025-04-04
auctions-single-sided-single-unit-dongmo.pdf
()
2025-04-04
auctions-simulation-dongmo.pdf
()
2025-04-04
auctions-online-advertising-dongmo.pdf
()
2025-04-04
auctions-dynamic-dongmo.pdf
()
2025-04-04
auctions-double-dongmo.pdf
()
2025-04-04
auctions-combinational-dongmo.pdf
()
2025-04-04
auction-theory-levin.pdf
()
2025-04-04
auction-theory-dongmo.pdf
()
2025-04-04
auction-mechanisms-dongmo.png
()
2025-04-04
attention-mechs-dive.pdf
()
2025-04-04
applications-DLgoodfellow.pdf
()
2025-04-04
applications-RL.pdf
()
2025-04-04
applications-DSA.pdf
()
2025-04-04
applications-DLgoodfellow.pdf
()
2025-04-04
approximation-algos-ITA.pdf
()
2025-04-04
approximation-algos-ADM.pdf
()
2025-04-04
amortization-ITA.pdf
()
2025-04-04
33-problems-AlgoDM.pdf
()
2025-04-04
32-search-algos-AlgoDM.pdf
()
2025-04-04
31-neural-representations-AlgoDM.pdf
()
2025-04-04
30-comp-complexity-AlgoDM.pdf
()
2025-04-04
29-prob-distributions-AlgoDM.pdf
()
2025-04-04
28-math-AlgoDM.pdf
()
2025-04-04
27-collaborative-agents-AlgoDM.pdf
()
2025-04-04
26-state-uncertainty-AlgoDM.pdf
()
2025-04-04
25-sequential-problems-AlgoDM.pdf
()
2025-04-04
24-multiagent-reasoning-AlgoDM.pdf
()
2025-04-04
2303.18223-LLM-survey-ARXIV.pdf
()
2025-04-04
23-controller-abstracts-AlgoDM.pdf
()
2025-04-04
22-belief-state-planning-online-AlgoDM.pdf
()
2025-04-04
2102-12029-product-embed-ecommerce-ARXIV.pdf
()
2025-04-04
21-belief-state-planning-offline-AlgoDM.pdf
()
2025-04-04
20-belief-state-planning-exact-AlgoDM.pdf
()
2025-04-04
19-beliefs-AlgoDM.pdf
()
2025-04-04
1811.12808-ARXIV.pdf
()
2025-04-04
18-imitation-learning-AlgoDM.pdf
()
2025-04-04
17-model-free-methods-AlgoDM.pdf
()
2025-04-04
16-model-based-methods-AlgoDM.pdf
()
2025-04-04
15-explore-exploit-AlgoDM.pdf
()
2025-04-04
14-policy-validation-AlgoDM.pdf
()
2025-04-04
13-actor-critic-methods-AlgoDM.pdf
()
2025-04-04
12-policy-grad-optm-AlgoDM.pdf
()
2025-04-04
11-policy-grad-est-AlgoDM.pdf
()
2025-04-04
10-policy-search-AlgoDM.pdf
()
2025-04-04
09-sequential-planning-AlgoDM.pdf
()
2025-04-04
08-sequential-approx-val-functs-AlgoDM.pdf
()
2025-04-04
07-sequential-exact-solns-AlgoDM.pdf
()
2025-04-04
06-simple-decisions-AlgoDM.pdf
()
2025-04-04
05-struct-learning-AlgoDM.pdf
()
2025-04-04
04-param-learning-AlgoDM.pdf
()
2025-04-04
03-inference-AlgoDM.pdf
()
2025-04-04
02-representation-AlgoDM.pdf
()
2025-04-04
01-intro-AlgoDM.pdf
()
2025-04-04
advertising-DMMD.pdf
()
2025-04-04
additive-models-trees-ESL.pdf
()
2025-04-04
adaptive-basis-models-MLP.pdf
()
2025-04-04
adaptive-basis-function-models-SM.pdf
()
2025-04-04
topological-sort-ADM.pdf
()
-->
execution (docs)
categories:
tags:
best-practices
execution
date: 04 Apr 2025
slug:docs-execution
tags: semiconductors execution
tags: ruby Blocks-deferred-execution
-->
devops docs
categories:
tags:
devops
date: 04 Apr 2025
slug:docs-ansible
tags: vagrant tools devops
tags: vagrant tools devops
-->
storytelling
categories:
tags:
influence-persuasion
storytelling
date: 06 Apr 2025
slug:storytelling
www.scientificamerican.com
(2025-03-07)
tags: storytelling, purpose
People who are rated as good storytellers exhibit a purpose-oriented mindset and big-picture thinking more often than others
www.nytimes.com
(2025-02-07)
tags: movies-television, speaking, storytelling
Soon enough, artificial intelligence may be able to recreate the sounds — but there will be something missing.
torontolife.com
(2024-12-11)
tags: movies-television, storytelling, goodreads
And other oxymoronic observations about the oeuvre of Ron Oliver, the Hallmark Channel’s most prolific, flamboyant and unapologetically sappy director
www.fastcompany.com
(2024-10-27)
tags: books, storytelling, creepy
Lovecraft’s and King’s fictional whip-poor-wills draw on widespread Indigenous, European, and American beliefs about the species.
www.scientificamerican.com
(2024-10-25)
tags: animals, history, creepy, storytelling
The Whip-Poor-Will’s shrill, death-proclaiming song populates the works of Stephen King and H.P. Lovecraft. But the bird itself has fallen on hard times. Could it become a ghost of Halloweens past?
www.vanityfair.com
(2024-10-19)
tags: movies-television, comedy-fun-humor, storytelling
Live from New York, it’s an idiosyncratic list of ‘SNL’ moments we’re still thinking about—from the Belushi/Aykroyd/Radner years to the Eddie Murphy era to Sandler, Fey, Hader, and beyond.
nautil.us
(2024-08-01)
tags: memory-recall, storytelling
Artists may jumble time for dramatic effect. But your unconscious is always putting the narrative in order.
iandanielstewart.com
(2024-06-11)
tags: storytelling
I came across this recent video from Vicky Zhao last week and loved her brief summary of how she grew in her ability to clearly articulate ideas on the spot by getting to the point, using story str…
www.smashingmagazine.com
(2024-06-11)
tags: storytelling
How to apply powerful storytelling to design a compelling and memorable digital experience on a landing page. A case study of the [Smart Interface Design Patterns landing page](https://smart-interface-design-patterns.com/).
smashingmagazine.us1.list-manage.com
(2024-06-11)
tags: storytelling
Storytelling is a powerful tool for any UX designer. It helps create a product and understand the people who use it. In this article, Marli Mesibov takes a real-life example of an app she helped to build in 2017 and explains five steps you can use to help you build a story into your user experience.
smashingmagazine.us1.list-manage.com
(2024-06-11)
tags: storytelling
The basic building blocks of storytelling
smashingmagazine.us1.list-manage.com
(2024-06-11)
tags: storytelling
30 years of storytelling experience, in a box? Yes, that’s what you get with my latest guides – check out Storyteller Tactics here. My older material is here on the website, including…
www.figma.com
(2024-06-11)
tags: storytelling
Create quick UX design storyboards using the mix-and-match library and template. Pick and change the character's pose, expression, gestures, and more to fit your scenario. Adjust the background and create close-up scenes to describe your solution all from one magic card 🧚♀️. Follow the in...
smashingmagazine.us1.list-manage.com
(2024-06-11)
tags: storytelling
Crafting a good experience is like telling a good story. Improve your UX with these 6 storytelling principles.
smashingmagazine.us1.list-manage.com
(2024-06-11)
tags: storytelling
How to Align User Research Presentations for Decision Making
getpocket.com
(2024-05-20)
tags: behaviors, scams, storytelling
2018’s ‘Summer of Scam’ was just the latest in a strong American tradition.
getpocket.com
(2024-05-19)
tags: storytelling
Think of them more as “enhancers” than “spoilers.” Knowing what will happen in a movie, TV show or book can provide a tantalizingly pleasing feeling, help you understand the plot and give you a sense of control during chaotic times.
www.openculture.com
(2024-05-17)
tags: reading, storytelling
Note: Back in 2013, when Alice Munro won the Nobel Prize in Literature, we published a post featuring 20 short stories written by Munro.
getpocket.com
(2024-05-14)
tags: storytelling, writing
Ten great opening paragraphs from one iconic author.
github.com
(2024-05-07)
tags: github, storytelling, video
Accepted as [NeurIPS 2024] Spotlight Presentation Paper - HVision-NKU/StoryDiffusion
www.theatlantic.com
(2024-05-05)
tags: spycraft, storytelling
It all goes back to one man in the 1950s: a military-intelligence expert in psychological warfare.
www.ted.com
(2024-04-26)
tags: influence-persuasion, storytelling
"Storytelling is one of the most powerful marketing and leadership tools there is," says communications expert Kelly D. Parker. She explains how stories make proposals of all kinds more memorable — and shows how you can craft a compelling narrative to connect, persuade and drive meaningful action.
review.firstround.com
(2024-03-03)
tags: influence-persuasion, presentations-presenting, storytelling
Every startup leader should practice flexing their storytelling muscles. To help warm these muscles up, we’ve rounded up some of our best advice about storytelling in business that’s been featured in the Review.
aeon.co
(2024-02-26)
tags: folklore, storytelling
Both folktales and formal philosophy unsettle us into thinking anew about our cherished values and views of the world
www.openculture.com
(2024-02-06)
tags: books, folklore, storytelling
Westerners tend to think of Japan as a land of high-speed trains, expertly prepared sushi and ramen, auteur films, brilliant animation, elegant woodblock prints, glorious old hotels, sought-after jazz-records, cat islands, and ghost towns.
www.linkedin.com
(2024-01-17)
tags: storytelling
⛺🪵🔥 Free Storytelling Masterclass (+ PDFs) (https://lnkd.in/eiFscUtf), a comprehensive guide with 9 modules on storytelling, PDF worksheets, 1-pager… | 52 comments on LinkedIn
www.libraryofshortstories.com
(2023-09-25)
tags: datasets, storytelling
Read For Free, Anywhere, Anytime. An online library of over 1000 classic short stories. H. G. Wells, Edgar Allan Poe, H. P. Lovecraft, Anton Chekhov, Beatrix Potter.
hbr.org
(2023-09-22)
tags: leadership, storytelling
Storytelling is an important leadership skill, and executives who want to succeed should master five types of narrative: Vision stories, which inspire a shared one; values stories that model the way; action stories that spark progress and change; teaching stories that transmit knowledge and skills to others; and trust stories that help people understand, connect with, and believe in you.
psyche.co
(2023-05-07)
tags: history, physics, storytelling
From ancient fables to the latest science theory, invisibility represents some of humankind’s deepest fears and desires
significantobjects.com
(2023-04-24)
tags: copywriting, storytelling, writing
…and how they got that way
aeon.co
(2023-04-16)
tags: history, storytelling
The stories of oral societies, passed from generation to generation, are more than they seem. They are scientific records
getpocket.com
(2023-03-29)
tags: behaviors, imagination, storytelling
What a close study of “inner speech” reveals about why humans talk to themselves.
www.psychologytoday.com
(2023-02-15)
tags: storytelling
Do you go to great lengths to avoid spoilers for your favorite TV show? Research suggests that doing so may not always be justified. Here's why.
marginalrevolution.com
(2023-01-29)
tags: deep-learning, generative, storytelling, video
Find it here, via Ryan Watkins. Further improvement is required, but the pace of current breakthroughs is remarkable.
www.openculture.com
(2022-12-21)
tags: books, scifi, storytelling
The pronouncements of French theorist Jean Baudrillard could sound a bit silly in the early 1990s, when the internet was still in its infancy, a slow, clunky technology whose promises far exceeded what it could deliver.
entertainment.slashdot.org
(2022-12-10)
tags: deep-learning, generative, movies-television, storytelling
Alphabet's DeepMind has built an AI tool that can help generate rough film and stage scripts Engadget's Kris Holt reports: Dramatron is a so-called "co-writing" tool that can generate character descriptions, plot points, location descriptions and dialogue. The idea is that human writers will be abl...
getpocket.com
(2022-11-23)
tags: storytelling
Vox is a general interest news site for the 21st century. Its mission: to help everyone understand our complicated world, so that we can all help shape it. In text, video and audio, our reporters explain politics, policy, world affairs, technology, culture, science, the climate crisis, money, health and everything else that matters. Our goal is to ensure that everyone, regardless of income or status, can access accurate information that empowers them.
www.cooper.com
(2022-11-06)
tags: prodmgmt, storytelling
www.reddit.com
(2022-11-06)
tags: storytelling, writing
21K votes, 289 comments. 5.5M subscribers in the coolguides community. Picture based reference guides for anything and everything. If it seems like…
seveninchesofyourtime.com
(2022-07-27)
tags: emotions, movies-television, storytelling
Casablanca is widely remembered as one of the greatest films of all time, coming in at #2 on the AFI’s top 100 list and similarly regarded by many other critics. You can quibble with its exac…
slate.com
(2022-07-20)
tags: movies-television, storytelling, writing
The most tearjerking, hilarious, satisfying, and shocking death scenes in 2,500 years of culture.
tvtropes.org
(2022-07-18)
tags: movies-television, storytelling
An index page listing Tropes content. A trope is a storytelling device or convention, a shortcut for describing situations the storyteller can reasonably …
bigthink.com
(2022-07-16)
tags: storytelling, writing
Before fame, Kurt Vonnegut wrote a master's thesis on the shapes of stories for the anthropology department at the University of Chicago.
www.gq.com
(2022-07-16)
tags: movies-television, storytelling
In FX’s surprise hit, the 31-year-old actor plays a tormented culinary genius who returns home to run his family’s Chicago sandwich shop. We caught up with White in his native Brooklyn to learn what it took to get in the kitchen.
www.pixartouchbook.com
(2022-07-14)
tags: movies-television, storytelling
elizabethspanncraig.com
(2022-07-06)
tags: storytelling, writing
Writer @GretchenMdm9524 gives a brief history of 1929's 10 Commandments for Detective Fiction and offers some modern updates.
jamesharris.design
(2022-07-05)
tags: storytelling, writing
The basic building blocks of storytelling
www.bakadesuyo.com
(2022-07-05)
tags: influence-persuasion, storytelling
Everything you need to know about Howard Suber Of UCLA Film School Explains How To Tell A Story
www.surgehq.ai
(2022-07-05)
tags: chatbots, deep-learning, nlp, storytelling
We used GPT-3 and DALL·E to generate a children's storybook about Ash and Pikachu vs. Team Rocket. Read the story and marvel at the AI-generated visuals!
www.artofmanliness.com
(2022-06-29)
tags: attention, behaviors, storytelling
The person who can capture and hold attention is the person who can effectively influence human behavior. Here's how to do it.
lifehacker.com
(2022-06-29)
tags: storytelling, writing
Telling a story is the most powerful way to activate our brains . If you want to become a better storyteller, UCLA Film School Howard Suber says you
medium.com
(2022-06-28)
tags: prodmgmt, storytelling
Storytelling is a powerful technique for building data-informed products.
medium.com
(2022-06-28)
tags: prodmgmt, storytelling
Getting people to notice your product on the web is hard. Getting them to understand what you do is even harder. One of the biggest challenges startups face is cutting through the noise and…
medium.com
(2022-06-25)
tags: brandmgmt, storytelling
As entrepreneurs, Diane Engelman, PhD, and JB Allyn, MBA, have been perfecting a methodology over the past 12 years that is burgeoning in…
www.bakadesuyo.com
(2022-06-24)
tags: movies-television, storytelling, writing
Andrew Kevin Walker, writer of the movie "Seven", gives five tips on how to improve your writing.
www.theguardian.com
(2022-06-23)
tags: storytelling, writing
Next month, the doyen of hardboiled crime writers is publishing a new book, 10 Rules of Writing. The following is a brief summary of his advice
themadray.medium.com
(2022-06-23)
tags: marketing, storytelling
www.theringer.com
(2022-06-19)
tags: goodreads, movies-television, storytelling
"We figured the best way to make the audience understand—and care—would be to connect his house to a relationship, and unfinished business," says director Pete Docter
www.reddit.com
(2022-06-14)
tags: storytelling
157K subscribers in the startup community. Reddit's space to learn the tools and skills necessary to build a successful startup. A community meant to…
getpocket.com
(2022-06-13)
tags: behaviors, storytelling
Among Filipino hunter-gatherers, storytelling is valued more than any other skill, and the best storytellers have the most children.
www.linkedin.com
(2022-06-13)
tags: prodmgmt, storytelling
www.smithsonianmag.com
(2022-06-13)
tags: reading, storytelling
These reoccuring story elements have proven effects on our imagination, our emotions and other parts of our psyche
www.inc.com
(2022-06-07)
tags: influence-persuasion, speaking, storytelling
To engage leaders, colleagues, and clients, use this simple technique
getpocket.com
(2022-06-05)
tags: comedy-fun-humor, language-linguistics, memes, storytelling
There couldn’t be a ‘Is This a Pigeon?’ without a ‘Beware of Doug’.
getpocket.com
(2022-05-28)
tags: folklore, goodreads, storytelling
Smithsonian’s James Deutsch says that behind the character in the Marvel Studios series lies the oft-told story of “guile” outsmarting authority.
www.linkedin.com
(2022-05-28)
tags: storytelling
"On December 20 there flitted past us, absolutely without public notice, one of the most important profane anniversaries in American history, to wit, the seventy-fifth anniversary of the introduction of the bathtub into These States. Not a plumber fired a salute or hung out a flag.
www.nngroup.com
(2022-05-28)
tags: storytelling, ui-ux
Effective storytelling involves both engaging the audience and structuring stories in a concise, yet effective manner. You can improve your user stories by taking advantage of the concept of story triangle and of the story-mountain template.
getpocket.com
(2022-05-27)
tags: goodreads, storytelling, writing
From Washington Irving to Kristen Roupenian.
www.nytimes.com
(2022-05-25)
tags: comedy-fun-humor, goodreads, movies-television, storytelling
Loren Bouchard’s accidental career as a comedy mogul has now brought his TV family to the big screen.
www.fastcompany.com
(2022-05-08)
tags: ideas, storytelling
'We were telling the story of a phone that would change everything. So that’s what we had to build.'
www.themarginalian.org
(2022-03-16)
tags: goodreads, storytelling, writing
On the value of unconscious association, or why the best advice is no advice.
lithub.com
(2022-03-14)
tags: language-linguistics, storytelling, writing
Maybe it has happened to you: a stranger catches your eye while you peruse the plant identification section of the library, or wander a mossy hillock speckled with Amanita bisporigera, or shuffle a…
www.economist.com
(2022-02-18)
tags: movies-television, storytelling
However powerful the villain, the scruffy detective always outwits them
tedgioia.substack.com
(2022-02-18)
tags: storytelling
Few genres are more preposterous than the locked room mystery. The premises are absurd and plot solutions ridiculous—but still I keep on reading.
www.vox.com
(2022-02-10)
tags: movies-television, storytelling
The show balanced improvisation and careful planning thanks to its overarching structure.
www.anecdote.com
(2022-02-10)
tags: prodmgmt, storytelling
If you want to move to a Jeff Bezos–style executive meeting without PowerPoint, with a six-page narrative memo, you mustn't forget the narrative. Here's why
disneyanimation.com
(2022-02-09)
tags: animation, storytelling, video
From sequence to shot to frame, explore our studio pipeline.
link.medium.com
(2022-01-29)
tags: behaviors, storytelling, ui-ux
en.wikipedia.org
(2022-01-23)
tags: books, goodreads, history, storytelling
The Divine Comedy is an Italian narrative poem by Dante Alighieri, begun c. 1308 and completed around 1321, shortly before the author's death. It is widely considered the pre-eminent work in Italian literature and one of the greatest works of Western literature. The poem's imaginative vision of the afterlife is representative of the medieval worldview as it existed in the Western Church by the 14th century. It helped establish the Tuscan language, in which it is written, as the standardized Italian language. It is divided into three parts: Inferno, Purgatorio, and Paradiso.
lithub.com
(2021-12-26)
tags: movies-television, storytelling
My son Max loved the Star Wars movies. I would take him to various showings of them. And for his tenth birthday, he had a Star Wars–themed birthday party. And boy, did those kids love it! So I thou…
www.smithsonianmag.com
(2021-12-25)
tags: goodreads, storytelling
The beloved Christmas short story may have been dashed off on deadline but its core message has endured
youtube.com
(2021-12-15)
tags: influence-persuasion, speaking, storytelling
Bill Carmody is a twenty-five year global keynote speaker. He’s had the incredible privilege to present in Brazil with Sir Richard Branson and in India with executives from Fortune 100 companies. Recently he had the distinct privilege to teach several of the UK Brexit government officials how to become more powerful public speakers.
Bill Carmody is a twenty-five year global keynote speaker. He’s had the incredible privilege to present in Brazil with Sir Richard Branson and in India with executives from Fortune 100 companies. Recently he had the distinct privilege to teach several of the UK Brexit government officials how to become more powerful public speakers. This talk was given at a TEDx event using the TED conference format but independently organized by a local community. Learn more at https://www.ted.com/tedx
www.nytimes.com
(2021-12-15)
tags: goodreads, movies-television, storytelling
For our reporter, “Nightmare Alley” recalls a childhood spent working the circuit with his parents. Carnies like the World’s Smallest Woman welcomed him when cruel classmates didn’t.
link.newyorker.com
(2021-11-23)
tags: comedy-fun-humor, movies-television, storytelling, writing
David Owen’s 2000 Profile of George Meyer: Humor has to reframe reality, Meyer says. “It’s like seeing in two dimensions and then opening the other eye or looking through a View-Master and suddenly seeing in three.”
link.newyorker.com
(2021-11-23)
tags: goodreads, movies-television, storytelling
Margaret Talbot’s 2007 Profile of the show’s creator, with a behind-the-scenes look at the filming of “The Wire” ’s fifth season.
link.newyorker.com
(2021-11-22)
tags: goodreads, movies-television, storytelling
From 1999: “There has certainly never been anything like it on TV, and on network TV there never could be anything like it.”
getpocket.com
(2021-11-21)
tags: movies-television, sports, storytelling
Celebrating the greatest hockey movie of all time—and one the best “malaise days” Seventies films ever.
www.julian.com
(2021-11-17)
tags: storytelling, writing
Learn how to write well. Topics include figuring out what to write about, how to write an introduction, the writing process, writing style, and copyediting.
www.newyorker.com
(2021-11-03)
tags: goodreads, storytelling
The heart of the world’s oldest long poem is found in its gaps and mysteries.
www.wired.com
(2021-09-19)
tags: books, storytelling
Her gentle, heartwarming stories seek to soothe our troubled souls. They also aim to blow up the entire genre.
www.theguardian.com
(2021-09-19)
tags: movies-television, storytelling
Ahead of the Sopranos prequel The Many Saints of Newark hitting cinemas, here are 30 organised crime flicks you must see before you sleep with the fishes
en.m.wikipedia.org
(2021-09-05)
tags: storytelling, writing
Chekhov's gun is a narrative principle that states that every element in a story must be necessary and irrelevant elements should be removed. For example, if a writer features a gun in a story, there must be a reason for it, such as it being fired some time later in the plot. All elements must eventually come into play at some point in the story. Some authors, such as Hemingway, do not agree with this principle.
thegradient.pub
(2021-09-01)
tags: deep-learning, storytelling
A primer on automated story generation and how it it strikes at some fundamental research questions in artificial intelligence.
getpocket.com
(2021-08-22)
tags: storytelling, writing
From the ones you know to a few new tricks. Pleonasm, anyone?
cushychicken.github.io
(2021-07-29)
tags: discovery, prodmgmt, storytelling
Almost exactly a year ago, I started a little boutique software company called Report Card Writer. As the name suggests, my flagship software product does pretty much one thing: it helps teachers write report card comments faster. Its core technical functionality is part survey form, part template-filler-inner, with a few extra bolt-on features that make it easy to create and populate the form and template, respectively.
m.nautil.us
(2021-07-24)
tags: behaviors, movies-television, storytelling
It feels good to control what will terrify you.
www.newyorker.com
(2021-07-18)
tags: goodreads, storytelling
Fiction, from 1948: “The people had done it so many times that they only half listened to the directions; most of them were quiet, wetting their lips, not looking around.”
jayriverlong.github.io
(2021-07-07)
tags: movies-television, storytelling
flashbak.com
(2021-07-07)
tags: storytelling, writing
Writers keep notebooks because ideas come in the most unexpected of places. Notebooks contain a junkyard of treasures waiting to be discovered. They provide ports of entry to the imagination. And as Joan Didion once wrote, a place to keep “on nodding terms with the people we used to be”. Thomas Hardy kept four … Continue reading "Raymond Chandler’s Guide to Street, Hoodlum, and Prison Lingo"
www.helpingwritersbecomeauthors.com
(2021-07-03)
tags: movies-television, storytelling
Learn the major plot points and story structure of Toy Story directed by John Lasseter.
jerryjenkins.com
(2021-07-03)
tags: storytelling, writing
Having trouble developing the plot of a story? You aren't alone—this is no small task. But that doesn't mean it's impossible. This guide is here to help.
www.vulture.com
(2021-07-03)
tags: broadcasting, movies-television, storytelling
Behind Chris McCarthy’s plan to transform the ViacomCBS network from a linear cable channel to a multi-platform content machine.
getpocket.com
(2021-07-03)
tags: storytelling
A machine mapped the most frequently used emotional trajectories in fiction, and compared them with the ones readers like best.
github.com
(2021-07-03)
tags: python, storytelling
Facebook AI Research Sequence-to-Sequence Toolkit written in Python. - facebookresearch/fairseq
www.smithsonianmag.com
(2021-06-25)
tags: language-linguistics, storytelling
Jack may have been climbing that beanstalk for more than 5,000 years
www.smithsonianmag.com
(2021-06-07)
tags: movies-television, storytelling
Sixty years ago, the company modernized animation when it used Xerox technology on the classic film
www.fastcompany.com
(2021-05-21)
tags: reading, storytelling, writing
Wattpad is turning these user-generated stories into books, TV shows, and movies.
www.theringer.com
(2021-05-09)
tags: goodreads, movies-television, storytelling
Twenty years after it aired, David Chase and Co. look back on one of the wildest, boldest, funniest episodes of ‘The Sopranos’ ever made
www.newyorker.com
(2021-05-02)
tags: comedy-fun-humor, storytelling, writing
The first major interview with one of the most revered comedy writers of all time.
www.vulture.com
(2021-04-22)
tags: language-linguistics, movies-television, storytelling
Good finales offer catharsis. The best deny us closure altogether.
seths.blog
(2021-04-22)
tags: storytelling
Chris Fralic reminded me of this piece I wrote for Ode. Great stories succeed because they are able to capture the imagination of large or important audiences. A great story is true. Not necessaril…
www.newyorker.com
(2021-04-17)
tags: goodreads, movies-television, storytelling
On the original show, which is now streaming for the first time on Disney+, bits of fabric and glue and yarn become complexly real.
tim.blog
(2021-04-11)
tags: motivation, movies-television, podcast, speaking, storytelling
Please enjoy this transcript of my interview with entertainment icon Jerry Seinfeld (@jerryseinfeld). Jerry’s comedy career took off after his first appearance on The Tonight Show with Johnny Carson in 1981. Eight years later, he teamed up with fellow comedian Larry David to create what was to become the most successful comedy series in the … Continue reading "The Tim Ferriss Show Transcripts: Jerry Seinfeld — A Comedy Legend’s Systems, Routines, and Methods for Success (#485)"
getpocket.com
(2021-03-30)
tags: speaking, storytelling
Tips from a comedian and a journalist on the art of going from small talk to big ideas. Try these out at the next summer wedding reception.
www.nytimes.com
(2021-02-19)
tags: movies-television, storytelling
The director Chloé Zhao narrates a scene from her movie featuring Frances McDormand and David Strathairn.
www.esquire.com
(2021-02-11)
tags: storytelling
Take notes everywhere, embrace Wikipedia wormholes and other handy tips
psyche.co
(2021-02-11)
tags: storytelling, writing
It’s not only writer’s intuition. Use personality psychology to create just the right blend of surprise and believability
www.theringer.com
(2021-01-27)
tags: movies-television, storytelling
From ‘The Room’ to ‘Eraserhead’ to ‘Rocky Horror,’ these are the best movies to ever inspire deep obsession
www.washingtonpost.com
(2021-01-06)
tags: books, goodreads, spycraft, storytelling, writing
He wanted to learn about the Miami drug world and had been told I could help.
bigthink.com
(2020-12-18)
tags: storytelling
Before fame, Kurt Vonnegut wrote a master's thesis on the shapes of stories for the anthropology department at the University of Chicago.
www.leadershipstorylab.com
(2020-12-18)
tags: storytelling
When it comes to public speaking, the one thing your audience needs most is a good hook. Hooking attention takes creativity.
towardsdatascience.com
(2020-12-18)
tags: storytelling
Fine-tuning GPT-2 to generate stories based on genres
duckduckgo.com
(2020-12-10)
tags: deep-learning, ideas, storytelling
DuckDuckGo. Privacy, Simplified.
en.wikipedia.org
(2020-11-29)
tags: emotions, storytelling
Emotion classification, the means by which one may distinguish or contrast one emotion from another, is a contested issue in emotion research and in affective science. Researchers have approached the classification of emotions from one of two fundamental viewpoints:that emotions are discrete and fundamentally different constructs
that emotions can be characterized on a dimensional basis in groupings
duckduckgo.com
(2020-11-29)
tags: storytelling
DuckDuckGo. Privacy, Simplified.
arxiv.org
(2020-11-29)
tags: storytelling
jerryjenkins.com
(2020-11-29)
tags: storytelling
Learning how to write a short story is the perfect place to begin your writing journey. But it's an art—they're vastly different from full-length novels.
www.openculture.com
(2020-11-06)
tags: storytelling
Fear and Loathing in Las Vegas, before he became short-hand for a filmmaker cursed with cosmically bad luck, before he became the sole American member of seminal British comedy group Monty Python, Terry Gilliam made a name for himself creating odd animated bits for the UK series Do Not Adjust Your Set.
www.openculture.com
(2020-11-03)
tags: storytelling
'Great literature is one of two stories,' we often quote Leo Tolstoy as saying: 'a man goes on a journey or a stranger comes to town.' That's all well and good for the author of War and Peace, but what about the thousands of screenwriters struggling to come up with the next hit movie, the next hit television series, the next hit platform-specific web and/or mobile series?
astrosociety.org
(2020-11-03)
tags: storytelling
www.vulture.com
(2020-10-20)
tags: animation, storytelling
From Bugs Bunny to Spike Spiegel to Miles Morales, retracing 128 years of an art form that continues to draw us all in.
getpocket.com
(2020-09-16)
tags: storytelling
We have grown very used to the idea of time travel, as explored and exploited in so many movies and TV series and so much fiction. Although it feels like it’s been around forever, it isn’t an ancient archetypal story but a newborn myth, created by H.G. Wells in his 1895 novel The Time Machine. To put it another way, time travel is two years older than Dracula, and eight years younger than Sherlock Holmes.
www.theatlantic.com
(2020-08-16)
tags: storytelling
According to science fiction writer William Gibson, a book's opening should be an inviting enigma to the reader—and a motivational benchmark for the writer.
forge.medium.com
(2020-08-11)
tags: behaviors, storytelling
The best lessons from films and fiction on what makes a hero
quoteinvestigator.com
(2020-08-10)
tags: storytelling
www.theatlantic.com
(2020-07-21)
tags: storytelling
A machine mapped the most frequently used emotional trajectories in fiction, and compared them with the ones readers like best.
getpocket.com
(2020-07-19)
tags: goodreads, movies-television, storytelling
Claudia Dreifus: You are sometimes called “the Balzac of Baltimore.” What’s your take on the title? David Simon: When people say that, I go, “Did you just call me a ball sac?” I usually goof on that. I haven’t read all of Balzac. I keep slicing up society, taking a different slice each time, thinking, eventually I’ll have a cake. That’s Balzac. That’s what he did. What I never do is raise my hand and say, “This could be a hit. Make this because this could be a hit.” The minute I do that, I’m done as me.
readandwrite.today
(2020-06-07)
tags: storytelling
fabuladeck.com
(2020-06-01)
tags: storytelling
Fabula is an analogue framework for fiction writers and screenwriters
www.openculture.com
(2020-02-19)
tags: storytelling
When it came to giving advice to writers, Kurt Vonnegut was never dull.
techcrunch.com
(2020-02-09)
tags: storytelling, video
TVs this year will ship with a new feature called "filmmaker mode," but unlike the last dozen things the display industry has tried to foist on consumers, this one actually matters. It doesn't magically turn your living room into a movie theater, but it's an important step in that direction.
nautil.us
(2019-12-05)
tags: storytelling
Learning to appreciate the future of literature.
crimereads.com
(2019-09-15)
tags: storytelling
Bowie placed the shotgun on the ground and picked up the .22 rifle. “I always wanted one of these little guns when I was a kid,” he said. “That time they got me in Florida,” Chicamaw said, “and sen…
www.openculture.com
(2019-08-30)
tags: programming, storytelling
Quick tip: The new software package, Storyboarder, makes it 'easy to visualize a story as fast you can draw stick figures.' You can create a story idea without actually making a full-blown movie and see how it looks. Storyboarder is free. It's open source.
news.ycombinator.com
(2019-07-23)
tags: goodreads, storytelling
www.cooper.com
(2019-05-29)
tags: brandmgmt, marketing, prodmgmt, storytelling
www.theringer.com
(2019-03-28)
tags: goodreads, storytelling
Improvising legend. Filmmaking maverick. Comedy savant. Screenwriting secret weapon. Elaine May is one of the most important people in American pop cultural history. Why isn’t she more celebrated? That’s exactly how she wants it.
overreacted.io
(2019-03-27)
tags: brandmgmt, naming, startups, storytelling
A change starts with a story.
stand-upcomedy.com
(2019-02-07)
tags: presentations-presenting, speaking, storytelling
500ish.com
(2018-09-05)
tags: movies-television, storytelling
Michael Clayton is a great film. I was reminded of this fact a while back on Twitter. Not that I needed to be reminded — I tweet about the…
medium.com
(2017-12-15)
tags: prodmgmt, storytelling
LIKE THIS ARTICLE SO FAR? THEN YOU’LL REALLY WANT TO SIGN UP FOR MY NEWSLETTER. IT’S DELIVERED ONCE A WEEK AND PACKED WITH IDEAS ON…
www.adweek.com
(2017-05-31)
tags: storytelling
In the wake of the Pepsi debacle, brands should turn up the authenticity in their marketing budgets with more long-form films and documentaries.
-->
seaborn gallery
categories:
tags:
python
seaborn
visualization
date: 06 Apr 2025
slug:seaborn-gallery
-->
shaming
categories:
tags:
behaviors
shame
date: 06 Apr 2025
slug:behaviors-shaming
psyche.co
(2024-02-11)
tags: behaviors, shaming
When passions run high so does the urge to shame wrongdoers. But if the goal is to change, shamers should think twice
yalereview.org
(2022-10-04)
tags: behaviors, emotions, shaming
What does the state of online shaming reveal about our democracy?
psyche.co
(2022-09-09)
tags: behaviors, emotions, shaming
Do you feel perpetually bad, broken or unlovable? These tools will help you relate to yourself in a fairer, gentler way
www.psychologytoday.com
(2022-08-23)
tags: shaming, feedback
The "common scold," recognized in England for centuries is still with us. Although such a person is not described in the psychiatric literature, I describe his/her principal elements here.
getpocket.com
(2022-08-17)
tags: shaming
getpocket.com
(2022-08-17)
tags: behaviors, emotions, shaming
People who feel shame readily are at risk for depression and anxiety disorders
www.yesmagazine.org
(2022-07-30)
tags: emotions, empathy, shaming
Today’s hustle culture claims “unearned” pleasure is shameful. But there are ways to resist this cultural response.
nadia.xyz
(2022-07-26)
tags: behaviors, shaming
I’ve enjoyed playing a game called Avalon recently. I won’t go too far into the rules, but it’s a hidden role game in the vein of Secret Hitler or Werewolf, where one team is “good”, trying to uncover who among them is “evil”, before the evil team wins.
www.troyhunt.com
(2018-09-12)
tags: behaviors, shaming
Here's how it normally plays out: It all begins when a company pops up online and makes some sort of ludicrous statement related to their security posture, often as part of a discussion on a public social media platform such as Twitter. Shortly thereafter, the masses descend on said organisation
hbr.org
(2018-02-02)
tags: marketing, shaming, anonymity
Consumers are more likely to buy embarrassing products when their embarrassment is mitigated by more-anonymous packaging. Specifically, consumers found products packaged in boxes with cool colors, small lettering, and a picture of the product to be more anonymous (and appealing) than products packaged in pumps or tubes with warm colors, medium or large lettering, and no picture. The findings show that the more anonymous a product looks, the less embarrassing a consumer finds it, and the more likely they are to purchase it.
aeon.co
(2006-10-24)
tags: behaviors, emotions, shaming
Rather than being a cringey personal failing, awkwardness is a collective rupture – and a chance to rewrite the social script
-->
optical & photonics
categories:
tags:
optical
photonics
date: 06 Apr 2025
slug:optical
spectrum.ieee.org
(2025-03-25)
tags: optics-photonics, interconnects, semiconductors, datacenters
Nvidia's endorsement of co-packaged optics means the time is right
www.eetimes.com
(2024-12-12)
tags: optics-photonics
Lumai's breakthrough in AI acceleration with free-space optics promises energy cuts and faster processing.
archives.argmin.net
(2024-11-25)
tags: deep-learning, optics-photonics
Musings on systems, information, learning, and optimization.
www.nextplatform.com
(2024-10-27)
tags: interconnects, optics-photonics, semiconductors
According to rumors, Nvidia is not expected to deliver optical interconnects for its GPU memory-lashing NVLink protocol until the “Rubin Ultra” GPU
semiengineering.com
(2024-10-19)
tags: optics-photonics, semiconductors
A new technical paper titled “Image Sensors and Photodetectors Based on Low-Carbon Footprint Solution-Processed Semiconductors” was published by researchers at Cardiff University. Abstract “This mini-review explores the evolution of image sensors, essential electronic components increasingly integrated into daily life. Traditional manufacturing methods for image sensors and photodetectors, employing high carbon footprint techniques like thermal evaporation... » read more
wccftech.com
(2024-06-28)
tags: optics-photonics
Intel has achieved a breakthrough in silicon photonics,unveiling world's first fully integrated optical compute interconnect for AI markets.
www.extremetech.com
(2024-05-13)
tags: physics, optics-photonics
We explain how lasers work and all the fascinating ways they're being used.
www.anandtech.com
(2024-04-29)
tags: optics-photonics, semiconductors
www.allaboutcircuits.com
(2024-04-02)
tags: optics-photonics, semiconductors
Some of the leaders of the networking industry showed up to the Optical Fiber Conference, including Broadcom, MediaTek, Semtech, and MaxLinear.
semiengineering.com
(2024-04-01)
tags: optics-photonics, semiconductors
From curvilinear designs to thermal vulnerabilities, what engineers need to know about the advantages and disadvantages of photonics.
www.allaboutcircuits.com
(2023-07-24)
tags: optics-photonics
Leveraging novel photonic circuit designs, researchers hope to lower electricity consumption in data centers.
spectrum.ieee.org
(2023-05-22)
tags: deep-learning, optics-photonics, semiconductors
Stanford team achieves first-ever optical backpropagation milestone
www.theceomagazine.com
(2023-04-26)
tags: optics-photonics, semiconductors, startups
Vaysh Kewada, CEO and Co-Founder of Salience Labs, advances AI by circumventing finite processing power with a revolutionary new chip design.
spectrum.ieee.org
(2023-04-09)
tags: optics-photonics, semiconductors
You can make many things with silicon photonics, but a laser is not one of them
www.technologyreview.com
(2023-04-09)
tags: cameras, optics-photonics, physics
“Metalenses” created with photolithography could change the nature of imaging and optical processing.
opticexplorer.sharedigm.com
(2023-02-26)
tags: optics-photonics
Easy to use cloud based optical exploration, simulation and design
social.afront.org
(2022-12-13)
tags: interconnects, optics-photonics
Attached: 2 images One of my nice friends at Hurricane Electric gave me a dead 100G-LR4 optic to tear apart for your entertainment, so for the sake of your entertainment, lets dig into it! 🧵
ayarlabs.com
(2022-07-08)
tags: optics-photonics, semiconductors
Ayar Labs solves bandwidth and power bottlenecks by moving data using light. We built the world's first optical I/O chiplets.
www.intel.com
(2022-07-08)
tags: optics-photonics, semiconductors
Intel® Silicon Photonics combines the manufacturing scale and capability of silicon with the power of light onto a single chip.
www.allaboutcircuits.com
(2022-07-08)
tags: optics-photonics, semiconductors
Intel Lab researchers push photonics one step further by demonstrating a tightly controlled, highly integrated eight-wavelength laser.
www.nanog.org
(2022-07-08)
tags: optics-photonics
NANOG is the professional association for Internet engineering, architecture and operations.
t.co
(2022-07-05)
tags: optics-photonics, semiconductors
Intel has demonstrated an eight-wavelength laser array on a silicon wafer paving the way for the next generation of integrated silicon photonics products.
www.theregister.com
(2022-06-21)
tags: interconnects, optics-photonics, semiconductors
Star Trek's glowing circuit boards may not be so crazy
www.mckinsey.com
(2021-07-02)
tags: optics-photonics
More end products are integrating lasers with sensors and optics, opening new opportunities for photonics manufacturers.
www.nanog.org
(2021-03-10)
tags: circuits-electronics, optics-photonics
NANOG is the professional association for Internet engineering, architecture and operations.
www.eetimes.com
(2021-03-05)
tags: antennas, circuits-electronics, optics-photonics, semiconductors
The breakthrough is taking full advantage of the orbital angular momentum properties of a coherent light source, thus enabling multiplexing.
www.allaboutcircuits.com
(2021-02-04)
tags: circuits-electronics, optics-photonics
Learn some basic, foundational info about fiber optic communication systems in this primer.
sikich.com
(2020-12-18)
tags: optics-photonics
Our current networking technology was unfathomable just ten years ago. Now thanks to using fiber optics, data transmits faster than before.
semiengineering.com
(2020-02-19)
tags: optics-photonics, semiconductors
Silicon photonics is a promising technology, but it may take a while.
venturebeat.com
(2019-04-16)
tags: optics-photonics, semiconductors
Boston-based startup Lightelligence's optical machine learning accelerator has entered prototyping stage, the startup announced.
www.nextplatform.com
(2019-03-14)
tags: optics-photonics, semiconductors
Optalysys, a startup based in the United Kingdom, has introduced an entry-level optical coprocessor, the first such system of its kind on the market. The
frontnet.eu
(2018-10-12)
tags: optics-photonics
potsandpansbyccg.com
(2017-11-27)
tags: circuits-electronics, optics-photonics
The FCC voted last Thursday to relax the rules for retiring copper wiring. This change was specifically aimed at Verizon and AT&T and is going to make it a lot easier for them to tear down old …
open.substack.com
(2012-09-24)
tags: optics-photonics
Over the past six decades, advances in computers and microprocessors have completely reshaped our world.
-->
linux
categories:
tags:
linux
date: 06 Apr 2025
slug:linux-resources
(pdfgrep.org)
2025-03-27
I Explored the Biggest Man Pages on Linux, Here’s What I ...
(www.howtogeek.com)
2025-03-24
10 Tricks You Can Do With FFmpeg on Linux
(www.howtogeek.com)
2025-03-23
When you deleted /lib on Linux while still connected via ssh
(tinyhack.com)
2025-03-18
Packaging a Python App to Executable .deb Binary
(linuxhandbook.com)
2025-03-10
10 Essential Bash Shell Commands for Data Science
(www.kdnuggets.com)
2025-03-04
The Ultimate Kubectl Command Cheat Sheet
(linuxhandbook.com)
2025-01-23
LLM 0.20
(simonwillison.net)
2025-01-20
kitty.conf
(sw.kovidgoyal.net)
2025-01-06
What are File Descriptors in Linux?
(linuxhandbook.com)
2025-01-05
Linux: How to Use Cron to Schedule Regular Jobs
(thenewstack.io)
2024-12-24
The kitty command line interface
(sw.kovidgoyal.net)
2024-12-20
A Comprehensive Guide to Computer Networking in Linux: Co...
(www.r-bloggers.com)
2024-12-17
Using Arrays in YAML: Practical Examples
(linuxhandbook.com)
2024-12-13
Understanding Storage Media in Linux: A Beginner’s Guide
(www.r-bloggers.com)
2024-12-12
Introduction to Using Grep With Regular Expressions via Warp
(thenewstack.io)
2024-12-07
An Introduction to the Snap Universal Package Manager
(thenewstack.io)
2024-11-28
40+ Linux Commands for Every Machine Learning Engineer
(www.tecmint.com)
2024-11-27
8 Powerful Linux Commands to Identify Hard Drive Bottlenecks
(www.tecmint.com)
2024-11-26
Ansible Cron Module: Manage Cron Jobs on Remote Systems
(linuxhandbook.com)
2024-11-23
Warp Is a Power User's Dream Terminal for Linux
(thenewstack.io)
2024-11-15
Linux Environment Variables: A Beginner’s Guide to printe...
(www.r-bloggers.com)
2024-11-09
How to Count Video Frames Using FFmpeg on Linux
(www.tecmint.com)
2024-10-19
An Overview of Essential Docker Compose Commands and Thei...
(linuxhandbook.com)
2024-10-19
10 Essential Terminal Commands Every Developer Should Know
(www.trevorlasn.com)
2024-10-19
Understanding Expansion in the Linux Shell | R-bloggers
(www.r-bloggers.com)
2024-07-20
Introduction to Omakub, a Curated Ubuntu Environment by DHH
(thenewstack.io)
2024-07-03
What You Get After Running an SSH Honeypot for 30 Days
(blog.sofiane.cc)
2024-06-25
Start all of your commands with a comma
(rhodesmill.org)
2024-06-17
umount Command in Linux
(linuxhandbook.com)
2024-06-05
How I Use ddrescue Command to Recover Data from Failing H...
(linuxhandbook.com)
2024-05-23
w Command Examples
(linuxhandbook.com)
2024-05-22
wget Command Examples
(linuxhandbook.com)
2024-05-22
How to Host Your Blog with Ghost on Ubuntu 24.04
(www.ubuntumint.com)
2024-05-15
How to use find command to delete all *.log files created...
(www.cyberciti.biz)
2024-05-13
Linux/Unix: pstree Command Examples: See A Tree Of Processes
(www.cyberciti.biz)
2024-05-11
11 System Resource Monitoring Tools for Linux Command Line
(linuxhandbook.com)
2024-05-07
Data Science at the Command Line, 2e
(jeroenjanssens.com)
2024-04-16
Mastering the Linux htop Command
(dev.to)
2024-03-25
Linux Crisis Tools
(www.brendangregg.com)
2024-03-16
Create Multiple IP Addresses to One Single Network Interface
(www.tecmint.com)
2024-03-08
Linux Series: Understanding Cron in Ubuntu
(dev.to)
2024-02-29
How To Install and Use PostgreSQL on Ubuntu 20.04 | Digit...
(www.digitalocean.com)
2024-02-28
Build a Simple Linux Kernel Using Buildroot
(dev.to)
2024-02-11
15 Useful ‘FFmpeg’ Commands for Video, Audio and Image Co...
(www.tecmint.com)
2024-01-09
luong-komorebi/Awesome-Linux-Software
(github.com)
2023-10-15
Linux Performance
(www.brendangregg.com)
2023-10-07
Epoch Converter - Unix Timestamp Converter
(www.epochconverter.com)
2023-09-23
Linux: 3 ways to search patterns in files
(dev.to)
2023-09-14
How to List USB Devices in Linux
(linuxhandbook.com)
2023-08-25
How to Save cURL Output to a File?
(linuxhandbook.com)
2023-08-18
Schedule a Shutdown in Linux Command Line
(linuxhandbook.com)
2023-08-07
The Reluctant Sysadmin's Guide to Securing a Linux Server
(pboyd.io)
2023-08-05
How to get and extract filename extension in Bash - nixCraft
(www.cyberciti.biz)
2023-08-05
What do <,< and < mean in Linux?
(linuxhandbook.com)
2023-08-01
bc Command in Linux
(linuxhandbook.com)
2023-07-23
Use Systemctl Status Command to Check Service Status
(linuxhandbook.com)
2023-07-23
Shell Built-in Commands
(linuxhandbook.com)
2023-07-22
Magic with Linux Commands
(dev.to)
2023-07-22
Using Until Loop in Bash
(linuxhandbook.com)
2023-07-12
Exclude Files and Directories from rsync
(linuxhandbook.com)
2023-07-09
Redirect Linux Command Output to File
(linuxhandbook.com)
2023-07-01
Clearing Pip Cache
(linuxhandbook.com)
2023-06-28
Read File Line by Line in Bash
(linuxhandbook.com)
2023-06-24
Run Multiple Linux Commands in One Go
(linuxhandbook.com)
2023-06-22
How "Exit Traps" Can Make Your Bash Scripts Way More Robu...
(redsymbol.net)
2023-06-19
Demystifying Linux System Management: Navigating Filesyst...
(dev.to)
2023-06-10
System Calls in Linux
(linuxhandbook.com)
2023-06-05
The importance of a name.
(joebordes.com)
2023-05-30
Appending to Arrays in Bash
(linuxhandbook.com)
2023-05-28
Using exec Command in Bash Shell Scripts
(linuxhandbook.com)
2023-05-16
Makefile Tutorial by Example
(makefiletutorial.com)
2023-05-05
Everything Essential About the tmp Directory in Linux
(linuxhandbook.com)
2023-04-26
The shrinking role of semaphores [LWN.net]
(lwn.net)
2023-04-26
Linux Kernel 6.3 Released
(linux.slashdot.org)
2023-04-15
How to Use Linux’s screen Command
(www.howtogeek.com)
2023-04-11
Force Linux User to Change Password at Next Login
(linuxhandbook.com)
2023-04-10
Use chattr Command in Linux
(linuxhandbook.com)
2023-04-05
Special Variables in Bash Shell Scripting
(linuxhandbook.com)
2023-03-31
Fixing Mount Point Does Not Exist Error in Linux
(linuxhandbook.com)
2023-03-26
pdfgrep: Use Grep Like Search on PDF Files in Linux Comma...
(itsfoss.com)
2023-03-25
trimstray/the-book-of-secret-knowledge: A collection of i...
(github.com)
2023-03-20
All commands sorted by votes
(www.commandlinefu.com)
2023-03-19
A different approach to fuzzy finding
(nathancraddock.com)
2023-03-17
Using XXD Command in Linux
(linuxhandbook.com)
2023-03-16
Ping Sweep Using nmap on Linux
(linuxhandbook.com)
2023-03-14
How to Use the gzip Command in Linux
(linuxhandbook.com)
2023-03-02
Linux Process Management: A Deep Dive
(dev.to)
2023-03-02
Use the Chage Command in Linux
(linuxhandbook.com)
2023-02-26
Exploring Linux Kernels
(dev.to)
2023-02-23
Bobby Iliev - Introduction to Bash Scripting
(ebook.bobby.sh)
2023-02-23
Discovering the Power of xargs Command in Linux
(dev.to)
2023-02-19
How to Create Your Own Commands in Linux
(dev.to)
2023-02-09
Unix Time Stamp - Epoch Converter
(www.unixtimestamp.com)
2023-02-07
mikefarah/yq: yq is a portable command-line YAML, JSON, X...
(github.com)
2023-02-04
Using Curl to make REST API requests | Linuxize
(linuxize.com)
2023-01-31
Find All Symbolic Links in Linux
(linuxhandbook.com)
2023-01-30
Magic SysRq key - Wikipedia
(en.wikipedia.org)
2023-01-30
Netstat Command Examples in Linux
(linuxhandbook.com)
2023-01-19
CLI tools you won't be able to live without ?
(dev.to)
2023-01-16
How To Install MySQL on Ubuntu 22.04 | DigitalOcean
(www.digitalocean.com)
2023-01-16
Torch and Torchvision C installation and debugging on Linux
(towardsdatascience.com)
2023-01-16
Compare Two Directories in the Linux Command Line
(linuxhandbook.com)
2023-01-13
The Power of Linux Cgroups: How Containers Take Control o...
(towardsdatascience.com)
2023-01-13
A Visual Guide to SSH Tunnels: Local and Remote Port Forw...
(iximiuz.com)
2023-01-04
List Mounted Drives in Linux
(linuxhandbook.com)
2022-12-24
How to install PipeWire on Ubuntu Linux - Linux Tutorials...
(linuxconfig.org)
2022-12-21
What is /dev/zero in Linux?
(linuxhandbook.com)
2022-12-17
5 commands you need know about Linux networking
(dev.to)
2022-12-16
Important GCC Flags in Linux
(linuxhandbook.com)
2022-12-13
tree Command Examples in Linux
(linuxhandbook.com)
2022-12-13
Kill Process Running on a Specific Port in Linux
(linuxhandbook.com)
2022-12-07
Using the Make Utility and Makefiles in Linux [Guide]
(linuxhandbook.com)
2022-12-07
Scan Ports With netcat Command in Linux
(linuxhandbook.com)
2022-12-05
How to Create Large Files in Linux
(linuxhandbook.com)
2022-12-04
error I get when doing sudo apt-get update. Tried other s...
(www.reddit.com)
2022-12-04
LINUX Commands
(xmind.app)
2022-11-30
How to Find Open Ports and Close Them in Linux
(linuxhandbook.com)
2022-11-28
jlevy/the-art-of-command-line: Master the command line, i...
(github.com)
2022-11-28
How to Get the UUID of a Disk Partition in Linux
(linuxhandbook.com)
2022-11-20
How to Use the duf Command in Linux
(linuxhandbook.com)
2022-11-18
How to activate Bluetooth on Linux
(dev.to)
2022-11-14
What is the Purpose of /etc/hosts File in Linux
(linuxhandbook.com)
2022-11-10
Using Brace Expansion in Bash Shell
(linuxhandbook.com)
2022-11-06
Exclude Files and Directories While Creating Tar File
(linuxhandbook.com)
2022-11-06
Connect to SSH Server on Alternate Port
(linuxhandbook.com)
2022-10-30
The Lesser Known Dir Command in Linux
(linuxhandbook.com)
2022-10-29
File Locking in Linux
(linuxhandbook.com)
2022-10-29
Shell Script Best Practices — The Sharat's
(sharats.me)
2022-10-28
SadServers - Linux & DevOps Troubleshooting Interviews
(sadservers.com)
2022-10-15
How to use SIGINT and other Termination Signals in Linux
(linuxhandbook.com)
2022-10-09
Improve Linux system performance with noatime | Opensourc...
(opensource.com)
2022-10-09
How fstab works - introduction to the /etc/fstab file on ...
(linuxconfig.org)
2022-10-09
6 Different Ways to List Disks in Linux Command Line
(linuxhandbook.com)
2022-10-04
Linux 6.0 Arrives With Support For Newer Chips, Core Fixe...
(linux.slashdot.org)
2022-10-04
How to Print Environment Variables in Linux
(linuxhandbook.com)
2022-10-02
Everything You Important You Should Know About the known_...
(linuxhandbook.com)
2022-10-02
How to count all files in a directory in Linux
(dev.to)
2022-10-01
How to Follow Symbolic Links
(linuxhandbook.com)
2022-09-25
How to Know if You Are Using Systemd or Some Other Init i...
(linuxhandbook.com)
2022-09-24
Linux On The Laptop Works So Damn Well That It’s Boring |...
(clivethompson.medium.com)
2022-09-20
How to Change IP Address in Linux
(linuxhandbook.com)
2022-09-13
Get Absolute File Path in Linux
(linuxhandbook.com)
2022-09-08
Common Networking Port Numbers in Linux
(linuxhandbook.com)
2022-09-08
How to Search in Less Command
(linuxhandbook.com)
2022-09-05
Using ifup, ifdown, and ifquery commands in Linux
(linuxhandbook.com)
2022-08-17
SSH tips and tricks | Carlos Becker
(carlosbecker.dev)
2022-08-17
Find Files Modified in Last N Minutes in Linux
(linuxhandbook.com)
2022-07-27
Unlink Command in Linux
(linuxhandbook.com)
2022-07-22
How to convert JSON to CSV using Linux / Unix shell - nix...
(www.cyberciti.biz)
2022-07-20
Small, Sharp Tools
(brandur.org)
2022-07-18
How to Use the find Command With exec
(linuxhandbook.com)
2022-07-17
50+ super useful Linux Commands
(twitter.com)
2022-07-09
Basic Linux commands for text manipulation
(dev.to)
2022-07-08
13 must-know SSH Commands
(www.marcobehler.com)
2022-07-05
Making the Most of man pages in Linux
(linuxhandbook.com)
2022-07-03
The Linux Kernel documentation — The Linux Kernel documen...
(www.kernel.org)
2022-06-21
How to make a Symbolic Link on Linux
(dev.to)
2022-06-21
After GRUB appears I see ACPI BIOS ERROR messages before ...
(askubuntu.com)
2022-06-01
A decade of dotfiles
(evanhahn.com)
2022-05-29
How To Install PostgreSQL on Ubuntu 20.04 [Quickstart] | ...
(www.digitalocean.com)
2022-05-26
How to free up space in Ubuntu
(dev.to)
2022-05-26
How to Kill a Process in Linux Command Line
(linuxhandbook.com)
2022-05-14
How to Set Timeout in cURL
(linuxhandbook.com)
2022-05-14
Understanding the /etc/shells file
(bash.cyberciti.biz)
2022-05-14
How to make disk image with dd on Linux or Unix
(www.cyberciti.biz)
2022-05-13
Understanding the bin, sbin, usr/bin , usr/sbin split
(lists.busybox.net)
2022-05-13
Understanding /etc/passwd file in Linux
(dev.to)
2022-05-06
How to fix “bash: add-apt-repository: command not found” ...
(www.cyberciti.biz)
2022-05-04
GitHub - onceupon/Bash-Oneliner: A collection of handy Ba...
(github.com)
2022-03-26
Ubuntu 21.10 suspension problems
(superuser.com)
2022-03-23
XARGS only makes your life easier
(dev.to)
2022-03-23
14 Awesome CLI Tools for Modern Software Developers
(dev.to)
2022-03-17
How to Make a File Executable in Linux terminal?
(linuxhandbook.com)
2022-03-14
How to: Linux / UNIX create soft link with ln command - n...
(www.cyberciti.biz)
2022-01-29
How to Find the PID and PPID of a Process in Linux
(linuxhandbook.com)
2022-01-27
What does the sleep command do in Linux? - nixCraft
(www.cyberciti.biz)
2022-01-26
systemd by example - the systemd playground
(systemd-by-example.com)
2022-01-16
SSH Kung Fu
(blog.tjll.net)
2022-01-15
r0f1/linuxhelp: Helpful linux commands.
(github.com)
2022-01-12
Important penetration testing cheat sheet
(techincidents.com)
2022-01-12
imthenachoman/How-To-Secure-A-Linux-Server: An evolving h...
(github.com)
2021-12-27
wader/fq: jq for binary formats
(github.com)
2021-12-26
Invaluable command line tools for web developers
(www.coderholic.com)
2021-12-26
junegunn/fzf: :cherry_blossom: A command-line fuzzy finder
(github.com)
2021-12-19
exa · a modern replacement for ls
(the.exa.website)
2021-12-15
sharkdp/hyperfine: A command-line benchmarking tool
(github.com)
2021-12-15
dalance/procs: A modern replacement for ps written in Rust
(github.com)
2021-12-15
BurntSushi/ripgrep: ripgrep recursively searches director...
(github.com)
2021-12-14
ogham/exa
(github.com)
2021-12-14
tmux/tmux: tmux source code
(github.com)
2021-12-14
sharkdp/bat
(github.com)
2021-12-14
bootandy/dust: A more intuitive version of du in rust
(github.com)
2021-12-13
Learning | Linux Journey
(linuxjourney.com)
2021-12-13
Four Linux server monitoring tools
(aarvik.dk)
2021-12-12
My First 10 Minutes On a Server - Primer for Securing Ubu...
(www.codelitt.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Lsof – A Unix Utility You Should Know About
(catonmat.net)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
How to Create and Use Alias Command in Linux
(www.tecmint.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Linux Containers
(linuxcontainers.org)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
chmln/sd: Intuitive find & replace CLI (sed alternative)
(github.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-12
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
http://blog.urfix.com/25-ssh-commands-tricks/
(blog.urfix.com)
2021-12-11
The Fascinating World of Linux System Calls
(sysdig.com)
2021-12-11
sharkdp/fd: A simple, fast and user-friendly alternative ...
(github.com)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
Adventures in /usr/bin and the likes
(ablagoev.github.io)
2021-12-11
http://cb.vu/unixtoolbox.xhtml#zip
(cb.vu)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
cjbassi/ytop: A TUI system monitor written in Rust
(github.com)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-11
Learning | Linux Journey
(linuxjourney.com)
2021-12-04
How to use dig
(jvns.ca)
2021-12-04
Wget Command in Linux with Examples
(www.cyberciti.biz)
2021-12-02
Bash scripting cheatsheet
(devhints.io)
2021-12-02
Sudo Command in Linux
(linuxize.com)
2021-12-02
10 handy Bash aliases for Linux
(opensource.com)
2021-12-02
An Introduction To Data Science On The Linux Command Line
(blog.robertelder.org)
2021-12-02
The linux commands that help me work
(dev.to)
2021-12-02
15 Command-Line Tools to Make You Better at Shell & CLI
(dev.to)
2021-12-02
Awesome Command-Line tools to boost your productivity
(dev.to)
2021-12-02
The Shell Introduction I Wish I Had
(dev.to)
2021-12-02
http://cb.vu/unixtoolbox.xhtml
(cb.vu)
2021-12-02
101 Bash Commands and Tips for Beginners to Experts
(dev.to)
2021-12-02
Show All Running Processes in Linux using ps/htop commands
(www.cyberciti.biz)
2021-12-02
Linux Tutorial: PostgreSQL Database and Linux
(www.yolinux.com)
2021-11-24
Bash Patterns I Use Weekly
(will-keleher.com)
2021-11-23
How to compress the whole directory using xz and tar
(www.cyberciti.biz)
2021-11-15
Learning Containers From The Bottom Up
(iximiuz.com)
2021-11-01
A refresher on Linux File system structure
(twitter.com)
2021-10-27
Commands
(manualsrepo.com)
2021-10-15
15 Super Useful Examples of the Find Command in Linux
(linuxhandbook.com)
2021-10-07
Essential Linux Command-Line Tricks for Computer Vision R...
(towardsdatascience.com)
2021-10-01
What is Shebang in Linux Shell Scripting?
(linuxhandbook.com)
2021-09-26
Unusual Ways to Use Variables Inside Bash Scripts
(linuxhandbook.com)
2021-09-26
Command line wizardry, part two: Variables and loops in Bash
(arstechnica.com)
2021-09-26
Datavu: Useful Unix commands for exploring data
(datavu.blogspot.com)
2021-09-08
How to use htmlq to extract content from HTML files on Li...
(www.cyberciti.biz)
2021-08-16
Basic Networking Commands in Linux
(dev.to)
2021-08-08
How To Run Commands When You Log Out Using ~/.bash_logout
(bash.cyberciti.biz)
2021-07-07
Top 6 Ethical Hacking Tools
(dev.to)
2021-06-29
Linux ifconfig Command
(linuxize.com)
2021-06-26
Let's learn about few networking side command in Linux/Unix
(dev.to)
2021-06-05
How to repeat a character 'n' times in Bash - nixCraft
(www.cyberciti.biz)
2021-05-18
16 Must-Know Bash Commands for Data Scientists | by Giorg...
(towardsdatascience.com)
2021-05-05
My Favorite One Liners | Muhammad
(muhammadraza.me)
2021-05-01
The Linux Documentation Project Works
(tldp.org)
2021-04-28
Grep cheatsheet
(dev.to)
2021-03-26
wkhtmltopdf
(wkhtmltopdf.org)
2021-03-02
Huge Collection of Linux Commands With Useful Examples
(linuxhandbook.com)
2021-02-19
Swiss File Knife – A Command Line Tools Collection
(stahlworks.com)
2021-02-07
A visual guide to SSH tunnels
(robotmoon.com)
2021-01-28
Linux Handbook
(linuxhandbook.com)
2021-01-04
Edit fstab to Auto-Mount Secondary Hard Drives on Linux
(www.maketecheasier.com)
2021-01-04
How to Auto-Mount a Drive at Boot in Linux - Tuxinit
(tuxinit.com)
2020-12-31
Linux Hardening Guide | Madaidan's Insecurities
(madaidans-insecurities.github.io)
2020-12-26
Linux Basic Commend u should know
(www.reddit.com)
2020-12-26
apt Command Examples for Ubuntu/Debian Linux
(www.cyberciti.biz)
2020-12-18
Hacker News
(phiresky.github.io)
2020-12-18
How to convert pdf to image on Linux command line
(www.cyberciti.biz)
2020-12-18
Use `nproc` and not grep /proc/cpuinfo
(www.flamingspork.com)
2020-12-18
Free intro to Linux commandline/server course starts Mond...
(www.reddit.com)
2020-12-12
drivers - How do you install CUDA 11 on Ubuntu 20.10 and ...
(askubuntu.com)
2020-12-12
Install the Latest Nvidia Linux Driver - LinuxConfig.org
(linuxconfig.org)
2020-12-11
How to Install Nvidia Driver on Ubuntu 20.04
(linoxide.com)
2020-12-10
How to Install Flask on Ubuntu 20.04
(linuxize.com)
2020-12-10
Linux Commands for Developers
(dev.to)
2020-12-10
Intel RST
(help.ubuntu.com)
2020-12-09
How to Use mkfs Command in Linux [For Disk Formatting]
(linuxhandbook.com)
2020-12-09
How to properly automount a drive in Ubuntu Linux - TechR...
(www.techrepublic.com)
2020-12-09
How to Use chown Command in Linux [6 Essential Examples]
(linuxhandbook.com)
2020-11-28
bobbyiliev/introduction-to-bash-scripting: Free Introduct...
(github.com)
2020-11-27
Ubuntu successfully virtualized on M1
(forums.macrumors.com)
2020-11-18
Switch between workspaces
(help.ubuntu.com)
2020-11-06
The Linux Command Handbook – Learn Linux Commands for Beg...
(www.freecodecamp.org)
2020-11-03
Start, Stop & Restart Services in Ubuntu and Other Linux
(itsfoss.com)
2020-10-23
Linux Developers Discussing Possible Kernel Driver for In...
(www.phoronix.com)
2020-08-10
LPT_LISA
(www.usenix.org)
2020-08-10
How to Shut Down Ubuntu
(vitux.com)
2020-07-16
10 Actionable SSH Hardening Tips to Secure Your Linux Server
(linuxhandbook.com)
2020-07-11
Commands for Viewing and Sorting Files
(dev.to)
2020-07-11
The 10 Useful Networking Commands You Should Know
(www.labnol.org)
2020-06-20
My Favorite CLI Tools
(dev.to)
2020-04-20
Signals in Linux
(towardsdatascience.com)
2020-03-31
Unable to install mongodb properly on ubuntu 18.04 LTS - ...
(stackoverflow.com)
2020-03-14
Synaptic Package Manager | Linux
(geek-university.com)
2020-03-09
Design On Linux — Figma, Photopea + 9 Other Tools
(blog.prototypr.io)
2020-03-05
How To Parse And Pretty Print JSON With Linux Commandline...
(www.ostechnix.com)
2020-02-19
Broot
(dystroy.org)
2020-02-19
How to Get the Size of a File or Directory in Linux
(www.howtogeek.com)
2020-02-19
How to build a search engine with common Unix tools (2018...
(www.iaria.org)
2020-01-20
Netcat – A Unix Utility You Should Know About
(www.catonmat.net)
2020-01-18
A Unix Utility You Should Know About: Lsof(2009)
(www.catonmat.net)
2019-12-23
Stupid Unix Tricks
(sneak.berlin)
2019-12-23
How to add directory to system path in Linux
(www.computerhope.com)
2019-09-23
linux - Multiple root user accounts for mysql on Ubuntu -...
(serverfault.com)
2019-08-29
A blog by Darren Burns
(darrenburns.net)
2019-08-28
Rabbit Holes: The Secret to Technical Expertise - Das Bit...
(blog.bityard.net)
2019-04-24
TurnKey GNU/Linux | 100+ free ready-to-use system images ...
(turnkeylinux.org)
2019-03-12
Best 106 Linux Commands with Example
(linoxide.com)
2019-03-03
The hard part in becoming a command line wizard
(www.johndcook.com)
2019-01-27
Ramblings from Jessie: For the Love of Pipes
(blog.jessfraz.com)
2019-01-12
Power Up Your Command Line, Part 3
(dev.to)
2018-10-11
What is /proc? | OpsTips
(ops.tips)
2018-09-08
DD, DU & DF - The Three Linux Commands You Should Commit ...
(techtudor.blogspot.com)
2018-09-05
Welcome to Linux From Scratch!
(www.linuxfromscratch.org)
2018-06-08
Linux Load Averages: Solving the Mystery
(www.brendangregg.com)
2018-06-08
https://www.openmakesoftware.com/production-quality-shell...
(www.openmakesoftware.com)
2018-05-07
The Various Kinds of IO - Blocking, Non-blocking, Multipl...
(www.rubberducking.com)
2018-04-30
Command Line Tricks For Data Scientists
(medium.com)
2018-04-10
10 Command Line Recipes for Deep Learning on Amazon Web S...
(machinelearningmastery.com)
2018-03-16
Interactive map of Linux kernel
(www.makelinux.net)
2018-03-16
Command-line-text-processing/ruby_one_liners.md at master...
(github.com)
2017-12-27
How SSH got port number 22
(www.ssh.com)
2017-12-27
Parallel processing with Unix tools
(www.pixelbeat.org)
2017-10-11
Ruby “execute shell command” examples | alvinalexander.com
(alvinalexander.com)
2017-08-21
12 Terminal Commands Every Web Developer Should Know Abou...
(tutorialzine.com)
2013-09-24
Linux / UNIX: DNS Lookup Command
(www.cyberciti.biz)
2012-10-24
Command Line Tools I Like (2022) · rwblickhan.org
(rwblickhan.org)
-->
git
categories:
tags:
git
date: 07 Apr 2025
slug:raindrop-git
github.com
(2025-04-09)
Code Listings for the book: Optimization Algorithms. Manning Publications, 2024. - Optimization-Algorithms-Book/Code-Listings
github.com
(2025-03-30)
A collection of MCP servers
github.com
(2025-02-17)
Umami is a simple, fast, privacy-focused alternative to Google Analytics. - umami-software/umami
about.gitlab.com
(2025-02-06)
Use GitLab Secret Detection to scan a repository's commit history, including branches. View results within the GitLab UI with just a few lines of code added to a pipeline file.
janifaangla-473.medium.com
(2024-11-25)
Photo by Luke Chesser on Unsplash
open.substack.com
(2024-11-24)
Your ultimate Paper Club Starter Kit, from your friends at the Latent Space Paper Club, where we have now read 100 papers. Also: Announcing Latent Space Paper Club LIVE! at Neurips 2024! Join us!
github.com
(2024-11-20)
This is a repo with links to everything you'd ever want to learn about data engineering - DataExpert-io/data-engineer-handbook
about.gitlab.com
(2024-10-31)
Learn strategies to secure secrets and what to do if secrets are accidentally leaked in a GitLab repository.
towardsdatascience.com
(2024-10-26)
A powerful Git feature for temporarily saving code in progress
www.kdnuggets.com
(2024-10-16)
Where can you find projects dealing with advanced ML topics? GitHub is a perfect source with its many repositories. I’ve selected ten to talk about in this article.
linuxhandbook.com
(2024-06-24)
Accidentally add a file that was not supposed to be added? If you have not made the commit yet, you can undo the git add and remove the file from staging.
linuxhandbook.com
(2024-06-20)
Yes, you can totally push an empty commit in Git if you really want to. Here's how to do that.
github.com
(2024-05-21)
llama3 implementation one matrix multiplication at a time - naklecha/llama3-from-scratch
github.com
(2024-05-07)
Accepted as [NeurIPS 2024] Spotlight Presentation Paper - HVision-NKU/StoryDiffusion
dev.to
(2024-04-21)
Creating a GitHub Repository Collection Using GitHub Lists ✨ GitHub Lists is a relatively...
github.com
(2024-02-29)
Implementing a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch
dev.to
(2024-02-28)
If you use Github on a daily basis and still don't know about the Github CLI, I recommend you to keep...
github.com
(2024-01-27)
GitHub is where people build software. More than 100 million people use GitHub to discover, fork, and contribute to over 420 million projects.
www.kdnuggets.com
(2024-01-27)
Improve your version control skills to resolve issues and maintain a clean Git repository.
github.com
(2024-01-17)
Best Practices on Recommendation Systems.
dev.to
(2024-01-10)
Git rebasing is a crucial skill for developers working in collaborative environments. It involves...
github.com
(2023-09-29)
Notebooks for the python tutorials of my youtube channel. See specific youtube video for link to specifc notebook. - lukepolson/youtube_channel
www.canva.dev
(2023-08-28)
Using a monorepo causes a lot of performance challenges for git. Here's how we solve them at Canva.
github.com
(2023-08-23)
Awk & Sed lessons for noobs. Using The UNIX School for reference - bjpcjp/awk-sed-lessons
dev.to
(2023-06-11)
If you no longer want to include a file in Git version control and want to add it to the .gitignore...
github.com
(2023-04-17)
The simplest, fastest repository for training/finetuning medium-sized GPTs. - karpathy/nanoGPT
dev.to
(2023-03-20)
Introduction: The software development process has been transformed by the DevOps...
dagster.io
(2023-03-19)
It's easy for an open-source project to buy fake GitHub stars. We share two approaches for detecting them.
dev.to
(2023-03-07)
Free resources for developers, board games and chess... what do they have in common? You can find...
dev.to
(2023-02-06)
I am sharing my personal experience through this article. When working with Git, it's important to...
dev.to
(2023-01-27)
Managing code and collaborating with others can be a daunting task, but Git makes it easy. This...
blog.boleary.dev
(2022-12-13)
After a little over 5 years, I'm going to be leaving GitLab for my next adventure. It's no surprise to those of you who have been following me that I have absolutely loved my time there. I'm so proud of what we built—and I'm still proud and awed by
dev.to
(2022-12-09)
GitOps is a methodology for deploying and managing software applications using Git. It is also...
dev.to
(2022-08-21)
WHAT IS GIT? A lot of times, people are confused on the right commands to use to resolve git...
blog.plover.com
(2022-07-20)
From the highly eclectic blog of Mark Dominus
substack.com
(2022-07-06)
A curated list of practical financial machine learning tools and applications. - firmai/financial-machine-learning
github.com
(2022-06-22)
GitHub Copilot works alongside you directly in your editor, suggesting whole lines or entire functions for you.
dev.to
(2022-06-22)
How to rename master to main in Github Table of Contents Context setting Step...
dev.to
(2022-06-21)
As more companies strive to deliver software faster it becomes clear what legacy processes are...
www.kdnuggets.com
(2022-06-13)
Learn essential Git commands for versioning and collaborating on data science projects.
dev.to
(2022-06-01)
Overview of Github Actions Overview of Github Actions - Part 1 Overview of Github Actions...
dev.to
(2022-06-01)
Overview of Github Actions Overview of Github Actions - Part 1 Overview of Github Actions...
github.com
(2022-05-29)
GitHub is where people build software. More than 100 million people use GitHub to discover, fork, and contribute to over 420 million projects.
github.blog
(2022-05-28)
Render mathematical expressions in Markdown
docs.github.com
(2022-05-20)
Create diagrams to convey information through charts and graphs
towardsdatascience.com
(2022-05-17)
And how to avoid them getting in there? — A surprisingly simple technique to handle it.
about.gitlab.com
(2022-05-06)
GitLab Handbook Company About GitLab Values Mission Vision Strategy Communication Culture TeamOps CEO Readme Office of the CEO Key Reviews Group Conversations E-Group Weekly Environmental, Social, and Governance Handbook About the Handbook Handbook Changelog Handbook Roadmap Handbook Escalation Handbook Usage Contribution Guide Editing the handbook Handbook Style Guide Handbook maintenance People Group Anti-Harassment Policy Global Volunteer Month Hiring Inclusion & Diversity Labor and Employment Notices Leadership Learning & Development Onboarding Offboarding Spending Company Money Talent Assessment Team Member Relations Philosophy Total Rewards Tools and Tips Engineering Customer Support Department Development Department Incubation Engineering Department Infrastructure Department Quality Department Security Practices Open Source Security Product Security Security Operations Threat Management Security Assurance Marketing Team Member Social Media Policy Blog Brand and Product Marketing Enterprise Data Integrated Marketing Sales Development Marketing Operations and Analytics Growth Developer Relations Corporate Communications Sales Alliances Commercial Customer Success Customer Success Management Reseller Channels Field Operations Reporting Solutions Architecture Finance Accounts Payable Accounts Receivable Business Technology Expenses Financial Planning & Analysis Payroll Procurement Tax Board meetings Internal Audit Equity Compensation Product Release posts About the GitLab Product Being a Product Manager at GitLab Product Principles Product Processes Product sections, stages, groups, and categories Product Development Flow Product Development Timeline Data for Product Managers Product Pricing Model Corporate Development / Acquisitions UX Department Legal and Corporate Affairs Commercial Corporate Corporate Development Employment Environment, Social, and Governance (ESG) Operations Privacy Product Risk Management and Dispute Resolution Trade Compliance
docs.python.org
(2022-03-23)
>>>, The default Python prompt of the interactive shell. Often seen for code examples which can be executed interactively in the interpreter.,,..., Can refer to:- The default Python prompt of the i...
github.com
(2022-03-23)
An opinionated list of awesome Python frameworks, libraries, software and resources. - vinta/awesome-python
www.edgoad.com
(2022-02-28)
twitter.com
(2022-02-27)
— Elitsa Krumova (@Eli_Krumova)
github.com
(2022-02-07)
Sourced from O'Reilly ebook of the same name.
github.com
(2022-01-17)
My working notes of "The Well-Grounded Rubyist" (Black & Leo), implemented in Jupyter Lab (Ruby kernel 2.7.0) - bjpcjp/well-grounded-rubyist-book-notes
github.com
(2022-01-17)
NLP demo code, largely based on https://github.com/hundredblocks/concrete_NLP_tutorial - bjpcjp/NLP_workshop
github.com
(2022-01-17)
Protect and discover secrets using Gitleaks 🔑.
github.motakasoft.com
(2022-01-17)
gist.github.com
(2022-01-16)
The Secret Passions of Git Checkout · GitHub
github.com
(2022-01-16)
Quick reference guide on fork and pull request workflow - susam/gitpr
github.com
(2022-01-16)
Get started with Gitlab in practicable time.
codewords.recurse.com
(2022-01-13)
ohshitgit.com
(2022-01-12)
blog.rlmflores.me
(2022-01-12)
dev.to
(2022-01-12)
Because they perform similar operations, it is easy to mix these commands up. Here are a few guidelines and rules for when each command should and should not be used.
wildlyinaccurate.com
(2022-01-04)
A Hacker’s Guide to Git is now available as an e-book. You can purchase it on Leanpub. Introduction Git is currently the most widely used version control system in the world, mostly thanks to GitHub. By that measure, I’d argue that it’s a...
blogs.atlassian.com
(2022-01-04)
Learn about the major reasons behind Git repositories becoming too large and techniques to manage these repositories, from submodules to Git LFS.
dev.to
(2021-12-26)
I have launched a newsletter Git Better to help learn new tricks and advanced topics of Gi...
drewdevault.com
(2021-12-26)
developer.atlassian.com
(2021-12-26)
www.learnenough.com
(2021-12-16)
An Introduction to Version Control with Git
github.com
(2021-12-15)
A starter kit for jekyll + bootstrap 4.
jmcglone.com
(2021-12-15)
A beginner's guide to creating a personal website and blog using Jekyll and hosting it for free using GitHub Pages.
www.sitepoint.com
(2021-12-15)
Shaumik examines ways to manage huge repositories with Git, including shallow cloning, cloning a single branch, using submodules and third-party extensions.
danielkummer.github.io
(2021-12-14)
www.atlassian.com
(2021-12-14)
Git Hooks are scripts that run automatically every time a particular event occurs in a Git repository. Learn what they do and how to use them effectively.
www.toptal.com
(2021-12-14)
Boom! A Git implosion means man hours down the drain! Avoid such scenarios by making use of Git patterns that suit your team and project. What Git workflow should you be using? Joe James serves up this in-depth guide to Git patterns for every kind of project.
github.com
(2021-12-12)
Easily build, package, release, update, and deploy your project in any language—on GitHub or any external system—without having to run code yourself.
github.com
(2021-12-11)
A list of cool features of Git and GitHub.
about.gitlab.com
(2021-12-11)
Download, install and maintain your own GitLab instance with various installation packages and downloads for Linux, Kubernetes, Docker, Google Cloud and more.
docs.gitlab.com
(2021-12-11)
GitLab product documentation.
longqian.me
(2021-11-29)
Github page does not allow customized plugins, and jekyll-tagging is not one of the supported GEMs of Github pages. It needs some effort to add tag support your Jekyll blog hosted by Github page. This blog shows you how to do this step by step.
dev.to
(2021-10-07)
This article is a collection of the 18 most frequently asked questions and their answers when it...
github.com
(2021-10-03)
All Algorithms implemented in Python.
github.com
(2021-09-24)
Compendium of free ML reading resources.
github.com
(2021-09-06)
Just a place to store cheatsheets.
github.com
(2021-08-04)
GitHub’s official command line tool.
phiresky.netlify.app
(2021-07-31)
I was writing a tiny website to display statistics of how much sponsored content a Youtube creator has over time when I noticed that I often write a small tool as a website that queries some data from a database and then displays it in a graph, a table, or similar. But if you want to use a
app.polymersearch.com
(2021-05-28)
towardsdatascience.com
(2021-05-05)
Create, maintain, and contribute to a long-living dataset that will update itself automatically across projects.
project-awesome.org
(2021-05-01)
dev.to
(2021-04-08)
Introduction In this post, we'll be looking at the git stash command and its usage. We com...
towardsdatascience.com
(2021-03-14)
How to use GitLab step by step, even if you have never heard of Git before
mikkel.ca
(2021-02-24)
At this point, most developers use Git as a tool for collaboration. We have our rote-learned commands to pull, commit, and push. And of course, there's that one coworker who knows a bit more about Git than everyone else, who helps get us back on track whenever our local repos end up in a strange state. But what if I told you that Git can be a valuable tool without ever setting up a remote repository? I'm not just talking about having a working version of your code base to roll back to if you mess something up, although there's that too. Used correctly, Git can help to structure your work, identifying gaps in your test coverage and minimizing dead code.
dev.to
(2021-02-20)
While it's not something that everyone likes to do, I've always found it essential to write notes. Th...
towardsdatascience.com
(2021-02-10)
Put your work in the spotlight!
restofworld.org
(2021-01-19)
With GitHub in the crosshairs of Chinese censors, Beijing is backing Gitee as its official hub, an open-source institution tailored for a closed internet.
towardsdatascience.com
(2021-01-02)
A tutorial on how to build a GitHub App that predicts and applies issue labels using Tensorflow and public datasets.
towardsdatascience.com
(2020-12-18)
Power-up Your Workflow with Cloud instance!
github.blog
(2020-11-03)
GitHub CLI brings GitHub to your terminal. It reduces context switching, helps you focus, and enables you to more easily script and create your own workflows. Earlier this year, we…
www.kdnuggets.com
(2020-11-03)
Flask is a straightforward and lightweight web application framework for Python applications. This guide walks you through how to write an application using Flask with a deployment on Heroku.
towardsdatascience.com
(2020-11-03)
How to create simple CI/CD pipelines for automated deployments
about.gitlab.com
(2020-04-07)
Learn how to compare commits, delete stale branches, and write aliases to save you some time. It's time to dust off your command line and Git busy!
codersbible.com
(2020-04-07)
github.blog
(2020-02-19)
One of the most useful features of any version control system is the ability to "undo" your mistakes. In Git, "undo" can mean many slightly different things.
bitbucket.org
(2019-12-23)
github.com
(2019-08-31)
"The mother of all demo apps" — Exemplary fullstack Medium.com clone powered by React, Angular, Node, Django, and many more - gothinkster/realworld
dev.to
(2019-08-29)
After using Git for more than 2 years and teaching it to people, there are few tip that I would like to share.
dev.to
(2019-08-29)
In this context, *hooks are events you can subscribe to* in order to trigger some action. It is possible that you have been using them for a while without knowing.
hackaday.com
(2019-03-28)
For those hosting their own git repositories there are a number of solutions for creating convenient web-accessible front ends, but [mitxela] wasn’t quite satisfied with any of them. After tr…
dev.to
(2019-01-10)
The best way to get to know git is by using it.
zellwk.com
(2018-10-17)
Git stashes can be used to temporarily store code you don't want to commit. This video shows you how to create and apply Git Stashes.
githubengineering.com
(2018-08-13)
dev.to
(2018-05-01)
Did you ever have a problem with Git that you knew a command could fix but you just couldn't remember what one it could be? With this tutorial, you can quickly and easily find it, and get a better understanding how each of them works.
tutorialzine.com
(2017-12-27)
In this tutorial we share with you a collection of tips that will help you manage your git repositories.
hackernoon.com
(2017-10-17)
How hackers start their afternoon. HackerNoon is a free platform with 25k+ contributing writers. 100M+ humans have visited HackerNoon to learn about technology
www.kdnuggets.com
(2012-09-24)
The GitHub repository includes up-to-date learning resources, research papers, guides, popular tools, tutorials, projects, and datasets.
linuxhandbook.com
(2008-09-24)
Are you adding all the correct files? Check the files that are part of a commit in git with this trick.
docs.github.com
(2007-10-24)
In order to use Git LFS, you'll need to download and install a new program that's separate from Git.
-->
r language links
categories:
tags:
_r_
date: 08 Apr 2025
slug:r-booknotes
(www.r-bloggers.com)
2025-03-27
Efficient Data Structures in R
(www.statology.org)
2025-03-16
https://www.r-bloggers.com/2025/03/the-ellmer-package-for...
(www.r-bloggers.com)
2025-03-14
How to Implement CatBoost in R
(www.statology.org)
2025-02-11
How to Deploy R Models
(www.statology.org)
2024-12-07
7 New Books added to Big Book of R [7/12/2024] | R-bloggers
(www.r-bloggers.com)
2024-10-22
How to Loop Through List in R with Base R and purrr: A Co...
(www.r-bloggers.com)
2024-10-20
The m=√p rule for random forests | R-bloggers
(www.r-bloggers.com)
2024-10-20
Supply Chain Analysis with R Using the planr Package | R-...
(www.r-bloggers.com)
2024-07-11
Better A/B testing with survival analysis
(www.r-bloggers.com)
2024-06-25
Race Charts In R: How To Visualize And Compare Change Ove...
(www.r-bloggers.com)
2024-06-25
Something a llttle different: Hexbin maps
(www.r-bloggers.com)
2024-06-09
Why you shouldn’t use boxplots
(www.r-bloggers.com)
2024-04-03
A Practical Guide to Data Normalization in R
(www.r-bloggers.com)
2024-02-22
Drawing 10 Million Points With ggplot: Clifford Attractors
(fronkonstin.com)
2024-02-22
A quick introduction to machine learning in R with caret
(sharpsightlabs.com)
2024-02-22
Extending churn analysis to revenue forecasting using R
(www.datasciencecentral.com)
2024-02-22
3 Reasons to Learn Caret
(www.r-bloggers.com)
2024-02-22
Create Air Travel Route Maps in ggplot: A Visual Travel D...
(www.r-bloggers.com)
2024-02-22
Tutorial: How to set up a Twitter bot using R
(www.r-bloggers.com)
2024-02-22
Survival Analysis with R
(www.r-bloggers.com)
2024-02-22
Spatial regression in R part 1: spaMM vs glmmTMB
(www.r-bloggers.com)
2024-02-22
reshape: from long to wide format
(www.r-bloggers.com)
2024-02-22
http://blog.yhat.com/posts/R-for-excel-users.html
(blog.yhat.com)
2024-02-22
An Introduction to Spatial Econometrics in R
(www.r-bloggers.com)
2024-02-22
Open Forensic Science in R
(sctyner.github.io)
2024-02-22
Comprehensive guide for Data Exploration in R
(www.analyticsvidhya.com)
2024-02-22
Using MongoDB with R
(www.r-bloggers.com)
2024-02-22
4 Data Splitting : The caret Package
(opendatascience.com)
2024-02-22
5 Model Training and Tuning : The caret Package
(opendatascience.com)
2024-02-22
apply lapply rapply sapply functions in R
(www.dataperspective.info)
2024-02-22
One Page R
(togaware.com)
2024-02-22
Ten more random useful things in R you may not know about
(www.kdnuggets.com)
2024-01-17
shiny - shiny.pdf
(raw.githubusercontent.com)
2024-01-08
Spatial Statistics for Data Science: Theory and Practice ...
(www.paulamoraga.com)
2024-01-07
Unveiling the Smooth Operator: Rolling Averages in R
(www.r-bloggers.com)
2023-09-25
ChatGPT: How to automate Google Sheets in under 2 minutes...
(www.r-bloggers.com)
2023-08-14
Visualizing shapefiles in R with sf and ggplot2!
(dev.to)
2023-07-07
A Gentle Introduction to K-Means Clustering in R (Feat. T...
(www.r-bloggers.com)
2023-04-26
SynthDiD 101: A Beginner’s Guide to Synthetic Difference-...
(towardsdatascience.com)
2023-04-19
Exploring Distributions with {shiny} and {TidyDensity}
(www.r-bloggers.com)
2023-04-19
Model selection, AIC and Tweedie regression
(www.r-bloggers.com)
2023-04-08
Using R in Inventory Management and Demand Forecasting
(www.r-bloggers.com)
2023-03-26
Designing Beautiful Tables in R
(www.r-bloggers.com)
2023-03-19
Statistical Computing With Graphics Processing Units
(hgpu.org)
2023-03-05
Little useless-useful R functions – Using xspline to crea...
(www.r-bloggers.com)
2023-03-04
Call ChatGPT (or really any other API) from R
(www.r-bloggers.com)
2023-03-03
11 Popular R Packages for Beginners in 2023 - Analytics V...
(www.analyticsvidhya.com)
2023-03-03
stringr package - RDocumentation
(www.rdocumentation.org)
2023-03-03
readr package - RDocumentation
(www.rdocumentation.org)
2023-03-03
ggplot2 package - RDocumentation
(www.rdocumentation.org)
2023-02-02
Data Visualization
(socviz.co)
2023-01-24
How to Create An Artistic Map Using R
(towardsdatascience.com)
2023-01-21
How to Measure Execution Time in R
(www.r-bloggers.com)
2023-01-16
Brief Introduction to Correspondence Analysis
(towardsdatascience.com)
2022-12-10
Forecasting: Principles and Practice (3rd ed)
(otexts.com)
2022-08-30
A proposal for capping exploding electricity spot market ...
(www.r-bloggers.com)
2022-08-25
rbokeh: How To Create Interactive Plots In R
(towardsdatascience.com)
2022-08-23
The 5 Surprising Things You Can Do With R - KDnuggets
(www.kdnuggets.com)
2022-07-20
Welcome | Handbook of Graphs and Networks in People Analy...
(ona-book.org)
2022-07-05
Data Preparation in R Cheatsheet - KDnuggets
(www.kdnuggets.com)
2022-06-11
Survival Analysis in R (in under 10-minutes)
(www.r-bloggers.com)
2022-05-29
Apt - PostgreSQL wiki
(wiki.postgresql.org)
2022-04-09
Welcome | Advanced R
(adv-r.hadley.nz)
2022-03-23
ReeceGoding/Frustration-One-Year-With-R: An extremely lon...
(github.com)
2022-03-21
R Graphics Cookbook, 2nd edition
(r-graphics.org)
2022-03-21
Text Mining with R
(www.tidytextmining.com)
2022-03-21
Welcome · Advanced R.
(adv-r.had.co.nz)
2022-01-24
Neat R Plots with the Cairo Graphics Library
(www.datasciencecentral.com)
2022-01-18
IRkernel/IRkernel: R kernel for Jupyter
(github.com)
2021-12-04
http://www.parallelr.com/r-gpu-programming-for-all-with-g...
(www.parallelr.com)
2021-12-04
Large scale eigenvalue decomposition and SVD with rARPACK...
(www.r-bloggers.com)
2021-11-28
Three R Libraries Every Data Scientist Should Know (Even ...
(towardsdatascience.com)
2021-08-05
An Introduction to Statistical Learning
(www.statlearning.com)
2021-06-06
Big Book of R has over 200 books! | R-bloggers
(www.r-bloggers.com)
2021-06-05
Learn R through examples
(gexijin.github.io)
2021-03-26
UPDATED: Using R and H2O to identify product anomalies du...
(www.r-bloggers.com)
2020-06-01
Insurance Risk Pricing — Tweedie Approach - Towards Data ...
(towardsdatascience.com)
2020-06-01
Data engineering and data shaping in Practical Data Scien...
(www.win-vector.com)
2020-06-01
Text Mining with R: Gathering and Cleaning Data
(towardsdatascience.com)
2020-06-01
What is isotonic regression?
(www.r-bloggers.com)
2020-05-15
Efficient R programming
(csgillespie.github.io)
2020-04-01
Intro to R: Linear Algebra
(towardsdatascience.com)
2019-12-14
Practical Data Science with R, 2nd Edition, IS OUT!!!!!!!
(www.r-bloggers.com)
2019-10-07
https://www.analyticbridge.datasciencecentral.com/group/b...
(www.analyticbridge.datasciencecentral.com)
2018-06-08
timekit: Time Series Forecast Applications Using Data Mining
(www.r-bloggers.com)
2018-06-08
Data Science for Operational Excellence (Part-5)
(www.r-bloggers.com)
2018-03-08
Machine Learning Pipelines for R
(www.r-bloggers.com)
2018-03-08
R-exercises – Start here to learn R!
(www.r-exercises.com)
2017-12-27
Data Wrangling Cheatsheet
(opendatascience.com)
2017-12-27
One-page R: a survival guide to data science with R - Dat...
(www.datasciencecentral.com)
2017-12-27
Get the best from ggplotly
(www.r-bloggers.com)
2017-12-27
What is the tidyverse? · R Views
(rviews.rstudio.com)
2017-12-27
Operations Research with R
(www.r-bloggers.com)
2017-12-27
Top 50 ggplot2 Visualizations - The Master List (With Ful...
(r-statistics.co)
2017-12-27
Layered Data Visualizations Using R, Plotly, and Displayr
(www.r-bloggers.com)
2017-12-27
Marketing Multi-Channel Attribution model based on Sales ...
(analyzecore.com)
2017-12-27
Image Convolution in R using Magick
(www.r-bloggers.com)
2017-12-27
Handling ‘Happy’ vs ‘Not Happy’: Better sentiment analysi...
(www.r-bloggers.com)
2017-12-27
Image Processing and Manipulation with magick in R
(www.r-bloggers.com)
2017-12-27
Visualizing classifier thresholds | R-bloggers
(www.r-bloggers.com)
2017-12-27
How to plot basic maps with ggmap
(www.r-bloggers.com)
2017-12-27
Arbitrary Data Transforms Using cdata
(www.r-bloggers.com)
2017-12-27
Tips for A/B Testing with R
(www.r-bloggers.com)
2017-09-14
caret Cheatsheet
(www.r-bloggers.com)
-->
object detection (machine vision)
categories:
tags:
machine-vision
object-detection
date: 08 Apr 2025
slug:object-detection
www.linkedin.com
(2024-05-29)
Yesterday (24/05/2024) marked the launch of the new state-of-the-art architecture named YOLOv10 [1], representing the cutting-edge in real-time object…
towardsdatascience.com
(2024-02-07)
Learn the basics of this advanced computer vision task of object detection in an easy to understand multi-part beginner’s guide
techcrunch.com
(2023-09-07)
eBay's new generative AI tool, rolling out on iOS first, can write a product listing from a single photo -- or so the company claims.
softwarescalability.com
(2023-01-05)
Learn how to build a surveillance system using WebRTC for low-latency and YOLO for object detection. This tutorial will guide you through the process of using computer vision and machine learning techniques to detect and track objects in real-time video streams. With this knowledge, you can create a surveillance system for security or other applications. However, there are challenges to consider when using cameras for object detection, including data privacy and security concerns, as well as technical limitations such as low image quality and lighting conditions. This article will teach you how to overcome some of these challenges and build a reliable surveillance system.
exxactcorp.com
(2022-12-17)
The YOLO algorithm offers high detection speed and performance through its one-forward propagation capability. In this tutorial, we will focus on YOLOv5.
towardsdatascience.com
(2022-11-28)
Everything you need to know to use YOLOv7 in custom training scripts
towardsdatascience.com
(2022-10-11)
Overview of how object detection works, and where to get started
mlwhiz.com
(2022-09-05)
this post is explaining how permutation importance works and how we can code it using ELI5
towardsdatascience.com
(2022-07-05)
eview and comparison of the next generation object detection
towardsdatascience.com
(2022-06-03)
A step-by-step tutorial using a minimal amount of code
neptune.ai
(2021-08-24)
A guide on object detection algorithms and libraries that covers use cases, technical details, and offers a look into modern applications.
towardsdatascience.com
(2021-05-29)
Evaluating object detection models is not straightforward because each image can have many objects and each object can belong to different classes. This means that we need to measure if the model…
link.medium.com
(2021-03-03)
Building an app for blood cell count detection.
medium.com
(2021-01-02)
If you have ever had to tinker with anchor boxes, you were probably frustrated, confused and saying to yourself, “There must be another…
towardsdatascience.com
(2021-01-02)
A recent article came out comparing public cloud providers’ face detection APIs. I was very surprised to see all of the detectors fail to…
paperswithcode.com
(2020-12-21)
**Object Detection** is a computer vision task in which the goal is to detect and locate objects of interest in an image or video. The task involves identifying the position and boundaries of objects in an image, and classifying the objects into different categories. It forms a crucial part of vision recognition, alongside [image classification](/task/image-classification) and [retrieval](/task/image-retrieval). The state-of-the-art methods can be categorized into two main types: one-stage methods and two stage-methods: - One-stage methods prioritize inference speed, and example models include YOLO, SSD and RetinaNet. - Two-stage methods prioritize detection accuracy, and example models include Faster R-CNN, Mask R-CNN and Cascade R-CNN. The most popular benchmark is the MSCOCO dataset. Models are typically evaluated according to a Mean Average Precision metric. ( Image credit: [Detectron](https://github.com/facebookresearch/detectron) )
lionbridge.ai
(2020-12-18)
towardsdatascience.com
(2020-11-03)
How to set up and train a Yolo v5 Object Detection model?
paulbridger.com
(2020-11-03)
www.microsoft.com
(2020-11-02)
Visual vocabulary advances novel object captioning by breaking free of paired sentence-image training data in vision and language pretraining. Discover how this method helps set new state of the art on the nocaps benchmark and bests CIDEr scores of humans.
towardsdatascience.com
(2020-06-01)
State of the art modeling with image data augmentation and management
towardsdatascience.com
(2020-04-26)
In this article we’ll serve the Tensorflow Object Detection API with Flask, Dockerize the Application and deploy it on Kubernetes.
towardsdatascience.com
(2020-04-01)
An Introduction to Object Detection with YoloV3 for beginners
github.com
(2020-04-01)
Object Detection using Yolo V3 and OpenCV .
ieeexplore.ieee.org
(2020-02-19)
The highest accuracy object detectors to date are based on a two-stage approach popularized by R-CNN, where a classifier is applied to a sparse set of candidate object locations. In contrast, one-stage detectors that are applied over a regular, dense sampling of possible object locations have the potential to be faster and simpler, but have trailed the accuracy of two-stage detectors thus far. In this paper, we investigate why this is the case. We discover that the extreme foreground-background class imbalance encountered during training of dense detectors is the central cause. We propose to address this class imbalance by reshaping the standard cross entropy loss such that it down-weights the loss assigned to well-classified examples. Our novel Focal Loss focuses training on a sparse set of hard examples and prevents the vast number of easy negatives from overwhelming the detector during training. To evaluate the effectiveness of our loss, we design and train a simple dense detector we call RetinaNet. Our results show that when trained with the focal loss, RetinaNet is able to match the speed of previous one-stage detectors while surpassing the accuracy of all existing state-of-the-art two-stage detectors. Code is at: https://github.com/facebookresearch/Detectron.
towardsdatascience.com
(2019-12-14)
Easy Explanation!!! I tried
www.kdnuggets.com
(2019-08-24)
Object detection has been applied widely in video surveillance, self-driving cars, and object/people tracking. In this piece, we’ll look at the basics of object detection and review some of the most commonly-used algorithms and a few brand new approaches, as well.
www.pyimagesearch.com
(2018-06-08)
In this tutorial I demonstrate how to apply object detection with deep learning and OpenCV + Python to real-time video streams and video files.
tryolabs.com
(2018-02-02)
In this post, I'll explain the architecture of Faster R-CNN, starting with a high level overview, and then go over the details for each of the components. You'll be introduced to base networks, anchors as well as the region proposal network.
hackernoon.com
(2018-01-25)
-->
langchain
categories:
tags:
langchain
llms
date: 08 Apr 2025
slug:langchain
blogs.adityabh.is-a.dev
(2024-12-13)
This blog explores a detailed comparison between the OpenAI API and LangChain, highlighting key differences in performance and developer experience and the low level code for why these differences exist.
thenewstack.io
(2024-05-11)
There are still some limitations when summarizing very large documents. Here are some ways to mitigate these effects.
github.com
(2024-05-08)
Checked other resources I added a very descriptive title to this issue. I searched the LangChain documentation with the integrated search. I used the GitHub search to find a similar question and di...
dev.to
(2023-09-12)
If you're a developer or simply someone passionate about technology, you've likely encountered AI...
www.kdnuggets.com
(2023-08-06)
Learn how to unleash this Python library to enhance our AI usage.
www.kdnuggets.com
(2023-08-02)
LangChain is a Python library that helps you build GPT-powered applications in minutes. Get started with LangChain by building a simple question-answering app.
towardsdatascience.com
(2023-07-24)
Guide to developing an informative QA bot with displayed sources used
towardsdatascience.com
(2023-07-24)
Explained with an example use case.
blog.scottlogic.com
(2023-05-31)
LangChain has become a tremendously popular toolkit for building a wide range of LLM-powered applications, including chat, Q&A and document search. In this blogpost I re-implement some of the novel LangChain functionality as a learning exercise, looking at the low-level prompts it uses to create these higher level capabilities.
www.linkedin.com
(2023-05-21)
AI companies are using LangChain to supercharge their LLM apps. Here is a comprehensive guide of resources to build your LangChain + LLM journey. 🔗 What is… | 45 comments on LinkedIn
www.pinecone.io
(2023-05-19)
The handbook to the LangChain library for building applications around generative AI and large language models (LLMs).
towardsdatascience.com
(2023-04-25)
A LangChain tutorial to build anything with large language models in Python
www.kdnuggets.com
(2023-04-19)
Introducing the new fully autonomous task manager that can create, track and prioritize your company's projects using artificial intelligence.
thesequence.substack.com
(2023-04-17)
In this guest post, Filip Haltmayer, a Software Engineer at Zilliz, explains how LangChain and Milvus can enhance the usefulness of Large Language Models (LLMs) by allowing for the storage and retrieval of relevant documents. By integrating Milvus, a vector database, with LangChain, LLMs can process more tokens and improve their conversational abilities.
m.youtube.com
(2023-04-14)
#langchain #chatgpt #gpt4 #artificialintelligence #automation #python #notion #productivity #datascience #pdf #machinelearning
In this tutorial, learn how to easily extract information from a PDF document using LangChain and ChatGPT. I'll walk you through installing dependencies, loading and processing a PDF file, creating embeddings, and querying the PDF with natural language questions.
00:00 - Introduction
00:21 - Downloading a sample PDF
00:49 - Importing required modules
01:21 - Setting up the PDF path and loading the PDF
01:38 - Printing the first page of the PDF
01:53 - Creating embeddings and setting up the Vector database
02:24 - Creating a chat database chain
02:49 - Querying the PDF with a question
03:27 - Understanding the query results
04:00 - Conclusion
Remember to like and subscribe for more tutorials on learning, research and AI!
- Source code: https://github.com/EnkrateiaLucca/talk_pdf
- Link to the medium article: https://medium.com/p/e723337f26a6
- Subscribe!: https://www.youtube.com/channel/UCu8WF59Scx9f3H1N_FgZUwQ
- Join Medium: https://lucas-soares.medium.com/membership
- Tiktok: https://www.tiktok.com/@enkrateialucca?lang=en
- Twitter: https://twitter.com/LucasEnkrateia
- LinkedIn: https://www.linkedin.com/in/lucas-soares-969044167/
Music from [www.epidemicsound.com](http://www.epidemicsound.com/)
towardsdatascience.com
(2023-04-14)
Chat with your long PDF docs: load_qa_chain, RetrievalQA, VectorstoreIndexCreator, ConversationalRetrievalChain
-->
whistleblowing
categories:
tags:
behavior
whistleblowing
date: 08 Apr 2025
slug:whistleblowing
covertactionmagazine.com
(2023-04-30)
Why Don’t More People Support Whistleblowers? ...Legislatures Should Provide the Protections They Deserve [Author’s Note: I blew the whistle and was met with an experience so destructive that I did not have the words to describe what happened to me. I set out to learn if what happened to me is a known phenomenon and,
hbr.org
(2018-11-14)
An analysis of more than 1.2 million records of internal reports made by employees of public U.S. companies reveals that whistleblowers are crucial to keeping firms healthy. The more employees use internal whistleblowing hotlines, the fewer lawsuits companies face, and the less money firms pay out in settlements. A one standard deviation increase in the use of an internal reporting system is associated with 6.9% fewer pending lawsuits and 20.4% less in aggregate settlement amounts over a three-year period.
-->
golang
categories:
tags:
golang
date: 08 Apr 2025
slug:golang-resources
goperf.dev
(2025-03-31)
Patterns and Techniques for Writing High-Performance Applications with Go
dev.to
(2023-03-15)
Go makes it easy to create and use packages. In this tutorial, we’ll create a simple package that...
threedots.tech
(2022-12-13)
In this guide, we share 22 Go libraries that have proven reliable across multiple production systems we've built. We cover essential tools for HTTP routing, database access, messaging, observability, and testing - all based on our experience leading Go teams. For each library, we explain its key strengths and provide practical usage tips. We also highlight common mistakes to avoid when using these tools.
www.amazon.com
(2022-07-13)
Go for DevOps: Learn how to use the Go language to automate servers, the cloud, Kubernetes, GitHub, Packer, and Terraform [Doak, John, Justice, David] on Amazon.com. *FREE* shipping on qualifying offers. Go for DevOps: Learn how to use the Go language to automate servers, the cloud, Kubernetes, GitHub, Packer, and Terraform
madflojo.medium.com
(2022-06-01)
Structuring Go Projects is the number one question for Gophers, new and old. What are the best practices? What should you not do?
howistart.org
(2022-05-29)
softwareengineeringdaily.com
(2022-05-26)
Switching to a new language is always a big step, especially when only one of your team members has prior experience with that language. Early this year, we switched Stream’s primary programming language from Python to Go. This post will explain some of the reasons why we decided to leave Python behind and make the switch to
typesanitizer.com
(2022-05-01)
A report of my positive and negative experiences with Go after using it for 6 months at work.
github.com
(2022-04-09)
general purpose extensions to golang's database/sql - jmoiron/sqlx
dev.to
(2022-04-08)
Thanks to its static binaries and cross-compiling, building and distributing command-line apps in Go...
dev.to
(2021-12-08)
Learn how to build a simple load balancer server in Go. Table of Contents: What is a Load...
opensource.com
(2021-10-01)
Get your new site up and running quickly with Hugo.
ggcarvalho.dev
(2021-05-04)
Using the power of randomness to answer scientific questions.
www.practical-go-lessons.com
(2021-03-26)
github.com
(2021-03-20)
Library for multi-armed bandit selection strategies, including efficient deterministic implementations of Thompson sampling and epsilon-greedy. - stitchfix/mab
gumroad.com
(2020-11-20)
Take a book on learning how to write Go code and add in the mindset of test-driven development the fun way. When you read a book or watch a course, it's a great accomplishment. You're learning how ...
blog.golang.org
(2020-11-12)
stackoverflow.blog
(2020-11-04)
github.com
(2020-11-03)
TamaGo - ARM/RISC-V bare metal Go.
morioh.com
(2020-06-24)
In Lesson 5 of the Golang course, we will continue with banking transactions. We will build a new module named transactions that we
dev.to
(2020-06-24)
This is a step by step tutorial on how to deploy a Golang app on Heroku. Requirements. H...
medium.com
(2020-06-01)
How understanding the processor architecture can help us in optimizing performance?
github.com
(2020-05-06)
The Ultimate Go Study Guide.
ednsquare.com
(2020-04-17)
www.toptal.com
(2020-03-18)
Learn why and how in this handy tutorial on object-oriented programming in Go.
go101.org
(2020-02-19)
Golang online books, articles, tools, etc.
blog.jse.li
(2020-02-19)
What is the complete path between visiting thepiratebay and sublimating an mp3 file from thin air? In this post, we'll implement enough of the BitTorrent protocol to download Debian. Look at the [Source code](https://github.com/veggiedefender/torrent-client/) or skip to the [last bit](/posts/torrent#putting-it-all-together).
docs.google.com
(2019-12-23)
What's coming in Go 1.14 GoSheffield, 2019 - Daniel Martí
blog.golang.org
(2019-12-23)
Announcing go.dev, which answers: who else is using Go, what do they use it for, and how can I find useful Go packages?
ajeetdsouza.github.io
(2019-12-23)
Writing a faster wc utility in Go
eng.uber.com
(2019-11-15)
talks.golang.org
(2019-10-11)
revel.github.io
(2019-08-30)
blog.golang.org
(2019-08-29)
What the Go team is planning for Go modules in 2019.
blog.golang.org
(2019-08-29)
Go 1.12 improves support for debugging optimized binaries.
bet365techblog.com
(2019-08-29)
blog.golang.org
(2019-08-29)
An introduction to the basic operations needed to get started with Go modules.
github.com
(2019-08-23)
Thoughts on Go performance optimization.
milapneupane.com.np
(2019-08-20)
github.com
(2019-08-20)
Learn Go with test-driven development.
docs.google.com
(2019-06-17)
What's coming in Go 1.13 GoSheffield, 2019 - Daniel Martí
blog.kowalczyk.info
(2019-04-06)
Things I've learned porting a 50 thousand lines of code from Java to Go
dave.cheney.net
(2019-03-09)
medium.com
(2018-06-08)
Introduction of a new feature-rich golang Jupyter kernel
-->
speaking
categories:
tags:
speaking
speech
date: 08 Apr 2025
slug:speech
sciencemission.com
(2025-04-09)
www.nytimes.com
(2025-02-07)
Soon enough, artificial intelligence may be able to recreate the sounds — but there will be something missing.
www.pnas.org
(2024-10-19)
Do conversations end when people want them to? Surprisingly, behavioral science provides no answer to this fundamental question about the most ubiq...
www.experimental-history.com
(2024-09-24)
Or "Spiderman Is My Boyfriend"
youtu.be
(2024-03-24)
Visit http://TED.com to get our entire library of TED Talks, transcripts, translations, personalized talk recommendations and more.
Simon Sinek presents a simple but powerful model for how leaders inspire action, starting with a golden circle and the question "Why?" His examples include Apple, Martin Luther King, and the Wright brothers -- and as a counterpoint Tivo, which (until a recent court victory that tripled its stock price) appeared to be struggling.
The TED Talks channel features the best talks and performances from the TED Conference, where the world's leading thinkers and doers give the talk of their lives in 18 minutes (or less). Look for talks on Technology, Entertainment and Design -- plus science, business, global issues, the arts and more. You're welcome to link to or embed these videos, forward them to others and share these ideas with people you know.
Follow TED on Twitter: http://twitter.com/TEDTalks
Like TED on Facebook: http://facebook.com/TED
Subscribe to our channel: http://youtube.com/TED
TED's videos may be used for non-commercial purposes under a Creative Commons License, Attribution–Non Commercial–No Derivatives (or the CC BY – NC – ND 4.0 International) and in accordance with our TED Talks Usage Policy (https://www.ted.com/about/our-organization/our-policies-terms/ted-talks-usage-policy). For more information on using TED for commercial purposes (e.g. employee learning, in a film or online course), please submit a Media Request at https://media-requests.ted.com
www.cnbc.com
(2024-02-22)
A nearly 50-year-old Harvard University study found that the word "because" helps people make more persuasive requests. Here's why, says a Wharton professor.
nesslabs.com
(2024-02-16)
In a world dominated by video, we know we’d benefit from communicating effortlessly through video content. But many of us struggle with camera confidence. This is because our fear of talking to a camera is deeply rooted in our survival instincts.
www.iflscience.com
(2024-02-11)
It could also make you more attractive to potential long-term partners.
www.fastcompany.com
(2024-01-31)
Here's how to give a eulogy, and other difficult speeches, according to a Stanford business school lecturer.
psyche.co
(2023-10-06)
The cognitive work involved in lying is relevant to lie detection and could help explain why some people are better liars
www.thecollector.com
(2023-10-01)
Persuasive rhetorical techniques from the speeches of Demosthenes in Classical Athens to Cicero in the Late Roman Republic.
www.ted.com
(2023-09-25)
Have a great idea but sure how to sell it? Investor and teacher Mar Hershenson has you covered. Whether it's sharing a new product with a client or vying for a promotion, these three steps will help you tell an irresistible story and get the "yes" you're looking for.
hbr.org
(2023-08-12)
When you have to communicate a difficult organizational decision to employees, it’s hard to know how much information to provide when you can’t be fully transparent yet. Saying nothing can undermine people’s trust in your motives and compassion, whereas saying too much can leave people feeling overwhelmed and vulnerable as they struggle to process the information and implications. Striking the right balance between these two extremes is a tricky exercise for leaders. The author presents five strategies to help you figure out what to say and do when you can’t yet be fully transparent with your employees.
ahalbert.com
(2023-06-19)
getpocket.com
(2023-05-27)
We all know people who talk with their hands. Turns out there’s quite a bit of research around the relationship between language and gestures.
behavioralscientist.org
(2023-04-25)
When trying to make language either more concrete or more abstract, one helpful approach is to focus on either the how or the why.
fs.blog
(2023-03-30)
Industrial genius Carl Braun believed that clear thinking and clear communication go hand in hand. Here the guide on writing productively to get things done.
hbr.org
(2023-03-19)
Technological advances in natural language processing, computational linguistics, and machine learning, combined with the digitization of everything from cover letters to conversations, have revolutionized our ability to analyze language, yielding unprecedented insights. Think of it as a new science of language. Many of the findings suggest that small changes in the words we use can increase our ability to persuade and influence others.
www.fastcompany.com
(2023-03-19)
Following a simple, three-part framework can make your introductions smoother, easier, and more memorable.
techcrunch.com
(2023-01-18)
In 2002 I was driving to a hedge fund manager's house to hopefully raise money from him. I was two hours late. This was pre-GPS and I had no cell phone. I was totally lost. I kept playing over and over again "Lose Yourself" by Eminem. I was afraid this was my one shot and I was blowing it. I was even crying in my car. I was going broke and I felt this was my one chance. What a loser.
github.com
(2022-12-21)
Clone a voice in 5 seconds to generate arbitrary speech in real-time - CorentinJ/Real-Time-Voice-Cloning
www.npr.org
(2022-12-08)
Improv comedy is about more than making people laugh. It can help performers be more creative and self-assured — and combat anxiety, both on and off stage.
hbr.org
(2022-11-23)
Transformational leaders are exceptional communicators. In this piece, the author outlines four communication strategies to help motivate and inspire your team: 1) Use short words to talk about hard things. 2) Choose sticky metaphors to reinforce key concepts. 3) Humanize data to create value. 4). Make mission your mantra to align teams.
www.fatherly.com
(2022-11-22)
Talking to someone who gets defensive can be frustrating. So, what can you do? Here's how to sidestep someone's personal fortifications.
betterhumans.pub
(2022-11-08)
Examples of hidden ways people drain one other’s energy in social interaction—and what to do about it
sambleckley.com
(2022-08-22)
A conversation with a Wizard
michaelgv.uk
(2022-08-15)
I took part in a 6 week stand-up comedy course for beginners at The Comedy Store in Central London. At the end of the course, myself and the other co...
eleganthack.com
(2022-07-18)
This one of a series of essays on speaking. Find more here. You’ve written a great talk, you’ve made your deck (or not!) and you’ve practiced. But have you considered how you’ll move while speaking…
getpocket.com
(2022-07-18)
Here’s what the best leaders do.
www.scientificamerican.com
(2022-07-18)
We are really bad at navigating a key transition point during one of the most basic social interactions
www.cnbc.com
(2022-07-18)
Mastering the art of public speaking has nothing to do with your personality, with overcoming shyness or learning to act confident. It's a technical skill that nearly anyone can acquire — just like cooking.
www.riskology.co
(2022-07-18)
Not all introverts suffer from public speaking anxiety. But if you do, here are some ideas to eliminate it and become a strong communicator.
ideas.ted.com
(2022-07-18)
Politicians and other public figures deploy particular rhetorical devices to communicate their ideas and to convince people, and it’s time that we all learned how to use them, says speechwriter Sim…
www.insightsquared.com
(2022-06-28)
eleganthack.com
(2022-06-28)
I was enjoying a sazerac with a old friend of mine at a local watering hole. And by watering hole, I mean incredibly hip farm-to-table restaurant full of young techies because we were in Mountain V…
hbr.org
(2022-06-25)
What does it take to become a more convincing communicator? New research suggests that linguistic mirroring — that is, adjusting your communication style to match that of your audience — is an effective tool to increase your ability to influence others. In this piece, the authors describe four key dimensions of linguistic mirroring, as well as several tactical strategies for leaders looking to win over a client, judge, or other important evaluator. Ultimately, they argue that building genuine relationships with key evaluators is the best way to gain insight into their linguistic preferences — but it’s up to all of us to make sure that we use the power of linguistic mirroring for good.
github.com
(2022-06-21)
Silero Models: pre-trained speech-to-text, text-to-speech and text-enhancement models made embarrassingly simple - snakers4/silero-models
medium.com
(2022-06-13)
It’s Drift’s and it’s brilliant. Here’s why.
www.inc.com
(2022-06-07)
To engage leaders, colleagues, and clients, use this simple technique
www.themarginalian.org
(2021-12-27)
“Nothing in the world is more exciting than a moment of sudden discovery or invention, and many more people are capable of experiencing such moments than is sometimes thought.”
youtube.com
(2021-12-15)
Bill Carmody is a twenty-five year global keynote speaker. He’s had the incredible privilege to present in Brazil with Sir Richard Branson and in India with executives from Fortune 100 companies. Recently he had the distinct privilege to teach several of the UK Brexit government officials how to become more powerful public speakers.
Bill Carmody is a twenty-five year global keynote speaker. He’s had the incredible privilege to present in Brazil with Sir Richard Branson and in India with executives from Fortune 100 companies. Recently he had the distinct privilege to teach several of the UK Brexit government officials how to become more powerful public speakers. This talk was given at a TEDx event using the TED conference format but independently organized by a local community. Learn more at https://www.ted.com/tedx
betterhumans.pub
(2021-12-13)
If you want to help people, don’t give them advice. Do this instead.
getpocket.com
(2021-05-31)
These common expressions can cause listeners to think twice.
theness.com
(2021-05-18)
The term "bullshitting" (in addition to its colloquial use) is a technical psychological term that means, "communication characterised by an intent to be convincing or impressive without concern for truth." This is not the same as lying, in which one knows what they are saying is false. Bullshitters simply are indifferent to whether or not
www.bbc.com
(2021-05-03)
The way your name or a word rolls off the tongue can have some surprising effects on the judgements we make.
www.bbc.com
(2021-04-30)
Many nationalities recognise that there is a tone of voice that is instantly alluring, but do some speakers have an unfair advantage?
greatergood.berkeley.edu
(2021-04-30)
Communicating better can help you achieve your goals and deepen your relationships.
www.fastcompany.com
(2021-04-18)
Sometimes, it really is what you say that makes a difference.
hbr.org
(2021-04-18)
It’s important to understand that when you, as a leader, communicate with your team, using weaker words weakens your message and blunts your ability to inspire people. It’s not enough to just throw thoughts out there and hope for the best. You need to actively recommend ideas and assert their worthiness in all of your communications. For example, consider these “power words”: “I’m proposing (not “sharing”) an idea that will make our process more efficient.” “I’m suggesting (not “sharing”) a new logo that better conveys our brand message.” “I’m recommending (not “sharing”) a campaign to make our workplace more diverse.” Ultimately, audiences respond more actively to big points than to small words, but thoughtful leaders need to assess both, knowing that the more powerfully they come across — even in small ways — the greater impact they have on the people they hope to inspire.
tim.blog
(2021-04-11)
Please enjoy this transcript of my interview with entertainment icon Jerry Seinfeld (@jerryseinfeld). Jerry’s comedy career took off after his first appearance on The Tonight Show with Johnny Carson in 1981. Eight years later, he teamed up with fellow comedian Larry David to create what was to become the most successful comedy series in the … Continue reading "The Tim Ferriss Show Transcripts: Jerry Seinfeld — A Comedy Legend’s Systems, Routines, and Methods for Success (#485)"
getpocket.com
(2021-04-02)
Assertive communication is about compromise.
getpocket.com
(2021-03-30)
Tips from a comedian and a journalist on the art of going from small talk to big ideas. Try these out at the next summer wedding reception.
www.entrepreneur.com
(2021-03-11)
Five tactics to silence the person trying to make you squirm.
psyche.co
(2021-02-24)
Public speaking can feel like an ordeal, but take a lesson from the ancients: it’s a skill you can develop like any other
psyche.co
(2020-12-29)
Talking out loud to oneself is a technology for thinking that allows us to clarify and sharpen our approach to a problem
medium.com
(2020-12-18)
When I signed up for a life of conducting orchestras, I didn’t realize I’d also need to learn how to handle enormous audiences
getpocket.com
(2020-02-13)
Have you ever found yourself counting ums and uhs?
www.brainpickings.org
(2020-02-01)
“No speech was ever too short.”
www.clearerthinking.org
(2019-10-18)
Nonviolent communication (NVC) is a popular method of conflict resolution that privileges unbiased evidence and specificity.
getpocket.com
(2019-09-16)
Look like you‘re trusting your gut and others will trust you.
www.nonviolentcommunication.com
(2019-03-12)
Express and receive communication empathically using the four-part Nonviolent Communication process developed by Marshall B. Rosenberg, Ph.D.
stand-upcomedy.com
(2019-02-07)
www.businessinsider.com
(2018-10-09)
Ramona Smith used an interesting body-language technique to win the Toastmasters annual public-speaking competition last month in Chicago.
-->
dns (devops)
categories:
tags:
devops
dns
webdev
date: 08 Apr 2025
slug:dns
jvns.ca
(2023-10-08)
animeshgaitonde.medium.com
(2023-02-08)
What is a CDN ? How do CDNs work ?
www.dns.toys
(2022-06-11)
Free and useful services over DNS accessible on command line
linuxhandbook.com
(2022-06-07)
Cloudflare is not the only service that helps you boost your website's speed and secure it. Here are some alternatives.
www.digitalocean.com
(2022-01-04)
DNS, or the Domain Name System, is an integral part of how the internet functions today. However, the way that DNS works is often quite mysterious for new a…
pasztor.at
(2021-12-11)
This domain may be for sale!
developer.mozilla.org
(2021-12-11)
Domain names are a key part of the Internet infrastructure. They provide a human-readable address for any web server available on the Internet.
fly.io
(2021-08-06)
You can build a functional CDN on an 8-year-old laptop while you're sitting at a coffee shop. Here's what a CDN you put together in five hours might look like.
www.learnenough.com
(2021-02-13)
Custom domains for websites, web apps, and email
www.domain.com
(2021-02-12)
Use our WHOIS lookup tool to search available domain names or current domain owners. Start your search today!
pawelurbanek.com
(2021-02-11)
Performance Action Pack consists of tools and techniques to efficiently audit and optimize your Ruby on Rails application.
www.redhat.com
(2019-10-18)
Domain names provide the internet much more user-friendly way of referencing servers, but have you ever wondered how it works under the covers?
blog.cloudflare.com
(2018-10-07)
Every website, large or small, started with an idea, rapidly followed by registering a domain. Most registrars offer promotions for your initial domain registration and then quietly hike the price with each renewal.
letsencrypt.org
(2018-07-15)
Sometimes people want to get a certificate for the hostname “localhost”, either for use in local development, or for distribution with a native application that needs to communicate with a web application. Let’s Encrypt can’t provide certificates for “localhost” because nobody uniquely owns it, and it’s not rooted in a top level domain like “.com” or “.net”. It’s possible to set up your own domain name that happens to resolve to 127.
-->
the freedom & obligation to dissent
categories:
tags:
behavior
leadership
date: 08 Apr 2025
slug:culture-dissent
jq (json tools)
categories:
tags:
jq
json
date: 08 Apr 2025
slug:jq
thenewstack.io
(2024-11-29)
The jq command provides a consistent way to manipulate JSON data without leaving the command line. Learn how it works by tinkering in a jq playground.
github.com
(2024-05-04)
Interactive JSON filter using jq.
www.baeldung.com
(2024-04-14)
Learn ways to convert from JSON to YAML and from YAML to JSON using the Linux command line.
www.kdnuggets.com
(2024-02-03)
Navigating Complex Data Structures with Python's json_normalize.
dev.to
(2023-03-20)
You have probably seen or used the YAML format in configuration files. YAML (a recursive acronym for...
github.com
(2023-02-07)
yq is a portable command-line YAML, JSON, XML, CSV, TOML and properties processor - mikefarah/yq
www.cyberciti.biz
(2022-07-22)
This page explains how to convert JSON to CSV format using Linux, macOS, *BSD or Unix command-line utilities.
gist.github.com
(2022-02-21)
genius.engineering
(2022-01-24)
As part of our recently announced deal with Apple Music [https://genius.com/a/genius-gets-smart-with-apple-music], you can now view Genius lyrics for your favorite music within the Apple Music app. We deliver our lyrics to Apple via a nightly export of newline-delimited JSON objects. With millions of songs in our
mosermichael.github.io
(2022-01-16)
github.com
(2021-12-27)
jq for binary formats - tool, language and decoders for working with binary and text formats - wader/fq
jsonlint.com
(2021-12-17)
JSONLint is the free online validator, json formatter, and json beautifier tool for JSON, a lightweight data-interchange format. You can format json, validate json, with a quick and easy copy+paste.
www.json.com
(2021-12-15)
www.cyberciti.biz
(2021-09-08)
Most of us use love and use the jq command. It works on Linux or Unix-like systems to extract data from JSON documents. Recently I found htmlq, which is like jq and written in Rust lang. Imagine being able to sed or grep for HTML data. We can search, slice, and filter HTML data with htmlq. Let us see how to install and use this handy tool on Linux or Unix and play with HTML data.
www.ostechnix.com
(2020-03-05)
This brief guide explains how to parse and pretty print JSON with a command line tool called jq in Linux operating systems.
jsonformatter.curiousconcept.com
(2020-03-05)
Format and validate JSON data so that it can easily be read by human beings.
jsonlint.com
(2020-03-05)
JSONLint is the free online validator, json formatter, and json beautifier tool for JSON, a lightweight data-interchange format. You can format json, validate json, with a quick and easy copy+paste.
duckduckgo.com
(2020-02-19)
DuckDuckGo. Privacy, Simplified.
sheet.best
(2019-12-23)
Turn your Google Sheets into a REST API. Build websites, widgets, apps, prototypes, and tons more. Leave the backend to us.
shapeshed.com
(2019-12-23)
A series of how to examples on using jq, a command-line JSON processor
morepypy.blogspot.com
(2019-10-09)
Introduction In the last year or two I have worked on and off on making PyPy's JSON faster, particularly when parsing large JSON files. I...
-->
groupthink (behavior)
categories:
tags:
behavior
date: 08 Apr 2025
slug:groupthink
www.scientificamerican.com
(2025-04-02)
At the heart of the Trump administration’s Signal scandal lies the familiar psychological pitfall of groupthink
www.theatlantic.com
(2024-05-22)
The inside story of the investigation—and the catastrophe it laid bare
nautil.us
(2022-01-07)
Why intellectual laziness doesn’t have to lead to groupthink.
-->
secrecy (behavior)
categories:
tags:
behavior
date: 08 Apr 2025
slug:secrecy-effect
venturebeat.com
(2022-06-27)
While the core philosophy of blockchains is trustlessness, trusted execution environments can be integral to proof-of-stake blockchains.
www.behavioraleconomics.com
(2022-06-23)
Advertisers often depict their products being consumed in a social setting, but increasingly they also depict people secretly consuming their products. Will consumers like a product more if they are prompted to consume it in secret? New research explores this question, finding that prompting women to think about consuming products in secret has an impact, not only on product evaluations, but also on behavior and willingness to pay for those products. The authors refer to this effect as the “secrecy effect.”
-->
economics
categories:
tags:
economics
date: 08 Apr 2025
slug:economics
wiki.lesswrong.com
(2025-04-09)
firstquarterfinance.com
(2025-04-08)
What can you sell at a pawn shop? We explain what pawn shops buy, plus how to get the most money. Find price details for electronics, clothing, and more.
www.forbes.com
(2025-04-08)
Inside of a pawn shop / Photo Credit: PawnGuru Pawning something you own can be a major challenge. You want to get the highest amount for your item, but you don’t know which pawn shop will pay the most. Reality TV shows like “Hardcore Pawn” and “Pawn Stars” demonstrate how pawn [...]
blog.pawnguru.com
(2025-04-08)
priceonomics.com
(2025-04-08)
Pawn shops are America's lenders of last resort. But even for the same item, the amount pawn shops will loan you can vary more than 1,000%.
www.politico.com
(2025-03-24)
A forgotten Nixon-era negotiation offers urgent lessons for our new age of economic
warfare.
www.wsj.com
(2025-02-22)
Limiting production is helping to make its sports cars coveted—and the company the most valuable automaker in Europe
www.theatlantic.com
(2024-12-07)
How a federal policy change in the 1980s created the modern food desert
www.datasciencecentral.com
(2024-10-20)
“If you want to change the game, change the frame.” The game has certainly changed with the data era, and maybe the most drastic change driven by data has occurred in economics, the foundation upon which our modern society is built and sustained. Understanding and mastering the transition from “traditional” economics to modern data-driven economics… Read More »Mastering the Big 12 Data-driven Economic Concepts
www.economicsobservatory.com
(2024-10-19)
The Venezuelan economy has suffered from decades of disastrous economic policies – and more recently, from economic sanctions. The country has seen the largest ever decline in living standards outside war, revolution or the collapse of the state.
marginalrevolution.com
(2024-08-04)
That is the topic of my latest Bloomberg column, here is one key segment: Game theory can help explain how ranked choice voting changes the behavior of candidates, as well as the elites who support them. Consider a ranked choice election that has five or six candidates. To win the election, you can’t just appeal […]
www.thediff.co
(2024-06-11)
Plus! Diff Jobs; Making a Market; Financial Innovation; IRL; Open-Ended Liabilities; Meme Stock Relapse
www.canarymedia.com
(2024-06-10)
In the first quarter of this year, private investors poured 40% more money into clean energy and electric vehicles than they did in Q1 2023.
www.theatlantic.com
(2024-06-10)
www.thediff.co
(2024-05-26)
if the centralizing forces of data and compute hold, open and closed-source AI cannot both dominate long-term
worksinprogress.co
(2024-05-20)
Why are buildings today simple and austere, while buildings of the past were ornate and elaborately ornamented? The answer is not the cost of labor.
www.nytimes.com
(2024-05-12)
China’s economy has reached a dead end. Getting out will mean more trade friction with the United States.
www.nytimes.com
(2024-05-04)
When Paris F.C. made its tickets free, it began an experiment into the connection between fans and teams, and posed a question about the value of big crowds to televised sports.
thehustle.co
(2024-04-10)
A visual explainer of the numbers behind America’s ubiquitous bargain-basement chains.
www.thediff.co
(2024-04-08)
Or: You Know The Economy is Good When You Can't Find a Babysitter
www.conspicuouscognition.com
(2024-04-02)
On why the free exchange of ideas is a complex breeding ground for truth, appealing falsehoods, and self-serving rationalisations.
www.vox.com
(2024-02-21)
The economy, explained by your Diet Coke and soda prices, kind of.
www.theguardian.com
(2024-02-15)
US schools fall short on financial literacy. So a generation saddled with money woes has developed language of its own
www.nytimes.com
(2024-02-10)
Ranked-choice voting could be on the November ballot in four states, a sign of the system’s rising popularity. Most conservatives have opposed it. But some say that could be changing.
thomassimon.dev
(2023-09-22)
nymag.com
(2023-09-09)
An Appalachian school district’s daring experiment in economic integration.
www.city-journal.org
(2023-09-01)
Economic dynamism is vaulting the southern portion of the vast region ahead of its northern cousin.
www.retaildive.com
(2023-07-12)
The retailer discounts the importance of in-store safety, the regulatory agency says, and was named a severe violator this fall.
en.m.wikipedia.org
(2023-02-05)
"The Market for 'Lemons': Quality Uncertainty and the Market Mechanism" is a widely cited seminal paper in the field of economics which explores the concept of asymmetric information in markets. The paper was written in 1970 by George Akerlof and published in the Quarterly Journal of Economics. The paper's findings have since been applied to many other types of markets. However, Akerlof's research focused solely on the market for used cars.
medium.com
(2023-01-31)
I recently read Elinor Ostrom’s Governing the Commons and have been evangelizing it so enthusiastically that I figured I’d do a quick…
behavioralscientist.org
(2023-01-31)
Economist Elinor Ostrom believed in the power of economics to “bring out the best in humans.” The way to do it, she thought, was to help them build community.
www.theringer.com
(2022-12-08)
Teams were once considered poor, unpredictable investments. Today they’re among the most coveted assets in the world. What changed?
jamesclear.com
(2022-11-05)
This is a book summary of The Art of Profitability by Adrian Slywotzky. Read The Art of Profitability summary to review key ideas and lessons from the book.
priceonomics.com
(2022-07-19)
He is a music sensation, but Girl Talk neither sings nor plays an instrument. He plays music off reinforced Toughbook laptops protected from his sweat by layers of plastic wrap.
www.bloomberg.com
(2022-07-16)
From the trolley parks of the early 20th century to the theme parks of today, these spaces of shared pleasure have been both a reflection of urban life, and an escape from it.
thehustle.co
(2022-07-16)
Taking the kids to a baseball game, a movie, or Disneyland is a bigger financial commitment than it used to be for middle-class families.
theathletic.com
(2022-07-14)
"For your fans, what’s important to them?” said West Virginia athletic director Shane Lyons of scheduling rivals after realignment.
fullstackeconomics.com
(2022-07-03)
Ignore the haters: living standards have improved a lot since the 1980s.
priceonomics.com
(2022-06-28)
Stealing soap is almost as good as stealing cash.
www.nytimes.com
(2022-06-23)
The ubiquitous dollar store is the American dream writ small.
rusi.org
(2022-06-23)
Can the West still provide the arsenal of democracy?
stayathomemacro.substack.com
(2022-06-21)
Americans are rightly angry about inflation. A strong labor market is not enough reason to celebrate. But, we are coming out of, not going into the hurricane.
thehustle.co
(2022-06-18)
Financial gurus want young home shoppers to stop complaining and cut back on small luxuries. But there are broader affordability issues at play.
awealthofcommonsense.com
(2022-06-14)
Why it's so difficult to pick the best sectors to invest in.
www.thediff.co
(2022-06-13)
Plus! Smart Margin; Peak College?; Two-Sided Markets; Bonds; Diff Jobs
awealthofcommonsense.com
(2022-06-11)
It's not always easy to predict the timing of a recession and what that means for the stock market.
theovershoot.co
(2022-06-11)
Some charts on what's good and what's bad.
economicsfromthetopdown.com
(2022-05-27)
Ever wondered what trait most affects your income? Turns out it’s your rank in a hierarchy.
www.radicalxchange.org
(2022-03-31)
We are a community of activists, artists, entrepreneurs, and scholars committed to using mechanism design to inspire radical social change.
nymag.com
(2022-03-31)
How the impeccably credentialed, improbably charming economic historian supplanted the dirtbag left.
awealthofcommonsense.com
(2022-03-07)
The commodities are so cyclical.
thehustle.co
(2022-02-11)
papers.ssrn.com
(2022-01-16)
Contests that non-contestants consume for entertainment are a fixture of economic, cultural and political life. We exploit injury-induced changes to teams’ line
www.lynalden.com
(2021-12-27)
Originally published: December 2021 When price inflation occurs, it can be a very challenging time for everyone. In that type of environment, prices of goods and services often go up faster than wages, and the public and policymakers wish to constrain them. Historically, when price inflation becomes rampant, policymakers tend to put in place price […]
www.behavioraleconomics.com
(2021-12-08)
Prospect theory proposes that when making decisions people use a reference point to frame prospective alternative outcomes as either potential gains or losses; when considering prospective gains, they are risk-averse and prefer certainty, but when considering prospective losses, they are risk-prone and prefer to risk the possibility of larger but uncertain losses. However, when setting
bylinetimes.com
(2021-10-24)
Forget ‘peak oil’. Nafeez Ahmed reveals how the oil and gas industries are cannibalising themselves as the costs of fossil fuel extraction mount
austinvernon.eth.link
(2021-08-28)
digitstodollars.com
(2021-06-30)
Let’s Build a Chip – We lay out the costs of building a chip – with spreadsheets!
aeon.co
(2021-05-05)
Far from being profoundly destructive, we humans have deep capacities for sharing resources with generosity and foresight
seths.blog
(2021-02-09)
By every measure I can think of, ranked-choice voting is a superior way to hold a modern election. When a group of people want to decide something at the national or even the organizational level, …
bloomberg.com
(2019-05-05)
Some lawmakers in Colorado tried so-called quadratic voting—and it worked.
ritholtz.com
(2019-03-12)
A PBS documentary concerning the disparity between those who have advanced technology and those who still live primitively.
fs.blog
(2018-09-29)
Markets tend to favor unequal distributions of market share and profits, with a few leaders emerging in any industry.Winner-take-all markets are hard to disrupt and suppress the entry of new players by locking in market share for leading players.
freakonomics.com
(2017-12-09)
www.fastcompany.com
(2017-11-11)
To stop society's unsustainable demand for ever-more resources, we need to decentralize and localize our economy. Combining the new ledger technology with UBI may be the way to make that happen.
-->
semantic segmentation (machine vision)
categories:
tags:
machine-vision
date: 08 Apr 2025
slug:semantic-segmentation
www.engadget.com
(2022-12-28)
A team of researchers at MIT CSAIL, in collaboration with Cornell University and Microsoft, have developed STEGO, an algorithm able to identify images down to the individual pixel.
towardsdatascience.com
(2021-10-07)
Revealing whats behind the state-of-the art algorithm HRNet
paperswithcode.com
(2020-12-21)
**Semantic Segmentation** is a computer vision task in which the goal is to categorize each pixel in an image into a class or object. The goal is to produce a dense pixel-wise segmentation map of an image, where each pixel is assigned to a specific class or object. Some example benchmarks for this task are Cityscapes, PASCAL VOC and ADE20K. Models are usually evaluated with the Mean Intersection-Over-Union (Mean IoU) and Pixel Accuracy metrics. ( Image credit: [CSAILVision](https://github.com/CSAILVision/semantic-segmentation-pytorch) )
-->
papers with code | SOTA
categories:
tags:
arxiv
deep-learning
date: 08 Apr 2025
slug:papers-with-code-sota
the Art of Noticing
categories:
tags:
behavior
influence-persuasion
date: 08 Apr 2025
slug:art-of-noticing
chatgpt prompting
categories:
tags:
chatgpt
date: 08 Apr 2025
slug:chatgpt-prompting
blog.tobiaszwingmann.com
(2025-02-24)
Solid techniques to get really good results from any LLM
www.linkedin.com
(2025-02-24)
OpenAI's president Greg Brockman recently shared this cool template for prompting their reasoning models o1/o3. Turns out, this is great for ANY reasoning… | 32 comments on LinkedIn
simonwillison.net
(2025-01-26)
Johann Rehberger snagged a copy of the [ChatGPT Operator](https://simonwillison.net/2025/Jan/23/introducing-operator/) system prompt. As usual, the system prompt doubles as better written documentation than any of the official sources. It asks users …
open.substack.com
(2025-01-22)
machinelearningmastery.com
(2025-01-09)
towardsdatascience.com
(2024-12-05)
www.marktechpost.com
(2024-06-30)
Prompt engineering is crucial to leveraging ChatGPT's capabilities, enabling users to elicit relevant, accurate, high-quality responses from the model. As language models like ChatGPT become more sophisticated, mastering the art of crafting effective prompts has become essential. This comprehensive overview delves into prompt engineering principles, techniques, and best practices, providing a detailed understanding drawn from multiple authoritative sources. Understanding Prompt Engineering Prompt engineering involves the deliberate design and refinement of input prompts to influence the output of a language model like ChatGPT. The efficacy of a prompt directly impacts the relevance and coherence of the AI's responses. Effective prompt engineering
medium.com
(2024-06-30)
Amazon trained me to write evidence-based narratives. I love the format. It’s a clear and compelling way to present information to drive…
www.marktechpost.com
(2024-06-22)
In the developing field of Artificial Intelligence (AI), the ability to think quickly has become increasingly significant. The necessity of communicating with AI models efficiently becomes critical as these models get more complex. In this article we will explain a number of sophisticated prompt engineering strategies, simplifying these difficult ideas through straightforward human metaphors. The techniques and their examples have been discussed to see how they resemble human approaches to problem-solving. Chaining Methods Analogy: Solving a problem step-by-step. Chaining techniques are similar to solving an issue one step at a time. Chaining techniques include directing the AI via a systematic
www.lennysnewsletter.com
(2024-06-12)
27 examples (with actual prompts) of how product managers are using Perplexity today
sloanreview.mit.edu
(2024-06-11)
Apply these techniques when crafting prompts for large language models to elicit more relevant responses.
thenameless.net
(2024-05-20)
www.marktechpost.com
(2024-05-11)
Generative AI (GenAI) tools have come a long way. Believe it or not, the first generative AI tools were introduced in the 1960s in a Chatbot. Still, it was only in 2014 that generative adversarial networks (GANs) were introduced, a type of Machine Learning (ML) algorithm that allowed generative AI to finally create authentic images, videos, and audio of real people. In 2024, we can create anything imaginable using generative AI tools like ChatGPT, DALL-E, and others. However, there is a problem. We can use those AI tools but can not get the most out of them or use them
www.marktechpost.com
(2024-02-29)
Prompt engineering has burgeoned into a pivotal technique for augmenting the capabilities of large language models (LLMs) and vision-language models (VLMs), utilizing task-specific instructions or prompts to amplify model efficacy without altering core model parameters. These prompts range from natural language instructions that provide context to guide the model to learning vector representations that activate relevant knowledge, fostering success in myriad applications like question-answering and commonsense reasoning. Despite its burgeoning use, a systematic organization and understanding of the diverse prompt engineering methods still need to be discovered. This survey by researchers from the Indian Institute of Technology Patna, Stanford University,
towardsdatascience.com
(2024-02-29)
How do we communicate effectively with LLMs?
www.wired.com
(2024-02-28)
Sure, anyone can use OpenAI’s chatbot. But with smart engineering, you can get way more interesting results.
www.webdesignerdepot.com
(2024-02-22)
In the rapidly evolving world of artificial intelligence, the ability to communicate effectively with AI tools has become an indispensable skill. Whether you're generating content, solving complex data problems, or creating stunning digital art, the quality of the outcomes you receive is directly…
www.kdnuggets.com
(2023-10-20)
Unlock the power of GPT-4 summarization with Chain of Density (CoD), a technique that attempts to balance information density for high-quality summaries.
www.kdnuggets.com
(2023-10-07)
Explore how the Skeleton-of-Thought prompt engineering technique enhances generative AI by reducing latency, offering structured output, and optimizing projects.
devblogs.microsoft.com
(2023-09-25)
Learn how to use GPT / LLMs to create complex summaries such as for medical text
www.exponentialview.co
(2023-09-25)
Our first Promptpack for businesses
towardsdatascience.com
(2023-08-31)
7 prompting tricks, Langchain, and Python example code
towardsdatascience.com
(2023-08-25)
3 levels of using LLMs in practice
docs.cohere.com
(2023-08-14)
In this chapter, you'll learn how to concatenate multiple endpoints in order to generate text. You'll apply this by creating a story.
towardsdatascience.com
(2023-07-28)
A practical and simple approach for “reasoning” with LLMs
thesequence.substack.com
(2023-07-22)
Understanding one of the most effective techniques to improve the effectiveness of prompts in LLM applications.
www.kdnuggets.com
(2023-07-12)
This article delves into the concept of Chain-of-Thought (CoT) prompting, a technique that enhances the reasoning capabilities of large language models (LLMs). It discusses the principles behind CoT prompting, its application, and its impact on the performance of LLMs.
www.practicalecommerce.com
(2023-07-12)
An effective prompt is the first step in benefitting from ChatGPT. That's the challenge — an effective prompt.
dev.to
(2023-07-10)
In this article, we will demonstrate how to use different prompts to ask ChatGPT for help and make...
medium.com
(2023-05-28)
Explore how clear syntax can enable you to communicate intent to language models, and also help ensure that outputs are easy to parse
www.practicalecommerce.com
(2023-05-28)
ChatGPT can generate usable content. But it can also analyze existing content — articles, descriptions — and suggest improvements for SEO and social media.
towardsdatascience.com
(2023-05-28)
Learn how standard greedy tokenization introduces a subtle and powerful bias that can have all kinds of unintended consequences.
towardsdatascience.com
(2023-05-27)
Our weekly selection of must-read Editors’ Picks and original features
digiday.com
(2023-05-27)
Prompt engineering is an emerging skill and one companies are looking to hire for as they employ more AI tools. And yet dedicated prompt engineering roles may be somewhat short-lived as workforces become more proficient in using the tools.
www.promptingguide.ai
(2023-05-27)
A Comprehensive Overview of Prompt Engineering
lilianweng.github.io
(2023-04-14)
Prompt Engineering, also known as In-Context Prompting, refers to methods for how to communicate with LLM to steer its behavior for desired outcomes without updating the model weights. It is an empirical science and the effect of prompt engineering methods can vary a lot among models, thus requiring heavy experimentation and heuristics. This post only focuses on prompt engineering for autoregressive language models, so nothing with Cloze tests, image generation or multimodality models.
www.ruxu.dev
(2023-04-13)
towardsdatascience.com
(2023-04-13)
Garbage in, garbage out has never been more true.
github.com
(2010-10-24)
This repository offers a comprehensive collection of tutorials and implementations for Prompt Engineering techniques, ranging from fundamental concepts to advanced strategies. It serves as an essen...
www.latimes.com
(2009-09-24)
A comparison between a report written by a human and one composed by AI reveals the weaknesses of the latter when it comes to journalism.
-->
chatgpt
categories:
tags:
chatgpt
date: 08 Apr 2025
slug:chatgpt
simonwillison.net
(2025-01-26)
Johann Rehberger snagged a copy of the [ChatGPT Operator](https://simonwillison.net/2025/Jan/23/introducing-operator/) system prompt. As usual, the system prompt doubles as better written documentation than any of the official sources. It asks users …
searchengineland.com
(2024-12-26)
A detailed analysis of ChatGPT search and Google's performance across 62 queries, with scoring metrics and practical examples.
www.nytimes.com
(2024-12-13)
A.I. insiders are falling for Claude, a chatbot from Anthropic. Is it a passing fad, or a preview of artificial relationships to come?
www.thediff.co
(2024-11-10)
The power of a robust honor code—and abundant institutional resources
www.nytimes.com
(2024-10-31)
The popular online chatbot can now access and deliver information from across the internet in real time, including news, stock prices and sports scores.
relston.github.io
(2024-07-09)
Introduction In this post, I want to introduce Mark, a simple CLI tool that uses Markdown and its syntax to interact naturally with the GPT4-vision/GPT4o models.
medium.com
(2024-06-30)
Amazon trained me to write evidence-based narratives. I love the format. It’s a clear and compelling way to present information to drive…
www.wsj.com
(2024-05-28)
We tested OpenAI’s ChatGPT against Microsoft’s Copilot and Google’s Gemini, along with Perplexity and Anthropic’s Claude. Here’s how they ranked.
dataconomy.com
(2024-05-11)
The search engine war is heating up. ChatGPT may introduce its search engine, which will rival Google, on Monday. Although
dev.to
(2024-04-18)
Making your custom GPTs is just one of the ways to leverage your content strategy and use ChatGPT...
www.marktechpost.com
(2024-04-11)
Claude and ChatGPT are two compelling options in AI chatbots, each with unique features and capabilities. To discern their strengths and suitability for various applications, let's compare these two AI chatbots comprehensively. What is Claude? Claude is an AI chatbot developed by an Anthropic AI renowned for its ability to simulate human-like conversations. Built on sophisticated NLP algorithms, Claude excels in engaging users in meaningful dialogues across a spectrum of topics. What sets Claude apart is its emphasis on understanding the user's persona and tailoring responses to match individual preferences and communication styles. This personalised touch enhances user experience, fostering
www.theverge.com
(2024-04-09)
More AI image generation tools at your fingertips.
www.marktechpost.com
(2024-04-01)
What is ChatGPT? ChatGPT, developed by OpenAI, is an AI platform renowned for its conversational AI capabilities. Leveraging the power of the Generative Pre-trained Transformer models, ChatGPT generates human-like text responses across various topics, from casual conversations to complex, technical discussions. Its ability to engage users with coherent, contextually relevant dialogues stands out, making it highly versatile for various applications, including content creation, education, customer service, and more. Its integration with tools like DALL-E for image generation from textual descriptions and its continual updates for enhanced performance showcase its commitment to providing an engaging and innovative user experience. ChatGPT Key
www.wired.com
(2024-02-28)
Sure, anyone can use OpenAI’s chatbot. But with smart engineering, you can get way more interesting results.
psyche.co
(2024-02-10)
New experiments show that very young children are better at solving creative puzzles than ChatGPT and other AI models
www.practicalecommerce.com
(2024-01-23)
Identify and target personas of keywords, competitors, Reddit discussions, and more.
gpt-trainer.com
(2024-01-17)
Best AI Chatbots for Customer Support
dataconomy.com
(2023-10-05)
OpenAI's ChatGPT Vision is making waves in the world of artificial intelligence, but what exactly is it, and how can
www.microsoft.com
(2023-10-03)
Learn how you can access Bing Chat in Microsoft Edge. Experience AI in Microsoft Edge and ask Bing Chat complex questions, get summarized information, and more.
bard.google.com
(2023-10-03)
Bard is now Gemini. Get help with writing, planning, learning, and more from Google AI.
www.kdnuggets.com
(2023-09-25)
KDnuggets' latest cheat sheet covers 10 curated hands-on projects to boost data science workflows with ChatGPT across ML, NLP, and full stack dev, including links to full project details.
www.youtube.com
(2023-09-25)
Do you use Python, Pandas, and Seaborn to collect, analyze, and plot data? Then you'll be amazed by what ChatGPT can do, when using ChatGPT+, GPT-4 model, and the plugin for Noteable's version of Jupyter notebooks.
[UPDATE/NOTE: This was my first summary of Noteable and ChatGPT. I have done more experiments, which you can see here: https://www.youtube.com/watch?v=2WUZ0b-hUDU]
In this video, I show you how I got things set up for using Noteable (and world headlines), then put together a query, You'll see how it goes well, where it goes wrong, and what sort of code I can create using just English-language descriptions of my plans. And I show you what's happening behind the scenes, as we see the JSON being written.
This is all brand new and exciting, and I hope that you'll post suggestions and ideas in the comments for how we can take this even further!
And if you're interested in analyzing data with Pandas, check out Bamboo Weekly at https://www.BambooWeekly.com/, where I look at current events through the eyes of data analysis.
www.r-bloggers.com
(2023-09-25)
Hey guys, welcome back to my R-tips newsletter. In today’s R-tip, I’m sharing a super common data science task (one that saved me 20 hours per week)… You’re getting the cheat code to automating Google Sheets. Plus, I’m sharing exactly how I made this a...
towardsdatascience.com
(2023-09-25)
How you can fine-tune OpenAI’s GPT-3.5 Turbo model to perform new tasks using your custom data
nanonets.com
(2023-08-06)
Using ChatGPT & OpenAI's GPT API, this code tutorial teaches how to chat with PDFs, automate PDF tasks, and build PDF chatbots.
thesequence.substack.com
(2023-07-24)
An Introduction to Auto-GPT
towardsdatascience.com
(2023-07-24)
Explained with an example use case.
towardsdatascience.com
(2023-07-24)
GPT, explained simply, in a metaphor of potion.
www.kdnuggets.com
(2023-07-23)
10 ChatGPT Plugins for Data Science Cheat Sheet • Noteable Plugin: The ChatGPT Plugin That Automates Data Analysis • 3 Ways to Access Claude AI for Free • What are Vector Databases and Why Are They Important for LLMs? • A Data Scientist’s Essential Guide to Exploratory Data Analysis
medium.com
(2023-07-23)
Transform your life with these ChatGPT’s hidden gems.
www.practicalecommerce.com
(2023-07-12)
An effective prompt is the first step in benefitting from ChatGPT. That's the challenge — an effective prompt.
dev.to
(2023-07-10)
In this article, we will demonstrate how to use different prompts to ask ChatGPT for help and make...
www.practicalecommerce.com
(2023-05-28)
ChatGPT can generate usable content. But it can also analyze existing content — articles, descriptions — and suggest improvements for SEO and social media.
www.theatlantic.com
(2023-05-19)
The next generation of AI is leaving behind the viral chatbot.
www.fastcompany.com
(2023-05-19)
On Tuesday, the result arrived via email: “NOT GUILTY.”
thesequence.substack.com
(2023-05-18)
1) Reinforcement Learning with Human Feedback(RLHF) 2) The RLHF paper, 3) The transformer reinforcement learning framework.
arstechnica.com
(2023-05-12)
More languages, image inputs, and extension support among Bard features at I/O ’23.
t.co
(2023-04-29)
Use the power of ChatGPT from within your own apps using OpenAI’s API and this guide.
news.ycombinator.com
(2023-04-29)
towardsdatascience.com
(2023-04-26)
LangChain + OpenAI + Panel + HuggingFace
www.techradar.com
(2023-04-25)
It's like learning a new language - kind of.
thesequence.substack.com
(2023-04-21)
Sundays, The Sequence Scope brings a summary of the most important research papers, technology releases and VC funding deals in the artificial intelligence space.
www.fastcompany.com
(2023-04-17)
Exploring why AI won’t replace designers, but rather enhance their work.
arstechnica.com
(2023-04-16)
Dolly 2.0 could spark a new wave of fully open source LLMs similar to ChatGPT.
www.nytimes.com
(2023-04-16)
Artificial intelligence models have found their way into many people’s lives, for work and for fun.
arxiv.org
(2023-04-15)
Chain-of-Thought (CoT) prompting can effectively elicit complex multi-step reasoning from Large Language Models~(LLMs). For example, by simply adding CoT instruction ``Let's think step-by-step''...
slashdot.org
(2023-04-15)
m.youtube.com
(2023-04-14)
#langchain #chatgpt #gpt4 #artificialintelligence #automation #python #notion #productivity #datascience #pdf #machinelearning
In this tutorial, learn how to easily extract information from a PDF document using LangChain and ChatGPT. I'll walk you through installing dependencies, loading and processing a PDF file, creating embeddings, and querying the PDF with natural language questions.
00:00 - Introduction
00:21 - Downloading a sample PDF
00:49 - Importing required modules
01:21 - Setting up the PDF path and loading the PDF
01:38 - Printing the first page of the PDF
01:53 - Creating embeddings and setting up the Vector database
02:24 - Creating a chat database chain
02:49 - Querying the PDF with a question
03:27 - Understanding the query results
04:00 - Conclusion
Remember to like and subscribe for more tutorials on learning, research and AI!
- Source code: https://github.com/EnkrateiaLucca/talk_pdf
- Link to the medium article: https://medium.com/p/e723337f26a6
- Subscribe!: https://www.youtube.com/channel/UCu8WF59Scx9f3H1N_FgZUwQ
- Join Medium: https://lucas-soares.medium.com/membership
- Tiktok: https://www.tiktok.com/@enkrateialucca?lang=en
- Twitter: https://twitter.com/LucasEnkrateia
- LinkedIn: https://www.linkedin.com/in/lucas-soares-969044167/
Music from [www.epidemicsound.com](http://www.epidemicsound.com/)
www.atmosera.com
(2023-03-26)
ChatGPT is a deep-learning model created by OpenAI whose ability to generate human-like prose has made AI a topic of conversation. Learn more
oneusefulthing.substack.com
(2023-03-26)
AI multiplies your efforts. I found out by how much...
venturebeat.com
(2023-03-24)
OpenAI today announced its support of new third-party plugins for ChatGPT, and it already has Twitter buzzing about the company's potential platform play.
sidsaladi.substack.com
(2023-03-20)
Quote "ChatGPT is like a genie in a bottle, but instead of granting you three wishes, it gives you endless responses until you realize you've been chatting with a machine for hours." 😂
www.chatpdf.com
(2023-03-15)
ChatPDF is the fast and easy way to chat with any PDF, free and without sign-in. Talk to books, research papers, manuals, essays, legal contracts, whatever you have! The intelligence revolution is here, ChatGPT was just the beginning!
www.fastcompany.com
(2023-03-14)
ChatGPT recently passed the U.S. Medical Licensing Exam, but using it for a real-world medical diagnosis would quickly turn deadly.
www.digitaltrends.com
(2023-03-12)
ChatGPT invented a hit puzzle game called Sumplete that could rival Wordle. There's just one problem: It already exists.
www.r-bloggers.com
(2023-03-04)
It’s March 2023 and right now ChatGPT, the amazing AI chatbot tool from OpenAI, is all the rage. But when OpenAI released their public web API for ChatGPT on the 1st of March you might have been a bit disappointed. If you’re an R user, that is. Because, when scrolling through the release announcement you find that there is a python package to use this new API, but no R package. I’m here to say: Don’t be disappointed! As long as there is a web API for a service then it’s going to be easy to use this service from R, no specialized package needed. So here’s an example of how to use the new (as of March 2023) ChatGPT API from R. But know that when the next AI API hotness comes out (likely April 2023, or so) then it’s going to be easy to interface with that from R, as well. Calling the ChatGPT web API from R To use the ChatGPT API in any way you first need to sign up and get an API key: The “password” you need to access the web API. It could look something like "sk-5xWWxmbnJvbWU4-M212Z2g5dzlu-MzhucmI5Yj-l4c2RkdmZ26". Of course, that’s not my real API key because that’s something you should keep secret! With an API key at hand you now look up the documentation and learn that this is how you would send a request to the API from the terminal: curl https://api.openai.com/v1/chat/completions \ -H "Authorization: Bearer $OPENAI_API_KEY" \ -H "Content-Type: application/json" \ -d '{ "model": "gpt-3.5-turbo", "messages": [{"role": "user", "content": "What is a banana?"}] }' But how do we send a request to the API using R? What we can do is to “replicate” this call using httr: a popular R package to send HTTP requests. Here’s how this request would be made using httr (with the curl lines as comments above the corresponding httr code) library(httr) api_key
arstechnica.com
(2023-02-25)
LLaMA-13B reportedly outperforms ChatGPT-like tech despite being 10x smaller.
www.newyorker.com
(2023-02-10)
OpenAI’s chatbot offers paraphrases, whereas Google offers quotes. Which do we prefer?
datasette.io
(2023-02-09)
arxiv.org
(2023-01-24)
During the last two years there has been a plethora of large generative models such as ChatGPT or Stable Diffusion that have been published. Concretely, these models are able to perform tasks such...
dev.to
(2023-01-14)
I was playing around with OpenAI (GPT-3) today, building a reasonably complicated email parser for a...
www.ben-evans.com
(2022-12-16)
The wave of enthusiasm around generative networks feels like another Imagenet moment - a step change in what ‘AI’ can do that could generalise far beyond the cool demos. What can it create, and where are the humans in the loop?
gist.github.com
(2022-12-11)
Everything I understand about chatgpt · GitHub
chat.openai.com
(2022-12-10)
A conversational AI system that listens, learns, and challenges
dataconomy.com
(2022-12-08)
The OpenAI ChatGPT chatbot was just released and is already quite popular. Say hello to the newest chatbot with one
stratechery.com
(2022-12-07)
The first obvious casualty of large language models is homework: the real training for everyone, though, and the best way to leverage AI, will be in verifying and editing information.
searchengineland.com
(2012-09-24)
Unpack the key features and marketing insights of SearchGPT, OpenAI’s innovative search tool and its potential to rival Google’s dominance.
artifex.com
(2009-09-24)
The Artifex blog covers the latest news and updates regarding Ghostscript, MuPDF, and SmartOffice. Subjects cover PDF and Postscript, open source, office productivity, new releases, and upcoming events.
www.latimes.com
(2009-09-24)
A comparison between a report written by a human and one composed by AI reveals the weaknesses of the latter when it comes to journalism.
-->
jekyll (ruby)
categories:
tags:
jekyll
ruby
webdev
date: 12 Apr 2025
slug:jekyll
parklife.dev
(2025-01-06)
greg.molnar.io
(2024-11-05)
Since Kamal 2 can host multiple sites on the same server, I am consolidating my apps into larger hosts so I have less servers to worry about. Most of my apps are Rails apps, but I have a few static jekyll sites like this blog and I decided to look into how could I move this site to a server I host other Rails apps on.
www.perplexity.ai
(2024-06-12)
docs.ruby-lang.org
(2024-04-16)
mademistakes.com
(2024-03-17)
How Jekyll uses URLs and how to link posts, pages, assets, and other resources together.
www.fabriziomusacchio.com
(2024-03-11)
This Cheat Sheet gives an overview of Liquid syntax commands one might encounter while developing a Jekyll website.
news.ycombinator.com
(2024-02-10)
shortcode.dev
(2024-01-17)
Liquid cheatsheet, Comment, Escape liquid tags, Include, Size, Array, Dynamic collection navigation, Unless, Upcase, Current date, Capture, Remove-first, Cap...
github.com
(2024-01-07)
:page_with_curl: Liquid tag for displaying GitHub Gists in Jekyll sites. - jekyll/jekyll-gist
www.jokecamp.com
(2023-07-12)
How to list all your jekyll posts by tags using the liquid templating syntax and markdown
numbers.brighterplanet.com
(2023-04-01)
cjshelton.github.io
(2023-03-22)
Introduction Jekyll offers a multitude of blog related functionality out-of-the-box, all which make creating a custom blog much easier. One of these features is excerpts, which allow you to display a subset of text from blog post – useful on a list page to give the reader a quick insight into what each post is about. When creating my blog, I found this feature useful, but it had one limitation which I needed to work around – configuring where the excerpt should start from.
dev.to
(2023-03-20)
You have probably seen or used the YAML format in configuration files. YAML (a recursive acronym for...
www.yamllint.com
(2023-03-13)
Validate, Verify and Reformat your YAML documents, optimized for Ruby on Rails
dev.to
(2023-02-18)
Static sites were previously composed of hard-coded files comprising HTML templates, and maintaining...
planetjekyll.github.io
(2023-01-27)
cloudcannon.com
(2023-01-22)
Learn everything Jekyll is capable of from an exhaustive list of variables, tags, and filters.
jekyllrb.com
(2022-10-20)
jekyllrb.com
(2022-10-20)
Jekyll traverses your site looking for files to process. Any files with front matter are subject to processing. For each of these files, Jekyll makes a variety of data available via Liquid. The following is a reference of the available data.
www.digitalocean.com
(2022-06-11)
A quick overview of using collections in Jekyll to create powerful taxonomies around your content.
dev.to
(2022-06-11)
By Farrel Burns Brought to you by CloudCannon, the Git-based CMS for Jekyll. What you’ll...
staticman.net
(2022-05-29)
I bring user-generated content to static sites
mzrn.sh
(2022-04-30)
Most websites I build start off as a blank Jekyll site with Tailwind CSS on top.
gist.github.com
(2022-03-19)
Jekyll Liquid Cheatsheet · GitHub
engineering.chrobinson.com
(2022-01-17)
When we (the Engineering Blog committee here at C.H. Robinson) were working on the Mobile Apps Battery Management series, we were looking for a way to link a group of similar posts into a multi-post series. We wanted to show the post order, and be able to link between the parts, both holistically, and to the previous and next posts.
ranvir.xyz
(2022-01-17)
Lazy loading the images of the blog and improving your page speed giving better user experience. Defer Offscreen Images in a Jekyll blog.
blog.webjeda.com
(2022-01-17)
Why Jekyll Categories or Tags? Imagine you have a blog where you discuss very different things all together. Many bloggers post their personal experiences along with some professional posts. Curating information is very important to make users browse through your website with ease. What if New York Times had no categories like Politics, Business, Tech etc..? How hard would it be to track what happened to last night’s football game? There should be a Sports category to make readers’ life easy.
forestry.io
(2022-01-17)
The Forestry.io team is now focused on building TinaCMS. If you wish to migrate your Forestry site to Tina, follow the guide below.
jekyllrb.com
(2022-01-17)
In addition to the built-in variables available from Jekyll, you can specify your own custom data that can be accessed via the Liquid templating system.
blog.webjeda.com
(2022-01-17)
Why ‘Jekyll Collections’?
jekyllthemes.org
(2022-01-16)
github.com
(2022-01-16)
A Jekyll plugin to add metadata tags for search engines and social networks to better index and display your site's content. - jekyll/jekyll-seo-tag
www.johnmurray.io
(2021-12-26)
So you have a static site in Jekyll that you want to deploy toHeroku. Lucky for you, this is a relatively easy task and does notrequire anything as complex a...
jekyllrb.com
(2021-12-17)
Transform your plain text into static websites and blogs
medium.com
(2021-12-15)
Making a static HTML website have dynamic search
github.com
(2021-12-15)
A starter kit for jekyll + bootstrap 4.
jmcglone.com
(2021-12-15)
A beginner's guide to creating a personal website and blog using Jekyll and hosting it for free using GitHub Pages.
cloudcannon.com
(2021-12-14)
A guide for Jekyll freelancers to get the most out of CloudCannon with templates.
community.algolia.com
(2021-12-14)
longqian.me
(2021-11-29)
Github page does not allow customized plugins, and jekyll-tagging is not one of the supported GEMs of Github pages. It needs some effort to add tag support your Jekyll blog hosted by Github page. This blog shows you how to do this step by step.
darekkay.com
(2021-11-18)
Overview of different techniques to implement comments using a static site generator.
idratherbewriting.com
(2021-07-13)
You can implement advanced conditional logic that includes if statements, or statements, unless, and more. This conditional logic facilitates single sourcing...
bfotool.com
(2021-01-30)
This free online tool lets you convert a HTML file into a YAML file. No need to download or install any software. Click to convert your file now.
github.com
(2020-11-22)
My Environment Software Version(s) Operating System Ubuntu 19.10 jekyll Latest github-pages No Current Behavior I was trying to run sudo apt install jekyll jekyll new my-awesome-site cd my-awesome-...
community.algolia.com
(2019-08-23)
-->
sinatra (ruby)
categories:
tags:
ruby
sinatra
webdev
date: 12 Apr 2025
slug:sinatra
coderwall.com
(2024-01-05)
A protip by alfuken about ruby and sinatra.
dev.to
(2023-06-07)
In this article, we'll introduce Ruby on Rails' lesser-known but powerful cousin Sinatra. We'll use...
auth0-com.cdn.ampproject.org
(2023-04-17)
Learn how to implement a Sinatra API and protect its endpoints using Auth0
github.com
(2022-01-17)
Community contributed recipes and techniques.
sinatrarb.com
(2020-05-10)
www.twilio.com
(2020-02-19)
Find out how easy it is to build a chatbot for WhatsApp using the Twilio API for WhatsApp and the Ruby web framework Sinatra.
dev.to
(2019-08-30)
Photo by Morre Christophe on Unsplash My team at Runtime Revolution uses an in-house app for team ma...
-->
ruby
categories:
tags:
booknotes
ruby
date: 12 Apr 2025
slug:ruby
dive into DL ebook
categories:
tags:
booknotes
deep-learning
date: 12 Apr 2025
slug:dive-into-deep-learning
clever algos (ruby)
categories:
tags:
algorithms
booknotes
ruby
date: 12 Apr 2025
slug:clever-algorithms
productivity (behavior)
categories:
tags:
behavior
productivity
date: 12 Apr 2025
slug:productivity
theengineeringmanager.substack.com
(2024-12-13)
Yes, just set that deadline.
thenewstack.io
(2024-12-01)
Onboarding can be a well-documented, up-to-date, repeatable process that helps new hires become productive quickly without having to ask so many questions.
learnhowtolearn.org
(2024-08-04)
Do "outline speedrunning": Recursively outline an MVP, speedrun filling it in, and only then go back and perfect. This is a ~10x speed up over the 'loading-bar' style (more on that below) Don't just read this article and move on. Go out and do this for the very next thing you make so y
fev.al
(2024-07-15)
You’re working on the most complex problem in computer science: fixing permissions on a deployment pipeline. It’s been 4 days you started on that simple task...
dev.to
(2024-02-03)
In the fast-paced rhythm of today's world, managing time effectively is not just an advantage; it's a...
census.dev
(2023-04-06)
Tips for developers on getting into flow states
asnewman.github.io
(2023-03-16)
nesslabs.com
(2023-02-03)
Thinking about your actions as vectors instead of scalars is a helpful mental model to manage your goals. Considering your vectors of action can help you objectively assess your progress, your impact, and your well-being.
noidea.dog
(2022-12-21)
Slides and notes for the Being Glue talk.
bigthink.com
(2022-09-22)
Perfectionism is on the rise, and its consequences for mental health can be devastating. The Japanese philosophy of "wabi sabi" can help.
thecreativeindependent.com
(2022-07-18)
Henry Rollins talks about not labelling what you do, why he’s not interested in advice, the need to make things constantly, and why he’s never had a creative block.
doist.com
(2022-07-18)
Productivity inspiration and tactical advice that’s actually useful.
www.hanselman.com
(2022-07-18)
Note Scott Hanselman (me): I had been meaning to write up my productivity tips ...
www.theatlantic.com
(2022-07-09)
These achievements aren’t about productive self-improvement. They’re designed to make the pursuit of joy a deliberate practice.
lifehacker.com
(2022-07-05)
The best productivity methods keep your to-dos in front of you and prioritized so you never wonder what to work on next. Some are complicated, but oth
betterhumans.pub
(2022-06-30)
Pause and think on purpose
dkb.show
(2022-06-29)
The most surprising thing is that you wouldn’t let anyone steal your property, but you consistently let people steal your time, which is infinitely more valuable.
alexvermeer.com
(2022-06-14)
Life-Hacking. Climbing. Striving for awesome. Coffee.
www.atlassian.com
(2022-06-13)
An introduction to kanban methodology for agile software development and its benefits for your agile team.
jeffhuang.com
(2021-12-27)
austinkleon.com
(2021-12-24)
blog.aaronkharris.com
(2021-12-23)
A few months ago, I wrote about things that look like work, but aren't. As I paid more attention to founders doing these things, I started thinking about why they were happening. I realized that...
blog.superhuman.com
(2021-12-06)
If you're having trouble with your productivity, consider finding the root using the 5 Whys technique.
www.nirandfar.com
(2021-07-18)
Timeboxing is the nearest thing we have to productivity magic, yet most people don’t utilize it. It amounts to boxing out periods of time to work on distinct tasks each day. But when I recommend perhaps the most effective technique ever devised to help people stay on track, most of them balk.
www.okayhq.com
(2021-04-04)
Bring all your engineering data in one place and build dashboards in minutes
annehelen.substack.com
(2021-02-09)
This is the midweek edition of Culture Study — the newsletter from Anne Helen Petersen, which you can read about here. If you like it and want more like it in your inbox, consider subscribing.
blog.pragmaticengineer.com
(2021-01-11)
I've worked at various tech companies: from "traditional" shops and consultancies, through an investment bank, to high-growth tech firms. I've also talked with software engineers working at startups, banking, automotive, big tech, and more "traditional" companies. This mix had a healthy sample of Silicon-Valley companies and ones headquartered outside this
getpocket.com
(2020-02-19)
A few timeless productivity lessons that apply no matter what you’re doing.
www.fastcompany.com
(2020-01-09)
Stephen Wolfram, creator of Mathematica and WolframAlpha, on his carefully-crafted techniques for being effective at work.
amontalenti.com
(2019-12-23)
Do you ever get that feeling like no matter how hard you work, you just can't keep up? This isn't a problem uniquely faced by modern knowledge workers. It's also a characteristic of certain software systems. This state — of being perpetually behind on intended work-in-progress — can fall naturally…
doist.com
(2019-12-23)
Productivity inspiration and tactical advice that’s actually useful.
www.bbc.com
(2019-12-09)
The author wasn’t all about literary masterpieces, dry martinis and rakish charm – he also invented a technique that can beat procrastination and boost productivity.
getpocket.com
(2019-11-06)
To make sure productivity doesn’t slow after you walk out of the room, do two things after and in between meetings.
www.dev-diaries.com
(2019-06-24)
Dev diaries is a development community providing daily tips and tricks about web development. Learn about how to become a better dev, and get a refreshed perspective on what it means to be a web developer. We share daily web development tips on Instagram, Twitter, Facebook, & Pinterest. Being a good web developer comes down to a lot of things, but one of the major skills is being able to Google and find the right answer on Stackoverflow...
tomtunguz.com
(2019-04-21)
In a world where there are no secrets, where innovations are quickly imitated or become obsolete, the theory of competitive advantage may have had its day. Realistically, ask yourself, If all your competitors gave their strategic plans to each other, would it really make a difference? In 1986, Amar Bhide wrote “Hustle as Strategy” for the Harvard Business Review. At the time, he was an assistant professor at HBS. He examined the dynamics within the financial services market.
fs.blog
(2019-02-05)
Inefficient does not mean ineffective, and it is certainly not the same as lazy. You get things done – just not in the most effective way possible. You’re a bit sloppy, and use more energy. But don’t feel bad about it. There is real value in not being the best.
medium.com
(2018-12-14)
“Anyone who lives within their means suffers from a lack of imagination.” — Oscar Wilde
hbr.org
(2018-12-14)
In a recent survey of 100 productivity hacks, timeboxing — migrating to-do lists into calendars — was ranked the most useful. Timeboxing can give you a much greater sense of control over your workday. You decide what to do and when to do it, block out all distractions for that timeboxed period, and get it done. The benefits of calendarized timeboxing are many, varied, and highly impactful. The practice improves how we feel (control), how much we achieve as individuals (personal productivity), and how much we achieve in the teams we work in (enhanced collaboration). This may be the single most important skill or practice you can possibly develop as a modern professional, as it buys you so much time to accomplish anything else. It’s also straightforwardly applied and at no cost. Box some time to implement a version of this that works for you.
www.jfdperfsolutions.com
(2018-09-13)
stackingthebricks.com
(2018-09-12)
The first few times it happens, it feels like a positive signal. Somebody wants your advice and perspective. You must be good at what you do. And th
eleganthack.com
(2017-05-17)
This is Part 2 of a three part series on high performing teams. Part one is of Design the Team You Need to Succeed Now you’ve decided you want more than a workgroup, what should you do? What does i…
eleganthack.com
(2016-10-03)
I remember the first time I had to write one of these puppies. I had just been promoted to manager at Yahoo back in 2000, and was running a small team. I was told to “write a status email covering …
www.raptitude.com
(2008-08-24)
South Island, New Zealand, a.k.a. Middle-Earth If you were to make a list of what you want to get done this week, it would mostly consist of things you have to do. Get groceries. Book a hair appointment. Get back to so-and-so. Read that health and safety thing for work. If you were to make a list of things you
-->
acting (behavior)
categories:
tags:
acting
behavior
date: 12 Apr 2025
slug:acting
thereader.mitpress.mit.edu
(2024-05-27)
In describing how they remember their lines, actors are telling us an important truth about memory.
www.vanityfair.com
(2024-04-09)
The actor plays dual roles in 'Fallout'—a monster and the man he used to be—prompting a look back at his own unlikely past.
link.newyorker.com
(2024-04-04)
From 2008: What was real about the realest actor of them all? Claudia Roth Pierpont on Brando’s dilemmas and his depths.
www.theatlantic.com
(2024-02-29)
Paul Giamatti’s performance in "The Holdovers" is just another high point in a long, memorable career.
www.theatlantic.com
(2024-02-22)
A star since childhood, she spent decades guarding her privacy. On-screen, she’s always played the solitary woman under pressure. But in a pair of new roles, she’s revealed a different side of herself.
www.thecut.com
(2023-01-22)
The world is finally singing her long-overdue praise.
www.vulture.com
(2021-03-28)
We asked critics and Hollywood creators: Which supporting players make everything better?
www.hollywoodreporter.com
(2021-02-12)
After leaving L.A. and making only one public appearance since — on a widely condemned mental illness episode of 'Dr. Phil' — the complicated star of 'The Shining' discusses her legacy and the trauma of the Stanley Kubrick film.
www.texasmonthly.com
(2021-02-03)
From ‘Urban Cowboy’ to ‘Northern Exposure’ to ‘No Country for Old Men,’ Texas’s finest character actor isn’t hanging up his spurs just yet.
melmagazine.com
(2021-01-13)
Although ‘Cheers’ made the actor a star, he always swore he had a tough time getting comfortable playing the womanizing character. But the humanity he brought to Sam has informed his career and his life ever since.
-->
from Fluffy to Valuable - How the Brain Recognizes Objects
categories:
tags:
cognition
machine-vision
date: 12 Apr 2025
slug:cognition-object-recognition