All posts, sorted by date (oldest first)

Data Science Interview Questions (2019)
categories:
tags: data-science  interviewing 
date: 01 Oct 2019
slug:ds-interview-questions

Paperspace Gradient Notebook
categories:
tags: machine-learning  paperspace 
date: 24 Feb 2020
slug:jupyter

Happy Meals - the Ultimate Product Idea
categories:
tags: ideas  prodmgmt 
date: 25 Feb 2020
slug:happy-meals

Meteor 1.9 Release
categories:
tags: javascript  meteorjs  webdev 
date: 25 Feb 2020
slug:meteor-1point9-release

Twitter's Agency Playbook
categories:
tags: prodmgmt  social-media  twitter 
date: 25 Feb 2020
slug:twitter-agency-playbook

How Tracking Pixels Work (Julia Evans)
categories:
tags: analytics  prodmgmt  webdev 
date: 25 Feb 2020
slug:tracking-pixels

UI/UX articles - Feb2020
categories:
tags: uiux 
date: 25 Feb 2020
slug:uiux

Compelling Speech Techniques
categories:
tags: influence  persuasion  speaking 
date: 25 Feb 2020
slug:speech

The Great CEO Within (Gdoc)
categories:
tags: behavior  leadership  prodmgmt 
date: 25 Feb 2020
slug:great-ceo-within

Game & Auction Theory Articles
categories:
tags: auctions  game-theory 
date: 11 Mar 2020
slug:game-theory-updates

Product Market Fit - 10 Ways to Find It
categories:
tags: prodmgmt 
date: 15 Mar 2020
slug:product-market-fit

More Data Science Interview Questions
categories:
tags: data-science  interviewing 
date: 16 Mar 2020
slug:data-science-interview-questions
the null hypothesis cannot be rejected.
* A P-value <0.05 denotes strong evidence against the null hypothesis --> the null hypothesis can be rejected.
* A P-value =0.05 is the marginal value, indicating it is possible to go either way.
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
  • Configuration
  • Usage
  • 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

    Chrome extensions performance report
    categories:
    tags: webdev 
    date: 15 Jun 2020
    slug:chrome-extension-metrics

    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 Processor 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: pdf  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

    Amazon exec memos - and narrative (Anecdote.com)
    categories:
    tags: prodmgmt  storytelling 
    date: 05 Jul 2020
    slug:amazon-storytelling-narrative

    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

    Linux Servers - SSH Hardening Tips
    categories:
    tags: devops  linux 
    date: 15 Jul 2020
    slug:linux-ssh-hardening

    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

    RBS - Ruby v3's type signature language
    categories:
    tags: ruby 
    date: 28 Jul 2020
    slug:ruby3-types

    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

    Pawnshop Economics
    categories:
    tags: pricing  prodmgmt 
    date: 05 Aug 2020
    slug:pawnshop-pricing

    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

    Charisma - Essential Reads
    categories:
    tags: behavior  charisma 
    date: 23 Sep 2020
    slug:charisma

    Vagrant CLI cheatsheet
    categories:
    tags: devops  vagrant 
    date: 24 Sep 2020
    slug:vagrant-cli-cheatsheet

    From Fluffy to Valuable - How the Brain Recognizes Objects
    categories:
    tags: cognition 
    date: 11 Oct 2020
    slug:cognition-object-recognition

    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

    The freedom - and obligation - to dissent
    categories:
    tags: behavior  leadership 
    date: 27 Oct 2020
    slug:culture-dissent

    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

    Glossary of adversarial nets / GANs articles
    categories:
    tags: deep-learning  gans 
    date: 03 Feb 2021
    slug:adversarial-nets

    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

    8 Powerful Storytelling Hooks
    categories:
    tags: storytelling 
    date: 13 Mar 2021
    slug:storytelling

    ML 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

    Language, Linguisitcs & Symbols (May2021)
    categories:
    tags: language  linguistics  symbols 
    date: 03 May 2021
    slug:language

    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

    Visual Vocabulary
    categories:
    tags: visualization 
    date: 13 May 2021
    slug:visual-vocabulary

    How to replace text in multiple files using SED
    categories:
    tags: linux  sed 
    date: 15 May 2021
    slug:sed-tip

    Pycaret Links
    categories:
    tags: machine-learning  pycaret  python 
    date: 02 Jun 2021
    slug:pycaret

    Chivalry (aka Character)
    categories:
    tags: behavior 
    date: 16 Jun 2021
    slug:chivalry

    Charisma
    categories:
    tags: behavior  charisma  influence  persuasion 
    date: 16 Jun 2021
    slug:charisma

    Beliefs
    categories:
    tags: behavior 
    date: 16 Jun 2021
    slug:beliefs

    Animation
    categories:
    tags: animation 
    date: 16 Jun 2021
    slug:animation

    A-B Testing
    categories:
    tags: analytics 
    date: 16 Jun 2021
    slug:ab-testing

    Virality and Network Effects
    categories:
    tags: prodmgmt  virality 
    date: 21 Jun 2021
    slug:virality

    Bragging
    categories:
    tags: behavior  bragging 
    date: 21 Jun 2021
    slug:bragging

    Stoicism
    categories:
    tags: behavior  stoicism 
    date: 21 Jun 2021
    slug:stoicism

    Language, Linguistics & Symbols (Jun2021)
    categories:
    tags: language  linguistics  symbols 
    date: 21 Jun 2021
    slug:language-linguistics

    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

    Streamlit
    categories:
    tags: python  streamlit  webdev 
    date: 30 Jun 2021
    slug:streamlit

    My Github Repos
    categories:
    tags: elixir  gatsbyjs  javascript  jekyll  jupyter  matplotlib  nextjs  pycaret  python  ruby  rubyonrails  scikit-learn  spacy 
    date: 01 Oct 2021
    slug:github-repos

    Data Science Interview Q&A
    categories:
    tags: data-science  machine-learning 
    date: 01 Oct 2021
    slug:Data-Science-Interview-Questions

    DL with Python & DL with PyTorch - book notes
    categories:
    tags: booknotes  deep-learning 
    date: 21 Oct 2021
    slug:DL-python-pytorch-booknotes

    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

    UI/UX Resources - Jul2022
    categories:
    tags: uiux 
    date: 02 Jul 2022
    slug:uiux-oldpage

    Address book
    My Account dropdown
    Newsletter management
    Order returns
    Order tracking
    Orders overview
    Stored credit cards
    ai
    Artificial Intelligence, Supervised Learning, and User Experience
    ambiguity
    Doubt
    Navigating Ambiguity (UXmatters)
    analogies
    How To Think Visually Using Visual Analogies - Infographic - Adioma
    Visual analogies
    analytics
    Vanity Metrics - Add Context to Add Meaning
    animation
    4 UI Animation Examples That Showcase Effective Individual Components
    5 Ways to Boost Engagement With Animation
    Creating Animations with UIKit and Core Animation
    Durations & Motions (NN Group)
    Durations (NN Group)
    The Proper Use (UX Design)
    The Role of Animation and Motion in UX
    Usability (NN Group)
    animations & duration
    annotation
    Annotation is Now a Web Standard (Hypothes.is)
    assistants
    The Paradox of Intelligent Assistants - Poor Usability, High Adoption
    attention
    isolation
    reduction
    tunneling
    autocompletion
    Autocomplete as an interface | benkuhn.net
    barcodes
    Brilliant Barcode Designs
    behaviors
    4 Cognitive Psychology Tricks
    Cognitive Bias & Mental Mistakes
    Crash Course in User Psychology (The Hipper Element)
    Do We Create Shoplifters? (Unintended Consequences)
    Familiarity
    Needs vs intent (Google)
    Privilege vs Empathy
    authority principle
    interactions & shaping user behaviors
    reciprocity decay
    user behaviors & mental models/
    benchmarking
    4,096 E-Commerce Design Examples Distributed Across 52 Page Types - Baymard
    7 Steps to Benchmark Your Product’s UX
    Benchmarking UX - Tracking Metrics
    Top 60 E-Commerce Sites Ranked by UX Performance
    baymard.com
    best practices & checklists
    10 UX lessons I learned building my product from scratch
    Baymard Institute
    Feature design checklist – UX Collective
    Front-End Performance (Smashing Magazine)
    Front-End Performance Checklist 2020
    Gorgeous UI pt 2 (erikdkennedy)
    Gorgeous UI, pt 1 (erikdkennedy)
    People, Products, and Epiphanies – Google Design – Medium
    Practical UX Design Tips for Startups and Teams on a Budget
    Smart Interface Design Patterns Checklists PDF
    UI Design Best Practices for Better Scannability
    UX Checklist (GitHub)
    User Interfaces, Usability & UX
    habits-of-expert-software-designers/
    the-obvious-ui-is-often-the-best-ui-7a2559
    biases
    curiosity
    endowment effect
    framing
    illusion of control
    limited choices
    limited durations
    loss aversion
    need for closure
    negativity bias
    optimism bias
    peak-end rules
    scarcity
    set completion
    status-quo bias
    value attribution
    biases (social)
    authority
    competition
    consistency
    liking
    nostalgia
    positive mimicry
    reciprocation
    reputation
    revenge
    role playing
    self expression
    social proof
    status
    brands
    To Truly Delight Customers, You Need Aesthetic Intelligence
    buttons
    Button Design Guide
    How to design better buttons
    Split Buttons
    cards
    Alternatives to Pinterest
    Best Pinterest cards
    Designing Card-Based User Interfaces
    change blindness
    Change Blindness (NN Group)
    What is Change Blindness (Noupe)
    choices
    Dot Voting for Decisions & Priorities
    Hick's Law (interaction-design.org)
    cognition/perception
    Cognitive Mapping in User Research
    Cognitive Maps, Mind Maps, and Concept Maps
    Design Psychology and Neuroscience
    Using Cognitive Psychology in UX Design
    Weber’s Law
    colors
    Building Your Color Palette
    Capture Attention Through Color Psychology
    Capturing Attention (UX Matters)
    Color Theory (Color Matters)
    Contrasting Colors (Canva)
    How Color Impacts UX
    How Color Impacts UX (WebDesignerDepot)
    Hues, Tints, Tones, Shades (MyBluPrint)
    What Color Is This?
    Why Facebook is Blue (Buffer)
    community patterns
    Flagging & Reporting Content
    Pay to Promote
    Rate Content
    Vote to Promote
    Wikis
    cookies
    This is the most interesting UI design of the year so far
    creepiness
    Creepiness–Convenience Tradeoff
    critical incident technique
    Intro (NN Group)
    cultures
    Understanding Cultures
    customers
    What You Need to Know About Negotiating Design Ideas with Skeptical Custome
    custsvc
    if-you-run-a-small-business-park-in-the-back-of-the-parking-lot
    dark patterns
    CSS background-image properties as anti-patterns (NY Studio 107)
    Catalog (Dark Patterns)
    Dark Patterns - Types of Dark Pattern
    Study of Over 11,000 Online Stores Finds Dark Patterns on 1,254 sites
    dark-patterns
    dark-patterns-in-design/
    design guides
    8 Design Guidelines for Complex Applications
    UX Design — Smashing Magazine
    design patterns
    10 Great Sites for UI Design Patterns | Interaction Design Foundation
    Design Patterns catalog (Refactoring.guru)
    Patterns | GoodUI
    Smart Interface Design Patterns In Your Pocket
    UI-Patterns.com
    account registration
    blank slates
    coachmarks
    guided tours
    inline hints
    lazy registration
    paywalls
    playthroughs
    walkthroughs
    design patterns (web)
    Design Interface Patterns (Designing Interfaces)
    Designing Interfaces (OReilly)
    Designing Web Interfaces
    Explore-and-Exploit Interfaces (Medium)
    Good UI Principles (Good UI)
    ecommerce
    7 Ecommerce UX Tips That Drive Sales
    7 tips that drive sales (UX Matters)
    Guidelines (NN Group)
    How Sephora sucks all my money through great UX and psychology
    Product Page UX (NN Group)
    UX Guidelines for Ecommerce Homepages, Category Pages, and Product Listing
    UX Guidelines for Ecommerce product pages
    ecommerce page examples (Baymard)
    Dropdown menus
    Home
    Toplevel navigation
    elements
    Adaptive Views
    Archives
    Article Lists
    Carousels
    Categorization
    Continuous Scrolling
    Copy Boxes
    Dashboards
    Event Calendars
    FAQs
    Favorites
    Pagination
    Periodic Table of UX Elements
    Progressive Disclosure
    Tag Clouds
    Tags
    The Elements of UI Engineering - Overreacted
    Thumbnail Images
    tooltips
    elements/forms
    Autosaving
    Calendar Picker
    Captchas
    Expandable Inputs
    Fill in the Blanks
    Forgiving Formats
    Good Defaults
    Inplace Editors
    Input Feedback
    Input Prompts
    Keyboard Shortcuts
    Morphing Controls
    Password Strength Meters
    Previews
    Rule Builders
    Settings / Preferences
    Structured Formats
    Undo
    WYSIWYG editors
    empathy
    Sympathy vs. Empathy in UX
    behaviors - empathy
    evaluation
    How to run an heuristic evaluation – UX Mastery
    exit intent
    10 Ways to Use Exit-Intent Popups to Improve UX
    explainers
    Completeness Meters
    Inline Help Boxes
    Steps Remaining
    Wizards
    eye movement
    Is The F-Pattern Still Relevant in Web Design?
    The Lawn Mower Eyetracking Pattern
    fidelity
    Creating Low-Fidelity or High-Fidelity Prototypes, Part 1
    Creating Low-Fidelity or High-Fidelity Prototypes, Part 2
    flat design
    Design Contest
    frameworks
    Designing Interfaces
    GoodUI Fastforward
    Google says Flutter, its open source UI framework, now has nearly 500,000 users
    Six Circles - A Experience Design Framework - theuxblog.com
    Tailwind UI
    The Principles Of Visual Communication
    frameworks, tools
    Favorite frameworks & tools
    friction
    Frictionless UX
    front end design
    Front End Interview Handbook
    game patterns
    The Secret to Happy UX - from a Game Designer
    appropriate challenges
    intentional gaps
    levels
    periodic events
    self-monitoring
    storytelling
    glossaries
    a-comprehensive-list-of-ux-design-methods-deliverables
    grids
    5 Design Ideas (Canva)
    8-point-grid-vertical-rhythm-90d05ad95032
    hiring
    Applying UX-Workshop Techniques to the Hiring Process
    hooks
    Making the Hook Model actionable
    html
    HTML templates
    images & photos
    10-open-source-free-svg-icon-libraries
    Galleries
    How to Film & Photograph (NN Group)
    Image Zoom
    Responsive Images - A Reference Guide from A to Z
    Slideshows
    Stock Photos (Canva)
    open-source SVG icon libraries (Themesberg)
    info design
    Optimizing Information Design
    intent
    How do Needs drive Intent? (Google)
    interactions
    Digital.HEB
    Drag & Drop
    Read Write Web
    Shaping User Behaviors (Medium)
    interfaces
    The UX of LEGO Interface Panels – George Cave
    intuition
    4-rules-intuitive-ux
    invisibility
    The most effective technology is technology that no one sees
    job / career
    Crafting a UX Portfolio
    It’s time to do away with the UX discipline 
    Reflections from a designer turned product manager - 6 unexpected difference
    user-experience-careers/
    jobs to be done
    The Jobs To Be Done Playbook
    kerning
    Canva
    knolling
    50 Examples (The Ultra Linx)
    landing pages
    DesignLab improvements
    How to optimize SaaS landing pages for rapid comprehension
    Landing Pages - The Complete Guide
    language
    How to adapt your product’s UX for the Chinese market
    Why Japanese Web Design is so Different (RandomWire)
    Why do Chinese Websites Have all those Numbers? (New Republic)
    layouts
    Web Layout Best Practices - 12 Timeless UI Patterns Analyzed
    leadership
    Molding Yourself into a Leader, Part 1
    leaks
    https://goodui.org/leaks/list/
    lean
    The Lean Product Playbook
    learning
    Learnability
    Better Link Labels
    locality
    Locality Laws (Learn UI)
    The 3 Laws of Locality – Learn UI Design
    logins
    Login Walls Stop Users in Their Tracks
    logos
    Creative Bloq
    lorem ipsum
    How Lorem Ipsum Kills Your Designs
    mass-market products
    Our Users Are Everyone - Designing Mass-Market Products for Large User Aud
    methods
    The 6 UX Methods That Proved to Be Effective in Driving Results
    microinteractions
    H-E-B Digital | Microinteractions can make a big difference
    How to use Tooltips as Micro-Interactions (Web Designer Depot)
    minimalism
    Great products do less, but better
    good-ux-boring-ui/
    mistakes
    Discussion Guide Gaffes and How to Fix Them
    mobile e-commerce
    Billing Address
    Categories
    Checkout Account Selection
    Home
    Navigation
    Order Confirmation
    Order Review
    Payment Method
    Products
    Search Autocompletes
    Search Results
    Searches
    Shipping Address
    Shipping Method
    Shopping Carts
    Accordions
    Breadcrumbs
    Fat Footers
    Home Links
    Horizontal Dropdown
    Modal Windows
    Notifications
    Shortcut Dropdowns
    Vertical Dropdown
    Waypoints (Matthew Strom)
    how-hiking-trails-are-created
    onboarding
    Mobile App Onboarding (NN Group)
    packaging
    Awesome Package Design Blogs to Inspire Your Work | Creative Market Blog
    parallax
    What Parallax ... Lacks (NN Group)
    pdfs
    Read PDFs online? Just Say No. (NN Group)
    performance
    front end checklist (2019)
    performant-front-end-architecture
    personas
    3 Persona Types - Lightweight, Qualitative, and Statistical
    Personas (UX for the Masses)
    The Dangers of Overpersonalization
    platforms
    Storming Reddits Moat
    principles, guidelines, frameworks
    Awesome Design Principles (Robin Stickel)
    Contrast & Similarity (Smashing Mag)
    Dominance, Focal Points & Hierarchy (Smashing Mag)
    Flow & Rhythm (Smashing Mag)
    Perception & Gestalt (Smashing Mag)
    Six Circles
    Space & Figure-Ground Relations (Smashing Mag)
    The Laws of UX
    Weight & Direction (Smashing Mag)
    privacy
    Privacy-Aware Design Framework
    privacy-better-notifications-ux-pe
    product lists & filtering
    Comparison tool
    List by category
    List from search
    Sorting tool
    product pages
    Image gallery overlays
    Spec sheets
    User reviews
    Video & 360 views
    product pages
    progressive disclosure
    Designing for Progressive Disclosure
    readability
    Readability Formulas - 7 Reasons to Avoid Them and What to Do Instead
    reputational UI elements
    collectible achievements
    leaderboards
    research
    The Complete Guide to UX Research Methods
    resources
    Awesome Design Resources (GitHub)
    Awesome UX (GitHub)
    Complete Guide to UX Research Methods (TopTal)
    Top books, movies, and series recommended by designers in 2019
    an awesome list about User Experience disciplines
    responsive UI
    Brad Frost
    Large-Scale Responsive Site Design (UX Booth)
    rewards
    8 Ways to Emotionally Reward Your Users
    achievements
    completions
    delighters
    fixed
    powers
    praise
    prolonged play
    unlocking features
    variable
    salience
    salience-the-psychology-of-an-experience-you-can’t-ignore
    scale
    Scale & Design (Canva)
    scarcity
    Scarcity - The Psych Bias that become a Norm (UX Collective)
    scenario maps
    Example Scenario Maps (UX for the Masses)
    3 SERP features - advanced snips, people ask ask, & knowledge panels (NN Group)
    7 Things I Wish Every Search Did (Intercom)
    Autocomplete pattern
    Autocompletion
    Different Information-Seeking Tasks
    Live filter pattern
    No results page
    Results page
    Search fields
    security
    Never use the word User in your code
    shopping carts
    Account info
    Address validations
    Billing addresses
    Cross-selling
    Delivery & shipping methods
    Gifting
    Order confirmations
    Order reviews
    Shipping addresses
    Shopping carts
    Store pickups
    payment
    similarity
    Similarity Principle in Visual Design
    sitemaps
    Example Sitemaps (UX for the Masses)
    sketching
    Sketching (UX for the Masses)
    social interaction elements
    activity streams
    auto-sharing
    chats
    following
    friending
    friends list
    invitations
    reactions
    spatial memory
    Spatial Memory (NN Group)
    stories
    Building Narrative into Your User Interface, Part 2
    Example StoryBoards (UX for the Masses)
    Intro to Storyboarding (Johnny Holland)
    Intro to Storyboarding (Smashing Magazine)
    The Role Of Storyboarding In UX Design
    behaviors and storytelling
    style guides
    Buffer's Style Guide
    Creating a Style Guide (A List Apart)
    Creating a UX Design Style Guide
    Example Style Guide (Starbucks)
    Style Guides (UX for the Masses)
    symbols
    How to Create Better Alerts and Symbols in Your Designs
    tables
    Alternating Row Colors
    Sort by Column
    Table Filters
    tbd
    I wanted to write a book, but ended up with a card deck
    Making the Fogg Behavior Model actionable
    The Experience Economy
    The User Experience of Public Bathrooms
    UX Advice | Simon McCade | Product Designer for SaaS Companies | Bristol
    User-Experience Quiz - 2019 UX Year in Review
    a gist
    adactio principles
    interactive-the-secret-to-hotel-room-design-is-part-art-part-science/
    passfail -squarespace
    the-third-user
    themes
    How to Leverage Thematic Analysis for Better UX
    tools
    12 Best Free UX/UI Prototyping Tools for Web/App Designers in 2020
    7 Ways to Analyze a Customer-Journey Map
    Cognitive/Mind/Concept Maps (NN Group)
    Content Models (UXM)
    Empathy Maps (Innovation Games)
    Empathy Maps (UXM)
    Example UX docs (UXM)
    Example UX docs and deliverables (UXM)
    Experience Mapping(wnialloconnor)
    Experience maps (Adaptive Path)
    Figma Crash Course
    Figma tutorial
    Free UX Tools (UX for the Masses)
    Free UX/UI prototyping tools, Feb'2020 (Noupe)
    Journey Maps (ConversionXL)
    Process Diagrams (UX for the Masses)
    Recently Viewed – Figma
    Storybook Tutorial
    Task Grids (UX for the Masses)
    Uxbox – The open-source prototyping tool
    Visual Inspiration Tools (Awwwards)
    Yworks tools
    empathy maps (NN Group)
    figma-linux
    journey mapping 101 (NN Group)
    touch
    A Design Language for Touch, Gesture, and Motion
    Design Language (UX Matters)
    Design for Touch (UX Matters)
    Designing for Touch
    Drag & Drop design
    2019-ui-and-ux-design-trends/
    typography
    50 Examples of letterpress (Canva)
    Atkinson Hyperlegible Font
    Glossary (Canva)
    How to Pick Font Families (Lifewire)
    Intro (Practical Typography)
    Typographic Hierarchy (Tutsplus)
    usability
    Chapter 2. Who’s using the app?
    Remote Moderated Usability Tests
    Usability Testing 101
    use cases
    Airline Boarding Passes (Squarespace)
    How To Deliver A Successful UX Project In The Healthcare Sector
    I Learned Everything I Needed to Know about UX While Working in Restaurants (NN Group)
    In Defense of Post-its
    Lessons on Visualization from the Industrial Environment
    The Power of a Free Popsicle
    The Weird Science Behind Chain Restaurant Menus
    Why-do-we-keep-building-cars-with-touchscreens?
    history-door-handle-designs
    user testing
    Why you only need to test with 5 users (NN Group)
    video
    How to Film and Photograph Online Content for Usability - UX Details for Video
    visual Hierarchy
    Design Principles - an Introduction to Visual Hierarchy
    visualization
    10 Rules (Plos)
    10 Tips for Building a Visual Language
    Beautiful Reasons (Accurat Studio)
    Periodic Table (Visual Literacy)
    See Googles first guidelines for data visualization
    Style Tiles
    Visual Design Terms Cheat Sheet
    whitespace
    Canva
    wireframes
    Gallery (Pinterest)
    How to Create a Wireframe
    Pinterest wireframes
    word clouds
    TagCrowd
    Wordle (Boxes & Arrows)

    -->
    Language & linguistics resources
    categories:
    tags: language  linguistics 
    date: 02 Jul 2022
    slug:language-oldpage

    Creativity & Innovation
    categories:
    tags: creativity  ideas  innovation 
    date: 02 Jul 2022
    slug:creativity-oldpage

    Do you know how to "read" a face?
    categories:
    tags: behavior  emotion  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

    active record    active storage    api clients    api-only apps    assets (JS, images, CSS)    associations    autoloading & constants    background jobs    caching    callbacks    code design    concurrency, parallelism    configuration    configuration - routing    controllers    css    data models    datasets    db options    db queries    db schema migrations    db seeds    debugging    deployment - devops    documentation    ecommerce, payments    email    generators & templates    graphics, pdfs, images    internationalization    javascript    logging    markup    modules    monitoring    ocr    optimization    pdfs    publishing    rack middleware    rails CLI    rails v6    rails v7    rails websockets (active cable)    revision control    ruby language extensions    rubygems    scaffolds    search engines    security    testing    tutorials & resources    validations    views (HTML forms)    views (HTML helpers)    views (layouts & rendering)    visualization    web servers    
    active record
    active storage
    api clients
    api-only apps
    assets (JS, images, CSS)
    associations
    autoloading & constants
    background jobs
    caching
    callbacks
    code design
    concurrency, parallelism
    configuration
    configuration - routing
    controllers
    css
    data models
    datasets
    db options
    db queries
    db schema migrations
    db seeds
    debugging
    deployment - devops
    documentation
    ecommerce, payments
    email
    generators & templates
    graphics, pdfs, images
    internationalization
    javascript
    logging
    markup
    modules
    monitoring
    ocr
    optimization
    pdfs
    publishing
    rack middleware
    rails CLI
    rails v6
    rails v7
    rails websockets (active cable)
    revision control
    ruby language extensions
    rubygems
    scaffolds
    security
    testing
    tutorials & resources
    validations
    views (HTML forms)
    views (HTML helpers)
    views (layouts & rendering)
    visualization
    web servers

    -->
    20 useful Python libraries
    categories:
    tags: python 
    date: 15 Sep 2022
    slug:python-libs

    Linear Algebra, Machine Learning, Deep Learning articles (originally posted Dec2019)
    categories:
    tags: algorithms  deep-learning  linear-algebra  machine-learning  pandas 
    date: 17 Jan 2023
    slug:math-bestof

    Book chapter summaries - deep learning, machine learning, various math
    categories:
    tags: algorithms  bandits  deep-learning  linear-algebra  machine-learning  probability 
    date: 18 Jan 2023
    slug:math-booknotes

    Source abbreviations:    AJE: Algorithms     BA: Bandit Algorithms    BJP: (me)    CI: Collective Intelligence     CO: Convex Estimation    DIDL: Dive into Deep Learning    DLG: Deep Learning (Goodfellow, et al)    DMMD: Data Mining of Massive Datasets    DSA: Data structures & Algorithms    DSCL: Data Science at the Command Line    EA: Elementary Algorithms    ESL: Elements of Statistical Learning    FDS: Foundations of Data Science    GT: Geometric Topology    ITA: Intro to Algorithms     JE: Algorithms     NP: Numeric Python     SKL: Scikit-learn     SM: ML cheatsheet     RL: Reinforcement Learning

    Book chapter summaries - deep learning, machine learning, various math

    Tags:
       (multiple)    approximations    arithmetic    association rules    autoencoders    bandit algorithms    bash    bayes    cheatsheets    classification    clustering    combinationals    computation - complexity - performance - benchmarking    data structures    datasets    deep learning architectures    density estimation    design    dimensional reduction    dynamic programming    ensembles    evaluation    feature engineering    file I/O    gaussians    generative models    geometry    graphs    greedy algos    inference    information theory    interviewing    kernels    label spreading, label propagation    latent variables    learning    linear models    linear programming    make    markov chains    matrix math    max likelihood estimation (MLE)    methods    mixtures    monte carlo    multilabel    natural language processing    novelties-outliers    numerical analysis    numpy    pandas    parametric models    performance    planning    planning / capacity    probabilistic analysis    probability & statistics    pycaret    recommenders    recurrent NNs    recursion    regression    reinforcement learning    restricted boltzmann machines    robotics    searching & sorting    set theory    streams    strings    survival analysis    svd    svms    sympy    tbd    tensorflow    time series    tools    topology    training    use cases    vision    visualization    wavelets    
    (multiple)
    data science cheatsheet 2.0 (aaron wang)
    distributions; hypothesis testing; concepts; model evaluation; linear regression; logistic regression; decision trees; naive bayes; svms; knns; clustering; dimensional reduction (PCA, LDA, FA); NLP; neural nets (basics, CNNs, RNNs); boosting; recommenders; reinforcement learning; anomoly detection

    other topics (FDS)
    ranking & social choice; compressed sensing & sparse vectors; use cases; an uncertainty principle; gradients; linear programming; integer optimization; semi-definite programming

    approximations
    approximate-inference (DLG)
    inference as optimization
    expectation maximization (EM)
    MAP inference | sparse coding
    variational inference
    learned approx inference

    approximations (algorithm reductions) (ADM)
    algo reductions
    basic hardness reductions
    satisfiability
    creative reductions
    "proving" hardness
    P vs NP hardness
    NP-complete problems

    approximations (algorithm reductions) (ITA)
    the vertex-cover problem
    the traveling salesman problem
    the set-cover problem
    randomization & linear programming
    the subset-sum problem

    arithmetic
    complex-numbers (LAY)
    examples; geometric representation; powers; R^2

    computation (DLG)
    underflow, overflow
    poor conditioning
    gradient-based optimization
    jacobian & hessian matrices
    constrained optimization
    linear least squares

    factoring primes (ADM)
    is n a prime number? if not, what are its factors?

    linear algebra (LAY)
    linear equations
    row reductions
    vector equations
    Ax=b
    solution sets of linear systems
    applications
    linear independence
    linear transforms
    linear models - business, science, engineering

    linear equation solvers (ADM)
    if A = an mxm matrix, and b = an mx1 vector, what is vector X such that AX=b?

    number theory (ITA)
    basics (divisors, primes/composites)
    greatest common divisor (Euclid)
    modular math (group theory?)
    linear equations
    the chinese remainder problem
    powers
    RSA public-key crypto
    prime testing
    factorization (integer)

    random numbers (ADM)
    (also part of "numericals" chapter of ADM.)

    association rules
    association rules | market basket analysis (ESL)
    frequent itemsets (DMMD)
    market-basket modeling; association rules; a-priori algorithm; large datasets & main memory; limited-pass algorithms; counting items in streams

    autoencoders
    autoencoders (DLG)
    undercomplete AEs; regularized AEs; representational power, layer size & depth; stochastic encoders & decoders; denoising AEs; learning manifolds with AEs; predictive sparse decomposition; applications

    autoencoders with Tensorflow (HoML)
    bandit algorithms
    bash
    common linux/bash commands (Data Science - Command Line)
    environment (alias, bash, cols, for, sudo, ...)
    files & directories (body, cd, cat, chmod, ...)
    pattern matching (awk, sed, grep)
    deployment (aws, git, )
    CSV data
    JSON data
    online data (curl, scp, scrape, ssh)
    integer/date sequences,br> file extraction/compression (tar, tree, uniq, ...)

    bayes
    bayes inference (CSI)
    two examples
    uninformed prior distributions
    flaws in frequentist inference
    bayes vs frequentist comparison

    bayes nets (directed graphs) (SM)
    bayes statistics (NP)
    intro & model definition
    sampling posterior distributions
    linear regression

    bayesian statistics (SM)
    intro
    posterior distribution
    MAP estimates
    bayes model selection
    priors
    hierarchical bayes
    empirical bayes
    decision theory

    cheatsheets
    deep learning cheatsheet (2018) (SCDL)
    CNNs, RNNs, tips & tricks

    sampling methods (PSC)
    inverse transform sampling; the bootstrap; rejection sampling; importance sampling

    classification
    cal housing market analysis (HoML)
    classification basics (HoML)
    MNIST, aka hello world
    confusion matrix
    metrics (precision,recall)
    ROC curve
    multiclass classification
    multilabel classification
    multioutput classification

    discriminants (LDA, QDA) (SKL)
    Linear DA
    Quadratic DA

    linear classification (ESL)
    regression - indicator matrix
    linear discriminant analysis (LDA)
    logistic regression
    hyperplanes

    logistic regression (SKL)
    solvers - liblinear, newton-cg, lbfgs, sag, saga

    metrics (SKL)
    accuracy, top-K accuracy, balanced accuracy
    cohen's kappa, confusion matrix, classification report
    hamming loss, precision, recall, f-measure
    precision-recall curve, avg precision
    precision-recall curve (multilabel)
    jaccard similarity
    hinge loss
    log loss
    matthews correleation coefficient
    confusion matrix (multilabel)
    ROC curve
    detection-error tradeoff (DET)
    zero-one loss
    brier score

    multiclass & multioutput algos (SKL)
    intro
    multiclass (aka label binarization)
    one-vs-rest
    multilabel
    one-vs-one
    output code
    multioutput
    classifier chains
    multiclass-multioutput (aka multitask)

    multilayer perceptron (MLP) (SKL)
    naive bayes (SKL)
    NB classification (gaussian, multinomial, complement, bernoulli)
    categorical NB

    nearest neighbors (SKL)
    basic algos (ball tree, KD tree, ...)
    KNNs & radius-based algos
    nearest centroids
    neighborhood components analysis (NCA)

    nearest neighbors (ESL)
    prototype methods (kmeans, learning vector quant, gaussian mixtures)
    knn classifiers
    adaptive NN methods
    computational performance

    clustering
    biclustering methods (SKL)
    intro, spectral co/biclustering

    clustering (DMMD)
    intro (data, strategies, dimensionality)
    hierarchical
    k-means
    CURE (clustering using representatives)
    non-euclidean spaces
    clustering for streams & parallelism

    clustering (FDS)
    intro
    k-means (lloyds algo, wards algo)
    k-center
    low-error
    spectral
    approximation stability
    high-density
    kernel methods
    recursive clustering w/ sparse cuts
    dense submatrices & communities
    community finding & graph partitions
    spectral clustering & social nets

    clustering (ESL)
    clustering methods (SKL)
    Kmeans & Kmeans minibatch
    Affinity propagation
    Mean shifts
    Spectral clustering
    Agglomerative clustering
    Hierarchical clustering
    DBSCAN
    Birch
    OPTICS

    clustering metrics (SKL)
    rand index; mutual info score; homogeneity / completeness / v-measure; Fowlkes-Mallows score; silhouette coefficient; Calinski-Harabasz index; Davies-Bouldin index

    combinationals
    job scheduling (ADM)
    given a directed acyclic graph (vertices = jobs, edges = task dependencies), what schedule completes the job in minimum time/effort?

    partitions (ADM)
    given integer n, generate partitions that add up to n.

    permutations (ADM)
    given n, generate a set of items of length n.

    satisfiability (ADM)
    given a set of logical constraints, is there a configuration that satisfies the set?

    computation - complexity - performance - benchmarking
    data structures
    datasets
    deep learning architectures
    CNN cheatsheet (SCDL)
    adversarial apps (paperswithcode)
    convolutional NNs (DLG)
    convolutionl NNs (DLG)
    deep feedforward NNs (DLG)
    deep generative models (DLG)
    deep learning (DLG)
    gans (DIDL)
    intro (ESL)
    intro to neural nets (CSI)
    intro; fitting; autoencoders; deep learning; learning (dropout, input distortion)

    linear NNs (DIDL)
    neural network zoo (asimov institute)
    perceptrons (DIDL)
    representation learning (DLG)
    greedy layer-wise unsupervised pretraining
    transfer learning | domain adaptation
    semi-supervised disentangling of causal factors
    distributed representation
    exponential gains from depth
    providing clues to find underlying causes

    structured probabilistic models (DLG)
    challenges; using graphs; sampling from graphs; advantages; dependencies; infererence & approx inference

    density estimation
    density estimates (PSC)
    density estimates
    histograms
    kernel density estimator (KDE)

    density estimation methods (SKL)
    intro, histograms, kernel density estimates (KDE)

    design
    dimensional reduction
    dynamic programming
    dynamic programming (ADM)
    dynamic programming (ITA)
    dynamic programming (JE)
    intro; faster fibonacci numbers; smart recursion; greed is stupid; longest increasing subsequence; edit distance; subset sum; binary search trees; dynamic programming on trees;

    ensembles
    evaluation
    feature engineering
    file I/O
    data I/O (DSCL)
    local data to docker
    internet downloads (curl, ...)
    decompressions (zip, ...)
    excel to CSV
    relational DBs
    web APIs
    authentication
    streaming APIs

    file I/O (NP)
    CSV; HDF5; h5py; Pytables; serialization

    file I/O - datatypes (PDA)
    text files; JSON; XML/HTML scraping; binary data; web APIs; databases

    gaussians
    generative models
    generative models - discrete data (SM)
    generative classifiers; bayesian concept learning; beta-binomial model; dirichlet-multinomial model; naive bayes classifiers

    geometry
    bin packing (ADM)
    given n items and m bins - store all the items using the smallest number of bins.

    convex hulls (ADM)
    geometric primitives (ADM)
    geometry (ITA)
    intersections (ADM)
    line arrangements (ADM)
    medial axis xforms (ADM)
    minkowski sum (ADM)
    motion planning (ADM)
    nearest neighbors (ADM)
    point location (ADM)
    polygon partitions (ADM)
    polygon simplification (ADM)
    range search (ADM)
    shape similarity (ADM)
    spatial structures (DSA)
    multi-dimensional structures; planar straight-line graphs; search trees; quad/octal trees; binary space partitioning trees; r-trees; spatio-temporal data; kinetic structures; online dicts; cuttings; approximate geometric queries

    triangulation (ADM)
    vector spaces (LAY)
    graphs
    basic algorithms (JE)
    definitions; representations; data structures; whatever-first search; depth-first; breadth-first; best-first; disconnected graphs; directed graphs
    reductions (flood fill)

    chinese-postman (ADM)
    given a graph, finding the shortest path touching each edge.

    cliques (ADM)
    how to find the largest clique (cluster) in a graph?

    connected components (ADM)
    find the pieces of a graph, where vertices x & y are members of different components if no path exists from x to y.

    edge coloring (ADM)
    what's the smallest set of colors needed to color the edges of a graph, such that no two same-color edges share a common vertex?

    edge vertex connectivity (ADM)
    what's the smallest subset of vertices (edges) whose deletion will disconnect a graph?

    feedback edge vertex set (ADM)
    flows & cuts applications (JE)
    edge-disjoint paths
    vertex capacities & vertex-disjoint paths
    bipartite matching
    tuple selection
    disjoint-path covers
    baseball elimination
    project selection

    graph algos (ITA)
    representations; breadth-first search; depth-first search; topological sorting; strongly-connected components;

    graph algos (SOTA) (paperswithcode)
    graph datastructs (ADM)
    adjancency matrices; adjancency lists

    graph drawing (ADM)
    graph generation (ADM)
    graph isomorphism (ADM)
    given two graphs G & H, find a function from G's vertices to H's vertices such that G & H are identical.

    graph link analysis (DMMD)
    PageRank; link spam; hubs & authorities

    graph partition (ADM)
    given a weighted graph G and integers k & m, partition the vertices of G into m equally-sized subsets such that the total edge cost spanning the subsets is at most k.

    graph traversal (ADM)
    graphs connected components (ADM)
    graphs hard (ADM)
    graphs polynomial time (ADM)
    graphs weighted (ADM)
    graphviz (tool) (graphviz)
    hamiltonian cycles (ADM)
    matching (ADM)
    maxflow (ITA)
    min spanning trees (JE)
    min spanning trees (ITA)
    minimum spanning tree (ADM)
    network flow (ADM)
    planarity detection (ADM)
    random graphs (FDS)
    social graphs (DMMD)
    sparse matrices graphs (NP)
    transitive closure (ADM)
    traveling salesman (ADM)
    tree drawing (ADM)
    undirected graphs (ESL)
    vertex coloring (ADM)
    vertex cover (ADM)
    greedy algos
    inference
    after-model-selection-estimation (CSI)
    accuracy after model selection
    selection bias
    combined bayes-frequentist estimation
    notes

    inference & max likelihood (ESL)
    inference frequentist (CSI)
    parametric inference (PSC)
    information theory
    info theory tutorial (stone, USheffield)
    finding a route
    bits are not binary digits
    entropy
    entropy - continuous variables
    max-entropy distributions
    channel capacity
    shannon's source coding theorem
    noise reduces channel capacity
    mutual info
    shannon's noisy channel coding theorem
    gaussian channels
    fourier analysis
    history
    key equations

    interviewing
    kernels
    label spreading, label propagation
    latent variables
    linear factor models (DLG)
    probabilistic PCA + factor analysis
    independent component analysis
    sparse coding
    manifold representation of PCA

    learning
    linear models
    generalized linear models (SM)
    (incomplete notes in orig PDF)

    linear programming
    make
    intro to make (DSCL)
    overview|intro; running tasks; building; dependencies; summary

    markov chains
    matrix math
    basics (DIDL)
    linear & matrix ops
    eigen decompositions
    single-variable calculus
    multi-variable calculus
    integrals
    random variables

    determinants (LAY)
    eigenvectors & eigenvalues (LAY)
    intro; eigenvectors & difference equations
    determinants & characteristic equations
    similarity
    diagonalization
    eigenvectors & linear transforms
    complex eigenvalues
    discrete dynamical systems
    differential equations
    iterative estimates

    inner-product-length-orthogonality (LAW)
    linear algebra overview (DLG)
    scalars, vectors, matrices, tensors
    vector|matrix multiplication
    identity matrix
    inverse matrix
    linear dependence
    span
    norms
    diagonal matrix
    symmetric matrix
    orthogonal matrix
    eigen decomposition
    singular value decomposition (svd)
    moore-penrose pseudoinverse matrix
    trace operator
    determinant
    example - principal components analysis (PCA)

    matrix cookbook (matrixcookbook.com)
    basics
    derivatives
    inverses
    complex matrices
    solutions & decompositions
    multivariate distributions
    gaussians
    special matrices
    functions & operators
    1-D results
    proofs

    matrix determinants (ADM)
    matrix math (LAY)
    matrix multiply (ADM)
    matrix ops (ITA)
    numerical basics (ADM)
    linear equations
    bandwidth reduction
    matrix multiplication
    determinants & permanents
    optimization (constrained, unconstrained)
    linear programming
    random number gen
    factors & prime testing
    arbitrary-precision math
    the knapsack problem
    discrete fourier transforms (DFTs)

    symmetric matrices (LAY)
    max likelihood estimation (MLE)
    methods
    methodologies (paperswithcode)
    representation learning; transfer learning; image classification; reinforcement learning; 2D classification; domain adaptation; data augmentation; ...

    mixtures
    latent linear models (SM)
    factor analysis
    principal components analysis (PCA)
    choosing number of dimensions
    PCA for categories
    PCA for paired & multiview data
    independent component analysis (ICA)

    monte carlo
    monte carlo methods (DLG)
    sampling; importance sampling; markov chain monte carlo (MCMC); gibbs sampling; mixing challenges

    multilabel
    natural language processing
    Gensim lessons ()
    NLP SOTA (paperswithcode)
    595 tasks (july2022)

    natural language processing (NLP) (DIDL)
    spaCy tutorial (spacy.io)
    topic models (FDS)
    topic models
    non-negative matrix factorization (NMF)
    hard & soft clustering
    latent dirichlet allocation (LDA)
    dominant admixtures
    math
    term-topic matrices
    hidden markov models
    graph models & belief propagation
    bayes|belief nets
    markov random fields
    factor graphs
    tree algorithms
    message passing
    single-cycle graphs
    single-loop belief updates
    max weight matching
    warning propagation
    variable correlation

    novelties-outliers
    numerical analysis
    numpy
    advanced techniques (PDA)
    ndarray internals
    array manipulation
    broadcasting
    ufuncs
    structured & record arrays
    sorting
    numba
    advanced array I/O
    performance tips

    basics (PDA)
    numpy basics (PDSH)
    arrays; boolean arrays; broadcasting; indexing; sorting; structured data; aggregations; ufuncs; data types

    vectors, matrices, ndarrays (NP)
    pandas
    pandas basics (PDA)
    series; data frames; index objects; essential functions; descriptive stats

    pandas basics (PDSH)
    aggregation/grouping, concat, append, hierarchical indexes, merge, join, missing values, objects, ops, performance, pivot tables, time series ops, vectorized string ops

    parametric models
    performance
    planning
    planning algorithms (LaValle)
    intro
    motion planning
    decision theory
    differential-constraint planning

    planning / capacity
    probabilistic analysis
    Probabilistic Analysis and Randomized Algorithms (ITA)
    Indicator random variables, Randomized algorithms, Probabilistic analysis and further uses of indicator random variables

    probability & statistics
    pycaret
    PyCaret intro (BJP)
    PyCaret is a high-level, low-code Python library that makes it easy to compare, train, evaluate, tune, and deploy machine learning models with only a few lines of code. At its core, PyCaret is basically just a large wrapper over many data science libraries such as Scikit-learn, Yellowbrick, SHAP, Optuna, and Spacy. Yes, you could use these libraries for the same tasks, but if you don’t want to write a lot of code, PyCaret could save you a lot of time.

    recommenders
    recurrent NNs
    recursion
    backtracking (AJE)
    backtracking (JE)
    recursion (JE)
    reductions
    simplify & delegate
    tower of hanoi
    mergesort
    quicksort
    design pattern
    recursion trees
    linear-time selection
    fast multiplication
    exponentiation

    regression
    reinforcement learning
    restricted boltzmann machines
    robotics
    searching & sorting
    set theory
    streams
    strings
    survival analysis
    svd
    svms
    support vector machines (ESL)
    support vector machines (SVMs) (SKL)
    classification (SVC, NuSVC, LinearSVC)
    multiclass SVM
    scoring & metrics
    weighted classes/samples
    regression (SVR, NuSVR, LinearSVR)
    complexity
    kernels
    precomputed kernels - the Gram matrix

    svms (HoML)
    sympy
    intro (NP)
    symbols; expressions; numeric evaluation; calculus (derivatives, integrals, series expansions, limits, sums & products); equation solvers; linear algebra

    tbd
    tensorflow
    time series
    Prophet (Facebook)
    calendar math (ADM)
    time series (PSC)
    time series applications (SOTA) (paperswithcode)
    time series ops (PDA)
    date & time datatypes; ranges, frequencies & shifting; periods; frequency conversion; moving windows

    tools
    topology
    hyperbolic topology (GT)
    groups; spaces; manifolds; thick-thin decomposition; sphere at infinity

    surfaces (GT)
    intro; teichmuller spaces; surface diffeomorphisms

    three-manifolds (GT)
    topology; seifert manifolds; construction; the "eight geometries"; mostow rigidity problem; hyperbolic 3Ms; hyperbolic dehn filling

    training
    use cases
    vision
    computer vision SOTA (paperswithcode)
    1300 tasks (july2022)

    developers tools (scikit-image)
    edges & lines (scikit-image)
    contour finding
    convex hulls (binary images)
    canny filters
    marching cubes
    ridge operators
    active contour model
    drawing std shapes
    random shapes
    hough transforms (straight line)
    approximating & subdividing polygons
    hough transforms (circular, elliptical)
    skeletonizing
    morphological thinning
    edge operations (multiple)

    exposures & colors (scikit-image)
    RGB-grayscale conversions
    RGB-HSV conversions
    histogram matching
    (ex) immunohistochemical (IHC) staining
    adapting grayscale filters to RGB images
    regional maxima filtering (bright features)
    local histogram equalization (LHE)
    gamma & log-contrast adjustments
    histogram equalization
    tinting grayscale images

    filtering & restoration (scikit-image)
    image datasets (scikit-image)
    longform examples (scikit-image)
    numpy basic ops (scikit-image)
    object detection (scikit-image)
    object segmentation (scikit-image)
    transforms & registration (scikit-image)
    visualization
    wavelets

    -->
    Behavior & Emotion resources (updated)
    categories:
    tags: behavior 
    date: 21 Jan 2023
    slug:behaviors-oldpage
    Self-Appointed Geniuses (Priceonomics)
    apologies
    How to Respond to a Bullshit Apology (Lifehacker)
    arguments, conflicts
    Ad Hominem - When People Argue with Personal Attacks (Effectiviology)
    Becoming Comfortable with Conflicts - a Team Exercise (HBR)
    Beginner's Guide to Constructive Arguments (Liam Rosen)
    Double Crux method for Resolving Disagreements (Rationality)
    How Bees Argue (Overcoming Bias)
    assumptions
    Why it's Wrong to Assume your Interpretation is Correct (Effectiviology)
    attention
    Attention Theories (Changing Minds)
    Capturing Attention - 7 Techniques (Art of Manliness)
    Grabbing & Holding Attention (InstigatorBlog)
    How to Pay Attention (99u)
    How to Pay Attention - 20 Methods (ReForm)
    How to REALLY Pay Attention (Medium)
    Tricks of a Sideshow Barker (Better Humans)
    attitude
    How to Build your Attitude Muscle
    The Principles of Adult Behavior
    The Three Types of Specialists Needed for Any Revolution
    audio
    Why are Washing Machines Learning to Play the Harp? (Atlantic)
    beauty
    Beautiful People can Rub your Customers the Wrong Way (Pocket)
    beliefs
    How Belief Works - Some Theories (Changing Minds)
    The Backfire Effect - Why Facts Don't Always Change Minds (Effectiviology)
    When Your Beliefs Change, You Probably Don't Realize It (Curiosity.com)
    bias
    18 Types of Mental Mistakes Caused by Cognitive Bias (Visual Capitalist)
    4 Cognitive Tricks (UXPin)
    A Cognitive Bias Cheat Sheet (Better Humans)
    Biases and Blunders (Farnam Street)
    Cherry Picking - When People Ignore Evidence they Dislike (Effectiviology)
    How Cognitive Biases Affect Your Decisions (Mental Floss)
    How to De-Bias Yourself (Effectiviology)
    How to avoid cognitive biases when you get paid to think (Inverted Passion)
    Is it Better if It's MAN-made? (Stanford GSB)
    Loss Aversion isn't all that Pervasive (David Gal)
    Take the Other to Lunch (TED)
    The Most Common Cognitive Biases, Visualized (Use Journal)
    When you think Everything is a Competition - Zero-Sum Bias (Effectiviology)
    Which Cognitive Bias is Making NFL Coaches Predictable? (Measure of Doubt)
    Why too much evidence can be a bad thing (Phys.org)
    boredom
    Why Being Bored is Good (The Walrus)
    bragging
    Get your work recognized - write a brag document (Julia Evans)
    The Best Article on Bragging - Ever
    bullshitting
    Yes you can Bullshit a Bullshitter (Brit Psych Society)
    bystander effect
    Why "Open Secrets" exist in Organizations
    charisma
    12 Influence Charisma Tactics (Whiteboarding)
    8 Body Language Tricks (Business Insider)
    8 Ways to be Uber-Charismatic (High Existence)
    The 3 Pillars of Charisma - as explained by an Acting Coach (Medium)
    The Anatomy of Charisma (Nautilus)
    The Tricks to Make Yourself Effortlessly Charming (BBC)
    Who Wouldn't Want to be More Charismatic? (Uncommon Help)
    charity, chivalry, values
    8 Core Values to Live By (Darius Foroux)
    How to Be Polite (Medium)
    Rules for a Knight (Farnam Street)
    The Principle of Charity (Effectiviology)
    choices
    The Paralyzing Effect of Choice (Supermoney)
    collecting
    What Makes People Collect Things? (Stanford GSB)
    commitments
    Precommitment - Burning Bridges as a Strategic Decision (Effectiviology)
    complements
    How to Give Compliments (Less Penguiny)
    concepts
    conceptually.org
    coolness, desire, envy
    How to Manufacture Desire (LinkedIn)
    Save it for Later - Bookmarking Apps and the Wish Economy (Medium)
    The 4-Letter Code to Selling Just About Anything (Atlantic)
    The Neurological Pleasures of Fast Fashion (Atlantic)
    The Psychology of a Fanboy (Lifehacker)
    The Science of Snobbery (Atlantic)
    Why We Copy other People's Choices (The Conversation)
    Why is Art Expensive? (Priceonomics)
    creativity
    Gamestorming
    How to Use the "Equal Odds" Rule (James Clear)
    The Psychology of Limitations (Buffer)
    criticism, feedback
    Have the Courage to Be Direct (HBR)
    How to Respond to Digital Criticism (ReadWrite)
    How to be Resilient in the Face of Harsh Criticism (HBR)
    The Essential Guide to Difficult Conversations (Dave Bailey)
    The Key to Giving Receiving Negative Feedback (HBR)
    deceit
    If smiles are so easy to fake - why do we trust them? (Psyche)
    delegation
    Be a Minimally Invasive Manager (HBR)
    How do You Delegate to a Group of People? (Anna Shipman)
    Identify Leaders by Giving People Assignments (Feld)
    The Complete Guide to Delegation (Better Humans)
    Turn the Ship Around (Google Doc summary)
    Turn the Ship Around (Tubarks)
    delusions
    Living a Lie - We Deceive Ourselves to Better Deceive Others (Scientific American)
    distractions
    How the Brain Ignores Distractions (MIT)
    emotional intelligence
    Why Emotional Intelligence is Important - 7 Reasons (Pocket/Fast Company)
    empathy
    How Privilege Impacts Empathy (UX Design)
    How to Cultivate Empathy (Futurity)
    failure
    Fail at Everything (Scott Adams)
    Missing the Point about Failure (Spikelab)
    familiarity
    The Science of Familiarity
    fascination
    42 Personality Types & How to Sell to Them (How to Fascinate)
    The Seven Triggers (How to Fascinate)
    focus
    The Complete Guide to Deep Work (Doist)
    gestures
    How Humans Point (Pocket | The Conversation)
    Why do we Gesture when we Talk? (Mental Floss)
    getting things done
    8760 Hours - A Framework
    Do Something Small. Every Day.
    GTD in 15 Minutes
    Henry Rollins on Defining Success
    Scott Hanselman's Productivity Tip Sheet
    Things that are NOT progress
    grit, hustle
    A Dozen Lessons from Anthony Bourdain (25iq)
    How to do Hard Things (David MacIver)
    Navy SEAL lessons (Bakadesuyo)
    The Hustler's MBA (Tynan)
    The Invention of Sliced Bread (Priceonomics)
    groupthink
    Symptoms from the Space Shuttle Disaster (Washington.edu)
    guilt
    Spare them the Guilt Trip (Psyche)
    habits
    Building a Habit Guide (James Clear)
    Finding that One Tiny, Addicting Behavior (InstigatorBlog)
    Habit Stacking (Farnam Street)
    Habits and Hooks (CMXhub)
    Hacking Habits to Make New Behaviors Stick (99u)
    Hooked (Book Summary)
    How to Create a Chain Reaction of Good Habits (Pocket)
    How to Make your Products Scientifically Irresistible (Gainsight)
    How to Stop Checking Your Phone (Bakadesuyo)
    Made to Stick (Book Summary)
    Ryan Holiday interview (Nir and Far)
    The Fastest Way to Improve Your Life (Better Humans)
    The Habit Zone (Nir and Far)
    The Toothbrush Test (TNW)
    Transform Your Habits, v2 (pdf)
    Why Startups Must be Behavior Experts (TechCrunch)
    humility
    Accidental Leadership
    Fixing the "Smartest Person in the Room" Issue
    The Manager Who Kept a Six-Year Diary of her Mistakes
    illusions
    Taxes - the mother of all cognitive illusions (Behavioral economics)
    influence
    23 Psychological Life Hacks to Gain an Advantage
    50 examples of Robert Cialdini's 6 Principles Of Influence
    9 Influence Tactics (Farnam Street)
    A/B Testing as a Surprisingly Effective Management Tool
    Consumers are Becoming Wise to Your Nudges (Behavioral Scientist)
    How to Get an MBA from Eminem
    Influence Tactics - A Taxonomy
    Knowing When to Shut Up
    Lessons from Machiavelli's "The Prince" (Effectiviology)
    Moving Your Agenda Forward
    Nudge (Book summary - slideshare)
    The Four Components of Influence
    The Nine Primary Tactics Used to Influence Others
    The Tipping Point (book summary)
    You Don't Need Power to Drive a Strategy
    You’re Already More Persuasive than You Think
    interrogations
    Why people confess to crimes they didn’t commit (Science)
    irony
    The Irony Effect (Pocket)
    leadership
    13 Life Lessons from Paris' Red Light District (Medium)
    21 Laws of Leadership by John Maxwell (Book Summary)
    25 Timeless Leadership Lessons that Just Plain Work (Terry Starbucker)
    4 Leadership Types that can Destroy a Perfectly Good Strategy
    Awesome Leading Managing List (GitHub)
    Carl Braun on Communicating Like a Grown-Up (Farnam Street)
    Chinese War General Startup Principles (Mattermark)
    Eight Common Traits of Uncommon Product Leaders
    Google's Quest to Build a Better Boss (NYT)
    Leadership Lessons from the Boston Red Sox
    Lincoln’s Principles of Leadership
    Managing Two People Who Hate Each Other (HBR)
    Moving Your Agenda (LeadingBlog)
    Real Leaders Don't Do Focus Groups (HBR)
    Servant Leadership
    Seven Leadership Lessons from a SEALs Commander (Fast Company)
    Solitude Leadership
    The Golden Rules of Leadership (Farnam Street)
    Tribal Leadership (Farnam Street)
    U.S. Army Engineer School Commandant’s Reading List
    Unintuitive Things I've Learned (Medium)
    Why Should Anyone Be Led By You? (HBR)
    likeability
    Getting People to Like You
    How to be Approachable (Less Penguiny)
    loaded questions
    Loaded Questions - What They Are (Effectiviology)
    loyalty, trust, honesty
    Authentic leadership
    Frankly, We Do Give a Damn - Profanity Honesty (SGSB)
    Honesty, or Fear - Why Japan is good at returning (some) lost items (BBC)
    How Darknet Sellers Build Trust
    Loyalists vs. Mercenaries
    Ten Techniques for Building Trust with Anyone
    Willful Disobedience the Character Traits of Independent Thinkers
    memory-recall
    Memory Mnemonics (Ness Labs)
    The Generation Effect (Ness Labs)
    mental models
    13 Mental Models Every Founder Should Know (The Mission)
    14 Mental Models (Medium)
    How to Gather User Behavior Data (TNW)
    Inversion - the Power of Avoiding Stupidity (Farnam Street)
    Mental Models - The Best Way to Make Intelligent Decisions (109 Models Explained)
    Mental Models I Find Repeatedly Useful (@yegg)
    Mental models to help you cut your losses (Behavioral Scientist)
    Useful Mental Models (Defmacro)
    mentoring
    How to Mentor a Perfectionist (HBR)
    Mentors are the Secret Weapon of Successful Startups (TechCrunch)
    motivations
    A Crash Course in Human Motivation
    Building Intrinsic Motivation (Ness Labs)
    Managing the Invisibles
    Reiss' 16 Human Needs
    Spark - a Book Summary
    The Elephant In the Brain (Book Outline)
    Theories of Motivation
    music
    Psychological Building Blocks of Music (Behavioral Scientist)
    persuasion
    14 Time-tested Writing Techniques
    15 Psychological Triggers
    19 Psychological Sales Hacks
    30 Conversion Optimization Tactics
    42 Personality Archetypes - and How to Sell to Them
    A Guide to Confronting the Dark Arts of Persuasion (Quartz/Pocket)
    A Handbook of Persuasion Techniques
    Appealing to the Stone (Effectiviology)
    Ethos, Pathos, Logos (Ness Labs)
    Favorite Pop Psychology Books, 2012
    Feelings over Facts (Effectiviology)
    Get Them to Say No
    Handicapping Strength (Effectiviology)
    How Grocery Bags Manipulate Your Mind
    How a Preview Image Increased Conversions by 359%
    How to Become Convincing (DC Gross)
    How to Persuade Anyone, of Anything, in 10 Seconds
    How to Sell Anything - Aristotle - the Ancient Art of Persuasion
    How to be the Most Persuasive Person in the Room
    Persuasion Tips for Product Managers
    Product Leadership Rules to Live By From My Experience at Pandora
    The "But You Are Free To..." Technique
    The 20 Best Lessons from Social Psychology
    The Backfire Effect
    The Burden of Proof (Effectiviology)
    The Psychology Behind Costco's Samples
    The Seven Triggers of Web Design
    The Wishpond Guide to Conversion Optimization
    Want to Persuade Somebody? Talk Like They Do. (HBR)
    Why People Buy Perception - Not Reality
    play
    Play May Be Deeper than We Thought (Scientific American)
    polarization
    Ask "How Does That Policy Work?" (Behavioral Scientist)
    power, respect
    How to Get Respect (bakadesuyo)
    The 48 Laws of Power - Summary
    The Best Management Memo - Ever (Design Observer)
    predictions
    Should prediction markets be Charities? (Overcoming Bias)
    premature optimization
    Premature Optimization (Effectiviology)
    pressure
    How to Make the Best Move When There Are No Good Moves (Farnam Street)
    What a Football Coach Taught me About Product Management (Medium)
    procrastination
    Why Procrastination is about managing Emotions, not time (BBC)
    productivity
    Productivity Lessons from Artists & Entrepeneurs (Pocket)
    promotions
    How to Get Promoted on Merit, Not Hubris (Better Humans)
    prospect theory
    What is Prospect Theory?
    reactance
    Reactance (Wikipedia)
    reason
    The Enigma of Reason (Scott Young)
    rejection
    Why the French Love to Say No (BBC)
    Why the Other Side Won't Listen to Reason (Raptitude)
    resonance
    Resonance - How to Open Doors for Other People (Farnam Street)
    rhyming
    Why Rhyming Makes Your Message More Persuasive (Effectiviology)
    rituals
    How Brands are Behaving like Organized Religions (HBR)
    Why Brand Rituals are so Powerful (Psychology Today)
    Why Rituals Work (Scientific American)
    scarcity
    How Artificial Scarcity can Boost Desire (Growhack)
    Pliny the Elder -a Case Study (Marketplace)
    The Science of Scarcity (Harvard Mag)
    secrecy
    The Secrecy Effect (Behavioral Economics)
    shame
    How to Build Resilience to Shame (Yes Magazine)
    How to sell embarassing products (HBR)
    Shamelessness as a strategy (Nadia.xyz)
    The effectiveness of shaming bad security (Troy Hunt)
    The scientific basis of shame (Pocket)
    signaling
    False Signals (Behavioral Scientist)
    I'll Have What She's Having (The Conversation)
    Signaling as a Service (Julian.digital)
    Virtue Signaling (Toptal)
    Why People Misunderstand Each Other (Atlantic)
    social proof
    4 Social Proof Techniques (Practical Ecommerce)
    Social Proof Factors (Kissmetrics)
    The Most Important Selling Factor (Practical Ecommerce)
    The Power of Customer Testimonials (HelpScout)
    social skills
    Improve Your Social Skills - A Guide
    speaking
    6 Techniques of Clear & Compelling Speech (TED)
    Block Your Talk
    Distill your msg to 15 words (CNBC)
    Looking confident while presenting - 6 ways (HBR)
    People really don't know when to shut up - or keep talking (Scientific American)
    Public speaking for Introverts
    spin, subterfuge
    How Asian dating sites cracked the code (Qz)
    The Master of Spin (CJR)
    stoicism
    How to Be a Stoic (New Yorker)
    The Principles of Adult Behavior (Gist.Github)
    surprise
    How Happy Meals still set the Std for Ideas (Adweek)
    Surprise "Drops" (Adweek)
    YouTube Toy Unboxing - is a Thing (Vox)
    symbols
    Pineapples were once Status Symbols (BBC)
    Symbols that Can't Last Forever (99% Invisible)
    values
    How to Tell if Your Values are Really Values (Mission.org)
    waiting
    What People Hate Most About Waiting in Line (Slate)

    -->
    The Art of Memory - Mnemonic Techniques (updated)
    categories:
    tags: behavior  memory 
    date: 23 Jan 2023
    slug:memory-mnemonics

    Intro to Elixir - My GitHub repo
    categories:
    tags: elixir 
    date: 23 Jan 2023
    slug:elixir-intro

    Understanding backward passes
    categories:
    tags: algorithms  deep-learning  machine-learning 
    date: 24 Jan 2023
    slug:gradient-flow

    Real-Time Hand Tracking with MediaPipe (GoogleBlog)
    categories:
    tags: deep-learning  machine-vision 
    date: 25 Jan 2023
    slug:hand-tracking-with-mediapipe

    What is Targeted Dropout?
    categories:
    tags: deep-learning 
    date: 26 Jan 2023
    slug:targeted-dropout

    Essential reads (UI/UX) (3/6/2020)
    categories:
    tags: uiux 
    date: 26 Jan 2023
    slug:essential-reads-uiux

    Feature Engineering Articles (2019)
    categories:
    tags: feature-engineering  machine-learning 
    date: 26 Jan 2023
    slug:feature-engineering

    Golang resources
    categories:
    tags: golang 
    date: 26 Jan 2023
    slug:golang-resources

    Python (Numpy) resources
    categories:
    tags: numpy  python 
    date: 29 Jan 2023
    slug:python-numpy
    20 essential functions   (towards data science)
    randint()
    random()
    random.randn()
    ones()
    identity()
    arange()
    full()
    ravel()
    reshape()
    transpose()
    vsplit()
    hsplit()
    concatenate()
    vstack()
    hstack()
    det()
    inv()
    eig()
    dot()
    matmul()
      (towards data science)
    isclose()
    intersect1d()
    stack()
    home page   (numpy.org)
    indexing   (towards data science)
    intermediate   (python DS handbook)
    arrays
    boolean arrays
    masking
    broadcasting
    fancy indexes
    sorting
    structured data
    aggregations
    ufuncs
    datatypes
    matrix multiplication basics   (towards data science)
    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 ops
    set ops
    matrix ops
    tutorial   (python data science handbook)


    -->
    Supply Chain Resources
    categories:
    tags: supply-chain 
    date: 31 Jan 2023
    slug:supplychain
    Tags:
    china   social   tools   
    china
    social
    tools

    -->
    Psychology for UX study guide (NN/g)
    categories:
    tags: behavior  emotion  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
    category coding   (FE cookbook, 2nd ed (Packt))
    setup, tips, caching, regression target transforms
    creation   (FE cookbook, 2nd ed (Packt))
    data imputation   (FE cookbook, 2nd ed (Packt))
    data imputation basics   (scikit-learn 0.24)
    univariate, multivariate, nearest-neighbor, marking imputed values
    data transforms   (FE cookbook, 2nd ed (Packt))
    datasets - simple examples   (scikit-learn 0.24)
    iris, digits, cal housing, labeled faces, 20 newsgroups, (more)
    date/time handling   (FE cookbook, 2nd ed (Packt))
    discretization (binning)   (FE cookbook, 2nd ed (Packt))
    feature engineering intro   (python DS handbook)
    one-hot encoding, word counts, tf-idf, linear-to-polynomial, missing data, pipelines
    feature extraction (text)   (scikit-learn 0.24)
    bag of words, sparsity, vectorizers, stop words, tf-idf, decoding, applications, limits, the hashing trick, out-of-core ops
    file i/o   (numeric python)
    CSV, HDF5, h5py, pytables, hdfstore, JSON, serialization, pickle issues
    outlier management   (FE cookbook, 2nd ed (Packt))
    preprocessing basics   (scikit-learn 0.24)
    mean removal, variance scaling, sparse scaling, outlier scaling, distribution maps, normalization, category coding, binning, binarization, polynomial features.
    random projections   (scikit-learn 0.24)
    scaling   (FE cookbook, 2nd ed (Packt))
    tools (featuretools)   (FE cookbook, 2nd ed (Packt))
    tools (tsfresh)   (FE cookbook, 2nd ed (Packt))


    -->
    Seaborn gallery
    categories:
    tags: machine-learning  python  seaborn  visualization 
    date: 04 Feb 2023
    slug:seaborn-gallery

    -->
    Shame - as a tool
    categories:
    tags: behavior  shame 
    date: 04 Feb 2023
    slug:behaviors-shaming

    Shame - as a tool

    originally from Scientific American

    -->
    33 Strategies of War - booknotes
    categories:
    tags: behavior  booknotes  influence 
    date: 04 Feb 2023
    slug:laws33war-booknotes

    Acting (Pocket links)
    categories:
    tags: behavior  movies  television 
    date: 04 Feb 2023
    slug:acting

    Sinatra (ruby) links
    categories:
    tags: jekyll  ruby 
    date: 04 Feb 2023
    slug:sinatra

    Sinatra (Ruby site generator) resources

      (sinatrarb)
      (sinatrarb)
      (github)
      (padrinorb)
      (shiroyasha)

    -->
    Jekyll links
    categories:
    tags: jekyll  ruby 
    date: 04 Feb 2023
    slug:jekyll

    Jekyll (Ruby static website generator) resources

    categories    cheat sheet    collections    comments    css    data    deployment    images    links    liquid    logic    plugins    posts    search    seo    tags    variables    yaml    
    categories
    cheat sheet
    collections
    comments
    css
    data
    deployment
    images
    liquid
    logic
    plugins
    posts
    seo
    tags
    variables
    yaml

    -->
    Optimizing for the speed of light
    categories:
    tags: devops 
    date: 04 Feb 2023
    slug:optimize-speed-light

    Activations (Machine Learning)
    categories:
    tags: machine-learning 
    date: 05 Feb 2023
    slug:activations

    What is an Empathy Map? (NN Group)
    categories:
    tags: empathy  uiux 
    date: 12 Feb 2023
    slug:empathy-maps

    Apparel Brand Scaling (pdf)
    categories:
    tags: ecommerce  fashion  prodmgmt 
    date: 20 Feb 2023
    slug:apparel-brand-scaling

    2020 Ecommerce Stats (pdf)
    categories:
    tags: ecommerce  prodmgmt 
    date: 20 Feb 2023
    slug:prodmgmt-ecomm-stats

    Web Design - Chrome Extensions
    categories:
    tags: tools  webdev 
    date: 20 Feb 2023
    slug:chrome-extensions-design

    Go By Example (Golang tutorial)
    categories:
    tags: golang 
    date: 20 Feb 2023
    slug:golang-oldpage

    Productivity articles
    categories:
    tags: behavior  productivity 
    date: 20 Feb 2023
    slug:productivity
    5 Whys (Karine Bengualid)
    more..

    When your productivity takes a nosedive, it adds stress and anxiety, as you don't have enough time to accomplish your goals and do what really matters to you. Understanding why your productivity is flailing will help you get back on track.

    Being "Glue" (Denise Yu)
    more..

    IYour job title says "software engineer", but you seem to spend most of your time in meetings. You'd like to have time to code, but nobody else is onboarding the junior engineers, updating the roadmap, talking to the users, noticing the things that got dropped, asking questions on design documents, and making sure that everyone's going roughly in the same direction. If you stop doing those things, the team won't be as successful. But now someone's suggesting that you might be happier in a less technical role. If this describes you, congratulations: you're the glue. If it's not, have you thought about who is filling this role on your team?

    GTD in 15 minutes – A Pragmatic Guide to Getting Things Done (Hamberg.no)
    more..

    GTD—or “Getting things done”—is a framework for organizing and tracking your tasks and projects. Its aim is a bit higher than just “getting things done”, though.

    Scott Hanselman's List of Productivity Tips
    more..

    What follows is Danny Schreiber's summary of my Productivity Talk. If you'd like me to give a version of this talk at your company or event, contact me.

    Things that Aren't Progress (Aaron Harris)
    more..

    Henry Rollins on defining success
    more..

    Henry Rollins is an American musician, writer, actor, radio host, activist, spoken word artist, and comedian. He was the singer of the hardcore punk band Black Flag and later the Rollins Band among other solo projects and collaborations. He won a Grammy in 1995 for the spoken adaptation of his 1994 tour memoir, Get in the Van. Since the early 1980s he’s released too many things to list here.

    Deep Work
    more..

    How to master the #1 job skill that will never be obsolete

    Something Small. Every Day. (Austin Kleon)
    more..

    It takes time to do anything worthwhile, but thankfully, we don’t need it all in one chunk. So this year, forget about the year as a whole. Forget about months and forget about weeks. Focus on days.

    Designing High Performing Teams (Elegant Hack)
    more..

    The Dreaded Weekly Status Email (Elegant Hack)
    more..

    I remember the first time I had to write one of these puppies.

    My Magic Response to "Can I Pick Your Brain?" (Stacking the Bricks)
    more..

    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 that’s gotta translate to your career…somehow, right?

    How Timeboxing Works (HBR)
    more..

    Getting Ahead by Being Inefficient (Shane Parrish)
    more..

    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.

    Hustle as Strategy (Tom Tunguz)
    more..

    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?

    I'm not really a Good Web Developer, I'm Just Good at Googling things (dev-diaries)
    more..

    Being a web developer means having a good grasp on a wide array of topics: navigating the terminal, html, css, javascript, cloud infrastructure, deployment strategies, databases, HTTP protocols and that’s just the beginning.

    Two Things to do After Every Meeting (Paul Axtell)
    more..

    Steve Jobs insisted that every item on a meeting agenda have a designated person responsible for that task and any follow-up work that happened. He called that person the DRI—the Directly Responsible Individual. He knew the public accountability would ensure that a project or task would actually get done, and he wanted to set clear, organized instructions for his team to follow.

    2020's Best Productivity Apps (Kelsey Wroten)
    more..

    Let’s get one thing out of the way first: You do not need any of the apps on this list in order to be productive.

    How to conquer work paralysis like Ernest Hemingway (Zaria Gorvett)
    more..

    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.

    Work is a Queue of Queues (Andrew Montalenti)
    more..

    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 out of the data structures used to design a software system. Perhaps by learning something about these data structures, we can learn something about the nature of work itself.

    Productivity Lessons from Artists & Entrepreneurs (Brad Stulberg)
    more..

    Put simply, the overlap between professional, creative, and athletic success is huge. Here are a few timeless productivity lessons, or principles of performance, that apply no matter what you’re doing.

    One man's obsessive 40-year pursuit of the productive life (Stephen Wolfram)
    more..

    Stephen Wolfram has always liked using technology to get stuff done and monitor personal progress. Here are the secrets that help him power through his workdays.

    What Silicon Valley "Gets" about Software Engineers that Traditional Companies Do Not (Gergely Orosz)
    more..

    I've noticed that Silicon Valley companies consistently "get" a few things that their traditional counterparts fail to either understand or implement in practice - especially in Europe.

    8760 Hours: How to get the most out of next year (Alex Vermeer)
    more..

    The end of a year is the perfect time to review one’s life, goals, plans, and projects, as well as plan for the upcoming year. I’ve been fine-tuning my own review process for several years and thought others might be interested to know what I do and how.

    Engineering productivity can be measured - just not how you'd expect (OkayHQ)
    more..

    the diminishing returns of productivity culture (Anne Petersen)
    more..

    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.

    Timeboxing: The Most Powerful Time Management Technique You’re Probably Not Using (Nir Eyal)
    more..


    -->
    Ecommerce links
    categories:
    tags: ecommerce  prodmgmt 
    date: 20 Feb 2023
    slug:prodmgmt-ecommerce-links

    Python 3.8 Std Library
    categories:
    tags: python 
    date: 20 Feb 2023
    slug:python-std38

    The Remaking of Comedy Central (Vulture article)
    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

    ChatGPT items
    categories:
    tags: chatGPT  nlp  transformers 
    date: 16 Apr 2023
    slug:chatgpt

    Stuff to Read, 12/14/21 (revisited)
    categories:
    tags: algorithms  animals  cynicism  deep-learning  learning  neurology  public-policy  repair  webdev 
    date: 17 Apr 2023
    slug:stuff-to-read
    uBlacklist (GitHub)

    Blocks specific sites from appearing in Google search results

    Leaving Quora After 10 Years of Answering Questions (Phil Jones)

    If you are reading this, you probably know me from Quora where I spent over 10 years writing more than 11,000 answers. I'm writing this page because I will soon be gone from Quora.

    What a Progressive Utopia Does to Outdoor Dining (Atlantic)

    In San Francisco and elsewhere in California, the red tape that prevented dining alfresco before the pandemic is starting to grow back.

    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.

    Aint No Party Like a 3rd Party (Adactio)

    I’d like to tell you something not to do to make your website better. Don’t add any third-party scripts to your site.

    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.

    Anatomy of a GOAT: What Makes Magnus Carlsen the world's best Chess player (ESPN)

    On Friday, needing just one point against Ian Nepomniachtchi to defend his world champion status, Magnus Carlsen closed the match out with three games to spare, 7.5-3.5. He's been the No 1 chess player in the world for a decade now and is in his eighth year as undisputed world champion.

    Learn X in Y Minutes

    Take a whirlwind tour of your next favorite language. Community-driven!

    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.

    I Have a Brain Injury (YouTube)

    I got hit in the head by a falling pipe while shooting a video in July, and haven't been the same since...

    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.

    A Ghostly Galaxy Lacking Dark Matter (ESA Hubble)

    NGC 1052-DF2 resides about 65 million light-years away in the NGC 1052 Group, which is dominated by a massive elliptical galaxy called NGC 1052.

    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

    Signaling
    categories:
    tags: behavior  signaling 
    date: 26 Apr 2023
    slug:signaling
    Proof of X   (julian.digital)
    Signaling as a Service   (julian.digital)

    -->
    Whistleblowing
    categories:
    tags: behavior  courage 
    date: 30 Apr 2023
    slug:whistleblowing

    Langchain tools
    categories:
    tags: langchain  llms 
    date: 19 May 2023
    slug:langchain

    Auction Theory - Jonathan Levin paper
    categories:
    tags: auctions  game-theory  pricing 
    date: 24 May 2023
    slug:auction-theory

    Auction Theory
    categories:
    tags: auctions  game-theory  pricing 
    date: 24 May 2023
    slug:auctions

    Rails framework principles
    categories:
    tags: rubyonrails 
    date: 05 Jun 2023
    slug:rails

    Transformer models - intro and catalog
    categories:
    tags: arxiv  deep-learning  llms  transformers 
    date: 08 Jun 2023
    slug:transformers

    The Art of Noticing
    categories:
    tags: behavior  influence 
    date: 01 Jul 2023
    slug:art-of-noticing

    Behavior articles
    categories:
    tags: behavior  focus  gifts  interviewing  leadership  persuasion  rituals 
    date: 01 Jul 2023
    slug:behavior
    Molding Yourself into a Leader, Part 1

    -->
    Essential Reads - July 2019
    categories:
    tags: behavior  copyright  deep-learning  heatmaps  machine-learning  perception  prodmgmt  python  visualization 
    date: 02 Jul 2023
    slug:deep-learning-essential-reads

    Deep Learning - Goodfellow book notes (2019)
    categories:
    tags: booknotes  deep-learning 
    date: 12 Jul 2023
    slug:dl-goodfellow-book-chaps

    Aristotle's Rules for a Good Life
    categories:
    tags: behavior  character 
    date: 14 Aug 2023
    slug:aristotle-goodlife-rules

    ChatGPT prompts for PMs
    categories:
    tags: chatGPT  prodmgmt 
    date: 29 Aug 2023
    slug:chatgpt-prompts-pms

    Transformers
    categories:
    tags: arxiv  llms  pdf  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
    More  
    Hugging Face docs
    Transformers Survey (ArXiv 2106.04554)
    Pretrained Models Survey (ArXiV 2003.08271)
    Encoder-Decoder Approaches (ArXiV 1409.1259)
    Hugging Face models
    arxiv model dataset, Gsheet

    -->
    The Streisand Effect
    categories:
    tags: behavior  influence 
    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
    basics   (numeric python)
    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
    home page   (numpy.org)
    intermediate   (python DS handbook)
    arrays, boolean arrays, masking, broadcasting, fancy indexes, sorting, structured data, aggregations, ufuncs, datatypes

    Pandas:

    articles   (towards DS)
    TDS article search
    basics   (numeric python)
    series, dataFrames, time series
    home page   (pandas.pydata.org)
    intermediate   (python DS handbook)
    aggregations, groups, concat/append, hierarchical indexes, merge/join, missing values, pivot tables, time series, vectorized objects
    tips & tricks   (towards DS (blog))
    date ranges, merges, save to excel, file compression, histograms, pdfs, cdfs, least squares, timing, display options, pandas 1.0 features

    Statistics:

    statistics - Bayes   (numeric python)
    normal distribution, dependent variables, posterior distributions, linear regression, multilevel models
    statistics - basics   (numeric python)
    random numbers, distributions, hypothesis testing, kernel density estimation
    statsmodel, patsy   (numeric python)
    patsy, categorical variables, linear regression, discrete & logistic regression, poisson distribution, time series

    Scientific Computation with SciPy:

    Ordinary DiffEqtns   (numeric python)
    symbolic solutions, directional field graphs, laplace transforms, numerical methods, numerical integration
    Partial DiffEqtns   (numeric python)
    --NOT WORKING YET--
    integration   (numeric python)
    simpson's rule, multiple integration, scikit-monaco, symbolic/multiprecision quadrature, laplace transforms, fourier transforms
    interpolation   (numeric python)
    polynomials, splines, multivariates
    signal processing   (numeric python)
    spectral analysis, fourier transforms, frequency-domain filters, windowing, spectrograms, convolutions, FIRs, IIRs
    sparse matrices & graphs   (numeric python)
    sparse matrices, sparse linear algebra, eigenvalue problems, graphs & networks

    Feature Engineering:

    category coding   (FE cookbook, 2nd ed (Packt))
    setup, tips, caching, regression target transforms
    creation   (FE cookbook, 2nd ed (Packt))
    data imputation   (FE cookbook, 2nd ed (Packt))
    data imputation basics   (scikit-learn 0.24)
    univariate, multivariate, nearest-neighbor, marking imputed values
    data transforms   (FE cookbook, 2nd ed (Packt))
    datasets - simple examples   (scikit-learn 0.24)
    iris, digits, cal housing, labeled faces, 20 newsgroups, (more)
    date/time handling   (FE cookbook, 2nd ed (Packt))
    discretization (binning)   (FE cookbook, 2nd ed (Packt))
    feature engineering intro   (python DS handbook)
    one-hot encoding, word counts, tf-idf, linear-to-polynomial, missing data, pipelines
    feature extraction (text)   (scikit-learn 0.24)
    bag of words, sparsity, vectorizers, stop words, tf-idf, decoding, applications, limits, the hashing trick, out-of-core ops
    file i/o   (numeric python)
    CSV, HDF5, h5py, pytables, hdfstore, JSON, serialization, pickle issues
    outlier management   (FE cookbook, 2nd ed (Packt))
    preprocessing basics   (scikit-learn 0.24)
    mean removal, variance scaling, sparse scaling, outlier scaling, distribution maps, normalization, category coding, binning, binarization, polynomial features.
    random projections   (scikit-learn 0.24)
    scaling   (FE cookbook, 2nd ed (Packt))
    tools (featuretools)   (FE cookbook, 2nd ed (Packt))
    tools (tsfresh)   (FE cookbook, 2nd ed (Packt))

    Machine Learning:

    README   (scikit-learn)
    biclustering   (scikit-learn)
    spectral co-clustering, spectral bi-clustering
    calibration curves   (scikit-learn)
    (ex) classifier confidence
    calibration
    cross-validation
    metrics
    regressions
    MNIST, metrics, confusion matrix, precision & recall, ROC, multiple classes, error analysis, multiple labels, multiple outputs
    label propagation
    classification metrics   (scikit-learn)
    clustering   (scikit-learn)
    overview, k-means, affinity propagation, mean shift, spectral, hierarchical, dbscan, optics, birch, metrics
    component analysis   (scikit-learn)
    component analysis   (DS handbook)
    intro, random projections, feature agglomeration, dimensional reduction, noise filter, eigenfaces
    composite transformers   (scikit-learn)
    pipeline, feature union
    covariance   (scikit-learn)
    empirical, shrunk, sparse invariance, robust estimation
    cross decomposition   (scikit-learn)
    PLS, CCA
    cross validation   (scikit-learn)
    user guide, ROC curves, K-fold, LvO, LpO, stratified, shuffled, group-K-fold
    datasets (toys)   (scikit-learn)
    datasets - other sources   (scikit-learn)
    decision trees   (scikit-learn)
    training, viz, predictions, CART, gini vs entropy, regularization
    density estimation   (DS handbook)
    histograms, spherical KDEs, custom estimators
    density estimation   (scikit-learn)
    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
    discriminant analysis   (scikit-learn)
    dimensionality reduction, LDA, math, shrinkage, estimators
    cosine similarity, kernels (linear, polynomial, sigmoid, RBF, laplacian, chisqd)
    ensembles (bagging)   (scikit-learn)
    ensembles (boosting)   (scikit-learn)
    ensembles (voting)   (scikit-learn)
    feature extraction (text)   (scikit-learn)
    feature selection   (scikit-learn)
    low-variance features, univariate selection, recursive elimination, selecting from a model, pipeline ops
    file IO   (scikit-learn)
    gaussian mixtures   (scikit-learn)
    expectation maximization (EM), confidence ellipsoids, bayes info criterion & n_clusters, covariance constraints (spherical, diagonal, tied, full), variational bayes (extension of EM)
    gaussian processes   (scikit-learn)
    regressions, classifiers, kernels
    classification, regression, sparse data, complexity, stopping, tips, implementation
    hyperparameters   (scikit-learn)
    user guide, grid search, random parameters, tips, brute force alternatives
    inspection plots   (scikit-learn)
    kernel approximations   (scikit-learn)
    noestrem method, std kernels
    linear models   (scikit-learn)
    user guide, OLS, ridge regression, lasso, elastic net, LARS, OMP, bayes, ARD, passive-aggressive algos, robustness, ransac vs theil-sen vs huber, polynomial regression
    logistic regression   (scikit-learn)
    manifolds   (scikit-learn)
    hello, MDS, non-linear embeddings, tradeoffs, isomap on faces
    metrics & scoring basics   (scikit-learn)
    multilabel/multiclass   (scikit-learn)
    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
    naive bayes   (scikit-learn)
    gaussian, multinomial, complement, bernoulli, out-of-core
    nearest neighbors   (scikit-learn)
    unsupervised, KD trees, Ball trees, regressions, nearest centroids, NCA
    novelties & outliers   (scikit-learn)
    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
    regression (isotonic)   (scikit-learn)
    regression (kernel ridge)   (scikit-learn)
    regression metrics   (scikit-learn)
    parameters, bernoulli RBM, stochastic max likelihood learning
    support vector machines   (scikit-learn)
    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
    viz/display objects   (scikit-learn)

    Natural Language Processing (NLP):

    GenSim 101   (gensim)
    similarity queries, text summaries, distance metrics, LDA, Annoy, PDLN, doc2vec, word mover, fasttext
    NLTK 101   (NLTK)
    data cleanup, bag of words, classifier fit, metrics, feature pareto, tf-idf, semantic meanings, CNN
    SpaCy 101   (spacy)
    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
    autoencoders (AEs)   (scikit-and-tensorflow-workbooks)
    intro, stacked AEs, tying weights, reconstructions
    convolutional neural nets (CNNs)   (scikit-and-tensorflow-workbooks)
    layers, filters, map stacking, padding & pooling, architectures
    intro   (scikit-and-tensorflow-workbooks)
    installation, graphs, gradient descent, momentum, model save-restore, visualization, tensorboard, sharing variables
    neural nets   (scikit-and-tensorflow-workbooks)
    perceptrons, MLPs, backprop, training,
    reinforcement learning (RL)   (scikit-and-tensorflow-workbooks)
    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:

    category scatter plots   (github/category-scatterplot)
    matplotlib tutorial   (numeric python)
    seaborn gallery   (seaborn.pydata.org)
    LOTs of plot types

    Symbolic Computation (SymPy):

    equation solvers   (numeric python)
    square vs rectangular, eigenvalues, nonlinear equations, univariate equations
    intro   (numeric python)
    symbols, numbers, rationals, constants, functions, expressions, simplification, expansion, factor, collect, combine, apart, together, cancel, substitutions, evaluations, calculus, sums, products, equations, linear algebra

    Optimization:

    intro to Numba   (pydata.org)
    installation, will it work?, nopython, performance, under the hood, @decorators, groups
    numba, numba.vectorize, cython, tips & tricks, cython & C

    Various Utilities:

    postgres tutorial   (postgresqltutorial)

    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
    struct, codecs
    threads, multiprocessing, concurrent, subprocess, sched, queue, _thread, _dummy_thread
    hashlib, hmac, secrets
    code, codeop
    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
    bdb, faulthandler, pdb, profilers, timeit, trace, tracemalloc
    martin heinz tutorial
    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
    turtle, cmd, shlex
    itertools, functools, operators
    gettext, locale
    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
    html, xml
    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
    optparse, imp
    tkinter, more...


    -->
    Awesome Design Tools Github
    categories:
    tags: design  uiux 
    date: 25 Jan 2024
    slug:awesome-design-tools-github

    documentation articles (pocket API)
    categories:
    tags: best-practices  documentation 
    date: 16 Feb 2024
    slug:pocket-documentation

    How to Write Better with The Why, What, How Framework

    RTFM? How to write a manual worth reading

    Definition: RTFM (Read The F'ing Manual).

    Want your customers to RTFM? Try building a better user manual

    Check out the on-demand sessions from the Low-Code/No-Code Summit to learn how to successfully innovate and achieve efficiency by upskilling and scaling citizen developers. Watch now.

    Tracking TODO and FIXME Comments with Rails Notes Command

    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.

    The documentation system — Documentation system documentation

    There's a better, faster, easier way to develop, deploy and manage web applications. There is a secret that needs to be understood in order to write good software documentation: there isn’t one thing called documentation, there are four.

    The four kinds of documentation, and why you need to understand what they are — Write the Docs

    Nearly everyone agrees that good documentation is important to the success of software projects, and yet very few projects actually have good documentation. Even successful projects often have barely adequate documentation.


    -->
    docker articles (pocket API)
    categories:
    tags: devops  docker 
    date: 16 Feb 2024
    slug:pocket-docker

    At Ably, we run a large scale production infrastructure that powers our customers’ real-time messaging applications around the world.

    Pocket

    Intro Guide to Dockerfile Best Practices

    There are over one million Dockerfiles on GitHub today, but not all Dockerfiles are created equally.

    Demystifying containers, Docker, and Kubernetes

    Modern application infrastructure is being transformed by containers. The question is: How do you get started?

    25 Basic Docker Commands for Beginners

    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. This tutorial assumes that you already have Docker installed on your system.

    Understanding Docker: part 36 – Pause and unpause a container

    Understanding Docker can be difficult or time-consuming. In order to spread knowledge about Cloud technologies I started to create sketchnotes about Docker. I think it could be a good way, more visual, to explain Docker (and other technologies like Kubernetes and Istio).

    How to use Docker with Ruby on Rails applications.

    What is docker? and how to use it with ruby on rails applications? and benefits of using docker. Docker is a platform for building, shipping, and running applications in containers.

    More than "Hello World" in Docker: Build Rails + Sidekiq web apps in Docker

    This is the first post in the More than "Hello World" in Docker series. The series will help you ready your app: from setting it up locally to deploying it as a production-grade workload in AWS. There is no shortage of web tutorials on how to display "Hello World" in Docker.

    15 Docker Commands Beginners Should Know

    In this post, basically, I don't put options. If you think this command is lacking something important, you will need to check Docker Doc(https://docs.docker.com/) pull command is almost same as git pull. Get an image to local from Docker hub.

    How to implement a Load Balancer Using Nginx & Docker

    Scaling becomes a necessary part for your system when your system grows in popularity. There are two types of scaling: Vertical Scaling - Adding more resources (CPU, RAM, storage) to your single server.

    Transitioning from Docker to Podman

    Podman is an excellent alternative to Docker containers when you need increased security, unique identifier (UID) separation using namespaces, and integration with systemd.

    Download The Ultimate Docker Cheat Sheet

    Get your Docker Cheat Sheet as PDF or as an image. To follow this article, make sure your development machine has Docker installed. In this blog post, we write our own Dockerfiles, learn how to create images, and finally run them as container. The complete source code is available on GitHub.

    Swarm mode overview

    To use Docker in swarm mode, install Docker. See installation instructions for all operating systems and platforms. Current versions of Docker include swarm mode for natively managing a cluster of Docker Engines called a swarm.

    Docker Commands — The Ultimate Cheat Sheet

    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.

    Learning Containers From The Bottom Up

    When I started using containers back in 2015, my initial understanding was that they were just lightweight virtual machines with a subsecond startup time. With such a rough idea in my head, it was easy to follow tutorials from the Internet on how to put a Python or a Node.

    Why We Don’t Use Docker (We Don’t Need It)

    UPDATE: minor edits to mention that we do have a dedicated build server after this got posted to reddit. This might end up getting a lot of hate.

    Docker File vs Docker Compose: What's the Difference?

    I've seen many people get confused between a Dockerfile and a Compose file. This is primarily because both are used to modify a Docker image in a way, though it's not technically correct.

    Useful Examples of the Docker ps Command

    One of the first Docker commands you use is the docker ps command. It shows the running containers:

    How to use Docker Images, Containers, and Dockerfiles

    Docker can be confusing when you’re getting started. Even after you watch a few tutorials, its terminology can still be unclear. This article is intended for people who have installed Docker and played around a bit, but could use some clarification.

    How to Use Docker Images, Containers, and Dockerfiles

    Docker can be confusing when you’re getting started. Even after you watch a few tutorials, its terminology can still be unclear. This article is intended for people who have installed Docker and played around a bit, but could use some clarification.

    docker

    The Docker driver allows you to install Kubernetes into an existing Docker install. On Linux, this does not require virtualization to be enabled. On macOS, containers might get hung and require a restart of Docker for Desktop. See docker/for-mac#1835

    Introduction To Machine Learning Deployment Using Docker and Kubernetes

    Deployment is perhaps one of the most overlooked topics in the Machine Learning world. But it most certainly is important, if you want to get into the industry as a Machine Learning Engineer (MLE).

    rails/docked

    Setting up Rails for the first time with all the dependencies necessary can be daunting for beginners.

    How switching to AWS Graviton slashed our infrastructure bill by 35%

    When we started our analytics company, we knew that closely monitoring and managing our infrastructure spending was going to be really important. The numbers started out small, but we’re now capturing, processing, and consuming a lot of data.

    Kubernetes Docker Deprecated Wait, Docker is deprecated in Kubernetes now? What do I do?

    Don't panic, Docker containers and images are still alive. It's not that it will change everything. Yes, it is true. Docker is now deprecated in Kubernetes.

    Buildpacks vs Dockerfiles

    BTW, we're ⚡ hiring Infra, SRE, Web, Mobile, and Data engineers at Doximity (see roles) -- find out more about our technical stack. At Doximity, we are running more and more of our applications and services on Kubernetes.

    A concise guide to Docker

    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 course’, while others are super long and require you to spend several days to study and understand everything.

    Beginner’s Guide to Kubernetes and Docker

    Kubernetes is a container orchestration system. This means that applications can be split between different containers and thus run faster and more efficiently. It is an open-source project and was first released in 2014.

    Docker 101: All you wanted to know about Docker

    Have you ever been intimidated by Docker’s fancy name and wondered what it is? — Great, This post is for you. In this post, we will cover what exactly this devil is and what it does.

    Docker for absolute beginners: the difference between an image and a container

    Containers, images, environments, building, running, virtual machines.. when you’re new to Docker all of these abstract terms can be a bit confusing. In this article we’ll go through all of them and get an understanding of each term.

    Docker Networking

    When you install docker it creates three networks automatically - Bridge, Host, and None. Of which, Bridge is the default network a container gets attached to when it is run. To attach the container to any other network you can use the --network flag of the run command.

    Learn Enough Docker to be Useful

    Containers are hugely helpful for improving security, reproducibility, and scalability in software development and data science. Their rise is one of the most important trends in technology today. Docker is a platform to develop, deploy, and run applications inside containers.

    Search Towards Data Science

    Search writing on Towards Data Science Your home for data science. A Medium publication sharing concepts, ideas and codes.

    Docker Images : Part I - Reducing Image Size

    When getting started with containers, it’s pretty easy to be shocked by the size of the images that we build. We’re going to review a number of techniques to reduce image size, without sacrificing developers’ and ops’ convenience.

    Develop faster. Run anywhere.

    The most-loved Tool in Stack Overflow’s 2022 Developer Survey. Docker + Wasm = Awesome!

    Welcome Canonical to Docker Hub and the Docker Verified Publisher Program

    Today, we are thrilled to announce that Canonical will distribute its free and commercial software through Docker Hub as a Docker Verified Publisher.

    Ruby on Rails extends Docker support

    With the beta release of Ruby on Rails 7.1, the Ruby-based web application framework now will produce all the Dockerfiles needed to deploy an application. Unveiled September 13, Rails 7.1 beta 1 offers default Docker support.


    -->
    adversarial network articles (pocket API)
    categories:
    tags: adversarial  deep-learning  pocket 
    date: 16 Feb 2024
    slug:pocket-adversarial

    Emil Mikhailov is the founder of XIX.ai (YC W17). Roman Trusov is a researcher at XIX.ai.

    Bayesian Inference with Generative Adversarial Network Priors

    ** Nuit Blanche is now on Twitter: @NuitBlog ** Dhruv let me know of the following Hi Igor, I hope you're doing well. Thanks for posting latest articles and relevant information on your blog. I'm a regular reader of it and really enjoy it.

    Title:Adversarial Feature Learning

    Both individuals and organizations that work with arXivLabs have embraced and accepted our values of openness, community, excellence, and user data privacy. arXiv is committed to these values and only works with partners that adhere to them.

    Generative Adversarial Networks - The Story So Far

    When Ian Goodfellow dreamt up the idea of Generative Adversarial Networks (GANs) over a mug of beer back in 2014, he probably didn’t expect to see the field advance so fast: In case you don’t see where I’m going here, the images you just saw were utterly, undeniably, 100% … fake.

    Introduction to Adversarial Machine Learning

    Here we are in 2019, where we keep seeing State-Of-The-Art (from now on SOTA) classifiers getting published every day; some are proposing entire new architectures, some are proposing tweaks that are needed to train a classifier more accurately.

    Open Questions about Generative Adversarial Networks

    What we’d like to find out about GANs that we don’t know yet. By some metrics, research on Generative Adversarial Networks (GANs) has progressed substantially in the past 2 years. Practical improvements to image synthesis models are being made almost too quickly to keep up with:

    An End to End Introduction to GANs using Keras

    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.

    Papers with Code : Adversarial

    Stay informed on the latest trending ML papers with code, research developments, libraries, methods, and datasets.

    Nvidia’s GauGAN has been used to create 500,000 images

    Where does your enterprise stand on the AI adoption curve? Take our AI survey to find out.

    Researchers detail TrojAI, a framework for hardening AI models against adversarial attacks

    The Transform Technology Summits start October 13th with Low-Code/No Code: Enabling Enterprise Agility. Register now!

    Large Scale Adversarial Representation Learning

    This post is part of the "superblog" that is the collective work of the participants of the GAN workshop organized by Aggregate Intellect. This post serves as a proof of work, and covers some of the concepts covered in the workshop in addition to advanced concepts pursued by the participants.


    -->
    admiration articles (pocket API)
    categories:
    tags: admiration  emotions 
    date: 16 Feb 2024
    slug:pocket-admiration

    Instead, befriend people who inspire awe in you. “How to Build a Life” is a weekly column by Arthur Brooks, tackling questions of meaning and happiness. Click here to listen to his podcast series on all things happiness, How to Build a Happy Life.


    -->
    Model Thinker booknotes
    categories:
    tags: decisions  machine-learning  math 
    date: 22 Feb 2024
    slug:model-thinker-booknotes
    ch03: science of many models
    - 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
    ch04: modeling human actors
    - 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
    ch05: normal distribution (bell curve)
    - structure
    - central limit theorem
    - square root rules
    - testing significance
    - six sigma
    - lognormal distributions (multiplying shocks)
    - summary
    ch06: long tails
    - 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
    ch07: linear models (LMs)
    - 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
    ch08: concave, convex
    - 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
    ch09: value & power models
    - cooperative games
    - shapley values (SVs)
    - axiomatic basis for SVs
    - SVs & alternate uses test
    - shapley-shubik index
    - summary
    ch10: networks
    - 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
    ch11: broadcast, diffusion, contagion
    - broadcast model
    - broadcast model : data fitting
    - diffusion model
    - bass model
    - SIR model
    - R0 (basic reproduction number)
    - R0, superspreaders & degree squaring
    - one-to-many
    ch12: entropy (modeling uncertainty)
    - information entropy
    - axiomatic foundations
    - using entropy to distinguish outcome classes
    - max entropy & distributional assumptions
    - max entropy distributions
    uniform, exponential, normal
    - positive & normative implications
    ch13: random walks (RWs)
    - bernoulli urn model
    - simple RW
    - using RWs to estimate network size
    - RWs & efficient markets
    ch14: path dependence
    - polya process
    - balancing process
    - path dependence or tipping point
    - further applications
    - value-at-risk & volatility
    ch15: local interactions
    - local majority model
    - pure coordination game
    - paradox of coordination
    - game of life
    - summary
    ch16: lyapunov functions & equilibria
    - 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
    ch17: markov models
    - two examples
    - perron-frobenius theorem
    - sales-durability paradox
    - markov: one-to-many
    - summary
    ch18: system dynamics
    - system dynamics model components
    sources, sinks, stocks, flows
    - predator-prey model
    - lotka-volterra model
    - using SDMs to guide action
    - WORLD3 model
    - summary
    ch19: threshold models with feedbacks
    - 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
    ch20: spatial & hedonic choices
    - 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
    ch21: game theory models, times three
    - normal-form zero-sum games
    - sequential games
    - continuous action games
    - effort game
    - summary
    ch22: cooperation models
    - prisoner's dilemma
    - cooperation thru repetition & reputation
    - connectedness & reputation
    - cooperation among rule-playing behaviors
    - cooperative action model
    - clustering bootstraps cooperation
    - group selection
    - summary
    ch23: collective action problems
    - intro
    - public goods
    - altruists
    - congestion
    - multiple congestible goods
    - renewable resource extraction
    - solved & unsolved CA problems
    ch24: mechanism design
    - 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
    ch25: signaling
    - discrete signals
    - continuous signals
    - continuous signals: separation
    - uses & values
    - summary
    ch26: learning models
    - individual learning: reinforcement learning (RL)
    - social learning: replicator dynamics
    - learning in games
    - generous | spiteful game
    - spiteful man | magic lamp
    - combining models
    - culture trumps strategy?
    ch27: multiarmed bandits
    - bernoulli bandit problems
    - bernoulli bandit problems (multiarmed)
    - gittins index
    - summary
    ch28: rugged landscape models
    - fitness landscape
    - rugged landscapes
    - NK model
    - ruggedness & dancing landscapes
    - do we patent knowledge?
    ch29: opiods, covid19 & inequality
    - 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
    ch30-more
    notes

    -->
    Product management metrics - simple infographic (pdf)
    categories:
    tags: analytics  prodmgmt 
    date: 22 Feb 2024
    slug:prodmgmt-metrics

    Ansible for Devops - book notes
    categories:
    tags: ansible  booknotes  devops 
    date: 23 Feb 2024
    slug:ansible

    Game Theory Resources
    categories:
    tags: game-theory 
    date: 23 Feb 2024
    slug:gametheory-oldpage
    Tags:
    ai-reinforcement learning   auctions   bargaining   belief   book of examples   collective-information   equilibrium   game structures   indexes-glossaries   other   rationality   risk   utility   voting   warfare   
    ai-reinforcement learning
    auctions
    bargaining
    belief
    book of examples
      Book of Examples (Erich Prisner)

      - Intro
      - Simultaneous-move games
      - Sequential-move, perfect-info-availability games
      - Probability
      - Sequential-move randomized games
      - Extensive form
      - Normal form
      - Mixed strategies
      - Behavioral strategies
      - Bibliography & index

    collective-information
    equilibrium
    game structures
    indexes-glossaries
    other
    rationality
    risk
    utility
    voting
    warfare

    -->
    Fluent Python - booknotes
    categories:
    tags: booknotes  python 
    date: 23 Feb 2024
    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
    case study
    command
    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


    -->
    Python hacker guide
    categories:
    tags: python 
    date: 23 Feb 2024
    slug:python-hackerguide-ebook

    Ruby book notes & library links
    categories:
    tags: booknotes  ruby 
    date: 24 Feb 2024
    slug:ruby

    Scikit-Learn Guide notes
    categories:
    tags: jupyter  machine-learning  python  scikit-learn 
    date: 24 Feb 2024
    slug:scikit-learn-jupyter-notebooks

    Scikit-Learn notes

    (0.24: Jupyter notebooks converted to HTML with nbconvert)
    (0.22: PDFs)

    Getting Started

    v0.24  v0.22

    Glossary

    v0.22

    API

    v0.22 

    Supervised Learning

    Linear Models v0.24  v0.22
    Logistic Regression (LR) v0.24
    Discriminant Analysis (LDA, QDA) v0.24  v0.22
    Kernel Ridge Regression (KRR) v0.24  v0.22
    Support Vector Machines (SVMs) v0.24  v0.22
    Stochastic Gradient Descent (SGD) v0.24  v0.22
    Nearest Neighbors (NNs) v0.24  v0.22
    Gaussians v0.24  v0.22
    Cross Decomposition v0.24  v0.22
    Naive Bayes v0.24  v0.22
    Ensembles/Decision Trees v0.24  v0.22
    Ensembles/Bagging, Random Forests, Random Trees v0.24
    Ensembles/Adaboost v0.24
    Voting v0.24
    Stacking v0.24
    Multiclass & Multioutput Algorithms v0.24  v0.22
    Semi-Supervised Algorithms v0.24  v0.22
    Isotonic Regression v0.24  v0.22
    Probability Calibration Curves v0.24  v0.22
    Multilayer Perceptrons (MLPs) v0.24  v0.22

    Unsupervised Learning

    Gaussian Mixtures v0.24  v0.22
    Manifolds v0.24  v0.22
    Clustering Techniques v0.24  v0.22
    Clustering Metrics v0.24
    Biclustering:   v0.24  v0.22
    Component Analysis / Matrix Factorization (PCA + variants):   v0.24  v0.22
    Covariance: v0.24  v0.22
    Novelty & Outlier Detection v0.24  v0.22
    Density Analysis v0.24  v0.22
    Restricted Boltzmann Machines (RBMs) v0.24  v0.22

    Cross Validation & Hyperparameters

    Cross Validation (CV) v0.22
    Hyperparameters v0.24  v0.22

    Metrics, Evaluation & Scoring

    Metrics Overview v0.24  v0.22
    Classifier Metrics v0.24
    Multi-label Rankers v0.24
    Regression Metrics v0.24
    "Dummy" Metrics v0.24

    Metrics - Visualization

    Learning/Validation Curves v0.24  v0.22
    Partial Dependence Plots (PDPs) v0.24  v0.22
    Permutation Feature Importance (PFI) plots v0.24  v0.22
    ROC curves v0.24
    Customized Partial Dependence plots v0.24
    Examples v0.24
    Plotting API v0.22
    Visualization v0.22

    Feature Engineering

    Feature Selection (FS) v0.24  v0.22
    Feature Extraction (Text) v0.24  v0.22
    Feature Extraction (Image Patches) v0.24
    Data Preprocessing v0.24  v0.22
    Data Imputation v0.24  v0.22
    Composite Transformers v0.24  v0.22
    Dimensionality Reduction: Random Projections (RP) v0.24  v0.22
    Kernel Approximations v0.24  v0.22
    Pairwise Operations v0.24  v0.22
    Transforming Prediction Targets v0.24  v0.22

    Datasets

    Simple Datasets v0.24  v0.22
    Artificial Data Generators v0.24
    Other Example Datasets v0.24 

    Performance factors

    Performance / Scaling v0.24  v0.22
    Performance / Latency v0.24  v0.22
    Performance / Parallel Ops Tools v0.24
    Persistence (File I/O) v0.24  v0.22

    Developer Utilities

    v0.22

    Related Libraries

    v0.22

    -->
    R language resources
    categories:
    tags: booknotes  machine-learning  r 
    date: 24 Feb 2024
    slug:r-booknotes

    R language resources

    Notes and organization by topic to follow.

    Books:

    PCA_with_R.pdf
    R Language Refcard.pdf
    R-Cookbook.pdf
    Intro to Stat Learning w/R
    R-cheatsheet-Caret.pdf
    R-cheatsheet-Data-Import.pdf
    R-cheatsheet-Dplyr.pdf
    R-cheatsheet-Markdown.pdf
    R-cheatsheet-Rstudio.pdf
    R-cheatsheet-advanced.pdf
    R-cheatsheet-dplyr-tidyr.pdf
    R-cheatsheet-ggplot2.pdf
    R-cheatsheet.pdf
    R intro (v3.2.3)
    R intro (v3.1.2)
    R-tidy-text-mining.pdf
    Using R
    R Notes for Pros
    R for Quant Finance
    Sentiment-Analysis-tutorial-AAAI-2011.pdf
    advanced-r.pdf
    caret.pdf
    ggplot2-tutorial.pdf
    practical DS with R - chapter 8.pdf
    r-parallel computing for data scienceh r.pdf
    r-pkg-e1071.pdf
    r-to-python-essential-libs.pdf
    spatial-pattern-analysis-in-r.pdf

    Online Articles:

    Synthdid 101
    Exploring Distributions with {shiny} and {TidyDensity}
    Model selection, AIC and the Tweedie regression
    R in inventory management and demand forecasting
    Beautiful R tables
    Statistical computing with GPUs
    Using Xspline to create signatures
    Calling ChatGPT from R
    Popular R packages for Beginners - 2023
    Ggplot2 documentation
    Readr documentation
    String documentation
    Map drawing with Socviz
    Artistic Maps with R
    Execution Time with R
    Correspondence Analysis
    Forecasting Principles & Practice
    Electricity market pricing cap framework
    Interactive plots with Rbokeh
    5 Surprising Things
    Graph & Network Analytics Handbook
    Data Prep with dplyr
    Survival Analysis
    Advanced R (Book)
    One Frustrating Year with R
    Advanced Graphics
    Text Mining with Tidy
    Plotting with Cairo Graphics Library
    Jupyter kernel for R
    Eigenvalue decomposition & SVD with Rarpack
    Parallel R - GPU programming
    3 Essential Data Science Libraries
    Statistical Learning
    Big Book of R - over 200 books
    Learn R through Examples
    Finding product anomolies during manufacturing with R & H2O
    Isotonic Regression
    Text Mining - Data Cleanup
    Data Engineering and Data Shaping - 2nd edition
    Efficient R
    Insurance Risk Pricing - Tweedie
    Linear Algrebra Intro
    Image Processing with magick
    Sentiment Analysis with sentimentr
    A-B Testing Tips
    Arbitrary Data Transforms with cdata
    Plotting with ggmap
    Plotting classifier thresholds
    Image convolution with magick
    Multichannel sales funnel market attribution
    Caret cheatsheet
    Visualizations, layered, with R Plotly and DisplayR
    Ggplot2 visualizations - 50 most popular
    Operations Research with R
    Tidyverse
    Ggplotly tips
    R tutorial exercises
    Machine learning pipelines
    Operational Excellence - Part 5
    Timekit time series forecasting
    Cheat Sheet
    Data Wrangline Cheatsheet

    -->
    Adwords and Analytics Beginners Guide (2019)
    categories:
    tags: adwords  analytics  ecommerce  prodmgmt  seo  tools  webdev 
    date: 24 Feb 2024
    slug:google-analytics-adwords

    Brian's Product Management library (v2023/2)
    categories:
    tags: analytics  execution  leadership  operations  pricing  prodmgmt  startups 
    date: 24 Feb 2024
    slug:prodmgmt-oldpage

    Ruby 3.0.2 & Rails links
    categories: rubyrubyonrails
    tags:
    date: 24 Feb 2024
    slug:ruby3-rails--guides

    Rails Guides

    Data Models

    Definition     Naming     Schemas     Creating a Model     Custom Naming     create     read     update     delete    

    Model Validators

    Basics     Helpers     Options     Strict Validation     :if, :unless     Custom     Error Handlers     Error Displays    

    Callbacks

    Setup     Options     Execution     Skipping     Halting Execution     Relationals     :if, :unless     Classes     DB Transactions    

    DB Queries

    Get 1 Object     Get Multiple Objects (Batching)     Where     Ordering     Specific Fields     Limit, Offset     Grouping     Having     Override Conditions     Null Relations     Read-Only     DB Locking     Table Joins     Eager Loading     Scopes     find_by_     Enums     Method Chains     Find-or-Build     find_by_sql     exists?     Calculations     Explain    

    Generating (Rendering) Views

    Defaults     render     redirect_to     head     Asset Tags     yield     content_for     Partials     Nested Layouts    

    View Helpers

    (partial list. Many more listed here in the API.)     Asset Tag     Atom Feed     Benchmark     Cache     Capture     Date     Debug    

    Routing

    Intro     Resources     Non-Resource Routing     Custom Resources     Inspect/Test    

    Ruby Core Extensions

    How to Load     All Objects     Module     Class     String     Symbol     Numeric     Integer     BigDecimal     Enumerable     Array     Hash     Regexp     Range     Date     DateTime     Time     File     Marshal     NameError     LoadError    

    Email

    Intro     Build     Headers     Methods     Views     Layouts     Previews     Generating URLs     Adding Images     Multipart Emails     Dynamic Delivery     Without Template Rendering     Callbacks     Helpers     Config     Testing     Intercept & Observe    

    Background Jobs (Active Job)

    Create     Execute     Queues     Callbacks     Email     Internationalization     Supported Arguments     Exceptions     Testing    

    File Attachments (Active Storage)

    Setup     Attaching     Removing     Linking     Downloading     Analyzing     Images     Previewing     Uploads     System Tests     Integration Tests     Other Cloud Services    

    WebSockets (Action Cable)

    Terminology     Server-Side     Client-Side     Streams     Broadcasting     Subscriptions     Params & Channels     Re-Broadcasting     Examples     Configuration     Standalone Cable Servers     Dependencies     Deployment     Testing    

    Internationalization API

    Intro     Setup     Localization     API Features     Custom Translations     Custom Setup     Translating Model Content    

    CLI (command line)

    new     server     generate     console     dbconsole     runner     destroy     about     assets     db     notes     routes     test     tmp     miscellaneous     custom rake tasks     advanced topics    

    Autoloading & Reloading Constants (Zeitwerk mode (Rails 6+))

    Intro     Enabling     Structure     Autoload Paths     $LOAD_PATH     Reloading     Eager Loading     Single Table Inheritance (STI)     Inflections     Troubleshooting     Rails.autoloaders     Vs Classic Mode    

    API-only Applications

    Definition     Why Rails?     Setup     Middleware     Controller Modules    

    -->
    Nginx cookbook
    categories:
    tags: devops  nginx  web-servers 
    date: 26 Feb 2024
    slug:nginx-cookbook

    Part 2 - Security

    Part 3 - Operations


    -->
    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

    Linux resources
    categories:
    tags: linux 
    date: 26 Feb 2024
    slug:linux-resources

    Kubernetes Up & Running - book notes
    categories:
    tags: booknotes  devops  kubernetes 
    date: 26 Feb 2024
    slug:kubernetes

    Optical & photonics articles
    categories:
    tags: optical  photonics  semiconductors 
    date: 26 Feb 2024
    slug:optical

    NAND flash basics
    categories:
    tags: semiconductors 
    date: 26 Feb 2024
    slug:nand-flash-intro

    Semiconductor articles (May'20)
    categories:
    tags: semiconductors 
    date: 26 Feb 2024
    slug:semiconductor-articles

    Selected Semiconductor Articles - May'20

    Device Architectures, 5nm and beyond (Nadine Collaert, Semicon Taiwan 2016)
    Intro
    Beyond FinFETs
    High Mobility Materials
    New Switching Mechanisms
    Summary
    Power Management via Reinforcement Learning (DAC 2011)
    Intro
    Theory (semi-Markov decision process = SMDP)
    System Model
    Results
    Conclusion
    Power Management via Reinforcement Learning (DAC 2011)
    Intro
    Soft-Edge Flip Flop (SEFF) Pipelines
    Near-Threshold Regime
    Optimization
    Experimental Results
    Conclusion
    Performance: 7nm FinFETs vs Conventional Bulk CMOS
    Intro
    7nm FinFET Technology Description
    Standard Cell Library Characterization
    Power Consumption
    Synthesis Results
    Conclusion

    -->
    Semiconductor case study (2022)
    categories:
    tags: prodmgmt  semiconductors 
    date: 26 Feb 2024
    slug:semiconductor-case-study

    SQL resources
    categories:
    tags: mysql  sql  sqlite 
    date: 26 Feb 2024
    slug:sql
    SELECT
    DISTINCT
    WHERE
    LIKE
    ORDER BY
    AS
    JOIN
    UNION
    GROUP BY
    CASE
    4 page cheat sheet   (Steve Nouri via LinkedIn)
    Basics (functions, classes, clauses)
    Join types
    Examples (easy to advanced)
    Advanced topics:
    - recursive queries
    - window functions
    - common table expressions (CTEs)
    - pivot tables
    - analytic functions
    - triggers
    - stored procedures
    - indexes
    - cursor-based processing
    6 lesser-known SQL techniques   (towards data science)
    1. Finding and deleting duplicate records from a table
    2. Querying the most recent set of records from a table
    3. Aggregate daily data at monthly or week-beginning/week-ending level
    4. Aggregating data on custom (CASE WHEN) categories
    5. Find the difference between today and yesterday (or any two dates) in the same table
    6. Merge data from one table into another (the easy way)
    Advanced SQL operations   (towards data science)
    DISTINCT
    UNION
    ORDER BY
    LIMIT and OFFSET
    WINDOW
    Conditional statements   (towards data science)
    GROUP BY & aggregate functions   (towards data science)
    Joins with CSV files   (John D Cook)
    MongoDB vs SQL   (towards data science)
    Practice databases & Python   (towards data science)
    Rank & Dense Rank functions   (towards data science)
    1. SQL Views
    2. Stored Procedures
    3. Scalar functions


    -->
    SQL techniques - booknotes
    categories:
    tags: booknotes  sql 
    date: 26 Feb 2024
    slug:databases

    Git cheatsheet
    categories:
    tags: git 
    date: 26 Feb 2024
    slug:git

    Various Web Developer Tools (2022)
    categories:
    tags: airflow  angularjs  animations  awk  awk  babel  browsers  cdns  coffeescript  containers  cors  css  css  curl  d3  dns  dom  ember  expressjs  firebase  flexbox  front-end  gatsby  git  github  gitlab  graphql  gravatars  heroku  htaccess  html  http  javascript  jekyll  json  json  jupyter  kubernetes  llvm  make  markdown  meteorjs  netlify  nextjs  nodejs  postgres  postman  reactjs  redux  regexes  seo  ssh  static-sites  sveltejs  vuejs  web-crawlers  web-servers  webdev  webgl 
    date: 26 Feb 2024
    slug:webdev-oldpage

    WAI-ARIA status
    WCAG status
    access initiative
    dev guide
    screen readers
    airflow
    guide
    tips
    angular
    angular & SVG
    angular cli
    best practices
    debugging
    modules
    netlify
    nx cli
    performance
    performance (airpair)
    project templates
    style guide (angular)
    style guide (john papa)
    style guide (mgechev)
    testing quickstart
    unit testing
    v8 crud app
    v8 tutorial
    v9 (medium)
    animation
    FE masters
    animista
    standard
    this ain't disney - a guide to animations
    tools to try
    architecture
    JS stack from scratch
    best practices
    grab FE guide
    spellbook
    automation
    gulp intro
    npm as a build tool
    why npm scripts?
    awk
    learn a little (gregable)
    babel
    tutorial (flavio)
    v7 release
    browsers
    chrome
    edge
    firefox
    hacking head tags (speedshop)
    html5test results
    ie
    mozilla API
    mozilla ref
    safari
    webkit
    browsers - headless
    headless chrome
    puppeteer
    slimerjs
    zombie
    cdns
    build your own (pasztor.at)
    chrome
    CDT CLI
    CDT customization
    CDT shortcuts
    chrome devtools (CDT)
    chrome extns
    codesharing
    code sandbox (sharing)
    dash
    devdocs
    devhints
    velocity
    zeal
    coffeescript
    original
    colors
    colors.lol
    colorsupplyyy
    coolors
    containers
    intro - docker, kubernetes (ms)
    terminology (redhat)
    why does devt on kubernetes suck? (tilt.dev)
    cors
    http access controls
    w3.org
    cs
    Front-end Masters, p1
    Front-end Masters, p2
    css
    (sticky) footers
    10 1-line layouts (wev.dev)
    30 secs (atomiks)
    50 tutorials (speckyboy)
    BEM (block element modifier) cheatsheet
    background antipattern
    bootcards
    c82.net
    centering
    css diner
    css-in-js
    css4 selectors
    explained (medium)
    flexbox
    frameworks (geekflare)
    frameworks (skysilk)
    frameworks (speckyboy)
    frameworks (tutorialzine)
    gradients
    grids
    isotope
    isotope dynamic filters
    layout cookbook (mozilla)
    learn
    masonry
    mui
    packery
    refactoring UI (medium)
    reference
    reference (mozilla)
    rules (css tricks)
    specs
    stack layouts
    text tricks
    tufte css
    variables
    water
    curl
    cookbook (catonmat)
    downloading (osxdaily)
    d3
    awesome d3 (github)
    bost.ocks.org
    christopher viau
    d3 in depth
    d3 in depth (flowing data)
    d3+react (hackernoon)
    geospatial d3 leaflet
    hitchhiker's guide
    jason davies
    learn (wattenberger)
    maps (data wanderings)
    dns
    domain names
    how it works
    intro
    docker
    1hr tutorial (linkedin)
    cheatsheet (hackernoon)
    dockerfiles
    dom
    browser support
    css obj model
    eloquent js
    enlightenment
    events
    jquery
    mozilla
    spec
    ui events
    ember
    cli v1.11.0
    ember screencasts
    emberjs
    tutorial (tutsplus)
    expressjs
    api backend w/ postgres
    expressjs
    intro (egghead.io)
    firebase
    firebase queue
    flexbox
    flexbox (css tricks)
    flexbox grids (aerolab)
    fonts
    loading strategies
    mozilla
    showcase
    front-end handbooks
    2017 FE handbook
    2018 FE handbook
    2019 FE handbook
    gatsby
    gatsbyjs
    git
    advanced guide (toptal)
    better pulls (atlassian)
    better pulls (atlassian)
    big repos (atlassian)
    checkout tips
    error recovery
    git w/ discipline (drew devault)
    hacker's guide (wildly inaccurate)
    hartl tutorial
    hooks (atlassian)
    huge repos (sitepoint)
    inside out (recurse)
    leaks
    pro git
    reset, revert, checkout
    resources (clearvision)
    stash (dev.to)
    tips (rlmflores)
    workflow cheatsheet (dan kummer)
    workflows (susanm)
    github
    cheat sheet
    github (awesome) search
    github pages
    gitlab
    about (gitlab)
    jupyter notebook evolution (towards ds)
    tutorial (luongvo)
    customizing with css
    docs (google)
    grafana
    grafana
    graphql
    apollo client
    architecture - pros/cons
    best practices
    concepts i wish somebody had explained a year ago
    hacker news convo
    reasons to use
    tutorial (1/6)
    gravatars
    intro (godaddy)
    heroku
    cli
    htaccess
    cheatsheet
    snippets (phanan.github)
    html
    attributes
    elements
    elements (mozilla)
    head elements
    html5 overview
    html5 spec
    learn (mozilla)
    link rels
    ogtitles
    periodic table
    ref=preconnect (css-tricks)
    responsible headers
    syntax
    templates
    w3.org
    http
    http/1.1
    http/2.0
    status codes
    succint
    icons
    icons
    images
    images.guide
    mozilla
    repeating svg masks
    responsive images
    svg
    jamstack
    jamstack
    javascript
    33 concepts
    ES6
    algos & structs
    async/await
    cheatsheet
    design patterns
    eloquent js
    encyclopedia
    glossary
    info
    learn (youtube)
    mythbusters
    robust
    style guide
    style guide (airbnb)
    the right way
    javascript apis
    designing
    writing them
    javascript modules
    ES6
    exploring
    intro
    parceljs
    rollupjs
    webpack
    webpack intro
    javascript package managers
    basics (digital ocean)
    bower tutorial (six revisions)
    how they work
    intro
    npm docs
    yarn docs
    javascript templates
    ES6 template literals
    lodash templates
    nunjucks
    javascript-automation
    grunt intro
    grunt tutorial (toptal)
    gulp intro (toptal)
    javascript-benchmarks
    framework comparisons
    javascript-explorers
    js arrays
    js objects
    js visualizer
    javascript-internals
    memory leak mgmt (sessionstack)
    v8 optimization tips (sessionstack)
    javascript-scaffolds
    yeoman
    javascript-templates
    handlebars
    lodash
    jekyll
    algolia search on jekyll
    cards template
    cloudant search on jekyll
    disqus on jekyll
    forestry.io
    free templates
    github pages
    home
    jekyll on heroku
    seo tags on jekyll
    with bootstrap 4
    json
    EMCA-404
    api
    jq (genius engrng)
    jq tutorial
    json.com
    json.org
    jsonlint
    structured text tools (github)
    jupyter
    advanced tutorial (dataquest)
    extensions (mlwhiz)
    templates for widgets (jupyter)
    kafka
    quickstart
    kubernetes
    bare-metal kubernetes (josh rendek)
    intro (okigiveup)
    k3s.io
    kubernetes workshop (github)
    maybe you don't need it (matthias endler)
    minikube installation
    llvm
    intro to compilers
    llvm from go
    make
    intro (smashing)
    markdown
    cheatsheet
    syntax
    mean (mongodb, express, angular, node)
    mean.io
    meteor
    atmosphere
    blog
    discover meteor
    full-text search
    meteor tips
    meteor-up
    real-time web apps
    rocket.chat
    speeding up devt,  
    telescope app
    native
    flutter
    nativescript
    react native
    netlify
    CD
    docs
    features
    getting started
    nextjs
    nextjs.org
    tutorial (flavio)
    nodejs
    NodeJS for pros
    NodeJS handbook (flavio)
    art of node
    awesome nodejs
    beginning nodejs (pdf)
    chatroom tutorial (1/6)
    hands-on node (pdf)
    node app with react, webpack, babel, express, sass
    nodejs libs
    nodejs on heroku
    nodejs the right way (pdf)
    on jupyter
    threads (logrocket)
    under the hood
    offline development
    cookbook
    offline 1st
    quickstart
    tutorial
    peer-to-peer
    awesome p2p (github)
    postgres
    PG exercises
    Ubuntu 14.04 setup (Digital Ocean)
    about (PG)
    awesome PG (github)
    command line (jason meridth)
    command line (phili.de)
    postgresguide)
    setup (tech republic)
    postman
    tutorial
    prepack
    home
    progressive web apps (PWAs)
    beginners
    google intro
    native apps are doomed
    your 1st pwa
    react
    8 component decisions
    as react intended (imaginary cloud)
    concepts
    enlightenment
    for stupid people
    fundamentals (react training)
    intro (github)
    jsx (react)
    patterns
    react for rails devs (airpair)
    react native
    react with graphql (graphqleditor)
    react+mobx
    react+mobx
    router v4
    tutorial (appbase)
    tutorial (egghead)
    tutorial (fb)
    tutorial (krishl)
    tutorial (tyroprogrammer)
    zero to hero (leonarddomso)
    redux
    how Redux works
    intro
    regexes
    for noobs (janmeppe)
    regex for G/A (pdf)
    regexr
    rendering optimization
    perf-calendar
    perf-tooling
    security
    basics
    hacksplaining
    handbook
    how to secure a linux server (github)
    html5 cheatsheet
    http security
    http security headers guide (nullsweep)
    penetration testing cheat sheet (techincidents)
    simple security
    stress testing with siege (sublime coding)
    seo
    curated tools
    google starter guide
    google webmaster
    keyword tool
    tools directory (backlink)
    varvy
    serverless
    guide (github)
    serverless.com
    snort
    sans.org whitepaper
    snort.org
    spark
    data engineer's guide (databricks)
    high performance spark (oreilly)
    spark mastery (pdf)
    tutorial (dsc)
    tutorial (mapr)
    what is spark (data-flair)
    ssh
    25 ssh tricks
    ssh kung fu
    ssh tricks
    tunnels
    static sites
    gatsby
    hexo
    hugo
    jekyll
    nextjs
    oreilly
    staticgen
    svelte
    intro (css tricks)
    tbd
    jamstack
    testing
    cypress.io
    getting started
    jasmine
    tla
    intro (learntla)
    torrents
    how to write a bitttorrent client (kristen widman)
    how tor works (alex kyte)
    how tor works (jordan wright) (p1)
    how tor works (p2)
    how tor works (p3)
    what are torrents (lifewire)
    typescript
    tutorial
    tutorial (1/5) (tutsplus)
    underscore
    tutorial (tutsplus)
    urls
    url living std
    w3.org
    vue
    awesome-vue (github)
    infographic (smashing mag)
    intro (smashing mag)
    intro (tutsplus)
    node, express, vue tutorial (tutsplus)
    vue 2.0 (packt)
    vue 3.0
    vue and seo
    vuepress
    web hosting
    who is hosting this?
    web servers
    5 common setups (digital ocean)
    apache setup (digital ocean)
    intro (nginx)
    let's build a web server part 1
    let's build a web server part 2
    let's build a web server part 3
    nginx guide (tutsplus)
    performance tips (nginx)
    servers for hackers
    web-assembly
    getting started
    levelupwasm
    performance
    spec (github)
    web-components
    mozilla
    web-sockets
    connect the web
    the protocol (ietf)
    webcrawling
    commoncrawl.org
    how to build a million-page, single-machine crawler
    the most underrated hack (tomtunguz)
    webgl
    fundamentals

    -->
    Ruby | Rails | Jekyll | Sinatra | RubyGems resources
    categories:
    tags: jekyll  ruby  rubygems  rubyonrails  sinatra 
    date: 26 Feb 2024
    slug:ruby-oldpage
    active record
    active storage
    api clients
    api-only apps
    assets (JS, images, CSS)
    associations
    autoloading & constants
    background jobs
    caching
    callbacks
    code design
    concurrency, parallelism
    configuration
    configuration - routing
    controllers
    css
    data models
    datasets
    db options
    db queries
    db schema migrations
    db seeds
    debugging
    deployment - devops
    documentation
    ecommerce, payments
    email
    generators & templates
    graphics, pdfs, images
    internationalization
    javascript
    logging
    markup
    metaprogramming
    modules
    monitoring
    ocr
    optimization
    pdfs
    publishing
    rack middleware
    rails CLI
    rails v6
    rails v7
    rails websockets (active cable)
    revision control
    ruby language
    ruby language extensions
    rubygems
    scaffolds
    security
    testing
    tutorials & resources
    validations
    views (HTML forms)
    views (HTML helpers)
    views (layouts & rendering)
    visualization
    web servers

    -->
    behavior/dogwhistles (pocket)
    categories:
    tags: behavior  pocket 
    date: 28 Feb 2024
    slug:pocket-dogwhistles

    How are so many politicians today able to get away with overtly racist utterances? By using rhetorical ‘figleaves’


    -->
    Symbol articles
    categories:
    tags: pocket  symbols 
    date: 03 Mar 2024
    slug:pocket-symbols

    The confounding consistency of color categories. When Paul Kay, then an anthropology graduate student at Harvard University, arrived in Tahiti in 1959 to study island life, he expected to have a hard time learning the local words for colors.

    The removal of cultural emblems is not the erasure of history but part of it. In November 2016, a swastika was painted on an elementary school in my Denver, Colorado, neighborhood of Stapleton.

    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.

    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.

    An L-system or Lindenmayer system is a parallel rewriting system and a type of formal grammar.

    We’ll need both deep learning and symbol manipulation to build AI.

    Let’s come back, more directly, to a theme in my writing — what happens when something small becomes a tipping point for change. When the seemingly innocuous becomes unpredictable.

    Symbols have always been used to signal one's status. Military insignia, family signet rings and heirloom watches; impressive properties filled with original art, expensive cars and designer handbags ensure a luxury lifestyle is obvious to all.

    The use of a “Help Mark” symbol by people with hidden disabilities or illnesses who need assistance is spreading across Japan, after it was created by the Tokyo Metropolitan Government 10 years ago.

    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: No one person can ha


    -->
    Cognition articles (2021)
    categories:
    tags: cognition  perception 
    date: 11 Mar 2024
    slug:cognition

    PixieDust - NodeJS in a Jupyter Notebook (2019)
    categories:
    tags: javascript  jupyter  nodejs 
    date: 20 Mar 2024
    slug:pixiedust-nodejs-in-jupyter

    Devops bookmarks (2020)
    categories:
    tags: devops 
    date: 20 Mar 2024
    slug:essential-reads-devops

    Object Detection (2019-20)
    categories:
    tags: deep-learning  object-detection 
    date: 20 Mar 2024
    slug:object-detection

    Image optimization (2019)
    categories:
    tags: html  images  webdev 
    date: 20 Mar 2024
    slug:design-img-optimizers

    Significance Level vs. Confidence Level vs. Confidence Intervals (2019)
    categories:
    tags: statistics 
    date: 20 Mar 2024
    slug:math-siglevel-v-conflevel-v-confintervals

    Habits of Expert Software Designers (2019)
    categories:
    tags: best-practices 
    date: 20 Mar 2024
    slug:expert-designer-habits

    What Nobody Tells You About Software Docs (2019)
    categories:
    tags: documentation 
    date: 20 Mar 2024
    slug:documentation-nobody-tells-you

    DNS bookmarks
    categories:
    tags: webdev 
    date: 20 Mar 2024
    slug:dns

    UI design patterns (GoodUI)
    categories:
    tags: analytics  uiux  webdev 
    date: 20 Mar 2024
    slug:goodui

    -->
    What is the Burndown Method?
    categories:
    tags: execution  prodmgmt 
    date: 20 Mar 2024
    slug:burndown-book

    The Secrecy Effect (2019)
    categories:
    tags: behavior 
    date: 20 Mar 2024
    slug:secrecy-effect

    Groupthink - and the Challenger Disaster (2019)
    categories:
    tags: behavior 
    date: 20 Mar 2024
    slug:groupthink

    Jq resources
    categories:
    tags: json 
    date: 20 Mar 2024
    slug:jq

    Quadratic payments primer
    categories:
    tags: economics 
    date: 20 Mar 2024
    slug:quadratic-payments

    What are Clifford Attractors?
    categories:
    tags: r  visualization 
    date: 20 Mar 2024
    slug:clifford-attractors

    The Book of Secret Knowledge (devops tools)
    categories:
    tags: devops 
    date: 20 Mar 2024
    slug:book-of-secret-knowledge

    Papers with code | SOTA
    categories:
    tags: deep-learning 
    date: 20 Mar 2024
    slug:papers-with-code-sota

    The Laws of Investing (Collaborative Fund)
    categories:
    tags: finance  risk 
    date: 20 Mar 2024
    slug:laws-of-investing

    Semantic Segmentation (2019)
    categories:
    tags: deep-learning 
    date: 21 Mar 2024
    slug:semantic-segmentation

    Jupyter tricks & tips
    categories:
    tags: jupyter 
    date: 21 Mar 2024
    slug:jupyter-tricks

    Stop Complaining
    categories:
    tags: behavior  stoicism 
    date: 21 Mar 2024
    slug:stop-complaining

    Pose Estimation Techniques (2018)
    categories:
    tags: deep-learning 
    date: 21 Mar 2024
    slug:pose-estimation

    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

    Clever (Ruby) Algorithms
    categories:
    tags: algorithms  booknotes  ruby 
    date: 21 Mar 2024
    slug:clever-algorithms

    Product Management Frameworks (Twitter, 2022)
    categories:
    tags: prodmgmt 
    date: 21 Mar 2024
    slug:prodmgmt-frameworks

    Essential Reads - June 2019
    categories:
    tags: analytics  behavior  behavior  criticism  distractions  innovation  leadership  platforms  practice  pricing  prodmgmt  rhetoric  risk  rituals  salesmgmt  uiux 
    date: 21 Mar 2024
    slug:essential-reads

    Essential Reads - August 2019
    categories:
    tags: language  machine-vision  practice  uiux  uiux  writing 
    date: 21 Mar 2024
    slug:essential-reads

    Essential Reads - July 2019
    categories:
    tags: algorithms  electronics  finance  goodreads  language  music  ocr  quantum  seo  uiux 
    date: 21 Mar 2024
    slug:essential-reads

    Essential Reads - Feb 2020
    categories:
    tags: behavior  decisions  devops  mental-models  perception  prediction  prodmgmt  semiconductors  seo  storytelling  uiux  webdev 
    date: 21 Mar 2024
    slug:essential-reads

    Essential Reads - August 2019
    categories:
    tags: auctions  controversy  language  machine-learning  pricing  prodmgmt  storytelling 
    date: 21 Mar 2024
    slug:essential-reads

    Product Management & UI/UX Essentials - August 2019
    categories:
    tags: prodmgmt  uiux 
    date: 21 Mar 2024
    slug:essential-reads

    Essential Reads - August 2019
    categories:
    tags: algorithms  behavior  bragging  css  devops  javascript  machine-learning  machine-vision  prodmgmt  rubyonrails  storytelling 
    date: 21 Mar 2024
    slug:essential-reads

    What is a prediction market?
    categories:
    tags: economics  game-theory  prodmgmt 
    date: 21 Mar 2024
    slug:prediction-markets

    NLP - December 2019
    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
    SILVACO Technical Library
    AMD GPUs (reddit discussion)

    -->
    Deep Learning GAN architectures - 2019
    categories:
    tags: deep-learning 
    date: 21 Mar 2024
    slug:gans
    Original ArXiV paper
    GitHub
    NIPS 2016 tutorial
    DCGAN (deep convolutional GAN)
    FloydHub|GitHub
    CGAN (conditional GAN)
    Packt Publishing GitHub
    Wiseodd.github.io
    CycleGAN
    GitHub
    Project page
    Medium
    CoGAN: Coupled Generative Adversarial Networks
    GitHub
    Wiseodd.github.io
    ProGAN: Progressive growing of GANs
    GitHub
    Medium
    Wasserstein GANs
    GitHub
    DepthFirstLearning, Lilian Weng, Alex Irpan, Jonathan Hui
    SAGAN: Self-Attention GANs
    GitHub
    Lilian Weng
    Towards Data Science
    BigGAN
    GitHub
    The Gradient
    Medium|SyncedReview
    StyleGAN
    GitHub
    Nanonets
    Gwern
    Lyrn.ai
    DeOldify (Old Image Restoration) | NoGAN
    Fast.ai
    GitHub
    GAN Explainer (VentureBeat)
    Sparse Attention (2019)
    Open.ai
    GitHub
    original NIPS paper (goodfellow et al)

    -->
    Dive into Deep Learning ebook
    categories:
    tags: algorithms  booknotes  deep-learning 
    date: 21 Mar 2024
    slug:dive-into-deep-learning

    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

    Essential Reads - December 2021
    categories:
    tags: aws  behavior  failure  history  json  machine-learning  pricing  prodmgmt  productivity  ruby 
    date: 22 Mar 2024
    slug:essential-reads

    Business Model Glossary (A16Z)
    categories:
    tags:
    date: 24 Mar 2024
    slug:a16z-glossary
    Supply-pick

    Suppliers decide which customers to transact with. Uber and Lyft are examples of supply-pick marketplaces: the driver is presented with a passenger and has the option to opt in or out of the ride.

    Demand-pick

    Customers decide which product or service to buy. Examples are Airbnb for “Instant Book” listings, in which the booking doesn’t require host approval. Most ecommerce marketplaces are demand-pick.

    Double commit

    Suppliers and customers need to opt-in for a match to occur. Craigslist, for instance, is a double opt-in marketplace because users need to message back and forth in order to complete a transaction. Airbnb for non-Instant Book listings is a double opt-in marketplace. Double-commit marketplaces tend to have the lowest liquidity, since effort is required from both sides to match.

    Prescribed pairing

    The platform prescribes a match, potentially taking into account the preferences and attributes of each side. Lunchclub is an example of a platform that prescribes matches—users seeking to expand their professional network opt in to a weekly meeting and are automatically paired with another user in the network.

    Types of Marketplaces

    Managed marketplace

    Marketplaces that take on additional activities in order to better establish trust, especially in high-value or high-stakes categories. These functions can include verifying product authenticity, providing pricing guidance, and interviewing and vetting providers to ensure quality—in some cases, even employing providers.

    Managed marketplaces represent an important evolution in marketplace design and can unlock categories that are high-trust and/or -value, such as luxury goods or real estate. On the flip side, managed marketplaces represent greater operational overhead and can be challenging to build into a profitable business.

    Vertical marketplace

    One that is targeted to the needs of a particular industry, product category, or other group of customers with specific needs. Vertical marketplaces are often contrasted with horizontal marketplaces: Craigslist is a horizontal marketplace, while Angie’s List (which is focused on home services) and Trusted (which targets babysitting) are examples of vertical marketplaces. There are various degrees of verticalization: for instance, Slice, an online food ordering platform for independent pizzerias, is a more verticalized form of Uber Eats.

    Vertical marketplaces can offer an experience that is tailored to the unique needs of a particular group of users.

    Multi-sided, aka N-sided, marketplace

    Food delivery marketplaces are a common example of three-sided marketplaces, in that they are comprised of restaurants, delivery drivers, and consumers. Multi-sided marketplaces are often harder to get off the ground because they need to acquire and retain additional sides of the marketplace. However, as a result they are also more defensible.

    Local vs. global marketplaces (or local vs. global network effects)

    The geographic scope wherein the marketplace has network effects. Global marketplaces have global network effects: an additional supply around the world creates additional value for a user in a different country. Local marketplaces are ones in which an additional user is only relevant and valuable to other users in that particular geography—i.e., they have local network effects.

    B2B, B2C, and P2P (aka C2C) marketplaces

    These terms describe the supply and demand users in the marketplace: businesses or consumers. A B2B marketplace matches businesses with businesses, such as Faire (a wholesale marketplace connecting retailers to brands), while B2C marketplaces connect businesses to consumers (like, say, DoorDash). P2P, or peer-to-peer, marketplaces have individual consumers on both sides, such as Airbnb.

    This distinction can get more complicated as the line between business and consumer blurs. a professional Airbnb host, for instance, may be a “B” (business) or a “C” (consumer). At a high level, describing a marketplace as one of these categories helps to convey the dynamics of acquiring different sides of the marketplace. B2B marketplaces are typically constrained by sales, while P2P marketplaces are constrained by trust, general awareness, and category creation.

    Market Structure

    Fragmentation and Concentration

    The degree to which the volume is composed of a smaller (concentrated) or larger (fragmented) number of players.

    Typically, fragmentation is desirable. The risk of a highly-concentrated marketplace is that an individual buyer or seller can exert outsize influence in terms of pricing, gross merchandise value (GMV), etc.

    Homogeneity vs. Heterogeneity

    The degree of supply variety in a marketplace. A company can design a marketplace to increase or decrease homogeneity as a product choice. For instance, Uber buckets the drivers available into a small number of tiers in order to reduce search costs. Other marketplaces surface heterogeneity among suppliers: for example, Outschool—a live online children’s education platform—highlights the unique attributes of each course and teacher.

    Commoditization

    The degree to which a marketplace diminishes the variation between suppliers. Commoditized goods and services are relatively indistinguishable from the rival offerings of another supplier. Amazon, Facebook (w.r.t. media companies on the Newsfeed), and other aggregators are often described as commoditizing their suppliers, meaning every product is displayed in the same way. This detracts from brand differentiation.

    To avoid overwhelming consumers with a deluge of options, every marketplace needs to commoditize its suppliers to some extent.

    User Behavior

    Disintermediation (aka leakage)

    When supply-side and demand-side users use a marketplace for discovery but complete the transaction elsewhere (e.g., finding and messaging a service provider on the marketplace, then transacting offline).

    Disintermediation can be caused by price sensitivity (users trying to bypass marketplace fees), convenience (for monogamous transactions, it can be convenient to move the transaction offline), or necessity (Craigslist, for example, cannot provide a payments infrastructure).

    Disintermediation is undesirable - it stymies growth and suppresses monetization. Managed marketplaces combat disintermediation because they offer greater value in facilitating the transaction.

    Multi-tenanting (aka multi-homing)

    When users (either demand or supply) use multiple platforms. For instance, an employer might post a job opening on multiple job search websites, or a host could list a property on multiple travel websites. Multi-tenanting reduces the strength of the marketplace’s network effects.

    Monogamous vs. Polygamous

    These terms describe the relationship between supply and demand. If transactions happen repeatedly between the same supply-side user and the same demand-side user, the transactions or relationship is monogamous. Certain categories are also monogamous (home cleaning, babysitting, etc) when buyers prefer to use the same provider repeatedly after establishing trust and familiarity.

    Polygamous categories indicate users repeat, different matching needs across transactions, such as travel accommodations or food delivery.

    Polygamous transactions are better suited to marketplaces because users are compelled to return to the marketplace for future transactions. Monogamous categories heighten the risk of disintermedation.f


    -->
    48 Laws of Power - book summary
    categories:
    tags: behavior  booknotes  emotion  influence  leadership 
    date: 04 Oct 2024
    slug:laws-of-power

    The 48 Laws of Power (Greene) - cheat sheet

    Click to Wikisummaries

    Always make those above you feel comfortably superior. Do not go too far in displaying your talents - you may inspire fear and insecurity. Make your masters appear more brilliant than they are.

    Friends will betray you more quickly, for they are easily aroused to envy. They also become spoiled and tyrannical. Hire a former enemy and he will be more loyal - he has more to prove. You have more to fear from friends than from enemies. If you have no enemies, find a way to make them.

    Keep people off-balance and in the dark by never revealing the purpose behind your actions. If they have no clue what you are up to, they cannot prepare a defense. Guide them far enough down the wrong path, envelope them in enough smoke, and by the time they realize your intentions, it will be too late.

    When you are trying to impress people with words, the more you say, the more common you appear. Even if you are saying something banal, it will seem original if you make it vague, open-ended, and sphinxlike. Powerful people impress and intimidate by saying less. The more you say, the more likely you are to say something foolish.

    Reputation is the cornerstone of power. Through reputation alone you can intimidate and win; once you slip, however, you are vulnerable, and will be attacked on all sides. Make your reputation unassailable. Always be alert to potential attacks and thwart them before they happen. Meanwhile, learn to destroy your enemies by opening holes in their own reputations. Then stand aside and let public opinion hang them.

    Everything is judged by its appearance; what is unseen counts for nothing. Never let yourself get lost in the crowd, then, or buried in oblivion. Stand out. Be conspicuous, at all cost. Make yourself a magnet of attention by appearing larger, more colorful, more mysterious, than the bland and timid masses.

    Use the wisdom, knowledge, and legwork of other people to further your own cause. Not only will such assistance save you valuable time and energy, it will give you a godlike aura of efficiency and speed. In the end your helpers will be forgotten and you will be remembered. Never do yourself what others can do for you.

    When you force the other person to act, you are the one in control. It is always better to make your opponent come to you, abandoning his own plans in the process.

    Any momentary triumph you think gained through argument is really a Pyrrhic victory. The resentment you create is stronger and lasts longer than any momentary change of opinion. It is better to get others to agree with you through your actions, without saying a word.

    You can die from someone else’s misery – emotional states are as infectious as disease. You may feel you are helping the drowning man but you are only precipitating your own disaster. The unfortunate sometimes draw misfortune on themselves; they will also draw it on you. Associate with the happy and fortunate instead.

    To maintain your independence you must always be needed and wanted. The more you are relied on, the more freedom you have. Make people depend on you for their happiness and prosperity and you have nothing to fear. Never teach them enough so that they can do without you.

    One sincere and honest move will cover over dozens of dishonest ones. Open-hearted gestures of honesty and generosity bring down the guard of even the most suspicious people. Once your selective honesty opens a hole in their armor, you can deceive and manipulate them at will. A timely gift – a Trojan horse – will serve the same purpose.

    If you need to turn to an ally for help, do not bother to remind him of your past assistance and good deeds. He will find a way to ignore you. Instead, uncover something in your request, or in your alliance with him, that will benefit him, and emphasize it out of all proportion. He will respond enthusiastically when he sees something to be gained for himself.

    Knowing about your rival is critical. Use spies to gather valuable information that will keep you a step ahead. Better still - Play the spy yourself. In polite social encounters, learn to probe. Ask indirect questions to get people to reveal their weaknesses and intentions. There is no occasion that is not an opportunity for artful spying.

    All great leaders since Moses have known that a feared enemy must be crushed completely. (Sometimes they have learned this the hard way.) If one ember is left alight, no matter how dimly it smolders, a fire will eventually break out. More is lost through stopping halfway than through total annihilation. The enemy will recover, and will seek revenge. Crush him, not only in body but in spirit.

    Too much circulation makes the price go down. The more you are seen and heard from, the more common you appear. If you are already established in a group, temporary withdrawal from it will make you more talked about, even more admired. You must learn when to leave. Create value through scarcity.

    Humans are creatures of habit with an insatiable need to see familiarity in other people’s actions. Your predictability gives them a sense of control. Turn the tables - Be deliberately unpredictable. Behavior that seems to have no consistency or purpose will keep them off-balance, and they will wear themselves out trying to explain your moves. Taken to an extreme, this strategy can intimidate and terrorize.

    The world is dangerous and enemies are everywhere – everyone has to protect themselves. A fortress seems the safest. But isolation exposes you to more dangers than it protects you from. It cuts you off from valuable information, it makes you conspicuous and an easy target. Better to circulate among people find allies, mingle. You are shielded from your enemies by the crowd.

    There are many different kinds of people in the world, and you can never assume that everyone will react to your strategies in the same way. Deceive or outmaneuver some people and they will spend the rest of their lives seeking revenge. They are wolves in lambs’ clothing. Choose your victims and opponents carefully, then – never offend or deceive the wrong person.

    A fool always rushes to take sides. Do not commit to any side or cause but yourself. By maintaining your independence, you become the master of others – playing people against one another, making them pursue you.

    No one likes feeling stupider than the next persons. The trick is to make your victims feel smart - not just smart, but smarter than you are. Once convinced of this, they will never suspect that you may have ulterior motives.

    When you are weaker, never fight for honor’s sake; choose surrender instead. Surrender gives you time to recover, time to torment and irritate your conqueror, time to wait for his power to wane. Do not give him the satisfaction of fighting and defeating you. By turning the other check you infuriate and unsettle him. Make surrender a tool of power.

    Conserve your forces and energies by keeping them concentrated at their strongest point. You gain more by finding a rich mine and mining it deeper, than by flitting from one shallow mine to another. When looking for sources of power to elevate you, find the one key patron, the fat cow who will give you milk for a long time.

    The perfect courtier thrives in a world where everything revolves around power and political dexterity. He has mastered the art of indirection; he flatters, yields to superiors, and asserts power over others in the most oblique and graceful manner.

    Do not accept the roles that society foists on you. Re-create yourself by forging a new identity, one that commands attention and never bores the audience. Incorporate dramatic devices into your public gestures and actions.

    You must seem a paragon of civility and efficiency. Your hands are never soiled by mistakes and nasty deeds. Maintain a spotless appearance by using others as scapegoats to disguise your involvement.

    People have an overwhelming desire to believe in something. Become the focal point of such desire by offering them a cause, a new faith to follow. Keep your words vague but full of promise; emphasize enthusiasm over rationality and clear thinking. Give your disciples rituals to perform, ask them to make sacrifices on your behalf.

    If you are unsure of a course of action, do not attempt it. Your doubts and hesitations will infect your execution. Better to enter with boldness. Any mistakes you commit through audacity are easily corrected with more audacity. Everyone admires the bold; no one honors the timid.

    The ending is everything. Account for all possible consequences, obstacles, and twists of fortune that might give the glory to others. By planning to the end you will not be overwhelmed by circumstances and you will know when to stop.

    Your actions must seem natural and executed with ease. All the toil and practice that go into them, and also all the clever tricks, must be concealed. When you act, act effortlessly, as if you could do much more. Avoid the temptation of revealing how hard you work – it only raises questions. Teach no one your tricks.

    The best deceptions are the ones that seem to give the other person a choice. Your victims feel they are in control, but are actually your puppets. Give people options that come out in your favor whichever one they choose. Force them to make choices between the lesser of two evils, both of which serve your purpose.

    The truth is often avoided because it is ugly and unpleasant. Never appeal to truth and reality unless you are prepared for the anger that comes for disenchantment. People who can manufacture romance or fantasy are like oases in the desert. Everyone flocks to them. There is great power in tapping into the fantasies of the masses.

    Everyone has a weakness. That weakness is usually an insecurity, an uncontrollable emotion or need; it can also be a small secret pleasure. Either way, once found, it is a thumbscrew you can turn to your advantage.

    The way you carry yourself will determine how you are treated. In the long run, appearing vulgar or common will make people disrespect you. A king respects himself and inspires the same sentiment in others.

    Hurrying indicates a lack of control over yourself, and over time. Always seem patient, as if you know that everything will come to you eventually. Become a detective of the right moment. Learn to stand back when the time is not yet ripe.

    The more attention you pay an enemy, the stronger you make him; and a small mistake is often made worse and more visible when you try to fix it. It is sometimes best to leave things alone. If there is something you want but cannot have, show contempt for it. The less interest you reveal, the more superior you seem.

    Striking imagery and grand symbolic gestures create the aura of power. Dazzled by appearances, no one will notice what you are really doing.

    If you make a show of going against the times, people will think that you only want attention and that you look down upon them. They will find a way to punish you for making them feel inferior. It is far safer to blend in and nurture the common touch. Share your originality only with tolerant friends and those who are sure to appreciate your uniqueness.

    Anger and emotion are strategically counterproductive. Stay calm and objective. But if you can make your enemies angry while staying calm yourself, you gain a decided advantage. Put your enemies off-balance - Find the chink in their vanity through which you can rattle them and you hold the strings.

    What is offered for free is dangerous – it usually involves either a trick or a hidden obligation. What has worth is worth paying for. By paying your own way you stay clear of gratitude, guilt, and deceit. It is also often wise to pay the full price. Be lavish with your money and keep it circulating, for generosity is a sign and a magnet for power.

    What happens first always appears better and more original than what comes after. If you succeed a great man or have a famous parent, you will have to accomplish double their achievements to outshine them. Do not get lost in their shadow, or stuck in a past not of your own making. Establish your own name and identity by changing course.

    Trouble can often be traced to a single strong individual – the stirrer, the arrogant underling, the poisoned of goodwill. If you allow such people room to operate, others will succumb to their influence. Do not wait for the troubles they cause to multiply, do not try to negotiate with them. Neutralize their influence by isolating or banishing them. Strike at the source of the trouble and the sheep will scatter.

    Coercion creates a reaction that will eventually work against you. You must seduce others into wanting to move in your direction. The way to seduce others is to operate on their individual psychologies and weaknesses. Soften up the resistant by playing on what they hold dear and what they fear. Ignore the hearts and minds of others and they will grow to hate you.

    The mirror reflects reality, but it is also the perfect tool for deception. When you mirror your enemies, doing exactly as they do, they cannot figure out your strategy. The Mirror Effect mocks and humiliates them, making them overreact. By holding up a mirror to their psyches, you seduce them with the illusion that you share their values; by holding up a mirror to their actions, you teach them a lesson. Few can resist the power of Mirror Effect.

    Everyone understands the need for change in the abstract, but people are creatures of habit. If you are new to a position of power, or an outsider trying to build a power base, make a show of respecting the old way of doing things. If change is necessary, make it feel like a gentle improvement on the past.

    Appearing better than others is always dangerous, but most dangerous of all is to appear to have no faults or weaknesses. Envy creates silent enemies. It is smart to occasionally display defects, and admit to harmless vices, in order to deflect envy and appear more human and approachable.

    In the heat of victory, arrogance and overconfidence can push you past the goal you had aimed for. By going too far, you make more enemies than you defeat. There is no substitute for strategy and careful planning. Set a goal, and when you reach it, stop.

    By taking a shape, by having a visible plan, you open yourself to attack. Accept the fact that nothing is certain and no law is fixed. The best way to protect yourself is to be as fluid and formless as water; never bet on stability or lasting order.


    -->
    LLM trend summary 23-24 - Williston
    categories:
    tags: llms 
    date: 02 Jan 2025
    slug:LLMS_2023-2024_summary_williston

    CMOS EDA tool tutorial
    categories:
    tags: semiconductors 
    date: 05 Jan 2025
    slug:cmos-eda-tutorial2

    stuff I read - 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
    docs.mistral.ai   (2025-03-23)

    [platform_url]//console.mistral.ai/

    Improving Recommender Systems & Search in the Age of LLMs

    eugeneyan.com   (2025-03-22)

    Model architectures, data generation, training paradigms, and unified frameworks inspired by LLMs.

    Anthropic just gave Claude a superpower: real-time web se...

    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.

    Mistral Small 3.1 runs on a MacBook and beats giants - Da...

    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

    Mistral Small 3.1

    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 …

    https://www.r-bloggers.com/2025/03/the-ellmer-package-for...

    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...

    What is catastrophic forgetting? - Dataconomy

    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.

    Top 7 Open-Source LLMs in 2025 - KDnuggets

    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.

    What are model cards? - Dataconomy

    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.

    How I use LLMs to help me write code

    open.substack.com   (2025-03-11)

    Plus CSS view transitions and a major update to llm-openrouter

    On GPT-4.5

    thezvi.substack.com   (2025-03-08)

    It’s happening.

    The State of LLM Reasoning Models

    open.substack.com   (2025-03-08)

    Part 1: Inference-Time Compute Scaling Methods

    Mistral OCR

    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 OCR | Mistral AI

    mistral.ai   (2025-03-06)

    Introducing the world’s best document understanding API.

    llm-ollama 0.9.0

    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) …

    Claude 3.7 Sonnet and Claude Code

    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.

    The Deep Research problem — Benedict Evans

    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.

    5 Principles for Writing Effective Prompts (2025 Update)

    blog.tobiaszwingmann.com   (2025-02-24)

    Solid techniques to get really good results from any LLM

    Greg Brockman shared this template for prompting

    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

    LLM Leaderboard

    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.

    Here Are My Go-To AI Tools

    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.

    A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer...

    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

    We Were Wrong About GPUs

    fly.io   (2025-02-15)

    Do my tears surprise you? Strong CEOs also cry.

    Using pip to install a Large Language Model that’s under ...

    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 …

    Understanding Reasoning LLMs

    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...

    5 AI Agent Frameworks Compared - KDnuggets

    www.kdnuggets.com   (2025-02-03)

    Check out this comparison of 5 AI frameworks to determine which you should choose.

    (WIP) A Little Bit of Reinforcement Learning from Human F...

    rlhfbook.com   (2025-02-02)

    The Reinforcement Learning from Human Feedback Book

    Creating an AI Agent-Based System with LangGraph: Adding ...

    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

    aidanmclaughlin/AidanBench: Aidan Bench attempts to measu...

    github.com   (2025-02-01)

    Aidan Bench attempts to measure in LLMs. - aidanmclaughlin/AidanBench

    OpenAI o3-mini, now available in LLM

    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 …

    Multi-Head Latent Attention and Other KV Cache Tricks

    www.pyspur.dev   (2025-01-29)

    How a Key-Value (KV) cache reduces Transformer inference time by trading memory for computation

    Qwen AI Introduces Qwen2.5-Max: A large MoE LLM Pretraine...

    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

    Alibaba releases AI model it says surpasses DeepSeek

    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.

    On MLA

    planetbanatt.net   (2025-01-28)

    The Illustrated DeepSeek-R1

    newsletter.languagemodels.co   (2025-01-27)

    A recipe for reasoning LLMs

    DeepSeek-R1 vs. OpenAI’s o1: A New Step in Open Source an...

    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

    AI hallucinations can’t be stopped — but these techniques...

    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.

    Noteworthy LLM Research Papers of 2024

    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..

    LLM 0.20

    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) …

    How Chinese A.I. Start-Up DeepSeek Is Competing With Open...

    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.

    DeepSeek-R1 and exploring DeepSeek-R1-Distill-Llama-8B

    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 …

    Microsoft Presents a Comprehensive Framework for Securing...

    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

    Lessons From Red Teaming 100 Generative AI Products

    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. …

    Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...

    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,...

    This Rumor About GPT-5 Changes Everything

    open.substack.com   (2025-01-17)

    Let’s start the year on an exciting note

    The 2025 AI Engineering Reading List

    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.

    Agents

    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.”

    100 Must-Read Generative AI Papers from 2024

    open.substack.com   (2025-01-12)

    A comprehensive list of some of the most impactful generative papers from last year

    7 Next-Generation Prompt Engineering Techniques - Machine...

    machinelearningmastery.com   (2025-01-09)

    [caption align=

    How to use NotebookLM for personalized knowledge synthesis

    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.

    An Opinionated Evals Reading List — Apollo Research

    www.apolloresearch.ai   (2025-01-07)

    A long reading list of evals papers with recommendations and comments by the evals team.

    LLMS 2023-2024 (Williston) – Dropbox Paper

    www.dropbox.com   (2025-01-01)

    Things we learned out about LLMs in 2024

    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 …

    How to Build a Graph RAG App

    towardsdatascience.com   (2024-12-30)

    Using knowledge graphs and AI to retrieve, filter, and summarize medical journal articles

    Gemini 2.0 Flash "Thinking Mode"

    open.substack.com   (2024-12-24)

    Plus building Python tools with a one-shot prompt using uv run and Claude Projects

    LLM Research Papers: The 2024 List

    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.

    Why AI language models choke on too much text

    arstechnica.com   (2024-12-22)

    Compute costs scale with the square of the input size. That’s not great.

    rasbt/LLMs-from-scratch: Implement a ChatGPT-like LLM in ...

    github.com   (2024-12-21)

    Implement a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch

    Slim-Llama: An Energy-Efficient LLM ASIC Processor Suppor...

    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

    OpenAI Unveils o3 System That Reasons Through Math, Scien...

    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.

    Building effective agents \ Anthropic

    www.anthropic.com   (2024-12-19)

    A post for developers with advice and workflows for building effective AI agents

    Blt patches scale better than tokens

    dl.fbaipublicfiles.com   (2024-12-18)

    Meta AI Proposes Large Concept Models (LCMs): A Semantic ...

    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

    How LLMs Store and Use Knowledge? This AI Paper Introduce...

    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

    LangChain vs OpenAI API: When Simplicity Meets Scalabilit...

    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.

    Transformers Key-Value (KV) Caching Explained

    towardsdatascience.com   (2024-12-12)

    Speed up your LLM inference

    Scaling Laws – O1 Pro Architecture, Reasoning Training In...

    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…

    The AI Researchers Pushing Computers to Launch Nightmare ...

    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.

    What are Hallucinations in LLMs and 6 Effective Strategie...

    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 | AI Model Comparison

    countless.dev   (2024-12-07)

    Compare AI models easily! All providers in one place.

    CPU-GPU I/O-Aware LLM Inference Reduces Latency in GPUs b...

    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

    How to Build a General-Purpose LLM Agent

    towardsdatascience.com   (2024-12-05)

    A Step-by-Step Guide

    Treemap

    aiworld.eu   (2024-12-05)

    Navigate Tomorrow's Intelligence Today

    AI Hallucinations: Why Large Language Models Make Things ...

    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.

    llama.cpp guide - Running LLMs locally, on any hardware, ...

    steelph0enix.github.io   (2024-11-29)

    Psst, kid, want some cheap and small LLMs?

    Four Cutting-Edge Methods for Evaluating AI Agents and En...

    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

    eugeneyan/llm-paper-notes: Notes from the Latent Space pa...

    github.com   (2024-11-26)

    Notes from the Latent Space paper club. Follow along or start your own! - eugeneyan/llm-paper-notes

    Understanding Multimodal LLMs

    magazine.sebastianraschka.com   (2024-11-21)

    An introduction to the main techniques and latest models

    Something weird is happening with LLMs and chess

    open.substack.com   (2024-11-17)

    Are they good or bad?

    Analyzing the homerun year for LLMs: the top-100 most cit...

    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

    LLM Chunking, Indexing, Scoring and Agents, in a Nutshell...

    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.

    Developing a computer use model

    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

    5 LLM Tools I Can’t Live Without

    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.

    Claude: Everything you need to know about Anthropic's AI ...

    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

    Nvidia just dropped a new AI model that crushes OpenAI’s ...

    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.

    dpo-from-scratch.ipynb

    github.com   (2024-08-04)

    Implementing a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch

    What We Learned from a Year of Building with LLMs (Part I)

    www.oreilly.com   (2024-08-04)

    Towards Monosemanticity: A step towards understanding lar...

    towardsdatascience.com   (2024-08-01)

    Understanding the mechanistic interpretability research problem and reverse-engineering these large language models

    Meta unleashes its most powerful AI model, Llama 3.1, wit...

    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.

    Customize Generative AI Models for Enterprise Application...

    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…

    Llama 3.1 Released: Meta’s New Open-Source AI Model that ...

    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

    Meta Llama 3.1 405b is outperforming private models with ...

    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

    Understanding Positional Embeddings in Transformers: From...

    towardsdatascience.com   (2024-07-20)

    A deep dive into absolute, relative, and rotary positional embeddings with code examples

    Claude 3.5 Sonnet

    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.

    Do large language models understand the world?

    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.

    Building an LLM Router for High-Quality and Cost-Effectiv...

    www.anyscale.com   (2024-07-04)

    Anyscale is the leading AI application platform. With Anyscale, developers can build, run and scale AI applications instantly.

    From bare metal to a 70B model: infrastructure set-up and...

    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…

    StarCoder2-15B: A Powerful LLM for Code Generation, Summa...

    nvda.ws   (2024-07-02)

    Experience the leading models to build enterprise generative AI apps now.

    How Gradient created an open LLM with a million-token con...

    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.

    Some Commonly Used Advanced Prompt Engineering Techniques...

    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

    Key Metrics for Evaluating Large Language Models (LLMs)

    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

    Firecrawl: A Powerful Web Scraping Tool for Turning Websi...

    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,

    Let's reproduce GPT-2 (124M)

    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.

    How to use an open source LLM model locally and remotely

    thoughtbot.com   (2024-06-19)

    Run an open source language model in your local machine and remotely.

    “The” Midjourney model personalization guide

    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.

    How to use Perplexity in your PM work

    www.lennysnewsletter.com   (2024-06-12)

    27 examples (with actual prompts) of how product managers are using Perplexity today

    [2406.01506] The Geometry of Categorical and Hierarchical...

    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...

    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)

    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

    List of Activities and Their Corresponding Suitable LLMs ...

    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.

    Three Things to Know About Prompting LLMs

    sloanreview.mit.edu   (2024-06-11)

    Apply these techniques when crafting prompts for large language models to elicit more relevant responses.

    Perplexity goes beyond AI search, launches publishing pla...

    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.

    The Great AI Chatbot Challenge: ChatGPT vs. Gemini vs. Co...

    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.

    The future of foundation models is closed-source

    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

    Demystifying Vision-Language Models: An In-Depth Exploration

    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

    AI Is a Black Box. Anthropic Figured Out a Way to Look In...

    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.

    naklecha/llama3-from-scratch

    github.com   (2024-05-21)

    llama3 implementation one matrix multiplication at a time - naklecha/llama3-from-scratch

    Abacus AI Releases Smaug-Llama-3-70B-Instruct: The New Be...

    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

    Do Enormous LLM Context Windows Spell the End of RAG?

    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?

    How Good Are the Latest Open LLMs? And Is DPO Better Than...

    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...

    ChuXin: A Fully Open-Sourced Language Model with a Size o...

    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

    Title:You Only Cache Once: Decoder-Decoder Architectures ...

    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...

    Anthropic AI Launches a Prompt Engineering Tool that Gene...

    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

    Cleaning

    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.

    [2404.19737] Better & Faster Large Language Models via Mu...

    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...

    Researchers at NVIDIA AI Introduce ‘VILA’: A Vision Langu...

    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

    Hugging Face - Documentation

    huggingface.co   (2024-05-05)

    We’re on a journey to advance and democratize artificial intelligence through open source and open science.

    Understanding Key Terminologies in Large Language Model (...

    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

    Top 15 AI Libraries/Frameworks for Automatically Red-Team...

    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

    Meta says Llama 3 beats most other models, including Gemi...

    www.theverge.com   (2024-04-19)

    The models have some pretty good general knowledge.

    anthropics/anthropic-cookbook: A collection of notebooks/...

    github.com   (2024-04-17)

    A collection of notebooks/recipes showcasing some fun and effective ways of using Claude. - anthropics/anthropic-cookbook

    Deep Learning Architectures From CNN, RNN, GAN, and Trans...

    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.

    Tips for LLM Pretraining and Evaluating Reward Models

    magazine.sebastianraschka.com   (2024-04-15)

    Discussing AI Research Papers in March 2024

    Lessons after a half-billion GPT tokens - Ken Kantzer's Blog

    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 […]

    5 Ways To Use LLMs On Your Laptop

    www.kdnuggets.com   (2024-04-13)

    Run large language models on your local PC for customized AI capabilities with more control, privacy, and personalization.

    Words are flowing out like endless rain: Recapping a busy...

    arstechnica.com   (2024-04-13)

    Gemini 1.5 Pro launch, new version of GPT-4 Turbo, new Mistral model, and more.

    Gemini: A Family of Highly Capable Multimodal Models

    dev.to   (2024-04-12)

    Peter Gostev’s Post

    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

    Detecting Hallucinations in Large Language Models with Te...

    dev.to   (2024-04-05)

    In the world of LLMs, there is a phenomenon known as "hallucinations." These hallucinations are...

    Top Open Source Large Language Models (LLMs) Available Fo...

    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

    LLaMA Now Goes Faster on CPUs

    justine.lol   (2024-04-02)

    I wrote 84 new matmul kernels to improve llamafile CPU performance.

    Large language models use a surprisingly simple mechanism...

    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.

    Introducing DBRX: A New State-of-the-Art Open LLM

    www.databricks.com   (2024-04-02)

    ChatGPT vs Perplexity AI: AI App Comparison

    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

    Mamba Explained

    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.

    How Nvidia Blackwell Systems Attack 1 Trillion Parameter ...

    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,

    How Chain-of-Thought Reasoning Helps Neural Networks Compute

    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.

    Why and How to Achieve Longer Context Windows for LLMs

    towardsdatascience.com   (2024-03-11)

    Language models (LLMs) have revolutionized the field of natural language processing (NLP) over the last few years, achieving…

    Generative AI Design Patterns: A Comprehensive Guide | by...

    towardsdatascience.com   (2024-03-11)

    Reference architecture patterns and mental models for working with Large Language Models (LLM’s)

    You can now train a 70b language model at home

    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.

    Easily Train a Specialized LLM: PEFT, LoRA, QLoRA, LLaMA-...

    towardsdatascience.com   (2024-03-11)

    Training a specialized LLM over your own data is easier than you think…

    Google Bard is called Gemini now and expands to mobile, p...

    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.

    Anthropic’s Post

    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

    OpenAI's ChatGPT may have its first true rival in Anthrop...

    qz.com   (2024-03-05)

    The Amazon-backed AI startup said its "most intelligent model" outperformed OpenAI's powerful GPT-4

    rasbt/LLMs-from-scratch

    github.com   (2024-02-29)

    Implementing a ChatGPT-like LLM in PyTorch from scratch, step by step - rasbt/LLMs-from-scratch

    Meet RAGxplorer: An interactive AI Tool to Support the Bu...

    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

    Meet Google Lumiere AI, Bard’s video maker cousin

    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

    How To Build an LLM-Powered App To Chat with PapersWithCode

    towardsdatascience.com   (2024-02-29)

    Keep up with the latest ML research

    The killer app of Gemini Pro 1.5 is video

    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 …

    Understanding Direct Preference Optimization

    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.

    I Spent a Week With Gemini Pro 1.5—It’s Fantastic

    every.to   (2024-02-29)

    When it comes to context windows, size matters

    Title:The Era of 1-bit LLMs: All Large Language Models ar...

    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...

    Sora early access: Your guide to securing a spot

    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

    Au Large | Mistral AI | Frontier AI in your hands

    mistral.ai   (2024-02-29)

    Mistral Large is our flagship model, with top-tier reasoning capacities. It is also available on Azure.

    Claude

    claude.ai   (2024-02-22)

    Talk with Claude, an AI assistant from Anthropic

    Beyond Self-Attention: How a Small Language Model Predict...

    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.

    How do transformers work?+Design a Multi-class Sentiment ...

    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

    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-22)

    Faster than Nvidia? Dissecting the economics

    How Well Can LLMs Negotiate? Stanford Researchers Develop...

    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,

    Sora

    openai.com   (2024-02-17)

    Sora is an AI model that can create realistic and imaginative scenes from text instructions.

    Code LoRA from Scratch - a Lightning Studio by sebastian

    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 …

    Bard is now Gemini and Gemini Advanced is amazing

    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

    Ask HN: What have you built with LLMs?

    news.ycombinator.com   (2024-02-11)

    Title:BloombergGPT: A Large Language Model for Finance

    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...

    Exploring the Zephyr 7B: A Comprehensive Guide to the Lat...

    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.

    Mastering PDFs: Extracting Sections, Headings, Paragraphs...

    blog.llamaindex.ai   (2024-01-17)

    LlamaIndex is a simple, flexible data framework for connecting custom data sources to large language models (LLMs).

    Understanding and Coding Self-Attention, Multi-Head Atten...

    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.

    Dashboard - SciSummary

    scisummary.com   (2024-01-16)

    AI Driven tools for researchers and students. Use AI to summarize and understand scientific articles and research papers.

    Meet Waymo’s MotionLM: The State-of-the-Art Multi-Agent M...

    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

    How much detail is too much? Midjourney v6 attempts to fi...

    arstechnica.com   (2024-01-07)

    As Midjourney rolls out new features, it continues to make some artists furious.

    10 Noteworthy AI Research Papers of 2023

    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.

    7 Steps to Mastering Large Language Models (LLMs)

    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.

    Meta AI Researchers Propose Advanced Long-Context LLMs: A...

    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

    This AI Paper from NVIDIA Explores the Power of Retrieval...

    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

    Finetuning LLMs with LoRA and QLoRA: Insights from Hundre...

    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.

    Getting Started with Large Language Models: Key Things to...

    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.

    Unlocking GPT-4 Summarization with Chain of Density Promp...

    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.

    The Ins and Outs of Retrieval-Augmented Generation (RAG)

    towardsdatascience.com   (2023-10-20)

    Our weekly selection of must-read Editors’ Picks and original features

    Building RAG-based LLM Applications for Production (Part 1)

    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.

    RAG vs Finetuning: Which Is the Best Tool to Boost Your L...

    towardsdatascience.com   (2023-10-20)

    The definitive guide for choosing the right method for your use case

    A High-Level Overview Of Large Language Model Concepts, U...

    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.

    Augmenting LLMs with RAG

    towardsdatascience.com   (2023-10-20)

    An End to End Example Of Seeing How Well An LLM Model Can Answer Amazon SageMaker Related Questions

    Parallel Processing in Prompt Engineering: The Skeleton-o...

    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.

    [2302.07730] Transformer models: an introduction and catalog

    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,...

    Hey, Computer, Make Me a Font

    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.

    SaaS Competitive Advantage Through Elegant LLM Feedback M...

    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.

    2302.11382.pdf

    arxiv.org   (2023-10-03)

    ChatGPT, Bard, or Bing Chat? Differences Among 3 Generati...

    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

    bard.google.com   (2023-10-03)

    Bard is now Gemini. Get help with writing, planning, learning, and more from Google AI.

    The State of Large Language Models

    www.scientificamerican.com   (2023-10-03)

    We present the latest updates on ChatGPT, Bard and other competitors in the artificial intelligence arms race.

    10 Ways to Improve the Performance of Retrieval Augmented...

    towardsdatascience.com   (2023-09-25)

    Tools to go from prototype to production

    How to Build an LLM from Scratch

    towardsdatascience.com   (2023-09-25)

    Data Curation, Transformers, Training at Scale, and Model Evaluation

    Large Language Model Prompt Engineering for Complex Summa...

    devblogs.microsoft.com   (2023-09-25)

    Learn how to use GPT / LLMs to create complex summaries such as for medical text

    Open LLM Leaderboard : a Hugging Face Space by HuggingFaceH4

    huggingface.co   (2023-09-25)

    Track, rank and evaluate open LLMs and chatbots

    Llama from scratch

    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...

    Cracking Open the OpenAI (Python) API

    towardsdatascience.com   (2023-09-25)

    A complete beginner-friendly introduction with example code

    Cracking Open the Hugging Face Transformers Library

    towardsdatascience.com   (2023-09-25)

    A quick-start guide to using open-source LLMs

    Asking 60+ LLMs a set of 20 questions

    benchmarks.llmonitor.com   (2023-09-25)

    Human-readable benchmarks of 60+ open-source and proprietary LLMs.

    OpenAI Unveils DALL·E 3: A Revolutionary Leap in Text-to-...

    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.

    Comparison: DALL-E 3 vs Midjourney

    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

    What OpenAI Really Wants

    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.

    A Beginner’s Guide to Building LLM-Powered Applications w...

    dev.to   (2023-09-12)

    If you're a developer or simply someone passionate about technology, you've likely encountered AI...

    iryna-kondr/scikit-llm: Seamlessly integrate LLMs into sc...

    github.com   (2023-08-31)

    Seamlessly integrate LLMs into scikit-learn.

    Prompt Engineering — How to trick AI into solving your pr...

    towardsdatascience.com   (2023-08-31)

    7 prompting tricks, Langchain, and Python example code

    A Beginner’s Guide to LLM Fine-Tuning

    towardsdatascience.com   (2023-08-30)

    How to fine-tune Llama and other LLMs with one tool

    Together AI Unveils Llama-2-7B-32K-Instruct: A Breakthrou...

    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

    A Practical Introduction to LLMs

    towardsdatascience.com   (2023-08-25)

    3 levels of using LLMs in practice

    Meet Chroma: An AI-Native Open-Source Vector Database For...

    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

    How to Extract Text from Any PDF and Image for Large Lang...

    towardsdatascience.com   (2023-08-07)

    Use these text extraction techniques to get quality data for your LLM models

    Introducing OpenLLM: Open Source Library for LLMs

    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.

    Abacus AI Introduces A New Open Long-Context Large Langua...

    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

    How to use LLMs for PDF parsing

    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.

    How to Chat With Any File from PDFs to Images Using Large...

    towardsdatascience.com   (2023-08-06)

    Complete guide to building an AI assistant that can answer questions about any file

    How to Leverage Open-Source LLMs in Your Project

    www.turingpost.com   (2023-08-06)

    Practical Advice from Experts: Fine-Tuning, Deployment, and Best Practices

    LangChain 101: Build Your Own GPT-Powered Applications

    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.

    MPT-30B: Raising the bar for open-source foundation models

    www.mosaicml.com   (2023-07-28)

    Latest blogs from the team at Mosaic Research

    Midjourney pricing plans and free alternatives to try

    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

    A Deep Dive Into LLaMA, Falcon, Llama 2 and Their Remarka...

    www.turingpost.com   (2023-07-28)

    Exploring the Development of the 3 Leading Open LLMs and Their Chatbot Derivatives

    Chain of Thought Prompting for LLMs

    towardsdatascience.com   (2023-07-28)

    A practical and simple approach for “reasoning” with LLMs

    Is Anthropic's Claude 2 model ready to take down GPT-4? W...

    dev.to   (2023-07-28)

    Anthropic released Claude 2, a new iteration of its AI model, to take on ChatGPT and Google Bard...

    Emerging Architectures for LLM Applications

    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.

    ELI5: FlashAttention

    gordicaleksa.medium.com   (2023-07-24)

    Step by step explanation of how one of the most important MLSys breakthroughs work — in gory detail.

    Build Industry-Specific LLMs Using Retrieval Augmented Ge...

    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

    Free Full Stack LLM Bootcamp

    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!

    Edge 300: Meet Falcon LLM: The Most Powerful Open Source ...

    thesequence.substack.com   (2023-07-24)

    The model quickly top the Open LLM Leaderboard that ranks the performance of open source LLMs.

    The Secret Sauce behind 100K context window in LLMs: all ...

    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…

    Observe.ai unveils 30-billion-parameter contact center LL...

    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.

    All You Need to Know to Build Your First LLM App

    towardsdatascience.com   (2023-07-23)

    A step-by-step tutorial to document loaders, embeddings, vector stores and prompt templates

    Training LLMs with AMD MI250 GPUs and MosaicML

    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!

    Optimizing Memory Usage for Training LLMs and Vision Tran...

    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.

    Deploying Falcon-7B Into Production

    towardsdatascience.com   (2023-07-23)

    Running Falcon-7B in the cloud as a microservice

    Anthropic releases Claude 2, its second-gen AI chatbot

    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.

    Google Launches AI-Powered Notes App Called NotebookLM

    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...

    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)

    Developed by ETH Zürich, the language explores new paradigms for LLM programming.

    Leandro von Werra’s Post

    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

    LLaMA 2: How to access and use Meta’s versatile open-sour...

    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.

    Beyond LLaMA: The Power of Open LLMs

    towardsdatascience.com   (2023-07-22)

    How LLaMA is making open-source cool again

    Facebook parent Meta unveils LLaMA 2 open-source AI model...

    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.

    MosaicML launches MPT-7B-8K, a 7B-parameter open-source L...

    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.

    The $1 billion gamble to ensure AI doesn’t destroy humanity

    www.thediff.co   (2023-07-22)

    The founders of Anthropic quit OpenAI to make a safe AI company. It’s easier said than done.

    Unraveling the Power of Chain-of-Thought Prompting in Lar...

    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 - Mooler0410/LLMsPracticalGuide: A curated list of...

    github.com   (2023-07-12)

    A curated list of practical guide resources of LLMs (LLMs Tree, Examples, Papers) - Mooler0410/LLMsPracticalGuide

    Introduction to the Open LLM Falcon-40B: Performance, Tra...

    towardsdatascience.com   (2023-06-19)

    Get started using Falcon-7B, Falcon-40B, and their instruct versions

    Falcon LLM: The New King of Open-Source LLMs

    www.kdnuggets.com   (2023-06-19)

    Falcon LLM, is the new large language model that has taken the crown from LLaMA.

    Meet FinGPT: An Open-Source Financial Large Language Mode...

    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

    LMM Garden | Discover, search, and compare LLMs

    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

    iryna-kondr/scikit-llm

    github.com   (2023-06-08)

    Seamlessly integrate LLMs into scikit-learn.

    The Case for Running AI on CPUs Isn’t Dead Yet

    spectrum.ieee.org   (2023-06-02)

    GPUs may dominate, but CPUs could be perfect for smaller AI models

    The Art of Prompt Design: Prompt Boundaries and Token Hea...

    towardsdatascience.com   (2023-05-28)

    Learn how standard greedy tokenization introduces a subtle and powerful bias that can have all kinds of unintended consequences.

    Sonali Pattnaik on LinkedIn: #generativeai #ai | 45 comments

    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

    The Non-Silence of the LLMs

    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...

    Super Bard: The AI That Can Do It All and Better

    www.kdnuggets.com   (2023-05-19)

    A new AI Bard powered by PaLM V2 that can write, translate, and code better than ChatGPT.

    Edge 291: Reinforcement Learning with Human Feedback

    thesequence.substack.com   (2023-05-18)

    1) Reinforcement Learning with Human Feedback(RLHF) 2) The RLHF paper, 3) The transformer reinforcement learning framework.

    Google dives into the ‘supercomputer’ game by knitting to...

    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.

    Distilling Step-by-Step! Outperforming Larger Language Mo...

    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...

    SparseGPT: Massive Language Models Can Be Accurately Prun...

    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...

    openlm-research/open_llama: OpenLLaMA, a permissively lic...

    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

    guidance-ai/guidance: A guidance language for controlling...

    github.com   (2023-05-03)

    A guidance language for controlling large language models. - guidance-ai/guidance

    Blog | Anyscale

    www.anyscale.com   (2023-04-29)

    Anyscale is the leading AI application platform. With Anyscale, developers can build, run and scale AI applications instantly.

    Parameter-Efficient LLM Finetuning With Low-Rank Adaptati...

    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...

    Edge 286: Vicuna, the LLaMA-Based Model that Matches Chat...

    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.

    Grounding Large Language Models in a Cognitive 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

    Data Machina #198

    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.

    Finetuning Large Language Models

    magazine.sebastianraschka.com   (2023-04-25)

    An introduction to the core ideas and approaches

    The LLama Effect: How an Accidental Leak Sparked a Series...

    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.

    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)

    Facebook’s parent company is inviting researchers to pore over and pick apart the flaws in its version of GPT-3

    Eight Things to Know about Large Language Models

    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....

    Baby AGI: The Birth of a Fully Autonomous AI

    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.

    Hacker News

    magazine.sebastianraschka.com   (2023-04-19)

    A Cross-Section of the Most Relevant Literature To Get Up to Speed

    📝 Guest Post: How to Enhance the Usefulness of Large Lang...

    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.

    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.

    A Survey of Large Language 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...

    New Ebook: A Beginner’s Guide to Large Language Models

    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.

    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-13)

    Garbage in, garbage out has never been more true.

    📝 Guest Post: Caching LLM Queries for Improved Performanc...

    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.

    OpenAI Platform

    platform.openai.com   (2023-02-10)

    Explore developer resources, tutorials, API docs, and dynamic examples to get the most out of OpenAI's platform.

    Graphiti: A Python Library for Building Temporal Knowledg...

    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

    Top 9 Different Types of Retrieval-Augmented Generation (...

    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,

    FlashSigmoid: A Hardware-Aware and Memory-Efficient Imple...

    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,

    Building a Simple RAG Application Using LlamaIndex - Mach...

    machinelearningmastery.com   (2014-08-24)

    [caption align=

    LlamaIndex : LlamaIndex

    docs.llamaindex.ai   (2009-09-24)

    Why GPU Utilization Falls Short: Understanding Streaming ...

    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

    Nvidia just dropped a bombshell: Its new AI model is open...

    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.

    LightLLM: A Lightweight Scalable and High-Speed Python Fr...

    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

    Ten Effective Strategies to Lower Large Language Model (L...

    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.

    Bash One-Liners for Quick Data Transformations

    www.statology.org   (2025-02-05)

    Here are 10 powerful one-liners that can help you quickly accomplish essential data tasks.

    Understanding Expansion in the Linux Shell | R-bloggers

    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...

    Ruby: a great language for shell scripts! - Lucas Seiki O...

    lucasoshiro.github.io   (2024-06-24)

    It’s more than rails!

    Advanced Shell Scripting Techniques: Automating Complex T...

    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.

    Understanding The $BASH_REMATCH In Bash | by Linux School...

    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…

    bash debugging

    wizardzines.com   (2024-03-06)

    New talk: Making Hard Things Easy

    jvns.ca   (2023-10-08)

    dylanaraps/pure-bash-bible

    github.com   (2023-08-11)

    📖 A collection of pure bash alternatives to external processes. - dylanaraps/pure-bash-bible

    Improving Your Workflow as a Developer with Bash Aliases

    dev.to   (2023-08-06)

    As a developer, you most likely spend a significant amount of time working with the command-line...

    How to get and extract filename extension in Bash - nixCraft

    www.cyberciti.biz   (2023-08-05)

    Explains three methods to get and extract filename extension in Bash for Linux and Unix shell scripting needs.

    Shell Built-in Commands

    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.

    Using Until Loop in Bash

    linuxhandbook.com   (2023-07-22)

    While for maybe the most popular bash loop, wait until you discover until. Pun intended :)

    Read File Line by Line in Bash

    linuxhandbook.com   (2023-06-28)

    Here are a couple of ways for reading file line by line in the Bash shell.

    How "Exit Traps" Can Make Your Bash Scripts Way More Robu...

    redsymbol.net   (2023-06-22)

    Appending to Arrays in Bash

    linuxhandbook.com   (2023-05-30)

    In this quick Bash tip, you'll learn about appending to an existing array in bash.

    Using exec Command in Bash Shell Scripts

    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.

    Special Variables in Bash Shell Scripting

    linuxhandbook.com   (2023-04-05)

    The bash shell has some special variables that have specific usages and purposes. Learn more about them here.

    Bobby Iliev - Introduction to Bash Scripting

    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...

    5 Genuinely Useful Bash Scripts for Data Science

    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.

    Using Brace Expansion in Bash Shell

    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.

    Shell Script Best Practices — The Sharat's

    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....

    Building a Web server in Bash, part I - sockets

    dev.to   (2022-08-01)

    Have you ever wondered how a Web server works under the hood? Moreover, would you be willing to...

    GitHub - onceupon/Bash-Oneliner: A collection of handy Ba...

    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

    How to Find the PID and PPID of a Process in Linux

    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.

    Bash Guide for Beginners

    tldp.org   (2021-12-12)

    The Bash Guide

    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.

    pure-bash-bible/README.md at master · dylanaraps/pure-bas...

    github.com   (2021-12-11)

    📖 A collection of pure bash alternatives to external processes. - dylanaraps/pure-bash-bible

    Bash scripting quirks & safety tips

    jvns.ca   (2021-12-11)

    Bash scripting cheatsheet

    devhints.io   (2021-12-02)

    Variables · Functions · Interpolation · Brace expansions · Loops · Conditional execution · Command substitution · One-page guide to Bash scripting

    Ten Things I Wish I’d Known About bash

    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 …

    10 handy Bash aliases for Linux

    opensource.com   (2021-12-02)

    Get more efficient by using condensed versions of long Bash commands.

    The Shell Introduction I Wish I Had

    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.

    101 Bash Commands and Tips for Beginners to Experts

    dev.to   (2021-12-02)

    Update 25 Sep 2019: This article is now available in Japanese, thanks to the hard work of ラナ・クアール....

    Converting and Optimizing Images From the Command Line | ...

    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

    Bash Patterns I Use Weekly

    will-keleher.com   (2021-11-24)

    5 bash tricks I find myself using often that I wish I'd discovered sooner.

    What is Shebang in Linux Shell Scripting?

    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.

    Unusual Ways to Use Variables Inside Bash Scripts

    linuxhandbook.com   (2021-09-26)

    You might have used variables in Bash before, but probably not like this.

    Command line wizardry, part two: Variables and loops in Bash

    arstechnica.com   (2021-09-26)

    Learn to process thousands of items reliably and repeatably in this installment.

    How To Run Commands When You Log Out Using ~/.bash_logout

    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.

    How to repeat a character 'n' times in Bash - nixCraft

    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.

    16 Must-Know Bash Commands for Data Scientists | by Giorg...

    towardsdatascience.com   (2021-05-18)

    My Favorite One Liners | Muhammad

    muhammadraza.me   (2021-05-05)

    Commandline one liners that makes your workflow more productive

    What the #! shebang really does and why it's so important...

    dev.to   (2020-11-28)

    What exactly happens when we run a file starting with #! (aka shebang), and why some people use #!/us...

    bobbyiliev/introduction-to-bash-scripting: Free Introduct...

    github.com   (2020-11-28)

    Free Introduction to Bash Scripting eBook.

    How to Create Bash Aliases | Linuxize

    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.

    How to Install Ruby on Ubuntu 18.04 | Linuxize

    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.

    Show HN: Critic.sh – Dead simple testing framework for Bash

    github.com   (2020-02-19)

    Dead simple testing framework for Bash with coverage reporting - Checksum/critic.sh

    Bash-my-AWS

    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.

    Understanding Bash: Elements of Programming | Linux Journal

    www.linuxjournal.com   (2020-02-19)

    An Illustrated Guide to Some Useful Command Line Tools - ...

    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.

    A blog by Darren Burns

    darrenburns.net   (2019-08-29)

    Five Command Line Tools for Data Science

    www.kdnuggets.com   (2019-08-02)

    You can do more data science than you think from the terminal.

    The hard part in becoming a command line wizard

    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

    Ramblings from Jessie: For the Love of Pipes

    blog.jessfraz.com   (2019-01-27)

    Why unix pipes are awesome.

    Power Up Your Command Line, Part 3

    dev.to   (2019-01-12)

    Five lesser-known command line utilities you'll want to install right away.

    Bash-Snippets: A collection of small bash scripts for hea...

    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
    art of the cmnd line  (github (jlevy))
    meta, basics, everyday usage, files & data, debugging, one-liners, obscure, macOS, windows, resources
    bash aliases  (opensource)
    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.
    bash bible (ebook)  (dylanaraps)
    beginners guide  (Machtelt Garrels)
    intro, scripts, envt, regexes, sed, awk, conditionals, interactive, repetition, vars, functions, signals
    cheatsheet  (github/onceopen)
    terminal tricks, vars, math, grep, sed, awk, xargs, find, conditionals, loops, time, download, random, xwindow, system, hardware, networking, data ops, others
    cookbook (pdf)  (oreilly)
    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
    hyperfine  (github/sharkdp/hyperfine)
    a command-line benchmarking tool
    notes for pros (pdf)  (goalkicker.com)
    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
    quirks  (jvns.ca)
    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
    scripts cheatsheet  (devhints)
    1. basics
    2. param expansions
    3. loops
    4. functions
    5. conditionals
    6. arrays
    7. dicts
    8. options 9. command history
    10. miscellaneous*
    shells for dummies  (dev.to/maxwell_dev)
    1. intro
    2. actions
    3. package managers
    4. dot files
    5. VIM
    6. aliases
    7. scripts

    -->
    prodmgmt/platforms links
    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.

    An Interview with Daniel Gross and Nat Friedman About Mod...

    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.

    Why Middlemen Don't Get Eliminated

    capitalgains.thediff.co   (2024-11-10)

    Thoughts on business models that don't seem to make perfect sense

    Platform as a Product 101

    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.

    Web Monetization Editions | Techdirt

    www.techdirt.com   (2024-02-29)

    WM

    Finding the product in your platform

    open.substack.com   (2024-02-15)

    On the risks of over-emphasizing platform thinking

    50 Types of Business Models (2022) – The Best Examples of...

    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…

    Business models based on the compiled list at http://news...

    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

    The New Moats. Why Systems of Intelligence™ are the… | by...

    news.greylock.com   (2023-12-29)

    Why Systems of Intelligence™ are the Next Defensible Business Model

    The SaaS Opportunity Of Unbundling Excel

    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.

    Platform Adjacency Theory - Infrequently Noted

    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.

    208. Ultimate Guide to Platforms

    open.substack.com   (2023-07-24)

    Patterns and Practices in the Creation, Rise, and Fall of Platforms

    OpenAI turns ChatGPT into a platform overnight with addit...

    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.

    Matching and Information Design in Marketplaces

    d.repec.org   (2023-03-20)

    Two design rules that make products win. - by Thomas Drach

    subtract.substack.com   (2023-03-19)

    The secrets of Zoom, Amazon, and Apple products.

    How do you solve world-class problems?

    open.substack.com   (2023-03-19)

    The power of primitives

    How One Guy’s Car Blog Became a $1 Billion Marketplace

    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.

    WTF is Marketplace Liquidity?

    medium.com   (2023-03-12)

    Methodologies for understanding and measuring marketplace liquidity

    The platform and the curator

    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…

    The 7 Powers Known to Tesla, Pixar, Netflix, Apple & Twilio

    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.

    The Art of Profitability by Adrian Slywotzky

    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.

    Turning non-tradables into tradables

    www.thediff.co   (2022-10-17)

    Plus! Grills, Ads, Pricing, Drops, Movies, Diff Jobs

    The speakeasy economy of WeChat

    www.theverge.com   (2022-08-17)

    We chat, we buy, we sell.

    Two-Sided Networks in Healthcare, a Founder’s Playbook

    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...

    How to protect yourself as middleman in a marketplace

    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.

    3 Strategies To Building a Marketplace Startup | SaaS Aca...

    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

    Signaling as a Service

    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

    Platforms and Networks

    platformsandnetworks.blogspot.com   (2022-07-18)

    Insights and Resources for Tech Entrepreneurs

    http://platformed.info/virality-viral-growth-network-effects

    platformed.info   (2022-07-18)

    Pando: Democratizing career progression

    pando.com   (2022-07-18)

    Democratizing career progression

    The 7 marketplace design patterns

    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…

    The 3 Competitive Defenses of Enduring SaaS Companies by ...

    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.

    Why Platform Disruption Is So Much Bigger than Product Di...

    hbr.org   (2022-07-18)

    New products change what we buy, but new platforms have much broader effects.

    Positional Scarcity

    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…

    https://codingvc.com/the-value-of-data-part-1-using-data-...

    codingvc.com   (2022-07-18)

    Why Uber Fights

    stratechery.com   (2022-07-18)

    Ride-sharing is a winner-take-all market that depends on controlling demand more than it does supply.

    Everything We Know About Platforms We Learned from Mediev...

    hbr.org   (2022-07-18)

    Raise a glass of bubbly to the count of Champagne.

    The Businesses That Platforms Are Actually Disrupting

    hbr.org   (2022-07-18)

    Probably not the ones you think.

    Three Elements of a Successful Platform Strategy

    hbr.org   (2022-07-18)

    Building a better mousetrap isn’t enough.

    The Power of Data Network Effects

    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

    What’s Next for Marketplace Startups? | Andreessen Horowitz

    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...

    6 Reasons Platforms Fail

    hbr.org   (2022-07-18)

    Perhaps the most egregious is a failure of imagination.

    Why Figma Wins - kwokchain

    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 →

    All Markets Are Not Created Equal: 10 Factors To Consider...

    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…

    Nearly a third of new subscribers to some news publicatio...

    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.

    Thoughts on Building Weatherproof Companies | Andreessen ...

    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.

    The Marketplace Glossary | Andreessen Horowitz

    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...

    Selling pickaxes during a gold rush

    cdixon.org   (2022-07-05)

    Chris Dixon's blog.

    In times of change, make tires

    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…

    4 Business Models for the Data Age

    hbr.org   (2022-07-05)

    Rethinking old strategies.

    3 Steps to Break Out in a Tired Industry

    hbr.org   (2022-07-05)

    Focus, eliminate, replace.

    The Real Power of Platforms Is Helping People Self-Organize

    hbr.org   (2022-07-05)

    Centralized planning is no longer required.

    http://platformed.info/platform-strategy-and-walled-garde...

    platformed.info   (2022-07-05)

    Network Effects Aren’t Enough

    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.

    A Dozen Attributes of a Scalable Business

    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…

    “Platform” risk — Remains of the Day

    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

    Use Co-opetition to Build New Lines of Revenue

    hbr.org   (2022-07-05)

    Just don’t pretend you’re all on the same side.

    Pando: Democratizing career progression

    pando.com   (2022-07-05)

    Democratizing career progression

    http://platformed.info/qa-quora-stack-overflow-mahalo-yah...

    platformed.info   (2022-06-29)

    http://platformed.info/seeding-platform-standalone-square...

    platformed.info   (2022-06-28)

    How to Make a Good Secret Sauce

    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…

    Is There a Platform in Your Product?

    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.

    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-28)

    Three-Dimensional Strategy: Winning the Multisided Platform

    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.

    http://platformed.info/creative-platform-threadless-500px...

    platformed.info   (2022-06-25)

    A Brief History of the Ways Companies Compete

    hbr.org   (2022-06-24)

    Five movements.

    Beyond Disruption

    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 …

    Snapchat’s Ladder

    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.

    10 Places to Find Product-Market Fit

    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.

    Strategy Letter V

    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…

    How To Structure A Marketplace | TechCrunch

    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).

    The Empty Promise of Data Moats | Andreessen Horowitz

    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...

    Anatomy of a managed marketplace | TechCrunch

    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.

    The New Curated Consumer Marketplace Model: 10 Criteria F...

    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 [...]

    Defining Aggregators

    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…

    Building a Marketplace: A Checklist for Online Disruption

    www.slideshare.net   (2022-06-12)

    Building a Marketplace: A Checklist for Online Disruption - Download as a PDF or view online for free

    Alexa: Amazon’s Operating System

    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.

    Economies Of Scale As A Service | TechCrunch

    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.

    Aggregation and the New Regulation

    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…

    Reverse Network Effects: Why Scale Threatens Today’s Soci...

    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.

    The Intentional Network Effects of Uber

    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.

    A Taxonomy of Moats

    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…

    Zapier: The $5B unbundling opportunity

    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.

    The Economics of Data Businesses

    summation.us6.list-manage.com   (2022-03-10)

    How data businesses start, and how they keep going, and growing, and growing.

    This Is Peak Subscription

    www.theatlantic.com   (2022-03-07)

    Forking over another $5 a month is getting pretty old.

    str021.pdf

    www.management.com.ua   (2022-02-19)

    Five Reasons to Sell End-to-End Products in Early Markets...

    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.

    The Tribal Network Effect (nfx #15)

    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.

    Storming Reddit's Moat

    floodstate.substack.com   (2022-02-08)

    A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It

    How we crack the chicken and the egg problem

    medium.com   (2022-01-16)

    Hatching a Design Marketplace from Scratch at Visually

    The power of defaults

    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”.

    White Label Designs – All About Implementation, Design Sy...

    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.

    The Emergence of B2B Raw Material Marketplaces

    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.

    What Spotify and Apple can learn from Chinese podcasting ...

    restofworld.us20.list-manage.com   (2021-09-14)

    Western platforms are still way behind in giving creators (and fans) the tools to succeed.

    The Great Game of Risk Played in Category Creation, and W...

    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?

    Can Apple change ads? — Benedict Evans

    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.

    7 Powers: The Foundations of Business Strategy by Hamilto...

    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 […]

    Distribution and Demand

    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.

    App Store Arguments

    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.

    Spotify’s Surprise

    stratechery.com   (2021-05-01)

    Spotify’s new subscription podcast offerings embrace the open ecosystem of podcasts in multiple ways.

    Why I wouldn't invest in open-source companies, even thou...

    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.

    Enterprise Gateway Marketplaces Will Turn Large Organizat...

    www.nfx.com   (2021-03-02)

    The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.

    How to Eat an Elephant, One Atomic Concept at a Time - kw...

    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 →

    Laws of Tech: Commoditize Your Complement

    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.

    Sustainable Sources of Competitive Advantage · Collaborat...

    www.collaborativefund.com   (2021-01-02)

    This article originally appeared on Fortune.com.

    Why Competitive Advantages Die · Collaborative Fund

    www.collaborativefund.com   (2021-01-02)

    A few factors I’ve seen pull winners off the podium…

    Dan McKinley :: Choose Boring Technology

    mcfunley.com   (2021-01-02)

    Why Content Is King

    divinations.substack.com   (2020-12-22)

    Five Lessons From Dave Chappelle – Stratechery by Ben Tho...

    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.

    A guide to platform fees

    www.theverge.com   (2020-11-03)

    Platforms can build a business, but the businesses have to pay.

    Come for the Network, Pay for the Tool

    subpixel.space   (2020-08-10)

    Paid groups, bespoke social networks, and the meaning of community for internet-native businesses.

    10 Best Ecommerce Platforms Compared & Rated For 2020

    www.ecommerceceo.com   (2020-07-26)

    Our top ecommerce builders are based on objective performance data, feature set & value. Check out ecommerce platforms now.

    What is the business model for DuckDuckGo? (2017) | Hacke...

    news.ycombinator.com   (2020-06-01)

    Moats Before (Gross) Margins

    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...

    How Cameo Turned D-List Celebs Into a Monetization Machine

    marker.medium.com   (2020-03-18)

    Inside the surreal and lucrative two-sided marketplace of mediocre famous people

    When Distribution Trumps Product

    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...

    8 Things to Consider When Building Managed Marketplace Co...

    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,...

    How interchangeable parts revolutionised the way things a...

    www.bbc.com   (2019-12-23)

    One man's desire to create the perfect gun profoundly changed manufacturing.

    HBO’s Corpus of Content and Apple’s Lack Thereof

    500ish.com   (2019-11-02)

    Apple TV+ is cheap and barren. HBO Max is expensive and cheapening their brand. Everyone is confused.

    Japanese manufacturers use decades of experience to domin...

    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...

    Netflix and the Economics of Bundling

    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.

    Disruptive Interfaces & The Emerging Battle To Be The Def...

    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…

    Product innovation is not enough to beat a competitor’s n...

    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…

    Amazon is a boring retailer — Benedict Evans

    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.

    Hidden Networks: Network Effects That Don’t Look Like Net...

    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...

    Bullet Time

    logicmag.io   (2019-07-25)

    An inquiry into how young people are hanging out on the internet.

    The economics of copying

    www.axios.com   (2019-07-09)

    Art has always had a strange relationship with copying.

    Ahead of Its Time, Behind the Curve: Why Evernote Failed ...

    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.

    The Truth About the Scooter Economy — An Insider’s Perspe...

    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…

    $9 Marketing Stack: A Step-by-Step Guide

    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

    Come for the tool, stay for the network

    cdixon.org   (2019-01-20)

    Chris Dixon's blog.

    The Dynamics of Network Effects

    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....

    Shopify App Store: Ecommerce App Marketplace

    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.

    ‘It’s their moat’: How Shopify built an $800 million part...

    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.

    The Approval Economy

    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…

    The Moat Map

    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

    Amazon Marketplace Fears

    www.practicalecommerce.com   (2024-05-27)

    Amazon's marketplace accounts for most of the revenue for thousands of merchants. Therein lies the fear.

    Exclusive | Inside Amazon’s Secret Operation to Gather In...

    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.

    Lessons from More Than 1,000 E-Commerce Pricing Tests

    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.

    ChatGPT Prompts for Customer Personas

    www.practicalecommerce.com   (2024-01-23)

    Identify and target personas of keywords, competitors, Reddit discussions, and more.

    ‘Let’s Go Shopping (LGS)’ Dataset: A Large-Scale Public D...

    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

    19 Open Source Ecommerce Platforms

    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.

    What is RGSP? Google’s Randomized Generalized Second-Pric...

    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.

    eBay rolls out a tool that generates product listings fro...

    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.

    11 free tools for PPC campaign management

    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.

    Four Types of Ecommerce Merchandising That Business Owner...

    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.

    Use ‘Look Inside’ to Sell More Products

    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.

    Thrift shops thrive when disorder is balanced with high s...

    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 ...

    The Future of Ecommerce: How a Product Becomes a Purchase

    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,...

    10 Best Practices for Ecommerce Checkout Design

    dev.to   (2023-03-22)

    Optimizing your ecommerce checkout process is crucial to reduce cart abandonment rates, as it affects...

    How 20 years of Google’s AdSense changed the internet

    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.

    Target Just Announced Something Brilliant That Amazon Can...

    inc.com   (2023-03-10)

    Make it easy for your customers to do business with you.

    Tools to Create, Optimize Meta Descriptions

    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.

    Welcome to the Shoppy Shop

    clicks.getpocket.com   (2023-01-30)

    Why does every store suddenly look the same?

    3 Flaws of Cost-plus Pricing - Practical Ecommerce

    www.practicalecommerce.com   (2023-01-22)

    Cost-plus pricing on the surface seems straightforward. But then market forces intervene.

    Hacker News

    news.ycombinator.com   (2023-01-07)

    Basically everything on Amazon has become an ad

    www.vox.com   (2022-11-15)

    Inside the under-the-radar business that makes more money than Amazon Prime.

    A Complete Taxonomy of Internet Chum - The Awl

    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 ...

    GoodwillFinds.com gives shoppers more reasons to feel goo...

    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?

    Subscriptions are out, refills are in.

    bluepnume.medium.com   (2022-09-18)

    Everything these days is a subscription. And honestly, on reflection, subscriptions are complete horseshit.

    Multi-Objective Ranking for Promoted Auction Items

    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.

    PPC management for e-commerce: 28 tools to explore

    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.

    7 useful Excel formulas and functions for PPC

    searchengineland.com   (2022-08-24)

    Use these tips to quickly analyze performance data and identify high-impact PPC optimizations that will move the needle.

    Elevate Your E-commerce Journey With Animated UX Microint...

    www.toptal.com   (2022-08-17)

    Microinteraction best practices that improve e-commerce UX.

    5 Amazon product listing optimization must-haves

    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.

    How Paper Catalogs Remain Relevant in a Digital Age

    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.

    Piracy Doubled My App Sales

    danielamitay.com   (2022-07-19)

    How to Price Shipping and Handling Fees

    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.

    How to Build an Amazon Affiliate Website - 2024 Guide - M...

    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

    Advanced list building

    jilt.com   (2022-07-18)

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    All Markets Are Not Created Equal: 10 Factors To Consider...

    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…

    Catalogs & Wishbooks

    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.

    Five Questions Companies Should Ask Before Making an Inno...

    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 […]

    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)

    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

    Asking Users to Complete Tough Mudders to Use Your Product

    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?

    Buy Till You Die: Understanding Customer Lifetime Value

    towardsdatascience.com   (2022-07-05)

    The BG/NBD model explained.

    Cross-chain Deals and Adversarial Commerce

    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...

    16 Tools to Manage Your Reputation

    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.

    Applying Luxury Principles to Ecommerce Design

    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.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-06-25)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    Video Tools Archives

    www.practicalecommerce.com   (2022-06-23)

    13 Platforms for Shoppable Video

    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.

    Twitter partners with Shopify to bring merchants' product...

    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

    6 Email Triggers for Max Conversions

    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.

    Packaging Inserts: Types and How To Create Yours (2024) -...

    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.

    21 Examples of Pricing Pages in Web Design

    webdesignledger.com   (2022-06-13)

    Why You’re Never Really Happy With the Things You Buy Any...

    getpocket.com   (2022-06-12)

    Constant bargain hunting makes us value all the wrong things about shopping.

    Product Descriptions: 17 Fresh Writing Angles

    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.

    Digital Advertising Platform for Brands and Agencies | Ad...

    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.

    Past Behavior Does Not Determine Future Purchases | TechC...

    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?

    https://www.blossom.co/blog/5-smart-ways-to-resurrect-you...

    www.blossom.co   (2022-06-07)

    Design

    www.fastcodesign.com   (2022-06-07)

    Find the latest Design news from Fast company. See related business and technology articles, photos, slideshows and videos.

    Rithum: End-to-End E-commerce Solutions for Brands & Reta...

    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.

    SEO: Product Descriptions Are a Blind Spot for Ecommerce ...

    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.

    13 marketing automation tools that can help you boost you...

    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

    When Keyword Poaching Pays Off

    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.

    3 Keyword Tools for Search Intent

    www.practicalecommerce.com   (2022-05-12)

    Optimizing content for organic rankings requires knowing how Google will interpret searchers' intent — informational, commercial, or navigational.

    Fast, Cheap, and Out of Control: Inside Shein’s Sudden Rise

    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.

    Improving Shopping Recommendations for Customers Through ...

    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.

    The Sales Sandwich by @ttunguz

    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.

    Here’s what actually happens to all your online shopping ...

    restofworld.org   (2022-02-18)

    Ordering clothes from Chinese fast-fashion brands like Shein is easy. Sending them back is a lot more complicated

    How to Build an Ecommerce Keyword List

    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.

    Product Photography, Part 14: Optimizing for Speed, Search

    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.

    The “ghost stores” of Instagram

    www.vox.com   (2021-11-03)

    That cute dress you bought off Instagram could be found on Shein, AliExpress, or Amazon for much cheaper.

    The Emergence of B2B Raw Material Marketplaces

    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.

    Why payment apps that thrive in India struggle to succeed...

    restofworld.org   (2021-08-31)

    One fintech veteran from India found out the hard way why “Mexicans love cash.”

    Six emerging trends in product packaging

    retailtechinnovationhub.com   (2021-07-25)

    In the modern business world, there are several businesses releasing similar products into the market.

    16 Tools to Manage Your Reputation

    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.

    Policy Pages, Done Well, Enhance a Brand

    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.

    The life cycle of a viral product

    www.vox.com   (2021-07-07)

    The video app is causing products to blow up — and flame out — faster than ever.

    Improving The Performance Of An Online Store (Case Study)

    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.

    Boxes, trucks and bikes

    www.ben-evans.com   (2021-05-29)

    Should we still be talking about online and offline retail, or about trucks versus boxes versus bikes?

    3 Keys for High-converting Product Descriptions

    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.

    Theoretical Understandings of Product Embedding for E-com...

    arxiv.org   (2021-05-09)

    Evaluating Search Algorithms

    shopify.engineering   (2021-04-02)

    The three-step framework Shopify's Data Science & Engineering team built for evaluating new search algorithms.

    Here’s Why Your Ecommerce Subscriptions Aren’t Selling

    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

    How Shopify Payments Work: All You Want To Know?

    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

    What I wish I knew before building a Shopify App

    ma.ttias.ch   (2021-03-21)

    11 TikTok Video Ideas for Merchants

    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.

    Buyer beware: Massive experiment shows why ticket sellers...

    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

    How A Retail Chain Without A Website Powered Through The ...

    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.

    The art and science of SaaS pricing: True usage-based pri...

    venturebeat.com   (2021-01-10)

    Usage-based pricing can be incredibly powerful, particularly in cases where the SaaS solution handles the flow of money.

    The art and science of SaaS pricing: Finding the right mo...

    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.

    How Amazon’s Business Practices Harm American Consumers: ...

    medium.com   (2021-01-06)

    Why Amazon Needs a Competitor and Why Walmart Ain’t It

    Looks vs. Results: My ugly ad got 150% more clicks than a...

    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

    The Top Affiliate Marketing Networks

    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.

    Lessons from Running a Sale that Earned 3 Month's Profit ...

    www.coryzue.com   (2020-12-10)

    Tips on running successful Black Friday sales for creators and Indie Hackers

    The 11 Best Dropshipping Tools

    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.

    As its ecosystem grows, companies are becoming reliant on...

    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.

    'Growing two times faster than the rest of the market': I...

    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).

    A Guide to Behavioral Segmentation Marketing

    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.

    Managing your product feeds to thrive in a new retail lan...

    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.

    4 Payment Methods to Integrate for the Holidays

    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.

    6 methods for touch-free and remote payments

    www.retaildive.com   (2020-11-03)

    Checking out should be easier, especially now.

    14 Tools to Sell on Facebook and Instagram

    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.

    The First Steps in Adding Ecommerce to a Brick-and-mortar...

    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.

    10 Best Ecommerce Platforms Compared & Rated For 2020

    www.ecommerceceo.com   (2020-07-26)

    Our top ecommerce builders are based on objective performance data, feature set & value. Check out ecommerce platforms now.

    10 Marketplaces to Buy and Sell Ecommerce Sites

    www.practicalecommerce.com   (2020-06-23)

    A ecosystem of buyers, sellers, and brokers creates a thriving M&A market for digital businesses.

    Amazon’s New Competitive Advantage: Putting Its Own Produ...

    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.

    How ceramics brand East Fork transitioned to a pre-sale o...

    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.

    Web Monetization - The Ecosystem

    dev.to   (2020-05-14)

    Greetings, everyone. This post begins a series on Web Monetization and serves to document my learning...

    AliExpress - Online Shopping for Popular Electronics, Fas...

    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.

    ‘It’s bullshit’: Inside the weird, get-rich-quick world o...

    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

    Introducing the Periodic Table of Digital Commerce Marketing

    searchengineland.com   (2020-03-09)

    Packing an astonishing amount of information into an easy-to-digest visual, it's well worth the download.

    Wayfair is all in on logistics

    www.supplychaindive.com   (2020-02-29)

    Executives insist 2020 is the year Wayfair's logistics investments will show their worth.

    How to use returns to build customer loyalty

    www.supplychaindive.com   (2019-12-23)

    Returns are on the rise – here’s what you can do to make it your competitive advantage.

    Hacks, Methods and Tools to Keyword Research for eCommerc...

    t.co   (2019-12-23)

    Learn the exact way that I perform keyword research that generates profitable, scalable ROI for eCommerce stores.

    Free Shipping — Real Life

    reallifemag.com   (2019-08-31)

    Delivery robots will redefine the meaning of every object they transport

    Shopping Cart or Wishlist? Saving Products for Later in E...

    www.nngroup.com   (2019-08-30)

    On ecommerce sites, saving shopping-cart items for possible later purchase must be discoverable and low-effort.

    Buyer UX ecommerce Benchmarking

    docs.google.com   (2019-08-30)

    Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver

    How to Display Taxes, Fees, and Shipping Charges on Ecomm...

    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.

    Applying Discounts and Promotions on Ecommerce Websites

    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.

    How to Negotiate the Price of a Pricey Premium Domain

    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.

    https://t.co/5oaFLodGNL?ssr=true

    t.co   (2019-08-29)

    4 Online Merchandising Hacks to Increase Profits

    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.

    Beginner’s Guide to Product Qualified Leads (PQLs)

    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.

    How SaaS Products Ascend the “Trust Pyramid”

    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.

    Amazon is a boring retailer — Benedict Evans

    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.

    Free SaaS tools for companies on a budget (and a pre-form...

    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.

    7 Gaps in Google Analytics That Require Additional Tools

    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.

    The inherent value of identifiable store traffic

    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.

    Amazon and Target race to revolutionize the cardboard shi...

    www.fastcompany.com   (2019-05-08)

    The box has never looked better.

    Laundry detergent or boxed wine? How e-commerce is changi...

    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.

    Untuckit is using Amazon to offload older styles

    digiday.com   (2019-01-22)

    Untuckit is using Amazon to offload older styles -- preferring the marketplace as an alternative over the traditional outlet store.

    How PopSockets Prospered after Leaving Amazon

    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.

    Shopify App Store: Ecommerce App Marketplace

    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.

    ‘It’s their moat’: How Shopify built an $800 million part...

    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.

    25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages

    sumo.com   (2018-11-26)

    The biggest question in ecommerce A/B testing is not “how.”

    Why the Sharing Economy Has Come to Apparel

    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.

    eCommerce 101: Understanding Shopping Cart Abandonment [w...

    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.

    Service as a SKU | Andreessen Horowitz

    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...

    What PopSugar learned from selling products through text ...

    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.

    The Real Benefit of Amazon Reviews

    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

    Strategy & Implementation of Third-Party Connections in P...

    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…

    10 ways to offer shoppers a discount

    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.

    Indie Hackers: Work Together to Build Profitable Online B...

    www.indiehackers.com   (2018-05-07)

    Connect with developers sharing the strategies and revenue numbers behind their companies and side projects.

    Why sell barbells?

    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,

    Amazon’s systematic approach

    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.

    4 Marketing Lessons from Opening a Brick-and-mortar Store

    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 links
    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.

    Mistakes from my Failed Startup in Scalping Concert Tickets

    www.thediff.co   (2024-11-10)

    And why you will never get Taylor Swift tickets at face value

    What Companies Do Well is Not Necessarily How They Make M...

    capitalgains.thediff.co   (2024-11-02)

    Thoughts on business models that don't seem to make perfect sense

    How To Price A Data Asset

    pivotal.substack.com   (2024-07-30)

    Everything you ever wanted to know about data pricing.

    How annual pre-pay creates an infinite marketing budget

    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.

    Doordash and Pizza Arbitrage

    www.readmargins.com   (2024-06-30)

    There is such a thing as a free lunch

    Simplicity is An Advantage but Sadly Complexity Sells Better

    eugeneyan.com   (2024-05-07)

    Pushing back on the cult of complexity.

    Paris F.C. Set Tickets To $0. Should Others Do the Same?

    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.

    Van Westendorp's Price Sensitivity Meter - Wikipedia

    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.

    Lessons from More Than 1,000 E-Commerce Pricing Tests

    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.

    The Ultimate Guide to B2B SaaS Pricing & Packaging

    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

    Web Monetization Editions | Techdirt

    www.techdirt.com   (2024-02-29)

    WM

    Dynamic Pricing with Multi-Armed Bandit: Learning by Doing!

    towardsdatascience.com   (2023-08-19)

    Applying Reinforcement Learning strategies to real-world use cases, especially in dynamic pricing, can reveal many surprises

    The secret economics of the Birkin bag

    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...

    Here’s How Tool Companies Charge Vastly Different Prices ...

    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.

    Telfar’s Dynamic Pricing Model Offers a New Way to Gauge ...

    retailwire.com   (2023-03-28)

    Telfar has introduced a “Live Price” pricing model based on customer demand.

    Shoppers say secondhand stores like Goodwill are getting ...

    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.

    How One Guy’s Car Blog Became a $1 Billion Marketplace

    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.

    What Product Managers Need To Know About The 0.99 Trick

    theaccidentalpm.com   (2023-02-07)

    AMD is 'Undershipping' Chips To Keep CPU, GPU Prices Elev...

    hardware.slashdot.org   (2023-02-02)

    Who Sets the Prices?

    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.

    ?‍? Why billing systems are a nightmare for engineers

    dev.to   (2023-01-26)

    This article was initially published on Lago's blog, an open-source billing API, and was ranked #1 on...

    3 Flaws of Cost-plus Pricing - Practical Ecommerce

    www.practicalecommerce.com   (2023-01-22)

    Cost-plus pricing on the surface seems straightforward. But then market forces intervene.

    7 Lessons on Dynamic Pricing (Courtesy of Bruce Springsteen)

    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.

    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-25)

    Pricing at Lyft

    eng.lyft.com   (2022-09-24)

    By Yanqiao Wang

    An Old-Fashioned Economic Tool Can Tame Pricing Algorithm...

    www.scientificamerican.com   (2022-08-22)

    Left unchecked, pricing algorithms might unintentionally discriminate and collude to fix prices

    The value of not flying

    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?

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-19)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    http://www.neildavidson.com/downloads/dont-just-roll-the-...

    www.neildavidson.com   (2022-07-19)

    Why We’re Dropping Freemium as a Business Model: Value vs...

    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 […]

    How to Price Shipping and Handling Fees

    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.

    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)

    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.

    Pricing psychology

    jilt.com   (2022-07-18)

    Price Increase By Any Other Name

    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…

    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)

    Antitrust law will have to evolve to cope.

    How Our Brain Determines if the Product is Worth the Price

    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.

    Pay What You Want: The Ultimate Sales Strategy

    medium.com   (2022-07-18)

    How Letting People Choose Their Price Can Make You a Millionaire

    Product Pricing Primer

    ericsink.com   (2022-07-18)

    Pricing Experiments You Might Not Know, But Can Learn From

    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.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    How To Price Your Hardware Product

    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 …

    The Surprising Upside of Expensive Products That Don’t Sell

    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.

    Store Brands Aren’t Just about Price

    hbr.org   (2022-07-18)

    Why stores like Trader Joe’s succeed.

    The Risks of Changing Your Prices Too Often

    hbr.org   (2022-07-18)

    Technology has made it easier, but strategic rules still apply.

    How repositioning a product allows you to 8x its price

    blog.asmartbear.com   (2022-07-18)

    You can charge much more than you think, if you reposition your value-proposition. Here's how.

    Price Unbundling Vs. Product Unbundling

    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…

    http://market-found.com/flavors-freemium/

    market-found.com   (2022-07-18)

    A Quick Guide to Value-Based Pricing

    hbr.org   (2022-07-18)

    Reviewing how to calculate it and dispelling misconceptions.

    If You Want to Raise Prices, Tell a Better Story

    hbr.org   (2022-07-18)

    In a world of abundance, an authentic, meaning-rich story can drive a company’s margins up.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    How to Sell a $300 Chocolate Bar

    api.atlasobscura.com   (2022-07-13)

    Follow the wine playbook.

    5 Pricing Resolutions for 2019 - OpenView

    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.

    If Your Customers Don't Care What You Charge, What Should...

    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.

    A Rake Too Far: Optimal Platform Pricing Strategy

    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…

    3 Steps to Break Out in a Tired Industry

    hbr.org   (2022-07-05)

    Focus, eliminate, replace.

    It’s OK to Move Down (Yes, Down) the Value Chain

    hbr.org   (2022-07-05)

    There is increased efficiency and other benefits to doing so.

    The Most Effective Price Discovery Question for Your Star...

    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.

    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)

    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…

    Secrets Of Freemium Pricing: Make The Cheapskates Pay

    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

    Relearning the Art of Asking Questions

    hbr.org   (2022-07-05)

    Focus on the problem you’re trying to solve.

    Five dynamic pricing issues retailers should consider

    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…

    How to Increase SaaS Pricing (and Quickly Triple Your Gro...

    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) →

    How to Sell High-priced (and High-quality) Products

    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

    How Much Is Michael Bolton Worth to You? (Published 2013)

    www.nytimes.com   (2022-06-28)

    There’s a reason scalpers have confused economists for decades.

    Four Myths of Bundling

    coda.io   (2022-06-28)

    What everyone tends to get wrong about bundling

    Neuro-Menus and Restaurant Psychology

    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.

    Busting Six Myths About Customer Loyalty Programs

    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.

    How do you put a price on your source code?

    arstechnica.com   (2022-06-25)

    Selling software isn’t like selling cars or real estate. Don’t sell yourself short.

    Price Bundling in Couponing

    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 …

    We raised prices to preserve our business model

    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…

    The most beautiful price fence

    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…

    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-24)

    You’re probably not aware of it, but the price of your product includes a risk discount.

    The unpredictable economics of pawn shops

    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.

    SeatGeek will calculate how much that ticket is worth | T...

    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

    When Freemium Fails

    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.

    How To Design Products For People Making $2 A Day - Fast ...

    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.

    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)

    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.

    21 Examples of Pricing Pages in Web Design

    webdesignledger.com   (2022-06-13)

    Why You’re Never Really Happy With the Things You Buy Any...

    getpocket.com   (2022-06-12)

    Constant bargain hunting makes us value all the wrong things about shopping.

    Pricing Your Product

    www.sequoiacap.com   (2022-06-12)

    https://sergionajera.com/dont-think-of-price-think-of-cos...

    sergionajera.com   (2022-06-10)

    The Engineering of the Chain Restaurant Menu

    www.theatlantic.com   (2022-06-07)

    At IHOP and Applebee's, menus are sales documents. And navigational guides. And explainers. 

    The Pricing Model That Increased Our Free Trial Signups b...

    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.

    Pricing on Purpose (Summary)

    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...

    Pricing Psychology: A List of Tactics

    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.

    http://limedaring.com/articles/how-i-run-a-marketplace-wi...

    limedaring.com   (2022-03-16)

    Implementing Usage-Based Pricing: What Your Financial Tea...

    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

    This Is Peak Subscription

    www.theatlantic.com   (2022-03-07)

    Forking over another $5 a month is getting pretty old.

    Tearing Down the Pricing of Dollar Shave Club and Gillette

    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.

    How Artists Use Psychology to Price a Painting

    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.

    The Wild, Wonderful World of Estate Sales

    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.

    There’s Still Profit Potential in Your Low-Profit Customers

    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.

    Science Says

    tips.ariyh.com   (2021-06-17)

    3-min marketing recommendations from the latest scientific research. Join 30,000+ marketers, for $0.

    When should you kill a product? 4 lessons from GitLab’s s...

    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.

    Buyer beware: Massive experiment shows why ticket sellers...

    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

    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-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.

    The art and science of SaaS pricing: True usage-based pri...

    venturebeat.com   (2021-01-10)

    Usage-based pricing can be incredibly powerful, particularly in cases where the SaaS solution handles the flow of money.

    The art and science of SaaS pricing: Finding the right mo...

    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.

    Mark Stiving on Value Based Pricing and Price Segmentation

    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.

    A guide to platform fees

    www.theverge.com   (2020-11-03)

    Platforms can build a business, but the businesses have to pay.

    Auction Prices That Take Your Breath Away

    www.nytimes.com   (2020-11-03)

    Prices for works by some relatively new artists have skyrocketed, seemingly overnight.

    How I learned to charge my customers

    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

    Pricing with 4 & 9 Scientific Strategies

    towardsdatascience.com   (2020-06-01)

    Sunday Strategist: Why So Many Things Cost Exactly Zero

    www.bloomberg.com   (2020-01-21)

    Breaking down the boldest bets in business

    A 2020 guide to smart discounting

    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.

    Pricing algorithms can learn to collude with each other t...

    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…

    Changing Your Pricing Model: How Hired Went from a Transa...

    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.

    Applying Discounts and Promotions on Ecommerce Websites

    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.

    How to Negotiate the Price of a Pricey Premium Domain

    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.

    Value Delivery Patterns Shape Your Pricing Choices

    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.

    How Retailers Use Personalized Prices to Test What You’re...

    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.

    Dynamic pricing: Using digital and analytics to take valu...

    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.

    5 Pricing Resolutions for 2019

    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.

    The Power of Price Points

    www.strategy-business.com   (2018-10-17)

    Customer segmentation is not just a revenue tool, but also a way to achieve excellence in execution.

    Creating value at industrial companies through advanced p...

    www.mckinsey.com   (2018-08-27)

    Faced with tough competition and uncertainty in raw-material prices, industrial companies must reset their pricing architecture.

    When Cost-Plus Pricing Is a Good Idea

    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.

    10 ways to offer shoppers a discount

    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/startup links
    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

    Pilot’s Path to Product-Market Fit — Three-Peat Founders ...

    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).

    How to be a Consultant, a Freelancer, or an Independent C...

    jacquesmattheij.com   (2023-07-18)

    WTF is Marketplace Liquidity?

    medium.com   (2023-03-12)

    Methodologies for understanding and measuring marketplace liquidity

    ?‍? Why billing systems are a nightmare for engineers

    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 - kuchin/awesome-cto: A curated and opinionated li...

    github.com   (2022-12-10)

    A curated and opinionated list of resources for Chief Technology Officers, with the emphasis on startups - kuchin/awesome-cto

    Why you should start a company

    www.axios.com   (2022-12-09)

    Few things are more liberating or intoxicating than controlling your own fate.

    Pollen’s enormous debt left behind: exclusive details

    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.

    How Product Strategy Fails in the Real World — What to Av...

    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.

    A Taxonomy of Drawdowns

    www.thediff.co   (2022-09-15)

    Plus! Watercooler Shows; Smart Thermostats; Substitutes and Complements; Monetization; Apple Ads; Diff Jobs

    SaaS spend ratios on R&D/S&M/G&A

    blossomstreetventures.medium.com   (2022-09-12)

    Find The Fast Moving Water

    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.

    Two-Sided Networks in Healthcare, a Founder’s Playbook

    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...

    The 11 Risks VCs Evaluate by @ttunguz

    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.

    Why You Can't Settle For The "Minimum" In Your Minimum Vi...

    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.

    Test your startup idea!

    blog.hubstaff.com   (2022-07-19)

    Hubstaff founder Dave Nevogt shares how to test your startup idea by analyzing model, market and concept.

    3 Strategies To Building a Marketplace Startup | SaaS Aca...

    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

    ‘Give Away Your Legos’ and Other Commandments for Scaling...

    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.

    http://platformed.info/how-to-get-startup-ideas/

    platformed.info   (2022-07-18)

    Startup Therapy: Ten questions to ask yourself every month

    blog.asmartbear.com   (2022-07-18)

    57 startup lessons

    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.

    What’s Next for Marketplace Startups? | Andreessen Horowitz

    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...

    30 Useful Tools for Growth Hackers and Startups

    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…

    Lessons learned from scaling a product team

    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.

    10 Data Acquisition Strategies for Startups

    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…

    Cash is a fact, profit is an opinion

    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…

    Watching an acquirer ruin your company - by Jon Christensen

    startupwin.kelsus.com   (2022-07-04)

    What happens on the other side of the acquisition doesn't get much startup press

    Steve Blank Fear of Failure and Lack of Speed In a Large ...

    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…

    Picking a Market

    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…

    Do Things that Don't Scale

    paulgraham.com   (2022-06-25)

    Why Dyson's robot vacuum took 16 years, and why it's head...

    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.

    Startup Metrics for Pirates

    www.slideshare.net   (2022-06-08)

    Startup Metrics for Pirates - Download as a PDF or view online for free

    Zapier: The $5B unbundling opportunity

    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.

    A case study in early-stage startup execution

    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.

    23 Tactical Company Building Lessons, Learned From Scalin...

    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.

    http://limedaring.com/articles/how-i-run-a-marketplace-wi...

    limedaring.com   (2022-03-16)

    The Economics of Data Businesses

    summation.us6.list-manage.com   (2022-03-10)

    How data businesses start, and how they keep going, and growing, and growing.

    Why I changed my mind about advertising | The Sample blog

    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.

    The Highest Paid Person's Opinion

    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.

    Mailchimp: Ben Chestnut

    open.spotify.com   (2021-07-24)

    How I Built This with Guy Raz · Episode

    Numi Organic Tea: Reem Hassani and Ahmed Rahim

    open.spotify.com   (2021-07-24)

    Expedia & Zillow: Rich Barton

    open.spotify.com   (2021-07-24)

    How I Built This with Guy Raz · Episode

    Policygenius: Jennifer Fitzgerald

    open.spotify.com   (2021-07-24)

    How I Built This with Guy Raz · Episode

    Why Build Toys

    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...

    We replaced rental brokers with software

    caretaker.com   (2021-07-10)

    Check the requirements, book the viewing, let yourself in, and submit your application, all without emails or phone tag.

    The Right Way to Ship Software | First Round Review

    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.

    Enterprise Gateway Marketplaces Will Turn Large Organizat...

    www.nfx.com   (2021-03-02)

    The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.

    The Abandoned Side Project That Quietly Turned Into a $70...

    entrepreneurshandbook.co   (2021-03-02)

    Reddit: Organized Lightning | The Generalist

    www.readthegeneralist.com   (2021-03-01)

    One of social media's oldest companies is also its most undervalued.

    Start with a Niche

    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.

    What leader(s) over your product career truly changed how...

    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."

    Instacart Survived Covid Chaos — But Can It Keep Deliveri...

    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.

    Hacker News

    tjcx.me   (2021-01-19)

    When good ideas make bad business

    What Bill Gurley Saw - Commonplace - The Commoncog Blog

    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.

    Startup Idea Validation Tools

    www.starterscode.com   (2020-12-18)

    The economics of vending machines

    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.

    Sweatpants Forever: How the Fashion Industry Collapsed (P...

    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?

    Patio11’s Law

    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

    https://kamerontanseli.ghost.io/first-it-was-craiglist-ne...

    kamerontanseli.ghost.io   (2020-05-10)

    How to brainstorm great business ideas

    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...

    Startup Economic Lessons from Shen Yun’s Empire — Packy M...

    www.packym.com   (2020-02-19)

    You probably think startups have nothing in common with a classical Chinese dance performance. You’re wrong.

    A startup built around building materials: Yesler marketp...

    www.geekwire.com   (2020-02-03)

    Matt Meyers spent two decades at Weyerhaeuser dealing with product engineering, manufacturing, software engineering, product development, sales and

    Canva’s Digital Growth Strategy

    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

    Elad Blog: A Brief Guide To Startup Pivots (4 Types Of Pi...

    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).

    Startup Benchmarks

    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…

    This researcher studied 400,000 knitters and discovered w...

    www.washingtonpost.com   (2019-08-31)

    An MIT Sloan Ph.D. candidate discovered what turned skilled hobbyists into entrepreneurs.

    The Subtle Art of User Onboarding & Adoption

    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.

    The 4 Stages of 0->1 Products

    medium.com   (2019-08-29)

    This was first published on my mailing list The Looking Glass. Every week, I answer a reader’s question.

    How Duolingo Built a $700 Million Company Without Chargin...

    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

    That Time a Guy Cornered the Liquid Soap Market by Sneaki...

    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 [...]

    The Camera as the App Layer

    500ish.com   (2019-05-12)

    Your phone increasingly knows what you’re taking a picture of. And which apps you have installed. So…

    What Seven Years at Airbnb Taught Me About Building a Bus...

    medium.com   (2019-04-27)

    Create strong culture, stay laser-focused on problems, and set wildly ambitious goals

    The Truth About the Scooter Economy — An Insider’s Perspe...

    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…

    9 Habits of World Class Startups

    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.

    Don't Pay to Acquire Your First Users

    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

    How PopSockets Prospered after Leaving Amazon

    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.

    Speed as a Habit

    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.

    "Disciplined Entrepreneurship" by Bill Aulet (Book Summary)

    tech.co   (2018-09-13)

    Building an Empire with a Single Brick: Meet Patrick McKe...

    blog.bench.co   (2016-10-03)

    Accounting, bookkeeping, and tax tips to help you understand your small business finances.


    -->
    prodmgmt/analytics links
    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.

    The Amazon Weekly Business Review

    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.

    Lessons from More Than 1,000 E-Commerce Pricing Tests

    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.

    What’s an Operational Definition Anyway?

    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.

    Congrats on your Customer Lifetime Value prediction model...

    towardsdatascience.com   (2023-08-20)

    An obsessively detailed guide to Customer Lifetime Value techniques and real-world applications

    11 free tools for PPC campaign management

    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.

    List: Marketing Mix Modeling | Curated by Abhijeet Talaul...

    medium.com   (2023-07-29)

    8 stories · A guide to building an end-to-end marketing mix optimization solution for your organization.

    Uplift Modeling — A Data Scientist’s Guide to Optimizing ...

    towardsdatascience.com   (2023-07-23)

    Applying causal machine learning to trim the campaign target audience

    Evaluating Uplift Models

    towardsdatascience.com   (2023-07-22)

    How to compare and pick the best uplift model

    What is Cohort Analysis in Data Science

    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?

    Uplift Modeling with Cost Optimization

    towardsdatascience.com   (2023-03-19)

    How to adjust CATE to consider costs associated with your treatments

    25 A/B Testing Concepts — Interview Cheat Sheet

    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…

    https://www.analyticbridge.datasciencecentral.com/profile...

    www.analyticbridge.datasciencecentral.com   (2022-11-05)

    Be critical or be corrupted

    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

    Be good-argument-driven, not data-driven

    twitchard.github.io   (2022-09-03)

    Software culture and the abuse of data

    7 useful Excel formulas and functions for PPC

    searchengineland.com   (2022-08-24)

    Use these tips to quickly analyze performance data and identify high-impact PPC optimizations that will move the needle.

    Pipeline Analysis Playbook

    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.

    5 Amazon product listing optimization must-haves

    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.

    Test Your Product On A Crappy Laptop | CSS-Tricks

    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

    Running Marketing Experiments with Purpose

    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,

    How to use 12 micro intents for SEO and content journey m...

    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.

    Pricing Experiments You Might Not Know, But Can Learn From

    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.

    https://blog.keen.io/how-to-do-a-retention-analysis-26d3f...

    blog.keen.io   (2022-07-18)

    Growth Hacking Checklist

    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 ...

    3 pitfalls of PPC experiments

    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.

    Startup Metrics, a love story. All slides of an 6h Lean A...

    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

    Multivariate vs. A/B Testing: Incremental vs. Radical Cha...

    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.

    6 Email Triggers for Max Conversions

    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.

    Reforge

    www.reforge.com   (2022-06-13)

    https://trafficiscurrency.com/product-qualified-leads/

    trafficiscurrency.com   (2022-06-13)

    What Is Conjoint Analysis, and How Can It Be Used?

    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.

    9 Common Types of Conjoint Analysis and How To Use Them

    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!

    Startup Metrics for Pirates

    www.slideshare.net   (2022-06-08)

    Startup Metrics for Pirates - Download as a PDF or view online for free

    13 marketing automation tools that can help you boost you...

    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

    When Keyword Poaching Pays Off

    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.

    Google brand SERPs: Why you must dominate People Also Ask

    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.

    The Sales Sandwich by @ttunguz

    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.

    Why You Only Need to Test with 5 Users

    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.

    7 Ways Experiments Break

    link.medium.com   (2021-12-09)

    Common mistakes to avoid when you’re getting started with experimentation

    Evan's Awesome A/B Tools - sample size calculator, A/B te...

    www.evanmiller.org   (2021-10-17)

    Boxes, trucks and bikes

    www.ben-evans.com   (2021-05-29)

    Should we still be talking about online and offline retail, or about trucks versus boxes versus bikes?

    The Two Flavors Of Churn You Need To Know - Crunchbase News

    news.crunchbase.com   (2021-05-18)

    Net dollar churn is a more value-driven way of looking at churn.

    Oliver Palmer | You probably don’t need A/B testing

    oliverpalmer.com   (2021-03-22)

    The best way to optimise your website is usually the simplest.

    Buyer beware: Massive experiment shows why ticket sellers...

    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

    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)

    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.

    Features

    www.psl.com   (2020-01-22)

    PSL Features

    I've Built Multiple Growth Teams. Here's Why I Won't Do I...

    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.

    How To Design Profitable Sales Funnels On Mobile

    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.

    Using Experiments to Launch New Products

    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.

    7 Gaps in Google Analytics That Require Additional Tools

    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.

    $9 Marketing Stack: A Step-by-Step Guide

    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

    How to Respond to Skepticism of Testing Small Groups of U...

    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.

    Evidence scores — the acid test of your ideas

    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…

    https://t.co/jaEWMYfgXr?ssr=true

    t.co   (2019-01-12)

    25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages

    sumo.com   (2018-11-26)

    The biggest question in ecommerce A/B testing is not “how.”

    The Best Product Teams Crave Truth and Do Math

    www.insightpartners.com   (2018-09-05)

    Understanding the value of your customer: CLV 101

    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 links
    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.

    The Future of Ecommerce: How a Product Becomes a Purchase

    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,...

    Sponsorship Definition & Meaning | Dictionary.com

    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!

    How Paper Catalogs Remain Relevant in a Digital Age

    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.

    How Two Companies Hooked Customers On Products They Rarel...

    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.

    How to Build an Amazon Affiliate Website - 2024 Guide - M...

    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

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    Five Questions Companies Should Ask Before Making an Inno...

    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 […]

    Anatomy of a Product Placement (Published 2022)

    www.nytimes.com   (2022-07-05)

    As consumers skip ads and streaming content balloons, brands aim to be everywhere all at once.

    3 pitfalls of PPC experiments

    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.

    5 Little-Known Lead Generation Hacks

    medium.com   (2022-06-24)

    Traffic sucks.

    Luxury groups ponder ways to get rid of their unsold inve...

    www.economist.com   (2022-06-23)

    Other than slashing prices

    How to Market Taboo Products

    www.entrepreneur.com   (2022-06-23)

    Tips from successful campaigns promoting everything from shapewear to prostate health.

    Customer-Channel Fit: How to Identify the Right B2B SaaS ...

    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.

    13 marketing automation tools that can help you boost you...

    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

    When Keyword Poaching Pays Off

    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.

    The Package Is the Message

    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.

    Marks & Spencer and Whole Foods Show Why Food Package Des...

    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.

    Finding Language/Market Fit: How to Make Customers Feel L...

    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.

    A Quickstart Guide to Positioning - April Dunford

    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.

    White Label Designs – All About Implementation, Design Sy...

    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.

    There's a Giant Warehouse Full of Product Launches That F...

    www.smithsonianmag.com   (2021-10-14)

    Not open to the public, this expansive archive schools marketers in the art of pitchmanship

    The unique culture of Japanese convenience stores - BBC T...

    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?

    Science Says

    tips.ariyh.com   (2021-06-17)

    3-min marketing recommendations from the latest scientific research. Join 30,000+ marketers, for $0.

    We're leaking, and everything's fine: How and why compani...

    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:

    The Art Of Deliberately Leaking Corporate Secrets

    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.

    How To Leverage a Beta Product Leak | Centercode

    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 […]

    The economics of movie product placements

    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?

    Product Packaging designs so innovative, they make it imp...

    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

    The Top Affiliate Marketing Networks

    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.

    Lessons from Running a Sale that Earned 3 Month's Profit ...

    www.coryzue.com   (2020-12-10)

    Tips on running successful Black Friday sales for creators and Indie Hackers

    Introducing the Periodic Table of Digital Commerce Marketing

    searchengineland.com   (2020-03-09)

    Packing an astonishing amount of information into an easy-to-digest visual, it's well worth the download.

    https://www.cooper.com/journal/2017/7/people-dont-buy-you...

    www.cooper.com   (2019-05-29)

    Why Dollar Tree has struggled to grow Family Dollar

    digiday.com   (2019-03-07)

    Dollar Tree has struggled to grow Family Dollar because of its different business model.

    What PopSugar learned from selling products through text ...

    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.

    The Power of a Free Popsicle | Stanford Graduate School o...

    www.gsb.stanford.edu   (2018-03-05)

    How Spending $20,000 on a Domain Name Uncovered an Incred...

    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.

    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)

    To build word of mouth, try these strategies.

    The Psychological Difference Between $12.00 and $11.67 - ...

    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 links
    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.

    Product Management Insights: Understanding Your Users

    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.

    The size of your backlog is inversely proportional to how...

    bitbytebit.substack.com   (2024-01-23)

    Lessons learned from a year of startup life.

    Why asking your customers what they want doesn't work

    techbooks.substack.com   (2024-01-01)

    And how can you figure it out what they really need

    Five Powerful Prioritization Techniques from Product Mana...

    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.

    The Future of Ecommerce: How a Product Becomes a Purchase

    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,...

    Steve Blank Mapping the Unknown – The Ten Steps to Map An...

    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…

    Opportunity Solution Tree

    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.

    Index

    www.talkingtohumans.com   (2022-07-19)

    Stop Validating and Start Falsifying

    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...

    Maybe the Voice of the Customer Isn’t - Futurelab.net

    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.

    Test your startup idea!

    blog.hubstaff.com   (2022-07-19)

    Hubstaff founder Dave Nevogt shares how to test your startup idea by analyzing model, market and concept.

    The right type of customer conversations

    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.

    The short head, the long tail and buying expensive scaffo...

    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…

    Customers Don't Know What They Want—Until They See It

    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.

    The Ultimate List of Customer Development Questions

    mfishbein.com   (2022-07-18)

    It's OK To Ask "Would You Use This" in Customer Discovery

    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.

    Steve Blank How to Be Smarter than Your Investors – Conti...

    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…

    Quizzes are free data mining tools for brands - Marketplace

    www.marketplace.org   (2022-07-17)

    An online Game of Thrones quiz got a million online hits for HBO.

    The Most Effective Price Discovery Question for Your Star...

    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.

    Who is good at discovery?

    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…

    How to get your first 10 customers

    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

    'Get in the Van' and Other Tips for Getting Meaningful Cu...

    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.

    The problem with ‘5 whys’

    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 …

    70 meetings and calls later: How I achieved customer inte...

    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/…

    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)

    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.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-06-23)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    Argue with your customers - Rockstar Coders

    www.rockstarcoders.com   (2022-06-23)

    The One Conversational Tool That Will Make You Better At ...

    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.

    Forrester

    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

    momtestbook.com   (2022-06-13)

    Sometimes It’s Not the Change They Hate — Users Know

    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.

    A Guide To Validating Product Ideas With Quick And Simple...

    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.

    7 Ways Experiments Break

    link.medium.com   (2021-12-09)

    Common mistakes to avoid when you’re getting started with experimentation

    The Design Leadership Playbook: How to Hire, Onboard & Ma...

    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.

    Report Card Writer: What I’ve Learned from One Year of Us...

    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.

    We Can’t Schedule Innovation, But We Can Schedule Discovery

    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

    The 3 Minutes It Takes To Read This Will Improve Your Con...

    getpocket.com   (2021-03-04)

    How to ask better questions.

    The Founder’s Guide to Actually Understanding Users

    mgadams.com   (2020-12-18)

    Parked Domain name on Hostinger DNS system

    amanjain.substack.com   (2020-11-29)

    The amazing value of early and cheap product experiments ...

    medium.com   (2020-11-03)

    It’s so important to test your new product idea long before you feel ready.

    Product Metrics: Key Insights for Discovery

    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.

    How Tuesday Morning went bankrupt

    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.

    Why you need customer development

    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.

    https://www.digitalrepublik.com/digital-marketing-newslet...

    www.digitalrepublik.com   (2019-12-26)

    The Surprising Value of Obvious Insights

    sloanreview.mit.edu   (2019-02-21)

    Confirming what people already believe can sometimes help organizations overcome barriers to change.

    Pain Points - Studio Fellow

    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 links
    categories:
    tags: behaviors  prodmgmt 
    date: 26 Mar 2025
    slug:raindrop-prodmgmt-behaviors
    www.thedial.world   (2024-06-11)

    A day at Shanghai Disneyland.

    Who Still Buys Wite-Out, and Why?

    getpocket.com   (2024-06-01)

    Correction fluids have improbably outlasted the typewriter and survived the rise of the digital office.

    To Make Your Product a Habit, Start With These Powerful T...

    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.

    The Shirky Principle: Institutions Try to Preserve the Pr...

    effectiviology.com   (2024-02-29)

    Psychology for UX: Study Guide

    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.

    The secret economics of the Birkin bag

    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...

    A Complete Taxonomy of Internet Chum - The Awl

    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 ...

    The value of not flying

    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?

    How Two Companies Hooked Customers On Products They Rarel...

    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.

    Clay Christensen’s Milkshake Marketing

    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.

    What Really Makes Customers Buy a Product

    hbr.org   (2022-07-18)

    It can be more important than word of mouth.

    Signaling as a Service

    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

    Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...

    behavioralscientist.org   (2022-07-18)

    New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.

    How to Make Your Product Scientifically Irresistible | Ga...

    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.

    How Our Brain Determines if the Product is Worth the Price

    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.

    Are you outspoken at work? How to use your voice – and no...

    ideas.ted.com   (2022-07-18)

    Hello, my name is Andrew, and I can’t stop disagreeing.

    How Self-Service Kiosks Are Changing Customer Behavior

    hbr.org   (2022-06-28)

    From ATMs to automated checkouts to fast food.

    An Exercise to Help Your Team Feel More Comfortable with ...

    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.

    How to Market Taboo Products

    www.entrepreneur.com   (2022-06-23)

    Tips from successful campaigns promoting everything from shapewear to prostate health.

    Sometimes It’s Not the Change They Hate — Users Know

    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.

    How Artists Use Psychology to Price a Painting

    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.

    Storming Reddit's Moat

    floodstate.substack.com   (2022-02-08)

    A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It

    Do We Create Shoplifters? - Unintended Consequences

    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?

    How to think like a detective | Psyche Guides

    psyche.co   (2021-04-22)

    The best detectives seem to have almost supernatural insight, but their cognitive toolkit is one that anybody can use

    15 Years of Spotify: How the Streaming Giant Has Changed ...

    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.

    The Decoy Effect: How You Are Influenced to Choose Withou...

    getpocket.com   (2021-02-21)

    Think you got a good deal? Look again.

    How to be more productive without forcing yourself

    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.

    Forming Experimental Product Hypotheses | by Chris Compst...

    medium.com   (2020-11-03)

    An introduction to forming hypothesis statements for product experimentation.

    Four Ways to Use Psychology to Win Your Competition's Cus...

    getpocket.com   (2020-11-03)

    Some products sell themselves, but habits don’t. They require a bit of finesse.

    Are you outspoken at work? How to use your voice – and no...

    getpocket.com   (2020-10-28)

    Hello, my name is Andrew, and I can’t stop disagreeing.

    How OKRs can make you a better leader

    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.

    Ask a researcher: How do needs drive intent?

    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.

    Hooked on Loot Boxes: How Behavioral Design Gets Gamers

    medium.com   (2019-08-31)

    Nir Eyal’s Hooked Model explains how games keep players coming back.

    https://t.co/5oaFLodGNL?ssr=true

    t.co   (2019-08-29)

    15 Steps to Understand & Influence User Behavior: A Deep ...

    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.

    Why we buy the things we buy

    www.vox.com   (2018-09-12)

    The mysteries of consumer behavior, explained by ice cream and independent bookstores.

    The Power of a Free Popsicle | Stanford Graduate School o...

    www.gsb.stanford.edu   (2018-03-05)

    -->
    prodmgmt/programming links
    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...

    🤖 50+ Product Management Prompts for ChatGPT-4

    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." 😂

    Tools to Create, Optimize Meta Descriptions

    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.

    How to create a product roadmap using the PriX method

    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

    Psychological profiling for content creation: A deep dive

    searchengineland.com   (2022-11-06)

    Having a psychological approach to creating content helps you craft more effective messages to the right audience.

    PPC management for e-commerce: 28 tools to explore

    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.

    Pipeline Analysis Playbook

    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.

    Go-to-Market Plan Template

    docs.google.com   (2022-07-19)

    Go-to-Market Plan [Product Name] [author1@, author2@...] Last Updated: [ _/_/_ ]

    The Complete Guide to Building the Perfect Sales Stack

    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…

    Marketing Stacks

    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

    The short head, the long tail and buying expensive scaffo...

    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…

    30 Useful Tools for Growth Hackers and Startups

    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…

    kevinyien: PRD Template

    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...

    Best Product Management Tools in 2024[Review]

    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...

    What are some methods and tools for analyzing customer di...

    www.quora.com   (2022-06-23)

    Video Tools Archives

    www.practicalecommerce.com   (2022-06-23)

    The 87 Most Essential Tools For Data-Driven Product Manag...

    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.

    Setting UX Roles and Responsibilities in Product Developm...

    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.

    33 powerful tools to get the most out of your users

    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.

    Rithum: End-to-End E-commerce Solutions for Brands & Reta...

    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.

    Choose Boring Technology

    boringtechnology.club   (2022-06-01)

    13 marketing automation tools that can help you boost you...

    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

    3 Keyword Tools for Search Intent

    www.practicalecommerce.com   (2022-05-12)

    Optimizing content for organic rankings requires knowing how Google will interpret searchers' intent — informational, commercial, or navigational.

    The 87 Most Essential Tools For Data-Driven Product Manag...

    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.

    Focalboard – a self-hosted alternative to Trello, Notion,...

    www.focalboard.com   (2021-03-18)

    How to Eat an Elephant, One Atomic Concept at a Time - kw...

    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 →

    The 9 best landing page builders in 2020 | Zapier

    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.

    Search | StackShare | StackShare

    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.

    A two-person startup already uses twenty-eight other tool...

    news.ycombinator.com   (2020-03-09)

    There’s an App for That: A Guide to the Product Managemen...

    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.

    Assembly required – 45 sales tools to build the ultimate ...

    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.

    The Ultimate Product Led Growth Resources Guide

    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.

    amborle/featmap: The simple user story mapping tool

    github.com   (2019-08-22)

    The simple and open source user story mapping tool. - amborle/featmap

    Free SaaS tools for companies on a budget (and a pre-form...

    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 links
    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.

    Psychology for UX: Study Guide

    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.

    The Uses of Friction

    www.thediff.co   (2022-12-06)

    Plus! Market-Making; Poaching and Equity Currency; China's Covid Economy; The Cost of AI; Friendshoring; Diff Jobs

    Design System Glossary – 34 Powerful Terms You Should Know

    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.

    The two types of quality // Zeno Rocha

    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.

    Elevate Your E-commerce Journey With Animated UX Microint...

    www.toptal.com   (2022-08-17)

    Microinteraction best practices that improve e-commerce UX.

    Anatomy of a Great User Story

    productcoalition.com   (2022-07-05)

    How to tell your product’s tale

    Hacker News

    uxdesign.cc   (2022-07-02)

    What we can learn from technology that’s designed to be stepped on

    How Lumosity Spiked Active Users 10% with Complexity, Not...

    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.

    Setting UX Roles and Responsibilities in Product Developm...

    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.

    Why So Many Luxury Brands Are Terrible at Ecommerce

    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.

    Awesome Package Design Blogs to Inspire Your Work

    creativemarket.com   (2022-02-24)

    If you’re a creative entrepreneur who understands the power of branding in your packaging design, you’re already

    Storming Reddit's Moat

    floodstate.substack.com   (2022-02-08)

    A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It

    10 UX lessons I learned building my product from scratch

    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

    Eight Habits of Expert Software Designers: An Illustrated...

    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.

    The Experience Economy

    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.

    If you Run a Small Business Park In the Back of the Parki...

    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.

    Do We Create Shoplifters? - Unintended Consequences

    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?

    Great products do less, but better

    uxdesign.cc   (2022-01-17)

    When feature bloat can hurt more than help your business goals.

    'Users hate change'

    gist.github.com   (2022-01-17)

    'Users hate change' · GitHub

    'The most effective technology is technology that no one ...

    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.

    Recognize Strategic Opportunities with Long-Tail Data

    www.nngroup.com   (2021-12-12)

    Be a strategic thinker by recognizing opportunities at scale with seemingly small and insignificant data.

    The Vinyl Renaissance: Take Those Old Records Off the Shelf

    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.

    The end of “click to subscribe, call to cancel”? One of t...

    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.

    White Label Designs – All About Implementation, Design Sy...

    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.

    A Thread from @Tocelot: "The best apps today are games in...

    threader.app   (2021-03-15)

    Get a selection of good threads from Twitter every day

    Building Products at Airbnb - Bring the Donuts Newsletter

    newsletter.bringthedonuts.com   (2021-03-15)

    Top Product Management and UX Articles of 2020

    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…

    Ask a researcher: How do needs drive intent?

    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.

    Buyer UX ecommerce Benchmarking

    docs.google.com   (2019-08-30)

    Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver

    Disruptive Interfaces & The Emerging Battle To Be The Def...

    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…

    People, Products, and Epiphanies – Google Design – Medium

    medium.com   (2019-04-21)

    How a user-first culture led to a decade of eureka moments at Google UX

    How to Respond to Skepticism of Testing Small Groups of U...

    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.

    The Power of a Free Popsicle | Stanford Graduate School o...

    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.

    “The Woman Who Came From the Sky” — Meet Valérie André, t...

    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...

    Searching for the Cause of a Catastrophic Plane Crash | T...

    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.

    In Defense of the Rat

    hakaimagazine.com   (2024-02-03)

    Rats are less pestilent and more lovable than we think. Can we learn to live with them?

    Has Amelia Earhart’s plane really been found?

    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.

    Ada Blackjack Kept Going After Everyone Else on Wrangel I...

    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...

    The Race to Catch the Last Nazis | GQ

    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.

    Roundtable

    www.laphamsquarterly.org   (2023-08-27)

    The Elusive, Maddening Mystery of the Bell Witch - Atlas ...

    www.atlasobscura.com   (2023-08-05)

    A classic ghost story has something to say about America—200 years ago, 100 years ago, and today.

    Demon Core: The Strange Death of Louis Slotin - The New Y...

    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.

    The Titanic of the Pacific - The Atavist Magazine

    magazine.atavist.com   (2023-05-03)

    A tale of disaster, survival, and ghosts.

    How America's Beloved Meyer Lemon Caused a Mid-Century Ci...

    www.atlasobscura.com   (2023-04-13)

    The fragrant fruit hid a dark secret.

    What Really Happened After the Mutiny on the Bounty?

    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 [...]

    Crime of the Centuries

    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.

    Adam Shatz · Beyond Borders: Adolfo Kaminsky’s Forgeries

    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...

    The brief but shining life of Paul Laurence Dunbar, a poe...

    theconversation.com   (2023-03-17)

    Paul Laurence Dunbar became the first Black writer to earn international acclaim through his poetry, essays and musical lyrics.

    Why don't humans have fur?

    www.bbc.com   (2023-03-11)

    Most mammals, including our closest living relatives, have fur. So why did we lose ours?

    The blast furnace - 800 years of technology improvement

    constructionphysics.substack.com   (2023-02-25)

    The modern world uses shocking amounts of steel.

    The Alchemy of Air: A Jewish Genius, a Doomed Tycoon, and...

    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

    The True Story of Lawrence of Arabia

    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

    An Undiscovered Coronavirus? The Mystery of the ‘Russian ...

    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.

    The Richest Athlete of All Time Did Nothing With His Weal...

    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.

    The Real Warriors Behind 'The Woman King'

    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

    The Missing Chinese Machine Revolution

    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?

    Was King Arthur a Real Person?

    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?

    Five Lessons from History

    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…

    She was a global superstar. She was a world-class spy.

    www.trulyadventure.us   (2022-08-22)

    The story of Josephine Baker.

    The Tip-Off From a Nazi That Saved My Grandparents

    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.

    The Night That Grasshoppers Killed Texas League Baseball

    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.

    Hacker News

    www.cryptomuseum.com   (2022-07-05)

    A Mystery That Took 13,200 Years to Crack

    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.

    Hong Kong’s Floating Restaurant Sinks at Sea, Laden With ...

    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.

    Visiting Vladimir Putin’s Lost Russia

    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?

    ‘People took so many drugs, they forgot they played on it...

    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

    The Cult of Adam Tooze

    nymag.com   (2022-03-31)

    How the impeccably credentialed, improbably charming economic historian supplanted the dirtbag left.

    How national identities are invented

    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.

    Wonders and warnings from the ancient world | Daisy Dunn ...

    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…

    Finding the world’s deepest shipwreck

    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.

    Divine Comedy - Wikipedia

    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.

    Dun, Dun Duuun! Where did pop culture’s most dramatic sou...

    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

    What Lies Beneath

    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.

    The forgotten medieval habit of 'two sleeps'

    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?

    Still She Rises — THE BITTER SOUTHERNER

    bittersoutherner.com   (2022-01-07)

    Biscuit-whisperer Erika Council honors the women who taught her to bake a perfect biscuit.

    Ninety-Nine Fascinating Finds Revealed in 2021

    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

    The Story of Carolina Gold, the Best Rice You've Never Ta...

    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.

    The Story of Catherine the Great

    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.

    How an American in Paris won the rarest of French honors

    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.

    The Tomb Raiders of the Upper East Side

    www.theatlantic.com   (2021-11-23)

    Inside the Manhattan DA’s Antiquities Trafficking Unit

    "A Great Day In Harlem": Remembering the iconic 1958 phot...

    www.cbsnews.com   (2021-11-04)

    58 musicians showed up for a picture that captured the giants of jazz

    How 12th-century Genoese merchants invented the idea of r...

    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

    The Daring Diplomat Who Proved One Person Can Thwart an E...

    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.

    When Nazis tried to trace Aryan race myth in Tibet

    www.bbc.com   (2021-09-19)

    Heinrich Himmler sent a team of five Germans to Tibet in 1938 to pursue the Aryan race myth.

    The Kingpin of Shanghai

    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.

    A Well-Woven Tale: The fabric of the modern world

    www.historytoday.com   (2021-07-10)

    Minik and the Meteor

    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.

    Africa’s ancient scripts counter European ideas of litera...

    aeon.co   (2021-06-21)

    European ideas of African illiteracy are persistent, prejudiced and, as the story of Libyc script shows, entirely wrong

    An Old Effort To Stop The Smallpox Virus Has Lessons For ...

    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.

    Meet the Appalachian Apple Hunter Who Rescued 1,000 'Lost...

    www.atlasobscura.com   (2021-06-04)

    Tom Brown's retirement hobby is a godsend for chefs, conservationists, and cider.

    Ho Chi Bear and the Ravens

    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.

    The Most Honored Photograph | PetaPixel

    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.

    'He knew something': The Bay Area flight of Rangers that ...

    www.sfgate.com   (2021-05-12)

    The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...

    ‘I’d Never Been Involved in Anything as Secret as This’

    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.

    The girl in the Kent State photo and the lifelong burden ...

    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?

    The Real Book - 99% Invisible

    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

    Did the Black Death Rampage Across the World a Century Ea...

    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

    Meeting the Darkhad, the soul guards of Genghis Khan - Su...

    supchina.com   (2021-03-27)

    The 25 Greatest Art Heists of All Time

    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.

    The Once-Classified Tale of Juanita Moody: The Woman Who ...

    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

    The Original Karen

    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…

    Raiders of the lost steel

    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

    Wind Power: How the 19th-Century’s Greatest Shipbuilder O...

    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...

    The Death of Alexander the Great: One of History’s Great ...

    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 assas­sinate him, angered by his tyrannical ways? An autopsy…

    The British Once Built a 1,100-Mile Hedge Through the Mid...

    getpocket.com   (2019-08-15)

    This quixotic colonial barrier was meant to enforce taxes.

    Finding Amelia Earhart’s Plane Seemed Impossible. Then Ca...

    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.

    On Hitler’s Last Desperate Plan to Destroy Paris

    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…

    Wolves of Karelia

    www.theatlantic.com   (2019-07-20)

    A short story by Arna Bontemps Hemenway

    https://stories.californiasunday.com/2015-06-07/somerton-...

    stories.californiasunday.com   (2019-06-30)

    During the Cold War, the CIA Secretly Plucked a Soviet Su...

    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

    How Turkish coffee destroyed an empire

    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

    The Nazi Interrogator Who Revealed the Value of Kindness

    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.

    The Plot to Kill George Washington

    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

    Was History Fair to the Triangle Shirtwaist Factory Owner...

    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

    Tarrare: The Medical Marvel Who Could Eat Anything — And Did

    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."

    Ansel Adams’ pictures of Los Angeles recall an era of war...

    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…

    The Lethal Lunch That Shook Scotland

    www.atlasobscura.com   (2018-11-17)

    From cold cuts to cold case.

    Crossing the Sahara in the Fourteenth Century | François-...

    www.laphamsquarterly.org   (2018-11-16)

    How to make the trip from Sijilmasa to Oualata, circa 1352.

    The Lessons Of Dien Bien Phu | Hoover Institution

    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.

    The Man Who Walked Backward

    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.

    The Hobo Code: An Introduction to the Hieroglyphic Langua...

    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.

    Into the Cave of Chile’s Witches

    www.smithsonianmag.com   (2018-08-15)

    Did members of a powerful society of warlocks actually murder their enemies and kidnap children?

    Inside the 20-year decline of Toys R Us

    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.

    The Counterfeit Queen of Soul | Arts & Culture | Smithsonian

    www.smithsonianmag.com   (2018-07-01)

    A strange and bittersweet ballad of kidnapping, stolen identity and unlikely stardom

    The Conqueror Who Longed for Melons - Gastro Obscura

    www.atlasobscura.com   (2018-02-12)

    Many Indian dishes can be traced back, indirectly, to a 16th-century, food-obsessed ruler named Babur.

    Baseball, BBQ, and Dead Ponies—A History of Fat Men’s Clu...

    www.texasmonthly.com   (2017-11-24)

    A peek inside the revelry and rivalry of Texas's fat men's clubs.

    Did Frank Sinatra Really Perform at My Grandma's High Sch...

    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?

    In Defense of the Rat

    hakaimagazine.com   (2024-02-03)

    Rats are less pestilent and more lovable than we think. Can we learn to live with them?

    Earth League International Hunts the Hunters | The New Yo...

    www.newyorker.com   (2023-07-19)

    A conservation N.G.O. infiltrates wildlife-trafficking rings to bring them down.

    The Trillion-Dollar Auction to Save the World

    wired.com   (2023-06-11)

    Ocean creatures soak up huge amounts of humanity’s carbon mess. Should we value them like financial assets?

    Creatures That Don’t Conform – Lucy Jones

    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.

    Nathan

    longreads.com   (2023-05-15)

    Language lessons with an extraordinary ape.

    David Sulzer’s Wild World of Music

    www.newyorker.com   (2023-03-27)

    What can elephants, birds, and flamenco players teach a neuroscientist-composer about music?

    There’s Something Odd About the Dogs Living at Chernobyl

    www.theatlantic.com   (2023-03-04)

    Pets left behind when people fled the disaster in 1986 seem to have seeded a unique population.

    Sanctuary

    magazine.atavist.com   (2023-03-04)

    A woman, an elephant, andan uncommon love story spanningnearly half a century.

    I Never Understood Why Veterinarians Are at Such High Ris...

    slate.com   (2023-02-07)

    The story of Lacey, and why I had to kill her.

    Hello world!

    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

    What Humans Can Learn From The Language Of Honeybees

    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?

    The Vineyard Falcon Does Not Suffer Fools

    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.

    Something Strange Happens When You Tear These Creatures A...

    www.theatlantic.com   (2022-10-01)

    Behold choanoflagellates, tiny creatures that can be one body and many bodies all at once.

    My Chances of Being a Mom Were Fading. Then Two Beautiful...

    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.

    The Mysterious, Vexing, and Utterly Engrossing Search for...

    hakaimagazine.com   (2022-09-20)

    To save endangered eels, researchers have been working for decades to figure out where they reproduce.

    Killing Invasive Species Is Now a Competitive Sport

    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.

    The Animal Translators

    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.

    Animal Magic: Why Intelligence Isn’t Just for Humans

    getpocket.com   (2022-08-13)

    Meet the footballing bees, optimistic pigs and alien-like octopuses that are shaking up how we think about minds.

    The Humpback and the Killer

    www.wnycstudios.org   (2022-07-30)

    Oceans also have their vigilantes.

    Into the Forbidden Forest

    www.smithsonianmag.com   (2022-07-29)

    Famed American biologist Patricia Wright explores an astonishing breadth of biodiversity in the wilderness of Madagascar

    Romance, Politics, and Ecological Damage: The Saga of Sab...

    hakaimagazine.com   (2022-07-28)

    They’ve roamed free for hundreds of years, but is that freedom harming the ecosystem they call home?

    A Mystery That Took 13,200 Years to Crack

    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.

    Whatever happened to the Bee Apocalypse?

    backreaction.blogspot.com   (2022-06-25)

    Science News, Physics, Science, Philosophy, Philosophy of Science

    The human sensory experience is limited. Journey into the...

    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.

    Animal magic: why intelligence isn’t just for humans

    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

    How Animals Perceive the World

    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.

    The Incredible Journey of Three African Wild Dogs

    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.

    [Miscellany] The Crow Whisperer, By Lauren Markham | Harp...

    harpers.org   (2022-06-21)

    What happens when we talk to animals?

    The True Story Of A Man-Eating Tiger's 'Vengeance'

    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.

    The Pigeon Puzzle: How Do They Figure Out Their Impossibl...

    thewalrus.ca   (2021-11-29)

    You might consider them flying rats, but their odysseys stump scientists

    Are We on the Verge of Chatting with Whales? | Hakai Maga...

    www.hakaimagazine.com   (2021-10-30)

    An ambitious project is attempting to interpret sperm whale clicks with artificial intelligence, then talk back to them.

    Who Killed Cachou the Bear? Murder Mystery in Spain Rattl...

    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.

    The Gull Next Door | Hakai Magazine

    www.hakaimagazine.com   (2021-07-10)

    Your obnoxious neighbor or just a misunderstood, displaced seabird?

    The Elemental Strangeness of Foxes

    www.plough.com   (2021-06-17)

    Zito Madu in pursuit of London’s wildlife.

    The elephant vanishes: how a circus family went on the run

    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

    Persuading the Body to Regenerate Its Limbs

    www.newyorker.com   (2021-05-03)

    Deer can regrow their antlers, and humans can replace their liver. What else might be possible?

    The Story of One Whale Who Tried to Bridge the Linguistic...

    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?

    The Challenges of Animal Translation

    www.newyorker.com   (2021-04-28)

    Artificial intelligence may help us decode animalese. But how much will we really be able to understand?

    Hathi

    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

    The guards caring for Chernobyl's abandoned dogs - BBC Fu...

    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.

    Tardigrades: Nature's Great Survivors

    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?

    The Great Cottonmouth-Catching Get-Rich-Quick Scheme of 1956

    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.

    Why Animals Don’t Get Lost

    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.

    The Wolf That Discovered California

    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

    Keeping Watch Over Seabirds at the World’s Edge | Hakai M...

    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.

    The Last Two Northern White Rhinos On Earth - The New Yor...

    www.nytimes.com   (2021-01-07)

    What will we lose when Najin and Fatu die?

    The Squid Hunter | The New Yorker

    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?

    Herschel, the Very Hungry Sea Lion | Hakai Magazine

    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.

    Overcoming Bias : How Bees Argue

    www.overcomingbias.com   (2020-02-19)

    The book Honeybee Democracy, published in 2010, has been sitting on my shelf for many years.

    What Ecstasy Does to Octopuses

    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.

    The Hummingbird Whisperer

    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.

    A Very Old Man for a Wolf

    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.

    Life, in Dog Years

    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.

    The Long, Loving Search for Betsy the Cow

    story.californiasunday.com   (2019-10-06)

    "She's missing. I’m not going to quit her."

    The Octopus: An Alien Among Us

    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 …

    L

    nyti.ms   (2019-09-21)

    Starshift

    www.guernicamag.com   (2019-09-16)

    In an era of climate change, everything feels strange. Even the places we call home.

    Feral Horses, Fierce Controversy - Features - Jason G. Go...

    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.

    How to Save a Loggerhead

    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

    The Pet Cemetery

    www.theatlantic.com   (2019-07-15)

    A tour of a graveyard for beloved animals.

    Is it possible to disrupt a cow?

    perspicacity.xyz   (2019-07-09)

    Technology can displace the cow and save the climate. But we will need to think beyond the bun

    She Hunted History’s Worst Arms Dealers. Now She’s Taking...

    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.

    Where Grizzly Bears and Hobby Farmers Come Face to Face

    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…

    Dog rescued after it's found swimming 135 MILES out at sea

    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.

    The dogs that protect little penguins

    www.bbc.com   (2019-04-09)

    When foxes nearly wiped out a colony of little penguins, a sheepdog saved the day.

    Every Living Creature – Truly*Adventurous – Medium

    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…

    The Story of Dyngo, a War Dog Brought Home From Combat

    www.smithsonianmag.com   (2019-01-07)

    I brought a seasoned veteran of the conflict in Afghanistan into my home—and then things got wild

    An Elephant Crackup? - The New York Times

    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.

    In praise of parasites

    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.

    https://www.rbth.com/longreads/jackals/

    www.rbth.com   (2018-12-10)

    Inside the Tiger Factory

    longform.org   (2018-10-28)

    Behold the marvel of the animal’s fabrication.

    The elephant as a person

    aeon.co   (2018-10-24)

    Elephants might have the necessary capacities for personhood – we just need to help them acquire the cognitive scaffolding

    For Want of a Nail

    www.texasmonthly.com   (2018-10-20)

    Without a good shoeing, a horse can indeed be lost. Enter the farrier.

    Meet the Undercover Crime Unit Battling Miami's Black Mar...

    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.

    Man-Eaters

    longform.org   (2018-09-28)

    A quest for tigers in India.

    The Brilliant, Playful, Bloodthirsty Raven

    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.

    The mind of an anthill

    www.knowablemagazine.org   (2018-09-15)

    Can we use the tools of psychology to understand how colonies of social insects make decisions?

    How to be human: the man who was raised by wolves

    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

    The Charmed Life of Esther the Wonder Pig

    longform.org   (2018-08-18)

    A profile of a pig.

    Horseman, Pass By

    longform.org   (2018-08-05)

    Glory, grief, and the race for the Triple Crown.

    Feature: Who’s Afraid of the Big Bad Wolf Scientist?

    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.

    The Noose Beneath the Waves

    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.

    The Man Who’s Going to Save Your Neighborhood Grocery Store

    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.

    I Was at the Clapperboard for Orson Welles’ Drunk Wine Co...

    melmagazine.com   (2024-05-10)

    I also helped undress him so he could lie down

    How America's Beloved Meyer Lemon Caused a Mid-Century Ci...

    www.atlasobscura.com   (2023-04-13)

    The fragrant fruit hid a dark secret.

    In pursuit of decent coffee

    worksinprogress.substack.com   (2023-02-02)

    No great stagnation in home espresso

    Life in the Slow Lane

    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 […]

    The Mysterious, Stubborn Appeal of Mass-Produced Fried Ch...

    www.vice.com   (2022-09-17)

    Why do so many accomplished chefs call Popeyes their favorite fried chicken?

    The Missing Chinese Machine Revolution

    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?

    Why Are Border Smugglers Trafficking Bologna?

    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.

    Le bon temps continue to roll on Cajun radio in Southern ...

    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.

    The Secret Life of Leftovers — The New Atlantis

    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.

    The Quest to Save the Pink Apples of Italy

    www.afar.com   (2022-07-28)

    Fruit fans, assemble.

    The Case for Bad Coffee

    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.

    When Baking and Real Estate Collide

    www.newyorker.com   (2022-06-16)

    Tartine, a beloved San Francisco bakery, wanted to grow. Partnering with a developer was one way to rise.

    Hacker News

    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.

    Revolución on the Cookie Factory Floor

    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.

    The (Other) French Chef | Hazlitt

    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.

    Still She Rises — THE BITTER SOUTHERNER

    bittersoutherner.com   (2022-01-07)

    Biscuit-whisperer Erika Council honors the women who taught her to bake a perfect biscuit.

    The Incredible Fig

    nautil.us   (2021-12-27)

    The fig is an ecological marvel. Although you may never want to eat one again.

    Where the Tupelo Grows — THE BITTER SOUTHERNER

    bittersoutherner.com   (2021-12-26)

    Beekeeping helped Gary Adkison pull his life together. Now he's among the tenacious harvesters of tupelo honey.

    Umami Exists and MSG is its Messenger

    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.

    The Story of Carolina Gold, the Best Rice You've Never Ta...

    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.

    In New Mexico, Money Grows on Trees

    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

    The World’s Deadliest Thing — Anthony Warner

    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.

    Inside Ekiben’s six-hour trip to make a special dish for ...

    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…

    Hatch green chiles are feeling the heat

    www.hcn.org   (2021-10-26)

    Growers of New Mexico’s iconic crop wrestle with drought, water rights and labor shortages.

    The Million-Dollar Nose

    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.

    Serving Up West Virginia History, Not All of It Sweet (Pu...

    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.

    Lifelong Quests! Lawsuits! Feuds! A Super-Serious Story A...

    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.

    The unique culture of Japanese convenience stores - BBC T...

    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?

    The Deep Roots of the Vegetable That ‘Took Over the World’

    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.

    The birthplace of the modern apple - BBC Travel

    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.

    Meet the Appalachian Apple Hunter Who Rescued 1,000 'Lost...

    www.atlasobscura.com   (2021-06-04)

    Tom Brown's retirement hobby is a godsend for chefs, conservationists, and cider.

    The Unlikely Success of Fish Sticks | Hakai Magazine

    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.

    The Cold War Over Hacking McDonald’s Ice Cream Machines

    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.

    Tuna’s Last Stand | Hakai Magazine

    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?

    The Poke Paradox

    longreads.com   (2021-01-02)

    Where culinary bliss meets environmental peril, and how to solve America’s poke problem.

    Why Is There a Bucatini Shortage in America?

    www.grubstreet.com   (2020-12-30)

    What the hole is going on?

    The Tasting Menu at the End of the World

    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.

    What It Takes to Be a Short-Order Cook in Las Vegas

    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.

    The Valley of the Cheese of the Dead

    getpocket.com   (2020-07-24)

    In this remote Swiss town, residents spent a lifetime aging a wheel for their own funeral.

    Baking Bread in Lyon

    www.newyorker.com   (2020-04-06)

    For a newcomer to the city, a boulangerie apprenticeship reveals a way of life.

    Victorian Culinary Trading Cards Are a Feast for the Eyes

    getpocket.com   (2020-03-11)

    But maybe not for your stomach.

    The Recipe to Bob's Red Mill's Supreme Recipes

    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.

    Why Japan Is Obsessed With Kentucky Fried Chicken on Chri...

    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

    This Is the Secret Michelin-Star Capital of the World

    getpocket.com   (2020-01-22)

    The best place to eat in Germany is in a little village in a forest.

    How New York’s Bagel Union Fought — and Beat — the Mafia

    www.grubstreet.com   (2020-01-12)

    The mob saw an opportunity. Local 338 had other ideas.

    The Chef Restoring Appalachia's World-Class Food Culture

    www.atlasobscura.com   (2020-01-10)

    A coal fortune is fueling the revival of a cuisine it nearly destroyed.

    Kitchen Rhythm: A Year in a Parisian Pâtisserie - Longreads

    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.

    Lessons From a ‘Local Food’ Scam Artist

    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.

    Snow’s Queen

    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.

    Inside the Secret World of Global Food Spies

    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.

    How Turkish coffee destroyed an empire

    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

    Of Meat and Men

    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.

    The Agony and the Ecstasy of the State Fair Food Finalists

    getpocket.com   (2019-10-31)

    The grim traveler sampled the offerings with a heavy heart.

    Inside the Members-Only Eating Clubs of San Sebastián

    getpocket.com   (2019-10-21)

    Step into the private kitchens of Basque country’s sociedades gastronómicas, where everything revolves around food

    On the Hunt for the World’s Rarest Pasta

    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

    In Search of Alaska’s Deadliest Catch: The Sea Cucumber

    getpocket.com   (2019-07-31)

    As a cuke deckhand, your job first and foremost consists of making sure your diver survives

    Restaurant Secrets From Nobu: Reservations, Unruly Celebs...

    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.

    The Oyster Poachers of Connemara - Saveur - Pocket

    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

    He's Making the Spice Trade Less Shady

    www.ozy.com   (2019-06-26)

    The Raisin Situation (Published 2019)

    www.nytimes.com   (2019-04-27)

    One man wanted to change the raisin industry for the better. He got more than he bargained for.

    A Dispatch From the Fast-Paced, Makeshift World of High-E...

    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.

    How Turkish coffee destroyed an empire

    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

    The Prized Pepper That Comes From a Single New Mexican Town

    www.atlasobscura.com   (2019-03-09)

    But can it be grown anywhere else?

    The Female Chef Making Japan’s Most Elaborate Cuisine Her...

    www.newyorker.com   (2019-03-06)

    From 2019: How Niki Nakayama’s kaiseki restaurant became a highly coveted reservation in L.A.

    The Secret Sushi Bar on the 10th Floor

    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.

    A day in the life of Lloyd Squires, Vermont's 'best' bage...

    www.burlingtonfreepress.com   (2018-11-20)

    Some consider him a master. That takes work.

    Will Stanich's Ever Reopen? Why America's Best Burger Spo...

    www.thrillist.com   (2018-11-17)

    If you love a burger...

    A new wave of grain - Boulder Weekly

    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 […]

    https://www.curbed.com/a/texas-california/gilroy-californ...

    www.curbed.com   (2018-10-28)

    The man who has eaten at more than 7,300 Chinese restaura...

    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

    How Being a Line Cook Ruined Me

    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.

    An Ohio Startup Rebuilds Lives One Piece of Fried Chicken...

    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.

    The Story of Dave and His Killer Bread

    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.

    How an unpaid UK researcher saved the Japanese seaweed in...

    arstechnica.com   (2017-11-21)

    After crops failed, botanist Kathleen Drew-Baker realized that nori wasn’t what it seemed.

    See the Beautiful, Campy Posters of Meat Fight

    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."

    Song Hunter: The Life of Alan Lomax

    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.

    A Lotta Love to Give: The Brilliant Voice and Too-Short L...

    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.

    Leonard Cohen’s ‘Hallelujah’ Belongs to Everyone

    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?

    Country Music’s Culture Wars and the Remaking of Nashville

    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.

    The Lost Music of Connie Converse

    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.

    The Otherworldly Compositions of an Ethiopian Nun

    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.

    David Sulzer’s Wild World of Music

    www.newyorker.com   (2023-03-27)

    What can elephants, birds, and flamenco players teach a neuroscientist-composer about music?

    The Gospel According to Mavis Staples

    www.newyorker.com   (2023-03-24)

    A legendary singer on faith, loss, and a family legacy.

    The Man Who Fixes the World's Finest Violins

    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?

    The Enduring Metal Genius of Metallica

    www.newyorker.com   (2022-11-28)

    On the road with the band in its forty-first year.

    The Night Warren Zevon Left the ‘Late Show’ Building

    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.

    Robert Plant and Alison Krauss on the secrets to aging gr...

    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.

    Willie Nelson’s Long Encore

    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.

    Le bon temps continue to roll on Cajun radio in Southern ...

    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.

    Is Music Universal?

    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

    ‘More than a song’: the enduring power of Leonard Cohen’s...

    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

    ‘People took so many drugs, they forgot they played on it...

    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

    The Legend of the Music Tree

    www.smithsonianmag.com   (2022-04-09)

    Exotic lumber salvaged from a remote forest in Belize is the world’s most coveted tonewood

    Led Zeppelin Gets Into Your Soul

    www.newyorker.com   (2022-01-29)

    The musicians were diabolically bad as people, and satanically good as performers.

    Dun, Dun Duuun! Where did pop culture’s most dramatic sou...

    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

    How an American in Paris won the rarest of French honors

    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.

    Brain Damage Saved His Music - Issue 20: Creativity - Nau...

    nautil.us   (2021-11-08)

    After a chunk of his brain was removed, guitarist Pat Martino got his groove back.

    "A Great Day In Harlem": Remembering the iconic 1958 phot...

    www.cbsnews.com   (2021-11-04)

    58 musicians showed up for a picture that captured the giants of jazz

    The Awe-Inspiring But Tragic Story of Africa’s Festival I...

    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.

    How Bionic Gloves Gave a Maestro Pianist His Hands Back

    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.

    Chris and Rich Robinson swore never to speak again. But f...

    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.

    The beautiful world of heavy metal

    unherd.com   (2021-08-21)

    Why does a genre obsessed with death attract the kindest people?

    Her Kind Of Blue: Joni Mitchell's Masterpiece At 50

    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?

    https://samenright.com/2021/06/06/a-beginners-guide-to-mi...

    samenright.com   (2021-06-19)

    Narratively | Substack

    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.

    How SoundScan Changed Everything We Knew About Popular Music

    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

    The Case Against the Eagles

    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.

    The Real Book - 99% Invisible

    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

    Conscripted Into The Emperor’s Private Orchestra

    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.

    The Lost Prince of Yacht Rock

    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?

    How Freddie Gibbs Beat the Odds to Reach the Mountaintop

    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.

    This ‘hillbilly madman’ is country music royalty. So why ...

    www.washingtonpost.com   (2021-01-22)

    The hard life and overlooked brilliance of Zane Campbell.

    Neil Peart: Rush Drummer's Bold Life and Brave Final Year...

    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.

    The Proving Grounds: Charley Crockett and the Story of De...

    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.

    Shelved: Pink Floyd's Household Objects - Longreads

    longreads.com   (2020-11-03)

    On Syd Barrett's time with Pink Floyd and making an album with household objects and found sounds.

    Leonard Cohen: Remembering the Life and Legacy of the Poe...

    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.

    On the Shoulders of Giants — THE BITTER SOUTHERNER

    bittersoutherner.com   (2020-05-16)

    How Single Lock Records unites the hometown legends of Muscle Shoals, Alabama, music with the new generation.

    Louis Armstrong, the King of Queens

    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.

    The Great Heavy Metal Hoax

    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

    The Night the Music Died

    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.

    In the Jungle: Inside the Long, Hidden Genealogy of ‘The ...

    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.

    Trigger: The Life of Willie Nelson’s Guitar

    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.

    LimeWire: The Oral History of the App That Changed Music ...

    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....

    O Sister, Where Art Thou?

    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.

    Leonard Cohen and the Divine Voice

    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.

    Flea Had a Wild Life. Then He Joined Red Hot Chili Pepper...

    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.

    Brain Damage Saved His Music

    getpocket.com   (2019-08-05)

    After a chunk of his brain was removed, guitarist Pat Martino got his groove back.

    Dr. John: The Joy and Mystery of a New Orleans Saint

    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.

    Remembering Dr. John

    longreads.com   (2019-06-18)

    Mac Rebennack devoted himself to New Orleans culture.

    Antonio Salieri’s Revenge

    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.

    How the music of 1950’s Cuba revolutionized the sound of ...

    qz.com   (2019-03-25)

    “Dakar was where everyone came to make music.”

    Is This the Greatest Photo in Jazz History?

    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.

    ‘The Island Always Brings You Back’: Finding a Caribbean ...

    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.

    Texas Monthly Recommends: Soaking Up the Sounds on Saturd...

    www.texasmonthly.com   (2019-03-03)

    Plus, explosive photography from Austin, instrumentals from Billy Preston, and a podcast investigation of Anna Nicole Smith.

    Culture Shock for French in Quebec: ‘We Smoke Cigarettes,...

    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.

    This Picture Has No Red Pixels—So Why Do the Strawberries...

    motherboard.vice.com   (2019-02-27)

    Color constancy continues to confound us.

    This Yacht Influencer Has the Perfect Life. Don't You Fee...

    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.

    A Short History of Punk: From Late 50s Rockabilly and Gar...

    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.

    Death and Valor on an American Warship Doomed by its Own ...

    features.propublica.org   (2019-02-07)

    Investigation finds officials ignored warnings for years before one of the deadliest crashes in decades.

    An Oral History of Laurel Canyon, the Sixties and Seventi...

    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.

    Encounters: Afternoon Beers With a Former Sex Pistol

    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.

    Why I Ripped The Same CD 300 Times

    john-millikin.com   (2018-08-05)

    The Counterfeit Queen of Soul | Arts & Culture | Smithsonian

    www.smithsonianmag.com   (2018-07-01)

    A strange and bittersweet ballad of kidnapping, stolen identity and unlikely stardom

    The Long Fall of iHeart, Once the Most Powerful and Feare...

    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.

    Rough, smooth or deep: why the sound of a voice is multis...

    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.

    A 4-Year-Old Trapped in a Teenager’s Body

    www.thecut.com   (2024-01-15)

    “I was all of the things people are when they’re 14 or 15” — except a decade younger.

    The Faulty Weathermen of the Mind

    nautil.us   (2023-09-25)

    Could a theory from the science of perception help crack the mysteries of psychosis?

    How John Fetterman Came Out of the Darkness

    time.com   (2023-07-25)

    In a series of emotional interviews, the unconventional senator opens up about his battle with depression.

    The people who feel they are shrinking

    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.

    Dinner with Proust: how Alzheimer’s caregivers are pulled...

    www.theguardian.com   (2023-03-03)

    The long read: What do you say to someone whose wife prefers photographs of deceased authors to him?

    ‘One billionaire at a time’: inside the Swiss clinics whe...

    www.theguardian.com   (2023-02-24)

    The long read: For the ultra-wealthy and the super-famous, regular therapy won’t do

    The long search for artificial hearts

    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.

    The Laundress Was Supposed to Be the Nice Detergent

    www.thecut.com   (2023-02-07)

    Until people started breaking out into hideous rashes.

    COVID-19 Origins: Investigating a “Complex and Grave Situ...

    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.

    An Undiscovered Coronavirus? The Mystery of the ‘Russian ...

    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.

    A Rural Doctor Gave Her All. Then Her Heart Broke. (Publi...

    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.

    My Mother’s 13 Unbeatable Tips to Staying Youthful

    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

    This Old Man

    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.”

    The Medical Miracle of a Pig’s Heart in a Human Body

    www.newyorker.com   (2022-02-21)

    The first successful transplantation may solve a donor shortage, but this major scientific advancement is not without challenges.

    The World’s Deadliest Thing — Anthony Warner

    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.

    Brain Damage Saved His Music - Issue 20: Creativity - Nau...

    nautil.us   (2021-11-08)

    After a chunk of his brain was removed, guitarist Pat Martino got his groove back.

    Organ transplant patients (maybe) don’t get dementia. Her...

    trevorklee.com   (2021-11-04)

    The last great mystery of the mind: meet the people who h...

    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?

    Florida nurses feel helpless as so many people die of COVID

    www.tampabay.com   (2021-09-10)

    On this ward at Morton Plant Hospital, nurses are overwhelmed by the number of new, desperate cases.

    The miracle molecule that could treat brain injuries and ...

    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.

    “I understand what joy is now”: An MDMA trial participant...

    www.technologyreview.com   (2021-08-26)

    One patient in a pioneering trial describes his “life-changing” experience with the psychoactive drug.

    At 71, She’s Never Felt Pain or Anxiety. Now Scientists K...

    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.

    Tomorrow Edition - The Agony and the Ecstasy of Deep Brai...

    tmrwedition.com   (2021-06-22)

    What deep brain stimulation surgery feels like.

    A boy, his brain, and a decades-long medical controversy

    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?

    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-05)

    Suzanne O’Sullivan’s excellent book reveals that medicine remains as much an art as a science

    An Old Effort To Stop The Smallpox Virus Has Lessons For ...

    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.

    The Death of Hahnemann Hospital

    www.newyorker.com   (2021-05-31)

    When a private-equity firm bought a Philadelphia institution, the most vulnerable patients bore the cost.

    The 60-Year-Old Scientific Screwup That Helped Covid Kill

    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.

    'The Clouds Cleared': What Terminal Lucidity Teaches Us A...

    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?

    In the Tales Told by Sewage, Public Health and Privacy Co...

    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?

    Did the Black Death Rampage Across the World a Century Ea...

    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

    What I Learned from Doing 100 Wheelies a Day

    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

    How to Build an Artificial Heart

    www.newyorker.com   (2021-03-05)

    Millions of hearts fail each year. Why can’t we replace them?

    The Sultan of Spatter

    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.

    Dr. Death: The Shocking Story of Christopher Duntsch, a M...

    www.dmagazine.com   (2021-01-02)

    Plano surgeon Christopher Duntsch left a trail of bodies. The shocking story of a madman with a scalpel.

    The Plague Year | The New Yorker

    www.newyorker.com   (2020-12-29)

    The mistakes and the struggles behind America’s coronavirus tragedy.

    The World’s Cheapest Hospital Has to Get Even Cheaper - B...

    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.

    How SoulCycle lost its soul

    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.

    How viruses evolve

    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?

    Singular science

    www.knowablemagazine.org   (2020-02-19)

    “N of 1” studies aim to answer medical questions one person at a time

    The Invisible Boy Who Became Mr. Invincible

    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.

    A Doctor’s Diary: The Overnight Shift in the E.R. (Publis...

    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?

    The Startling Secret of an Invincible Virus

    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.

    Yes, You Can Catch Insanity

    getpocket.com   (2019-11-13)

    A controversial disease revives the debate about the immune system and mental illness.

    »I have no desire to open up this man’s skull. I do it be...

    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.

    Shackleton’s Medical Kit

    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.’

    A terrible crime, a patient waiting for a transplant: The...

    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.

    A Hole in the Head: A History of Trepanation | The MIT Pr...

    thereader.mitpress.mit.edu   (2019-10-01)

    A survey of trepanation, or trephination, the oldest surgical procedure known to humanity.

    Paul Clarke Wants to Live

    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?

    Column One: 'Blink once if you can hear me’ — a brain-inj...

    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.

    He'd been kept alive with tubes for nearly 17 years. Who ...

    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.

    UT Southwestern’s Cutting-Edge Battle Against Rare, Fatal...

    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.

    How to Unlearn a Disease

    m.nautil.us   (2019-07-07)

    Why plants don’t die from cancer

    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?

    The Illuminating Geometry of Viruses | Quanta Magazine

    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.

    https://digest.bps.org.uk/2019/06/12/breakthrough-investi...

    digest.bps.org.uk   (2019-06-16)

    Meet the Carousing Texan Who Won a Nobel Prize

    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?

    Why Would Anyone Choose to Run 100 Miles Through the Desert?

    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…

    Why are so many people getting rare cancers in this small...

    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?

    A Drug Shows an Astonishing Ability to Regenerate Damaged...

    www.scientificamerican.com   (2019-04-03)

    A once abandoned drug compound shows an ability to rebuild organs damaged by illness and injury

    The Brain That Remade Itself

    onezero.medium.com   (2019-04-01)

    Doctors removed one-sixth of this boy’s brain — and what was left did something incredible

    A Surgeon Reflects On Death, Life And The 'Incredible Gif...

    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.

    https://curiosity.com/topics/anatoli-bugorski-the-man-who...

    curiosity.com   (2019-01-31)

    Beautiful But Deadly: The Creepiest Devices From Medicine...

    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...

    The Bleeding Edge: a terrifying, enraging look at the cor...

    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,…

    A Cardiologist’s 9/11 Story - Issue 64: The Unseen

    nautil.us   (2018-10-28)

    From trauma to arrhythmia, and back again.

    Rare Condition Means Blind Woman Can Only See Moving Objects

    www.newsweek.com   (2018-08-31)

    After suffering a stroke, a woman was left blinded, only able to see movement.

    The High-Stakes Race to Create the World's First Artifici...

    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.

    How a Transplanted Face Transformed a Young Woman’s Life

    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.

    What It Takes to Hold Your Breath for 24 Minutes (Yeah, I...

    www.wired.com   (2018-08-15)

    The world record stands at 24 minutes 3 seconds. How much can it improve?

    Meet the Anarchists Making Their Own Medicine

    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.

    The Tiger Balm story: how ointment for every ailment was ...

    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

    Doctors: Christmas in the I.C.U.

    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.

    ‘I’m good, I promise’: the loneliness of the low-ranking ...

    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

    Being Caitlin Clark: Inside the world of the player who r...

    www.espn.com   (2024-03-24)

    She overcame trust issues and chartered a yacht. Now Caitlin Clark is ready for March.

    The Heartbreak of an English Football Team

    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.

    'Then the alligators got him' - Inside Memphis Grizzlies ...

    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.

    What happened to Jai Alai? - SBNation.com

    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.

    ‘I feel like I’m selling my soul’: inside the crisis at J...

    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?

    Vanquishing the Dutch, Jordan Stolz Creates a New Norse M...

    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.

    Meet the Runner Who Leads Every Pack and Then Vanishes

    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.

    The Oligarchs’ Derby

    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.

    No coach, no agent, no ego: the incredible story of the ‘...

    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?

    Joe Montana Was Here

    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.

    Victory

    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…

    How pulling off a ‘potato trick’ ended a baseball player’...

    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

    The Beautiful Life of Vin Scully

    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.

    Isolated and in crisis – Russia’s war in Ukraine has dama...

    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

    The Barkley Marathons: the hellish 100-mile race with 15 ...

    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

    Can a Boxer Return to the Ring After Killing?

    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.

    Eliud Kipchoge: Inside the camp, and the mind, of the gre...

    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

    The Legacy of Colin Kaepernick: On the First High School ...

    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 …

    The magical day Kobe Bryant became Lord of the Rings at R...

    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.

    An Oral History of Adam Sandler, Pickup Basketball Legend

    melmagazine.com   (2021-08-21)

    ‘He was just out there drilling long threes in his shades and hitting cutters. It was really incredible.’

    Inside Youth Baseball's Most Notorious Dad-On-Dad Rivalry

    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.

    Lawsuits, secret taping and the unraveling of a powerhous...

    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.

    Brackets, Buzzer Beaters and Burning Jockstraps: For Indi...

    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.

    The story of the worst baseball team ever

    www.mlb.com   (2021-03-09)

    The Official Site of Major League Baseball

    All Personal Feeds

    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.

    How To Lose Everything And Get Some Of It Back

    deadspin.com   (2020-12-26)

    A Man Who Never Was (2010)

    reprints.longform.org   (2019-12-13)

    The wild story behind the NBA's most unlikely heist

    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?

    In Kansas, girls didn’t have a wrestling championship of ...

    www.washingtonpost.com   (2019-11-10)

    For many female wrestlers, the toughest challenge is finding opponents.

    Honor Thy Father

    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.

    Stan Smith: The Man Who Became A Shoe

    www.esquire.com   (2019-07-26)

    How Stan Smith went from a "decent" tennis player to the most popular trainer on the planet

    Giannis Antetokounmpo Is the Pride of a Greece That Shunn...

    nytimes.com   (2019-05-04)

    As the son of African immigrants, Antetokounmpo was unwelcome in Athens. Then he showed promise as a basketball star.

    From the archives: Inside the exclusive team dinners that...

    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.

    The Believer — The California Sunday Magazine

    story.californiasunday.com   (2019-03-15)

    Why the world was wrong about the "worst Olympian ever."

    The Exile of Rick Pitino

    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

    Well, That Was One Hell of a Ride | By Richard Jefferson

    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.

    Underrated | By Stephen Curry

    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.

    How a soccer agent and Chinese billionaire aimed to trade...

    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.

    Brittney Griner and Diana Taurasi opted to play in Russia...

    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.

    The Woman Who Outruns the Men, 200 Miles at a Time

    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.

    The Expectations and Realities of Six-Man Football in Sma...

    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.

    What the Hell Happened to Darius Miles? | By Darius Miles

    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.

    He Was a First-Round Draft Pick in the NBA. 14 Years Late...

    longform.org   (2018-09-15)

    A long-dormant police investigation gives the case new life.

    Losers' Lunch - Longreads

    longreads.com   (2018-09-05)

    Dining out with courtsiders, a rogue, impish species in the tennis ecosystem.

    How a Brutal Mafia Enforcer Became a Deadly Serious Marat...

    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.

    Serie Nacional

    longform.org   (2018-08-13)

    Nothing can match Cuban post-season baseball fever.

    The Left Side of Steve Kerr’s Brain

    www.nytimes.com   (2018-06-08)

    Sammy Gelfand is the numbers guy behind the Golden State Warriors’ success. Some pretty good players help, too.

    What the Arlee Warriors Were Playing For

    longform.org   (2018-04-08)

    On Montana’s Flathead Indian Reservation, basketball is about much more than winning.

    Pretending to Be Okay

    longform.org   (2018-03-30)

    A profile of UConn basketball coach Geno Auriemma, who has not found peace despite unprecedented success.

    Ball Breakers

    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.”

    Troy Aikman ‘never lost at anything.’ He’s just now start...

    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.

    In search of the South Pacific fugitive who crowned himse...

    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

    Who Killed the Fudge King?

    magazine.atavist.com   (2024-12-31)

    How I (possibly) solved a cold case on my summer vacation.

    My Uncle, the Hit Man

    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.

    Watch It Burn

    magazine.atavist.com   (2024-06-01)

    Two scammers, a web of betrayal, and Europe’s fraud of the century.

    Master of Make-Believe

    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.

    There Are Places You Cannot Go

    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.

    Poison Pill

    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.

    ‘Stay Away From Him. He’s Dangerous.’

    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."

    A Teen’s Fatal Plunge Into the London Underworld

    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?

    Kyle Deschanel, the Rothschild Who Wasn’t

    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.”

    12 Gripping True-Crime Reads

    getpocket.com   (2023-07-22)

    For some of us, dark times call for dark reads.

    Notes From the Inner Lives of Con Artists

    getpocket.com   (2023-07-22)

    Venture inside the minds of some of the greatest scammers.

    The Last Gamble of Tokyo Joe

    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.

    How a Team of Ambitious Crooks in 1960s Montreal Planned ...

    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…

    Crime of the Centuries

    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.

    11 of the Greatest Scams of All Time, Curated by ‘Scam Go...

    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.

    How the Biggest Fraud in German History Unravelled

    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.

    The Strange Real-Life Mystery Behind Edgar Allan Poe’s “T...

    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…

    Avenging Billy: How amateur sleuths took on a gay porn ac...

    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.

    Portrait of a killer: art class in one of Mexico’s most n...

    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?

    The husband-and-wife forgers who fooled the art market — ...

    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?

    The Spectacular Case of Lørenskog: Norway's Ongoing Searc...

    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.

    The Schwarzschild defence

    www.nature.com   (2023-01-22)

    Nature - A boost to the ratings.

    The Most Lawless County in Texas

    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.

    Inside the Mind-Boggling World of the Antiquities Theft T...

    annehelen.substack.com   (2022-07-19)

    You can't make this shit up

    Hacker News

    torontolife.com   (2022-06-23)

    How Bitcoin Tracers Took Down the Web’s Biggest Child Abu...

    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.

    A Cold Case

    www.newyorker.com   (2022-03-27)

    Suddenly, a New York cop remembered a long-ago double murder.

    The Infamous FBI Informant Behind a 20-Fatality Limo Crash

    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.

    The lawyer who tried faking his death, and the writer exp...

    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

    Death of a Lobsterman

    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.

    The Spine Collector

    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?

    The Notorious Mrs. Mossler

    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.

    The Tomb Raiders of the Upper East Side

    www.theatlantic.com   (2021-11-23)

    Inside the Manhattan DA’s Antiquities Trafficking Unit

    What lies beneath: the secrets of France’s top serial kil...

    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

    ‘Every message was copied to the police’: the inside stor...

    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

    The Lost Boys

    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.

    The Kingpin of Shanghai

    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.

    Family, identity and one of the longest manhunts in U.S. ...

    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

    Who Killed Cachou the Bear? Murder Mystery in Spain Rattl...

    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.

    “The Only Thing I Knew How to Do Was Kill People”: Inside...

    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?

    Decades After Mysteriously Drowning, Pecos Jane Has a Nam...

    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.

    The Snitch - The Atavist Magazine

    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.

    Three Family Members, One Business. Robbing Armored Cars.

    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.

    Cryptoqueen: How this woman scammed the world, then vanis...

    www.bbc.com   (2021-05-16)

    How did Ruja Ignatova make $4bn selling her fake cryptocurrency to the world - and where did she go?

    Tome Raiders: Solving the Great Book Heist

    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?

    The John Patterson Kidnapping in Mexico - The Atlantic

    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.

    Huntsville station

    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

    WHERE IS BUM FARTO

    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…

    My Bodyguard, My Self | Topic

    www.topic.com   (2021-01-01)

    John Franzese ratted out his Colombo crime family father ...

    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.

    https://stories.californiasunday.com/2015-06-07/somerton-...

    stories.californiasunday.com   (2019-06-30)

    How to identify a body: the Marchioness disaster and my l...

    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

    The Last Ride of Cowboy Bob

    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.

    The unbelievable tale of a fake hitman, a kill list, a da...

    www.wired.co.uk   (2018-12-26)

    Hitman-for-hire darknet sites are all scams. But some people turn up dead nonetheless

    Predatory Lending Practices: Business Borrowers Hurt By ’...

    www.bloomberg.com   (2018-11-21)

    How an obscure legal document turned New York’s court system into a debt-collection juggernaut.

    The Stranger in the Shelter

    longform.org   (2018-11-10)

    Two people went for a hike on the Appalachian Trail. Only one made it out.

    The Unsolved Murder of an Unusual Billionaire

    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.

    Small-Town Injustice

    longform.org   (2018-10-11)

    The shooting of a civilian exposes the underbelly of a small town police department.

    My Bodyguard, My Self

    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.

    Narratively | Substack

    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.

    He Was a First-Round Draft Pick in the NBA. 14 Years Late...

    longform.org   (2018-09-15)

    A long-dormant police investigation gives the case new life.

    What Happened at the Lake

    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.

    Blood and Oil

    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.

    A Turbulent Mind

    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.

    The Great Chinese Art Heist

    longform.org   (2018-08-18)

    Is the Chinese government behind one of the boldest art-crime waves in history?

    The All-American Bank Heist

    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.

    Jeff Pike, Texas’s Own Tony Soprano

    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.

    The Most Unlikely D.A. In America

    longform.org   (2018-05-09)

    Can Mark Gonzalez change the system?

    Murder at the Alcatraz of the Rockies

    longform.org   (2018-05-01)

    The inside story of the first homicide in America’s most secure prison.

    Murder at the Alcatraz of the Rockies — The Atavist Magazine

    magazine.atavist.com   (2018-05-01)

    The inside story of the first homicide in America’s most secure prison.

    Gangster’s paradise: how organised crime took over Russia

    www.theguardian.com   (2018-03-24)

    The long read: Under Vladmir Putin, gangsterism on the streets has given way to kleptocracy in the state

    The Encyclopedia of the Missing

    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.

    In the Land of Vendettas That Go On Forever

    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 …

    Why Are These Italians Massacring Each Other With Oranges?

    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.)

    43 Hours on the Amtrak Southwest Chief – Lennart Koopmann

    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.

    Bertrand Piccard’s Laps Around the World

    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.

    Visiting Vladimir Putin’s Lost Russia

    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?

    A Woman Alone in Oman: Three Weeks Along the Arabian Coast

    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.

    The Eerie, Lunar Nothingness of Namibia’s Skeleton Coast ...

    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.

    Welcome to the land that no country wants | Jack Shenker ...

    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

    The Ancient Persian way to keep cool

    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.

    The Mother of All ‘Abandoned’ Airports (2015)

    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.

    The World’s Northernmost Town Is Changing Dramatically

    longform.org   (2021-06-03)

    Climate change is bringing tourism and tension to Longyearbyen on the Norwegian archipelago of Svalbard.

    Hiking the Mountain Trails Less Traveled in Colorado – Te...

    www.texasmonthly.com   (2021-04-16)

    The hills are alive with socially distant adventures.

    Inside the Thrilling, Slightly Terrifying World of Austri...

    www.afar.com   (2021-04-16)

    Up, up, and away!

    Meeting the Darkhad, the soul guards of Genghis Khan - Su...

    supchina.com   (2021-03-27)

    The Lost History of Yellowstone

    www.smithsonianmag.com   (2021-01-08)

    Debunking the myth that the great national park was a wilderness untouched by humans

    When COVID hit, a Colorado county kicked out second-home ...

    www.hcn.org   (2021-01-02)

    How a group of nonresident homeowners tried to influence a rural Colorado election.

    Russian Off-Roaders Crossed 2,000 Miles of Siberia to Rea...

    www.thedrive.com   (2021-01-01)

    Oh, you hit the fire road again with your lifted Wrangler? Cute.

    The Best Little Museum You Never Visited in Paris

    www.smithsonianmag.com   (2020-02-19)

    The Museum of Arts and Crafts is a trove of cunning inventions

    The quest to explore Colombia’s untouched jungle

    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.

    A Battle for the Soul of Marfa

    www.texasmonthly.com   (2020-01-22)

    What happens when a wealthy patron wears out his welcome?

    This Is the Secret Michelin-Star Capital of the World

    getpocket.com   (2020-01-22)

    The best place to eat in Germany is in a little village in a forest.

    A Pilgrimage to the Pub at the End of the World

    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.

    What It’s Like to Live in a California Ghost Town

    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.

    The buyers and sellers of Khorgos, a special trade zone o...

    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.

    Inside the Members-Only Eating Clubs of San Sebastián

    getpocket.com   (2019-10-21)

    Step into the private kitchens of Basque country’s sociedades gastronómicas, where everything revolves around food

    On the Hunt for the World’s Rarest Pasta

    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

    Sahara Desert Libraries Are Home to Thousands of Ancient ...

    mymodernmet.com   (2019-08-17)

    These desert libraries have been around for centuries and they hold sacred texts from ancient times.

    Why Not The Worst?

    www.washingtonpost.com   (2019-08-01)

    The Murders That Shook a Mountain Town

    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.

    Wanderland: a journey through Iran’s wild west

    www.1843magazine.com   (2019-07-27)

    Nomads have been central to the country’s history for centuries. Anthony Sattin joins the roaming empire

    Someone Donated His Frostbitten Toe to a Canadian Bar

    www.atlasobscura.com   (2019-06-16)

    The legend of the Sourtoe Cocktail continues.

    30 Days Timelapse at Sea | 4K | Through Thunderstorms, To...

    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

    This woman quit her job to live on the road. Now capturin...

    www.vox.com   (2019-04-02)

    From artists to advocates, a new book highlights women in the outdoors.

    A journey to the Disappointment Islands

    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.

    100-Year-Old Negatives Discovered in Block of Ice in Anta...

    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

    Who Killed Tulum?

    longform.org   (2019-02-20)

    Greed, gringos, diesel, drugs, shamans, seaweed, and a disco ball in the jungle.

    A Guide to the Resplendent Riads of Marrakech

    www.afar.com   (2019-02-02)

    An insider's guide to the riads of Morocco—and whether they're right for you.

    Will Stanich's Ever Reopen? Why America's Best Burger Spo...

    www.thrillist.com   (2018-11-17)

    If you love a burger...

    From Lithuania, with love

    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.

    The Mauritania Railway: backbone of the Sahara

    aeon.co   (2018-08-31)

    Careening through the desert, a massive railway sustains life in northwest Africa

    Predators, Prey, and Vodka - Issue 63: Horizons

    nautil.us   (2018-08-09)

    Surveying muskoxen in the Russian far north.

    Explorer: In the California Desert: Vast Darkness, Vibran...

    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
    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.

    Why Do East Asian Firms Value Drinking? - by Alice Evans

    www.ggd.world   (2024-03-04)

    East Asian businesses often go out drinking.

    15 Quotes on the Unparalleled Power of Example

    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.

    The Sociological Eye: FIVE KINDS OF FRIENDS

    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...

    How to (Actually) Change Someone’s Mind

    getpocket.com   (2023-07-24)

    How do you convince someone who, for one reason or another, doesn’t see eye-to-eye with you?

    The Secret History And Strange Future Of Charisma

    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.

    People Can Be Convinced They Committed a Crime That Never...

    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.

    How Your Body Posture Communicates Feelings to Others

    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.

    Nudge: How Small Changes Can Significantly Influence Peop...

    effectiviology.com   (2023-04-12)

    Why can’t Americans agree on, well, nearly anything? Phil...

    theconversation.com   (2023-03-20)

    Two concepts can help explain why society seems increasingly unable to agree on basic facts.

    Bonhoeffer's "theory of stupidity": We have more to fear ...

    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.

    The Burden of Proof: Why People Should Support Their Clai...

    effectiviology.com   (2023-02-02)

    The Secret To Talking To Someone Who Always Gets Defensive

    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.

    A "psychological vaccine": Why prebunking is the best way...

    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.

    'Persuasion Fatigue' Is a Unique Form of Social Frustration

    www.scientificamerican.com   (2022-11-18)

    When people argue, a kind of frustration called persuasion fatigue can cloud their judgment and harm relationships

    The Psychologist | BPS

    www.bps.org.uk   (2022-10-30)

    The magazine of the British Psychological Society - in print and online.

    Brandolini’s Law: The Bullshit Asymmetry Principle

    effectiviology.com   (2022-10-18)

    How to have better arguments | Psyche Guides

    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

    How to Figure Out the Power Dynamics in a New Job

    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.”

    How I Learned to Talk to Aggressive People | by Savannah ...

    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…

    All time best interviews with accused fraudsters

    bedrock.substack.com   (2022-08-14)

    One of my pastimes is listening to interviews with accused corporate fraudsters before and after they got caught.

    Taxonomy of Influence Strategies | Playmaker

    www.playmakersystems.com   (2022-08-08)

    What Keeps a Crowd from Becoming a Mob?

    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

    Quiet People in Meetings Are Incredible

    medium.com   (2022-07-19)

    Knowing when not to talk is an art.

    Be the Most Persuasive Person in the Room: 9 Things Highl...

    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.

    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)

    Free Online Guide - What drives online purchases? And how can you apply this information to boost conversions?

    Tribal Leadership: The Key To Building Great Teams

    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 …

    The Nine Primary Tactics Used to Influence Others

    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.

    Medium

    medium.com   (2022-07-19)

    Use the "But You Are Free" Technique to Persuade Anyone

    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

    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)

    Summary of Nudge, presented to IxDA LA - Download as a PDF or view online for free

    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)

    Powerful communicators employ these persuasion techniques when designing online experiences that convert visitors into leads and sales.

    Military reading lists

    militaryreadinglists.com   (2022-07-18)

    U.S. Army Engineer School Commandant’s Reading List

    Managing Two People Who Hate Each Other

    hbr.org   (2022-07-18)

    How to minimize the drama and keep your team on track.

    50+ examples of Robert Cialdini's 6 Principles Of Influen...

    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…

    8 common traits of uncommon product leaders

    medium.com   (2022-07-18)

    I’ve found the following to be common (and not easily taught) in people whose product skills I admire.

    Take Your Team From Worst To First: Leadership Lessons Fr...

    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.

    A Story from Google Shows You Don’t Need Power to Drive S...

    hbr.org   (2022-07-18)

    Five things you need instead.

    You’re Already More Persuasive than You Think

    hbr.org   (2022-07-18)

    Simple, direct requests get better results.

    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)

    In the West, “rational propaganda” has become the primary form of political discourse.

    Mentors Are The Secret Weapons Of Successful Startups | T...

    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.

    To Fight Polarization, Ask, “How Does That Policy Work?” ...

    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.

    8 body-language tricks that are hard to master but will p...

    www.businessinsider.com   (2022-07-18)

    Good body language is a crucial part of making an excellent first impression.

    LappleApple/awesome-leading-and-managing: Awesome List of...

    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

    4 Leadership Types That Can Destroy a Perfectly Good Stra...

    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.

    Real Leaders Don’t Do Focus Groups

    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 […]

    14 Persuasive Writing Techniques That Trigger A Response

    conversionsciences.com   (2022-07-18)

    Here are 14 persuasive writing techniques that will make your website appeal to visitors and increase your conversion rates.

    Moving Your Agenda | The Leading Blog: A Leadership Blog

    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.

    How An Ancient Chinese War General Would Run Your Startup...

    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

    Why Should Anyone Be Led by You?

    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.”

    Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...

    behavioralscientist.org   (2022-07-18)

    New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.

    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)

    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.

    The Tipping Point Summary

    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.

    The Psychology Behind Costco's Free Samples

    www.theatlantic.com   (2022-07-18)

    Mini pizza bagels? Now we're talking.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    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)

    A company study found that a manager’s technical skills were far less valued by employees than people skills.

    We Need to Talk About Servant Leadership

    mfbt.ca   (2022-07-18)

    Tastes great, less filling

    How to Mentor a Perfectionist

    hbr.org   (2022-07-18)

    It’s really hard.

    Why People Buy Perception And Not Reality

    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 …

    Lincoln on Leadership

    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 … …

    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)

    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.

    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 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.

    Persuasion Triggers In Web Design — Smashing Magazine

    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).

    Understand the 4 Components of Influence

    hbr.org   (2022-07-18)

    The subtle signals you have to master.

    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)

    Use these 7 persuasion tips to instantly make your presentations, roadmaps, marketing and sales materials more compelling, engaging, and influential.

    How to Get an MBA from Eminem? - James Altucher

    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 […]

    Tap into the power to persuade by using these 6 technique...

    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…

    How to Persuade Anyone of Anything in Ten Seconds - James...

    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. […]

    The Ultimate Guide to Conversion Rate Optimization

    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.

    The Ten Golden Rules of Leadership: Classical Wisdom for ...

    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 ...

    Beginner's Guide to Arguing Constructively

    liamrosen.com   (2022-07-18)

    How to turn arguments from vicious battles into productive dialogues.

    Cultural Coaching: Knowing When to Shut Up

    hbr.org   (2022-07-18)

    The American tendency to fill up quiet space is not a good strategy with the Chinese.

    The Science of Asking What People Want

    blogs.scientificamerican.com   (2022-07-05)

    Market research can extract plenty of data, but its greatest value is in evoking reactions

    Sunday Firesides: If You See Something, Say Something

    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 […]

    Ultimate Terms

    changingminds.org   (2022-06-25)

    There are words which have special meaning within each culture and carry power where they are used.

    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)

    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.

    The Backfire Effect: Why Facts Don’t Always Change Minds

    effectiviology.com   (2022-06-25)

    A history of the smile through art, culture and etiquette...

    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

    The Greatest Privilege We Hardly Talk About: Beauty

    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…

    Nonverbal comms types

    i.redd.it   (2022-06-01)

    Learn Street Epistemology To Deal With Difficult People a...

    codecapsule.com   (2022-05-28)

    Learn the street epistemology conversation technique and how you can apply it at work.

    The Endgames of Bad Faith Communication

    consilienceproject.org   (2022-04-13)

    UX Crash Course: User Psychology

    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.

    My Favorite Liar

    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

    The rise of performative work

    www.economist.com   (2022-01-09)

    It’s not what you do. It’s how ostentatiously you do it

    The Four Desires Driving All Human Behavior: Bertrand Rus...

    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.”

    Most Read Articles of 2021

    behavioralscientist.org   (2021-12-23)

    Take a moment to dive into the pieces your fellow behavioral science enthusiasts read most this year.

    Kant’s Categorical Imperative: Act the Way You Want Other...

    effectiviology.com   (2021-11-03)

    Assertiveness is a virtue that anyone can develop with pr...

    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

    How to Become a Master at Talking to Strangers

    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.

    The 10 Must-Read Psychology Books Every Human Being Shoul...

    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.

    Why People Fall For Conspiracy Theories

    fivethirtyeight.com   (2021-06-17)

    You might not believe in QAnon, but you could still fall down the rabbit hole.

    Dunning-Kruger meets fake news | Ars Technica

    arstechnica.com   (2021-06-05)

    People who overrate their media savviness share more misleading material.

    One simple way to build someone’s confidence: Ask for the...

    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…

    Folk Festival a success, but students in short supply

    www.chicagomaroon.com   (2021-05-30)

    How to Quietly Get People’s Attention in a Noisy World

    link.medium.com   (2021-05-27)

    Being a calming influence when things go south is a seriously attractive quality

    Fierce Nerds

    paulgraham.com   (2021-05-18)

    Bullshit and Intelligence

    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

    Find the Right Words to Inspire Your Team

    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.

    When Red Means “Go”: Color and Cultural Reactance in Risk...

    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

    A Simple Tip for Staying Assertive in Emotional Conversat...

    getpocket.com   (2021-04-02)

    Assertive communication is about compromise.

    5 phrases to use to improve your emotional intelligence a...

    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.

    Persuading the Unpersuadable

    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.

    The Science of Changing Someone's Mind

    www.nytimes.com   (2021-01-31)

    Don’t try to change someone else’s mind. Instead, help them find their own motivation to change.

    To Counteract Propaganda, We Should Look to Lessons from ...

    getpocket.com   (2021-01-31)

    The goal should not be conversion but doubt.

    Carl Braun on Communicating Like a Grown-Up

    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.

    How to Talk to People You Disagree With

    getpocket.com   (2021-01-25)

    Bridge the divide with thoughtful conversation techniques, next-level listening, and a dip into the science of changing minds.

    How to Win an Argument (at the U.S. Supreme Court, or Any...

    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.

    Ways to Get People to Do Things They Don’t Want to Do

    getpocket.com   (2020-08-10)

    Developing user habits is not the same as demanding compliance. But sometimes that’s the task at hand.

    Opinion | Are You an Anti-Influencer? (Published 2020)

    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.

    Quotes and Lessons about Strategy from Machiavelli’s “The...

    effectiviology.com   (2020-02-19)

    The Charisma Effect

    getpocket.com   (2019-12-31)

    How to bend people to your will.

    ‘Would You Be Willing?’: Words to Turn a Conversation Aro...

    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.

    The Art of Persuasion Hasn’t Changed in 2,000 Years

    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.

    delivery.php

    poseidon01.ssrn.com   (2019-12-23)

    The psychology of gift giving

    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

    Ethos, Pathos, Logos: how to persuade people

    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.

    It’s Not Enough to Be Right. You Also Have to Be Kind.

    link.medium.com   (2019-11-10)

    Takedowns and clever quips are easy, but empathy and persuasion are better

    How to Introvert | Less Penguiny

    www.lesspenguiny.com   (2019-08-30)

    Why some people are constantly approached by friendly nearbys whereas others might as well be invisible

    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-29)

    15 Steps to Understand & Influence User Behavior: A Deep ...

    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.

    Creating a useful spec

    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…

    How your supermarket manipulates you

    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.

    Psychology for UX: Study Guide

    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.

    The Science of Gift Giving

    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

    The fear of being duped is ubiquitous, but excessive scep...

    aeon.co   (2023-07-24)

    The fear of being duped is ubiquitous, but excessive scepticism makes it harder to trust one another and cooperate

    The von Restorff Isolation Effect: What Stands Out Is Rem...

    effectiviology.com   (2023-04-24)

    The Art and Science of Spending Money

    collabfund.com   (2023-04-08)

    Former General Electric CEO Jack Welch once nearly died of a heart attack.

    Be Dignified, as a Rule

    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

    How Loneliness Reshapes the Brain | Quanta Magazine

    www.quantamagazine.org   (2023-03-02)

    Feelings of loneliness prompt changes in the brain that further isolate people from social contact.

    A ‘Distinctly Human’ Trait That Might Actually Be Universal

    www.theatlantic.com   (2023-02-22)

    Disgust is surprisingly common across nature.

    How to have more fun: 5 ideas to make your life more play...

    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.

    The Five Tools of Hedonic Design

    experimentalhistory.substack.com   (2023-01-02)

    Hacking the happiness treadmill

    The Psychologist | BPS

    www.bps.org.uk   (2022-10-30)

    The magazine of the British Psychological Society - in print and online.

    The four horsemen of fear

    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.

    Charlie Tyson: "Theater of Shame"

    yalereview.org   (2022-10-04)

    What does the state of online shaming reveal about our democracy?

    Purring Is a Love Language No Human Can Speak

    www.theatlantic.com   (2022-09-09)

    Some cats do it, but others can’t—and researchers still don’t fully understand why.

    How to cope with shame | Psyche Guides

    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

    The Trait That ‘Super Friends’ Have in Common

    www.theatlantic.com   (2022-08-28)

    A secure attachment style can help people initiate and maintain friendships.

    The Scientific Underpinnings and Impacts of Shame

    getpocket.com   (2022-08-17)

    People who feel shame readily are at risk for depression and anxiety disorders

    Separating Yourself from the Pack | Hidden Brain Media

    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.

    7 Reasons Why Emotional Intelligence Is One Of The Fastes...

    getpocket.com   (2022-07-18)

    Here’s why hiring managers say they often value emotional intelligence more highly than IQ.

    Why criticism lasts longer than praise

    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.

    Don’t Surround Yourself With Admirers

    www.theatlantic.com   (2022-07-03)

    Instead, befriend people who inspire awe in you.

    Why your favourite colour is probably blue

    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.

    What makes hate a unique emotion – and why that matters |...

    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

    The Endgames of Bad Faith Communication

    consilienceproject.org   (2022-04-13)

    How to perform well under pressure | Psyche Guides

    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

    https://www.collaborativefund.com/blog/does-not-compute

    www.collaborativefund.com   (2022-01-06)

    Interoception: The Hidden Sense That Shapes Wellbeing

    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.

    The 10 Must-Read Psychology Books Every Human Being Shoul...

    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.

    Folk Festival a success, but students in short supply

    www.chicagomaroon.com   (2021-05-30)

    A Visual Guide to Human Emotion

    www.visualcapitalist.com   (2021-04-03)

    Dissecting the Bloodthirsty Bliss of Death Metal

    getpocket.com   (2021-02-12)

    Fans of this violent music report feelings of transcendence and positive emotions; psychologists want to learn why.

    Interpersonal Reactivity Index - Psychology | Eckerd College

    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...

    A neurosurgeon shares his effective strategy for overcomi...

    www.fastcompany.com   (2021-02-12)

    Think about your life like an x-y axis, with four quadrants.

    How to be angry | Psyche Guides

    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

    Ads Don’t Work That Way | Melting Asphalt

    meltingasphalt.com   (2020-12-26)

    An Extensive List of Human Emotions and Their Meanings - ...

    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.

    The Ultimate List of Emotions and How to Control Your Emo...

    www.scienceofpeople.com   (2020-11-29)

    Could you make a list of all the emotions you feel in a day? Emotions play a fascinating

    Emotional Intelligence: The Social Skills You Weren’t Tau...

    getpocket.com   (2020-02-12)

    How well do you recognize and understand your emotions? What about the emotions of those around you?

    Why the French Don’t Show Excitement

    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.

    Why wonder is the most human of all emotions | Aeon Essays

    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?

    On Humility and Making Better Decisions

    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.

    The fast track to a life well lived is feeling grateful

    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

    To Persuade Someone, Look Emotional

    getpocket.com   (2019-09-16)

    Look like you‘re trusting your gut and others will trust you.

    The value of shame

    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

    What can psychopaths teach us about AI?

    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

    The Science Behind “Blade Runner”’s Voight-Kampff Test - ...

    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 […]

    Why we buy the things we buy

    www.vox.com   (2018-09-12)

    The mysteries of consumer behavior, explained by ice cream and independent bookstores.

    We should take awkwardness less personally and more serio...

    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.

    15 Quotes on the Unparalleled Power of Example

    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.

    What Is Psychological Safety?

    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?

    Medium

    medium.com   (2022-07-19)

    How Great Leaders Respond to Negative Criticism in the Di...

    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

    Tribal Leadership: The Key To Building Great Teams

    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 …

    Medium

    medium.com   (2022-07-19)

    https://www.fastcompany.com/3062156/lessons-learned/this-...

    www.fastcompany.com   (2022-07-18)

    CEOs Don't Come Pre-Made, Authentic Leadership Has To Be ...

    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.

    6 Ways to Look More Confident During a Presentation

    getpocket.com   (2022-07-18)

    Here’s what the best leaders do.

    Military reading lists

    militaryreadinglists.com   (2022-07-18)

    U.S. Army Engineer School Commandant’s Reading List

    Managing Two People Who Hate Each Other

    hbr.org   (2022-07-18)

    How to minimize the drama and keep your team on track.

    8 common traits of uncommon product leaders

    medium.com   (2022-07-18)

    I’ve found the following to be common (and not easily taught) in people whose product skills I admire.

    Take Your Team From Worst To First: Leadership Lessons Fr...

    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.

    Mentors Are The Secret Weapons Of Successful Startups | T...

    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.

    LappleApple/awesome-leading-and-managing: Awesome List of...

    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

    4 Leadership Types That Can Destroy a Perfectly Good Stra...

    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.

    Real Leaders Don’t Do Focus Groups

    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 […]

    Moving Your Agenda | The Leading Blog: A Leadership Blog

    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.

    How An Ancient Chinese War General Would Run Your Startup...

    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

    Why Should Anyone Be Led by You?

    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.”

    Google’s Quest to Build a Better Boss (Published 2011)

    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.

    We Need to Talk About Servant Leadership

    mfbt.ca   (2022-07-18)

    Tastes great, less filling

    How to Mentor a Perfectionist

    hbr.org   (2022-07-18)

    It’s really hard.

    Lincoln on Leadership

    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 … …

    https://www.fastcompany.com/3016115/leadership-now/7-toug...

    www.fastcompany.com   (2022-07-18)

    Book summary the 21 irrefutable laws of leadership by joh...

    hgimnetwork.org   (2022-07-18)

    The Ten Golden Rules of Leadership: Classical Wisdom for ...

    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 ...

    An Exercise to Help Your Team Feel More Comfortable with ...

    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.

    Find the Right Words to Inspire Your Team

    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.

    Carl Braun on Communicating Like a Grown-Up

    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.

    How to tackle the monsters holding you back from being a ...

    www.fastcompany.com   (2021-01-08)

    "Unconscious leadership happens when we aren't self-aware, which puts fear in the driver's seat."

    5 leadership tactics that build trust

    www.fastcompany.com   (2020-12-06)

    The soft skills are what matter most.

    Army Ranger School Is a Laboratory of Human Endurance

    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.

    Quotes and Lessons about Strategy from Machiavelli’s “The...

    effectiviology.com   (2020-02-19)

    In a Life-or-Death Crisis, Humility Is Everything - WSJ

    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.

    The Charisma Effect

    getpocket.com   (2019-12-31)

    How to bend people to your will.

    Why Open Secrets Exist in Organizations

    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.

    The 25 Principles for Adult Behavior: John Perry Barlow (...

    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.

    Who Still Buys Wite-Out, and Why?

    getpocket.com   (2024-06-01)

    Correction fluids have improbably outlasted the typewriter and survived the rise of the digital office.

    To Make Your Product a Habit, Start With These Powerful T...

    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.

    The Shirky Principle: Institutions Try to Preserve the Pr...

    effectiviology.com   (2024-02-29)

    Psychology for UX: Study Guide

    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.

    The secret economics of the Birkin bag

    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...

    A Complete Taxonomy of Internet Chum - The Awl

    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 ...

    The value of not flying

    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?

    How Two Companies Hooked Customers On Products They Rarel...

    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.

    Clay Christensen’s Milkshake Marketing

    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.

    What Really Makes Customers Buy a Product

    hbr.org   (2022-07-18)

    It can be more important than word of mouth.

    Signaling as a Service

    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

    Consumers Are Becoming Wise to Your Nudge - Behavioral Sc...

    behavioralscientist.org   (2022-07-18)

    New research indicates that consumers are catching on and may be annoyed by certain nudges, potentially limiting their effectiveness.

    How to Make Your Product Scientifically Irresistible | Ga...

    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.

    How Our Brain Determines if the Product is Worth the Price

    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.

    Are you outspoken at work? How to use your voice – and no...

    ideas.ted.com   (2022-07-18)

    Hello, my name is Andrew, and I can’t stop disagreeing.

    How Self-Service Kiosks Are Changing Customer Behavior

    hbr.org   (2022-06-28)

    From ATMs to automated checkouts to fast food.

    An Exercise to Help Your Team Feel More Comfortable with ...

    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.

    How to Market Taboo Products

    www.entrepreneur.com   (2022-06-23)

    Tips from successful campaigns promoting everything from shapewear to prostate health.

    Sometimes It’s Not the Change They Hate — Users Know

    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.

    How Artists Use Psychology to Price a Painting

    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.

    Storming Reddit's Moat

    floodstate.substack.com   (2022-02-08)

    A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It

    Do We Create Shoplifters? - Unintended Consequences

    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?

    How to think like a detective | Psyche Guides

    psyche.co   (2021-04-22)

    The best detectives seem to have almost supernatural insight, but their cognitive toolkit is one that anybody can use

    15 Years of Spotify: How the Streaming Giant Has Changed ...

    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.

    The Decoy Effect: How You Are Influenced to Choose Withou...

    getpocket.com   (2021-02-21)

    Think you got a good deal? Look again.

    How to be more productive without forcing yourself

    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.

    Forming Experimental Product Hypotheses | by Chris Compst...

    medium.com   (2020-11-03)

    An introduction to forming hypothesis statements for product experimentation.

    Four Ways to Use Psychology to Win Your Competition's Cus...

    getpocket.com   (2020-11-03)

    Some products sell themselves, but habits don’t. They require a bit of finesse.

    Are you outspoken at work? How to use your voice – and no...

    getpocket.com   (2020-10-28)

    Hello, my name is Andrew, and I can’t stop disagreeing.

    How OKRs can make you a better leader

    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.

    Ask a researcher: How do needs drive intent?

    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.

    Hooked on Loot Boxes: How Behavioral Design Gets Gamers

    medium.com   (2019-08-31)

    Nir Eyal’s Hooked Model explains how games keep players coming back.

    https://t.co/5oaFLodGNL?ssr=true

    t.co   (2019-08-29)

    15 Steps to Understand & Influence User Behavior: A Deep ...

    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.

    Why we buy the things we buy

    www.vox.com   (2018-09-12)

    The mysteries of consumer behavior, explained by ice cream and independent bookstores.

    The Power of a Free Popsicle | Stanford Graduate School o...

    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)

    What is Maslow’s Hammer?

    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.

    What is the Concorde Fallacy?

    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

    Debiasing: How to Reduce Cognitive Biases in Yourself and...

    effectiviology.com   (2023-08-09)

    The von Restorff Isolation Effect: What Stands Out Is Rem...

    effectiviology.com   (2023-04-24)

    Why can’t Americans agree on, well, nearly anything? Phil...

    theconversation.com   (2023-03-20)

    Two concepts can help explain why society seems increasingly unable to agree on basic facts.

    https://betterhumans.coach.me/cognitive-bias-cheat-sheet-...

    betterhumans.coach.me   (2022-07-19)

    https://measureofdoubt.com/2017/02/05/which-cognitive-bia...

    measureofdoubt.com   (2022-07-19)

    The Zero-Sum Bias: When People Think that Everything is a...

    effectiviology.com   (2022-07-18)

    The Psychologist’s Fallacy: It’s Wrong to Assume that You...

    effectiviology.com   (2022-07-18)

    How to avoid cognitive biases when you get paid to think ...

    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

    Most Common Cognitive Biases Visualised & Explained

    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…

    Beautiful People Don’t Always Win in the Workplace

    getpocket.com   (2022-07-18)

    Research shows how attractive employees can rub some customers the wrong way.

    Cherry Picking: When People Ignore Evidence that They Dis...

    effectiviology.com   (2022-07-18)

    Prospect Theory: What It Is and How It Works, With Examples

    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.

    Why the Most Important Idea in Behavioral Decision-Making...

    getpocket.com   (2022-07-18)

    The popular idea that avoiding losses is a bigger motivator than achieving gains is not supported by the evidence

    Better If It’s Man-Made?

    www.gsb.stanford.edu   (2022-07-18)

    Biases and Blunders

    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.

    Why too much evidence can be a bad thing

    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 ...

    Take "the Other" to lunch

    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.

    https://www.visualcapitalist.com/wp-content/uploads/2020/...

    www.visualcapitalist.com   (2022-05-22)

    18 Cognitive Bias Examples Show Why Mental Mistakes Get Made

    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.

    Scarcity in UX: The psychological bias that became the norm

    uxdesign.cc   (2022-01-29)

    Short analysis on the current state of affairs and a few tips to keep in mind.

    UX Design Psychology Tricks for Design Excellence

    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.

    Among Social Scientists, a Vigorous Debate Over Loss Aver...

    undark.org   (2021-12-02)

    A principle that explains decision-making — from investor behavior to insurance markets — isn't ironclad, experts argue.

    The Availability Bias: How to Overcome a Common Cognitive...

    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.

    When Red Means “Go”: Color and Cultural Reactance in Risk...

    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

    How To Reduce Decision Noise - Commonplace - The Commonco...

    commoncog.com   (2021-02-10)

    Five ways to do noise reduction, from the field of judgment and decision making.

    To Counteract Propaganda, We Should Look to Lessons from ...

    getpocket.com   (2021-01-31)

    The goal should not be conversion but doubt.

    Pocket - Best reads of 2020

    www.vox.com   (2021-01-28)

    Inside the distinctive, largely unknown ideology of American policing — and how it justifies racist violence.

    The enduring allure of conspiracies

    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.

    The Concorde Fallacy and why people make bad decisions - ...

    creativesamba.substack.com   (2020-08-10)

    Why Informing your customers of a sunk cost can actually help you increase your sales.

    Unlikely Optimism: The Conjunctive Events Bias

    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.

    Delighting Without Asking

    peoplescience.maritz.com   (2018-10-01)

    How restaurant menus play tricks on you

    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.

    The Falsification Mindset: How to Change Your Own Mind

    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
    chipsandcheese.com   (2025-03-15)

    Hello you fine Internet folks,

    100x Defect Tolerance: How Cerebras Solved the Yield Prob...

    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 […]

    AMD Reveals Real Reason It Won't Put 3D V-Cache On Multip...

    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.

    Intel's $475 million error: the silicon behind the Pentiu...

    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...

    Slim-Llama: An Energy-Efficient LLM ASIC Processor Suppor...

    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

    AMD Disables Zen 4's Loop Buffer

    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.

    Predictive PDK (ASAP) – ASU Engineering

    asap.asu.edu   (2024-11-25)

    Antenna diodes in the Pentium processor

    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...

    Understanding Two Port Amplifier Power Gains

    open.substack.com   (2024-07-31)

    Transducer, Unilateral, Available and Power Gain; what they mean and how to calculate them.

    ABCs of Power Amplifier Classes: Foundations

    open.substack.com   (2024-07-30)

    Basic concepts required to understand classes of operation in power amplifiers.

    Zen 5’s 2-Ahead Branch Predictor Unit: How a 30 Year Old ...

    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.

    Standard cells: Looking at individual gates in the Pentiu...

    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...

    Competitive Open-Source EDA Tools

    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

    A Comprehensive RF Characterization and Modeling Methodol...

    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.

    The Ultimate Signoff (TapeOut) Checklist

    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

    VLSI Physical Design

    www.ifte.de   (2023-09-27)

    Criteria & Assumptions — SkyWater SKY130 PDK 0.0.0-356-g4...

    skywater-pdk.readthedocs.io   (2023-08-19)

    The Future of the Transistor

    www.semianalysis.com   (2023-04-08)

    Planar to FinFET to Nanosheet to Complementary FET to 2D

    Ending an Ugly Chapter in Chip Design

    spectrum.ieee.org   (2023-04-06)

    Study tries to settle a bitter disagreement over Google’s chip design AI

    True 3D Is Much Tougher Than 2.5D

    semiengineering.com   (2023-04-05)

    While terms often are used interchangeably, they are very different technologies with different challenges.

    RDL and Flip Chip Design

    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.

    The Most Complex Chip Ever Made?

    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

    Video: Intel EMIB Technology Explained

    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.

    US Semiconductor Manufacturing | CHIPS and Science Act | ...

    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.

    Tiny Tapeout - Tiny Tapeout

    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.

    Asynchronously Parallel Optimization Method For Sizing An...

    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

    An AI 'Engineer' Has Now Designed 100 Chips - ExtremeTech

    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.

    bmurmann/Book-on-MOS-stages: Book repository "Analysis an...

    github.com   (2023-01-17)

    Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages

    My Articles on AAC (Page I)

    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...

    RF Design Basics—Introduction to Transmission Lines

    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.

    Big Trouble in Little Interconnects

    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.

    Book-on-MOS-stages/Analysis and Design of Elementary MOS ...

    github.com   (2022-12-31)

    Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages

    Ultimate Guide: Clock Tree Synthesis

    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

    Performance Benefits of Using Huge Pages for Code. | Easy...

    easyperf.net   (2022-09-05)

    Page Not Available | Mailchimp

    mailchi.mp   (2022-09-03)

    High-Performance 5G IC Designs Need High-Performance Para...

    semiengineering.com   (2022-06-23)

    The high frequencies and data rates involved in 5G designs makes layout verification all the more important.

    Designing and Simulating Low-Voltage CMOS Circuits Using ...

    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

    Thermal Management Challenges and Requirements of 3 types...

    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

    Another Firing Among Google’s A.I. Brain Trust, and 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.

    The X-Ray Tech That Reveals Chip Designs

    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

    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)

    An integrated cache and memory access time, cycle time, area, leakage, and dynamic power model - HewlettPackard/cacti

    How to make multicore chips faster more efficient

    spectrum.ieee.org   (2021-12-08)

    Asplos 17 cam

    rakeshk.crhc.illinois.edu   (2021-12-07)

    Magic VLSI

    opencircuitdesign.com   (2021-12-05)

    Magic VLSI: Resource Page

    OpenROAD – Home

    theopenroadproject.org   (2021-12-03)

    Library Design - Silvaco

    www.nangate.com   (2021-12-03)

    Silvaco provides standard cell library design and optimization services

    Effect of Design on Transistor Density - Semiwiki

    semiwiki.com   (2021-12-03)

    I have written a lot of articles looking at leading…

    Understanding SoC Clock Design - AnySilicon

    anysilicon.com   (2021-12-01)

    SoC clock tree overview, metrics that help qualify a clock tree and most commonly used clock tree distribution methodologies.

    Category:EDA file formats

    en.wikipedia.org   (2021-12-01)

    File formats used by EDA tools.

    Impact Of GAA Transistors At 3/2nm

    semiengineering.com   (2021-08-17)

    Some things will get better from a design perspective, while others will be worse.

    Bumps Vs. Hybrid Bonding For Advanced Packaging

    semiengineering.com   (2021-06-23)

    New interconnects offer speed improvements, but tradeoffs include higher cost, complexity, and new manufacturing challenges.

    The Ultimate Guide to Clock Gating

    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

    6 Causes of MOS Transistor Leakage Current

    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.

    New Transistor Structures At 3nm/2nm

    semiengineering.com   (2021-01-25)

    Gate-all-around FETs will replace finFETs, but the transition will be costly and difficult.

    Die Per Wafer (free) Calculator

    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.

    The Ultimate Guide to Static Timing Analysis (STA)

    anysilicon.com   (2021-01-15)

    Static Timing Analysis? Read here the best overview to STA, including theory, real examples, ilustrations, tips and tricks.

    Introduction to Thermal Characterization Parameters

    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 (Ψ).

    Die Yield Calculator | iSine Analog, Digital & Mixed Sign...

    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...

    Junction-to-Case Thermal Resistance in Thermal Design

    www.allaboutcircuits.com   (2021-01-02)

    Learn about an important thermal metric for designing the interface between an IC package and a heat sink.

    Designing with a Heat Sink for Junction-to-Case Thermal R...

    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.

    10 basic advanced IC packaging terms to know

    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.

    How Junction-to-Ambient Thermal Resistance of an IC Packa...

    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.

    Transistor Sizing in VLSI Design Using the Linear Delay M...

    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.

    FinFETs Give Way to Gate-All-Around | Lam Research

    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...

    The Elmore Delay Model in VLSI Design

    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.

    Techniques to Reduce Timing Violations using Clock Tree O...

    semiwiki.com   (2020-11-03)

    The semiconductor industry growth is increasing exponentially with high speed…

    Making Full Memory IP Robust During Design - Semiwiki

    semiwiki.com   (2020-11-03)

    Looking at a typical SoC design today it's likely to…

    Verification Of Multi-Cycle Paths And False Paths

    semiengineering.com   (2020-11-03)

    Single-clock design is not always as easy as it seems.

    Making SPICE available for everyone

    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.

    CMOS Circuit Design, Layout, and Simulation

    cmosedu.com   (2019-08-29)

    Five Rules For Correlating Rule-based And Field Solver Pa...

    semiengineering.com   (2018-12-22)

    Accurately determine parasitic effects with the proper set up of two different methods.

    Process Corner Explosion

    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.

    gplEDA Homepage

    www.gpleda.org   (2018-05-06)

    accucell_cell_char_intro.ppt - cell_char_intro_090508.pdf

    www.silvaco.com   (2018-02-02)

    Comparing NLDM And CCS delay models - Paripath - improvin...

    www.paripath.com   (2017-10-18)

    Post date: Sep 19, 2014 10:01:08 PM

    Clash of the Foundries: Gate All Around + Backside Power ...

    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
    chipsandcheese.com   (2025-03-15)

    Hello you fine Internet folks,

    The Road Ahead For Datacenter Compute Engines: The CPUs

    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

    AMD Reveals Real Reason It Won't Put 3D V-Cache On Multip...

    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.

    Intel's $475 million error: the silicon behind the Pentiu...

    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...

    AMD Ryzen 7 9800X3D Uses A Thick Dummy Silicon That Compr...

    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.

    AMD Disables Zen 4's Loop Buffer

    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.

    Antenna diodes in the Pentium processor

    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...

    Why Intel Lost Its CPU Crown To AMD (And How Ryzen Change...

    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.

    Amazon’s Cloud Crisis: How AWS Will Lose The Future Of Co...

    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

    Zen 5’s 2-Ahead Branch Predictor Unit: How a 30 Year Old ...

    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.

    Flow claims it can 100x any CPU’s power with its companio...

    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,

    Half of Russian-Made Chips Are Defective

    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...

    “Downfall” bug affects years of Intel CPUs, can leak encr...

    arstechnica.com   (2023-08-10)

    Researchers also disclosed a separate bug called “Inception” for newer AMD CPUs.

    Downfall Attacks

    downfall.page   (2023-08-09)

    Downfall attacks targets a critical weakness found in billions of modern processors used in personal and cloud computers.

    Gallery of Processor Cache Effects

    igoro.com   (2023-07-18)

    Kryo: Qualcomm’s Last In-House Mobile Core

    chipsandcheese.com   (2023-07-16)

    CPU design is hard.

    AI Server Cost Analysis – Memory Is The Biggest Loser

    www.semianalysis.com   (2023-06-22)

    Micron $MU looks very weak in AI

    Intel Is All-In on Back-Side Power Delivery

    spectrum.ieee.org   (2023-06-09)

    The company’s PowerVia interconnect tech demonstrated a 6 percent performance gain

    The Case for Running AI on CPUs Isn’t Dead Yet

    spectrum.ieee.org   (2023-06-02)

    GPUs may dominate, but CPUs could be perfect for smaller AI models

    ARM’s Cortex A53: Tiny But Important

    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.

    Intel CPU Die Topology - by Jason Rahman - Delayed Branch

    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.

    Hacker News

    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...

    Interconnect Under the Spotlight as Core Counts Accelerat...

    semiwiki.com   (2023-04-06)

    In the march to more capable, faster, smaller, and lower…

    RISC-V In The Datacenter Is No Risky Proposition

    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,

    China’s flagship CPU designer puts on a brave face amid U...

    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.

    The basics of Arm64 Assembly - by Diego Crespo

    www.deusinmachina.net   (2023-03-12)

    Just one instruction at a time!

    More CPU Cores Isn’t Always Better, Especially In HPC

    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 –

    Four Cornerstones of CPU Performance.

    easyperf.net   (2022-10-19)

    Monolithic Sapphire Rapids

    www.angstronomics.com   (2022-09-29)

    Absolute Reticle Limit

    Performance Benefits of Using Huge Pages for Code. | Easy...

    easyperf.net   (2022-09-05)

    New working speculative execution attack sends Intel and ...

    arstechnica.com   (2022-07-12)

    Both companies are rolling out mitigations, but they add overhead of 12 to 28 percent.

    A new vulnerability in Intel and AMD CPUs lets hackers st...

    arstechnica.com   (2022-06-23)

    Hertzbleed attack targets power-conservation feature found on virtually all modern CPUs.

    5.5 mm in 1.25 nanoseconds | Random ASCII – tech blog of ...

    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…

    Asplos 17 cam

    rakeshk.crhc.illinois.edu   (2021-12-07)

    Domain-Specific Hardware Accelerators – Communications of...

    cacm.acm.org   (2021-12-04)

    Precise timing of machine code with Linux perf. | Easyperf

    easyperf.net   (2021-12-03)

    Microarchitecture

    www.agner.org   (2021-12-02)

    To reinvent the processor

    medium.com   (2021-12-02)

    A detailed, critical, technical essay on upcoming CPU architectures.

    Software optimization resources. C++ and assembly. Window...

    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.

    Does an AMD Chiplet Have a Core Count Limit?

    www.anandtech.com   (2021-09-07)

    Did IBM Just Preview The Future of Caches?

    www.anandtech.com   (2021-09-04)

    Gutting Decades Of Architecture To Build A New Kind Of Pr...

    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

    AMD 3D Stacks SRAM Bumplessly

    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.

    Intel: AMD Threat Is Finished (NASDAQ:INTC)

    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.

    New 'Morpheus' CPU Design Defeats Hundreds of Hackers in ...

    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.

    Apple's M1 Positioning Mocks the Entire x86 Business Model

    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.

    Sapphire Rapids CPU Leak: Up to 56 Cores, 64GB of Onboard...

    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.

    The MIPS R4000, part 9: Stupid branch delay slot tricks

    devblogs.microsoft.com   (2021-03-30)

    Technically legal, but strange.

    Deep Dive Into AMD’s “Milan” Epyc 7003 Architecture

    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”

    The Rise, Fall and Revival of AMD (2020)

    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...

    The Third Time Charm Of AMD’s Milan Epyc Processors

    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

    AMD's Reliance on TSMC Isn't Harming the Company's Growth...

    www.extremetech.com   (2021-02-11)

    Intel Processor Names, Numbers and Generation List

    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.

    How Debuggers Work: Getting and Setting x86 Registers

    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.

    Performance analysis & tuning on modern CPU - DEV Communi...

    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...

    An ex-ARM engineer critiques RISC-V

    gist.github.com   (2020-11-01)

    RISC-V.md · GitHub

    Optimizing 128-bit Division

    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…

    x86 instruction listings

    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.

    Fujitsu Begins Shipping Supercomputer Fugaku - Fujitsu Gl...

    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.

    Undocumented CPU Behavior: Analyzing Undocumented Opcodes...

    www.cattius.com   (2020-03-09)

    96-Core Processor Made of Chiplets

    spectrum.ieee.org   (2020-02-19)

    64 Core Threadripper 3990X CPU Review

    www.anandtech.com   (2020-02-16)

    bhive/README.md at master · ithemal/bhive

    github.com   (2020-02-12)

    It’s a Cascade of 14nm CPUs: AnandTech’s Intel Core i9-10...

    www.anandtech.com   (2019-11-25)

    Intel 10th Gen Comet Lake CPU Family Leaks With 10-Core, ...

    hothardware.com   (2019-11-04)

    Recent leaks may shed some light on Intel's upcoming mainstream desktop Comet Lake-S CPUs.

    Intel Tremont CPU Microarchitecture: Power Efficient, Hig...

    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

    Intel's new Atom Microarchitecture: The Tremont Core in L...

    www.anandtech.com   (2019-10-26)

    RISC-V from scratch 2: Hardware layouts, linker scripts, ...

    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.

    Avoiding Instruction Cache Misses

    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.

    PrincetonUniversity/accelerator-wall: Repository for the ...

    github.com   (2019-02-12)

    Repository for the tools and non-commercial data used for the "Accelerator wall" paper. - PrincetonUniversity/accelerator-wall

    Benchmarking Amazon's ARM Graviton CPU With EC2's A1 Inst...

    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.

    ARM is the NNSA’s New Secret Weapon

    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

    CPU DB - Looking At 40 Years of Processor Improvements | ...

    cpudb.stanford.edu   (2018-01-24)

    Intel Core Ultra 200 “Arrow Lake” Desktop CPU Specs Leak:...

    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
    chipsandcheese.com   (2025-03-15)

    Hello you fine Internet folks,

    Demystifying GPU Compute Architectures

    open.substack.com   (2025-01-28)

    Getting 'low level' with Nvidia and AMD GPUs

    Intel Arc B580 "Battlemage" GPU Leak Confirms 12 GB Memor...

    wccftech.com   (2024-11-23)

    Intel's first Arc B580 GPUs based on the Xe2 "Battlemage" architecture have been leaked & they look quite compelling.

    Tenstorrent Launches Wormhole AI Processors: 466 FP8 TFLO...

    www.anandtech.com   (2024-07-20)

    Biden has brought the ban hammer down on US export of AI ...

    www.theregister.com   (2024-04-17)

    Datacenter GPUs and some consumer cards now exceed performance limits

    Intel preps export-friendly lower-power Gaudi 3 AI chips ...

    www.theregister.com   (2024-04-17)

    Beijing will be thrilled by this nerfed silicon

    Nvidia Blackwell Perf TCO Analysis - B100 vs B200 vs GB20...

    open.substack.com   (2024-04-12)

    GPT-4 Profitability, Cost, Inference Simulator, Parallelism Explained, Performance TCO Modeling In Large & Small Model Inference and Training

    How To Build A Better “Blackwell” GPU Than Nvidia Did

    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

    Lenovo Shows Huge Optimism Towards AMD’s Instinct MI300X ...

    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.

    Nvidia’s Big Tech Rivals Put Their Own A.I. Chips on the ...

    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.

    AMD’s Radeon Instinct MI210: GCN Lives On

    chipsandcheese.com   (2023-07-28)

    AMD, Nvidia, and Intel have all diverged their GPU architectures to separately optimize for compute and graphics.

    AI Capacity Constraints - CoWoS and HBM Supply Chain

    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

    Micron to Introduce GDDR7 Memory in 1H 2024

    www.tomshardware.com   (2023-06-30)

    GDDR7 is getting closer, says Micron.

    Micron Announces GDDR7 for GPUs Coming in First Half of 2024

    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.

    AI Server Cost Analysis – Memory Is The Biggest Loser

    www.semianalysis.com   (2023-06-22)

    Micron $MU looks very weak in AI

    AMD Expands AI/HPC Product Lineup With Flagship GPU-only ...

    www.anandtech.com   (2023-06-19)

    The Third Time Charm Of AMD’s Instinct GPU

    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

    The Case for Running AI on CPUs Isn’t Dead Yet

    spectrum.ieee.org   (2023-06-02)

    GPUs may dominate, but CPUs could be perfect for smaller AI models

    Google dives into the ‘supercomputer’ game by knitting to...

    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.

    Nvidia Tackles Chipmaking Process, Claims 40X Speed Up wi...

    www.tomshardware.com   (2023-03-21)

    Faster masks, less power.

    Meet the $10,000 Nvidia chip powering the race for A.I.

    www.cnbc.com   (2023-02-25)

    The $10,000 Nvidia A100has become one of the most critical tools in the artificial intelligence industry,

    Hacker News

    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.

    Nvidia Research Plots A Course To Multiple Multichip GPU ...

    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

    3D Stacking Could Boost GPU Machine Learning

    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

    baidu-research/warp-ctc

    github.com   (2021-12-07)

    Fast parallel CTC.

    NVIDIA Develops NVLink Switch: NVSwitch, 18 Ports For DGX...

    www.anandtech.com   (2021-12-07)

    Stacking Up AMD MI200 Versus Nvidia A100 Compute Engines

    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

    https://blog.riseml.com/comparing-google-tpuv2-against-nv...

    blog.riseml.com   (2021-12-02)

    https://www.graphcore.ai/blog/why-is-so-much-memory-neede...

    www.graphcore.ai   (2021-12-01)

    A Look at Baidu’s Industrial-Scale GPU Training Architecture

    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

    Mythic Resizes its AI Chip

    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.

    What Happens When Multipliers No Longer Define AI Acceler...

    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

    GPU Nomenclature History: No Shortage of GPUs Here

    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.

    The Rise, Fall and Revival of AMD (2020)

    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...

    Can Graviton Win A Three-Way Compute Race At AWS?

    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

    Welcome to AMD ROCm Platform — ROCm Documentation 1.0.0 d...

    rocmdocs.amd.com   (2021-03-15)

    AMD ROCm documentation

    Speculation Grows As AMD Files Patent for GPU Design

    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 ...

    How Micron’s GDDR6X memory is the secret to unlocking 4K ...

    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.

    Diving Deep Into The Nvidia Ampere GPU Architecture

    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

    NVIDIA Ampere Unleashed: NVIDIA Announces New GPU Archite...

    www.anandtech.com   (2020-05-14)

    Getting started with the NVIDIA Jetson Nano - PyImageSearch

    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.

    Part 1 - An Overview of AMD's GPU Architectures

    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…

    Semiconductor Engineering .:. Making Waves In Deep Learning

    semiengineering.com   (2016-10-12)

    Making Waves in Deep Learning How deep learning applications will map onto a chip.

    Memory is the Next Platform

    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.

    New Ultrafast Memory Boosts Intel Data Center Chips

    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...

    JEDEC Finalizes HBM4 Spec With A Key Upgrade For Memory M...

    hothardware.com   (2024-07-13)

    HBM4 is going to double the bandwidth of HBM3, but not through the usual increase in clock rate.

    AI memory emerges as new battleground for SK Hynix, Samsu...

    asia.nikkei.com   (2024-05-11)

    Demand for high-bandwidth memory is driving competition -- and prices -- higher

    Rambus Unveils GDDR7 Memory Controller IP: PAM3 Signaling...

    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.

    Micron NVDRAM may never become a product

    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 […]

    Samsung Unveils Shinebolt HBM3E Memory At Nearly 10Gbps A...

    hothardware.com   (2023-10-21)

    We're getting a first glimpses of Samsung's next-generation HBM3E and GDDR7 memory chips.

    Gallery of Processor Cache Effects

    igoro.com   (2023-07-18)

    AI Capacity Constraints - CoWoS and HBM Supply Chain

    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

    Micron to Introduce GDDR7 Memory in 1H 2024

    www.tomshardware.com   (2023-06-30)

    GDDR7 is getting closer, says Micron.

    Micron Announces GDDR7 for GPUs Coming in First Half of 2024

    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.

    AI Server Cost Analysis – Memory Is The Biggest Loser

    www.semianalysis.com   (2023-06-22)

    Micron $MU looks very weak in AI

    Panmnesia speeds up vector search with CXL

    blocksandfiles.com   (2023-06-20)

    Panmnesia has devised CXL-based vector search methods that are much faster than Microsoft’s Bing and Outlook.

    3D DRAM could be revolutionary – if it works

    blocksandfiles.com   (2023-05-05)

    We asked memory semiconductor industry analyst Jim Handy of Objective Analysis how he views 3D DRAM technology.

    Memory Roundup: Ultra-low-power SRAM, ULTRARAM, & 3D Flas...

    www.allaboutcircuits.com   (2023-04-25)

    New memory technologies have emerged to push the boundaries of conventional computer storage.

    State of the Art And Future Directions of Rowhammer (ETH ...

    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

    New Chip Purportedly Offers the “Best Memory of Any Chip ...

    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.

    SK hynix breezes past 300-layer 3D NAND mark

    blocksandfiles.com   (2023-03-17)

    SK hynix

    Taking a look at the ReRAM state of play

    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.

    Choosing The Correct High-Bandwidth Memory

    semiengineering.com   (2023-01-25)

    New applications require a deep understanding of the tradeoffs for different types of DRAM.

    Safeguarding SRAMs From IP Theft (Best Paper Award)

    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

    SK hynix boosts DDR5 DRAM speed with parallel reads

    blocksandfiles.com   (2022-12-08)

    SK hynix boosts DDR5 DRAM speed

    Just How Bad Is CXL Memory Latency?

    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

    Researchers Develop Transistor-free Compute-in-Memory Arc...

    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.

    Decreasing Refresh Latency of Off-the-Shelf DRAM Chips

    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

    How Memory Design Optimizes System Performance

    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.

    Performance Benefits of Using Huge Pages for Code. | Easy...

    easyperf.net   (2022-09-05)

    SRAM vs. DRAM: The Future of Memory - EE Times

    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.

    3D Stacking Could Boost GPU Machine Learning

    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

    NeuroMem IC Matches Patterns, Sees All, Knows All - EE Times

    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

    Advantages Of LPDDR5: A New Clocking Scheme

    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.

    Using Memory Differently To Boost Speed

    semiengineering.com   (2021-12-03)

    Getting data in and out of memory faster is adding some unexpected challenges.

    UPMEM Puts CPUs Inside Memory to Allow Applications to Ru...

    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 […]

    DRAM Tradeoffs: Speed Vs. Energy

    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.

    Process Control For Next-Generation Memories

    semiengineering.com   (2021-12-02)

    Emerging memory technologies call for an integrated PVD process system capable of depositing and measuring multiple materials under vacuum.

    Executing Commands in Memory: DRAM Commands - Technical A...

    www.allaboutcircuits.com   (2021-12-02)

    This article will take a closer look at the commands used to control and interact with DRAM.

    Memory at the Core of New Deep Learning Research Chip

    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.

    Caches: LRU v. random

    danluu.com   (2021-11-30)

    Did IBM Just Preview The Future of Caches?

    www.anandtech.com   (2021-09-04)

    As Chips Shrink, Rowhammer Attacks Get Harder to Stop

    www.wired.com   (2021-05-30)

    A full fix for the “Half-Double” technique will require rethinking how memory semiconductors are designed.

    11 Ways To Reduce AI Energy Consumption

    semiengineering.com   (2021-05-13)

    Pushing AI to the edge requires new architectures, tools, and approaches.

    Overcoming Challenges In Next-Generation SRAM Cell Archit...

    www.coventor.com   (2021-03-19)

    Micron Abandons 3D XPoint Memory Technology

    www.anandtech.com   (2021-03-18)

    SVT: Six Stacked Vertical Transistors

    semiengineering.com   (2021-03-18)

    SRAM cell architecture introduction: design and process challenges assessment.

    What Designers Need to Know About Error Correction Code (...

    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.

    Making Full Memory IP Robust During Design - Semiwiki

    semiwiki.com   (2020-11-03)

    Looking at a typical SoC design today it's likely to…

    DDR4 Makes Headway Even with DDR5 Modules on Its Heels

    www.allaboutcircuits.com   (2020-11-03)

    With no definitive release date for DDR5, DDR4 is making significant strides.

    How Micron’s GDDR6X memory is the secret to unlocking 4K ...

    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.

    Here's Some DDR5-4800: Hands-On First Look at Next Gen DRAM

    www.anandtech.com   (2020-01-13)

    Why the Memory Subsystem is Critical in Inferencing Chips

    www.eetimes.com   (2019-12-23)

    Good inferencing chips can move data very quickly

    Building An MRAM Array

    semiengineering.com   (2019-10-17)

    Why MRAM is so attractive.

    Manufacturing memory means scribing silicon in a sea of s...

    arstechnica.com   (2019-08-12)

    “Industry 4.0” is already here for some companies—especially silicon foundries.

    In Memory And Near-Memory Compute

    semiengineering.com   (2019-07-25)

    How much power is spent storing and moving data.

    RAMBleed

    rambleed.com   (2019-06-12)

    Memory Architectures In AI: One Size Doesn't Fit All

    semiengineering.com   (2019-04-04)

    Comparing different machine learning use-cases and the architectures being used to address them.

    Emerging Memories Today: Understanding Bit Selectors - Th...

    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

    Processing In Memory

    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.

    Overclocked Micron GDDR6 Memory Can Hit 20Gbps Speeds For...

    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.

    To Speed Up AI, Mix Memory and Processing

    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.

    Business models based on the compiled list at http://news...

    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

    The SaaS Opportunity Of Unbundling Excel

    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.

    SaaS Competitive Advantage Through Elegant LLM Feedback M...

    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.

    WTF is Marketplace Liquidity?

    medium.com   (2023-03-12)

    Methodologies for understanding and measuring marketplace liquidity

    Rules for weird ideas

    dynomight.net   (2022-08-17)

    On asking people to consider stuff that sounds crazy

    The Key to Successful Innovation? Progress Over Product

    www.inc.com   (2022-08-14)

    Tap into people's unspoken needs to create breakthrough innovations.

    3 Strategies To Building a Marketplace Startup | SaaS Aca...

    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

    http://platformed.info/how-to-get-startup-ideas/

    platformed.info   (2022-07-18)

    https://dcgross.com/decide-what-to-build/

    dcgross.com   (2022-06-28)

    Reselling Software: Don’t Start a SaaS — White Label Some...

    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?

    Zapier: The $5B unbundling opportunity

    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.

    The Economics of Data Businesses

    summation.us6.list-manage.com   (2022-03-10)

    How data businesses start, and how they keep going, and growing, and growing.

    The Accidental Invention of Bubble Wrap

    www.smithsonianmag.com   (2022-02-10)

    Two inventors turned a failed experiment into an irresistibly poppable product that revolutionized the shipping industry

    The Experience Economy

    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.

    The Stories Behind 20 Inventions That Changed the World

    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.

    Enterprise Gateway Marketplaces Will Turn Large Organizat...

    www.nfx.com   (2021-03-02)

    The marketplace revolution is still just beginning and the enterprise gateway is the newest type of marketplace.

    What Bill Gurley Saw - Commonplace - The Commoncog Blog

    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.

    Forming Experimental Product Hypotheses | by Chris Compst...

    medium.com   (2020-11-03)

    An introduction to forming hypothesis statements for product experimentation.

    The power of dopey ideas – Tech Reflect

    techreflect.net   (2020-08-10)

    Mental models for designers | Dropbox Design

    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.

    Idea Generation

    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...

    Patio11’s Law

    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

    https://kamerontanseli.ghost.io/first-it-was-craiglist-ne...

    kamerontanseli.ghost.io   (2020-05-10)

    To Come Up with a Good Idea, Start by Imagining the Worst...

    getpocket.com   (2020-05-03)

    Working backwards and breaking free from the norm exposes new and unique opportunities you probably haven’t considered.

    How to brainstorm great business ideas

    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...

    A startup built around building materials: Yesler marketp...

    www.geekwire.com   (2020-02-03)

    Matt Meyers spent two decades at Weyerhaeuser dealing with product engineering, manufacturing, software engineering, product development, sales and

    This researcher studied 400,000 knitters and discovered w...

    www.washingtonpost.com   (2019-08-31)

    An MIT Sloan Ph.D. candidate discovered what turned skilled hobbyists into entrepreneurs.

    That Time a Guy Cornered the Liquid Soap Market by Sneaki...

    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 [...]

    The Camera as the App Layer

    500ish.com   (2019-05-12)

    Your phone increasingly knows what you’re taking a picture of. And which apps you have installed. So…

    Come for the tool, stay for the network

    cdixon.org   (2019-01-20)

    Chris Dixon's blog.

    Service as a SKU | Andreessen Horowitz

    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.

    The Hacker

    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.

    She was a global superstar. She was a world-class spy.

    www.trulyadventure.us   (2022-08-22)

    The story of Josephine Baker.

    Hacker News

    www.cryptomuseum.com   (2022-07-05)

    The Havana Job

    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.

    Exclusive: Inside the Military's Secret Undercover Army

    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."

    'He knew something': The Bay Area flight of Rangers that ...

    www.sfgate.com   (2021-05-12)

    The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...

    ‘I’d Never Been Involved in Anything as Secret as This’

    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.

    The Rise and Fall of a Double Agent | The Walrus

    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

    The Spy of Night and Fog (2020)

    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.

    The Once-Classified Tale of Juanita Moody: The Woman Who ...

    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

    Lunik: Inside the CIA’s audacious plot to steal a S...

    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.

    Perspective | My two weeks with John le Carré: What I lea...

    www.washingtonpost.com   (2021-01-06)

    He wanted to learn about the Miami drug world and had been told I could help.

    "If it Hadn't Been for the Prompt Work of the Medics": FS...

    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 […]

    To Catch A Bomb-Maker

    getpocket.com   (2019-10-26)

    This is the story of a little-known FBI forensics lab and how it changed the war on terror.

    Inside Olympic Destroyer, the Most Deceptive Hack in History

    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.

    The Ultimate Lock Picker (2009)

    www.wired.com   (2019-06-16)

    Sky HISTORY TV Channel

    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.

    The Wealth Detective Who Finds the Hidden Money of the Su...

    www.bloomberg.com   (2019-05-24)

    Thirty-two-year-old French economist Gabriel Zucman scours spreadsheets to find secret offshore accounts.

    During the Cold War, the CIA Secretly Plucked a Soviet Su...

    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

    The Spy Who Drove Me

    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.

    Inside the Poisoning of a Russian Double Agent

    longform.org   (2018-08-13)

    The hit on Sergei Skripal.

    The Amazing Story of the Russian Defector Who Changed his...

    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.

    The Obsession

    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.

    Inside the Decades Long Hunt for the Mongolian Death Worm

    www.atlasobscura.com   (2024-05-04)

    Some say the true death worm has already been found—slithering beneath the sands of the Gobi.

    The Family Who Vanished Into the Bush

    slate.com   (2024-04-12)

    The two disappearances of Tom Phillips and his children.

    The Elusive, Maddening Mystery of the Bell Witch - Atlas ...

    www.atlasobscura.com   (2023-08-05)

    A classic ghost story has something to say about America—200 years ago, 100 years ago, and today.

    The Lost Music of Connie Converse

    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.

    Avenging Billy: How amateur sleuths took on a gay porn ac...

    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.

    Stranger Things: A Reading List of Unsolved Mysteries

    longreads.com   (2022-06-23)

    Tales of odd phenomena stoke our imagination even as they tease us.

    What Really Happened to Malaysia’s Missing Airplane

    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.

    What Lies Beneath

    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.

    The Notorious Mrs. Mossler

    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.

    The Day Treva Throneberry Disappeared

    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.

    Searching for Mr. X - The Atavist Magazine

    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?

    The Mystery of People Who Speak Dozens of Languages | The...

    www.newyorker.com   (2021-09-18)

    What can hyperpolyglots teach the rest of us?

    The Lost Boys

    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.

    Decades After Mysteriously Drowning, Pecos Jane Has a Nam...

    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.

    DNA Could Identify Somerton Man Exhumed in Australia - Th...

    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.

    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-12)

    The mission, still a secret to this day, was so dangerous many men bid emotional goodbyes...

    Out of thin air: the mystery of the man who fell from the...

    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?

    Strange Company

    strangeco.blogspot.com   (2020-12-22)

    A walk on the weird side of history

    The Bizarre Tale of a Cursed Russian Ghost Ship

    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

    Mystery of the cargo ships that sink when their cargo sud...

    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?

    An abandoned lifeboat at world’s end

    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

    How to drive a stake through your own good heart

    www.experimental-history.com   (2024-04-06)

    OR: The demise of the Optimize Guys

    Unlocking User Engagement: 8 Strategies to Drive Conversi...

    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

    Hacker News

    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…

    Book Summary: Spark by Dr. Jeremy Dean | Sam Thomas Davies

    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.

    Managing the “Invisibles”

    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.

    Reiss' 16 Human Needs

    changingminds.org   (2022-07-18)

    Here are the 16 human needs as defined by professor Steven Reiss.

    A Crash Course in the Neuroscience of Human Motivation — ...

    lesswrong.com   (2022-07-18)

    [PDF of this article updated Aug. 23, 2011] • [skip to preface] …

    The Elephant in the Brain — a new book by Kevin Simler an...

    elephantinthebrain.com   (2022-07-18)

    Motivation theories

    changingminds.org   (2022-06-25)

    These are psychological theories about motivation.

    One simple way to build someone’s confidence: Ask for the...

    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…

    Find the Right Words to Inspire Your Team

    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.

    This is How to Repair a Toxic Work Culture

    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.

    Extrinsic Motivation: Why You Make Terrible Life Choices

    getpocket.com   (2021-03-20)

    The goal is to use extrinsic and intrinsic motivation in concert.

    Why Losing Bonds Sports Fans

    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.

    The Science of Changing Someone's Mind

    www.nytimes.com   (2021-01-31)

    Don’t try to change someone else’s mind. Instead, help them find their own motivation to change.

    How to stop procrastinating by using the Fogg Behavior Model

    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.

    What Makes Someone a Fan?

    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.

    Building intrinsic motivation

    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.

    People Don’t Buy Products, They Buy Better Versions of Th...

    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.

    Getting Your Product Into the Habit Zone

    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.

    Habits v2

    jamesclear.com   (2022-07-19)

    Mistakes Managers Should Avoid

    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.

    Made to Stick: Summary & Examples + PDF | The Power Moves

    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.

    Habit Stacking: 17 Small Productivity Habits

    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.

    http://cmxhub.com/growthhackers-hooked-retention/

    cmxhub.com   (2022-07-18)

    How to Create a Chain Reaction of Good Habits

    getpocket.com   (2022-07-18)

    One thing leads to another and before you know it, you've got a routine.

    How two companies hooked customers on rarely used products

    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

    Habits Are The New Viral: Why Startups Must Be Behavior E...

    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.

    How to Make Your Product Scientifically Irresistible | Ga...

    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.

    Tiny, New, Addictive Behaviors (or How to Build an Awesom...

    www.instigatorblog.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)

    Habits, Obstacles, and Media Manipulation with Ryan Holiday

    www.nirandfar.com   (2022-07-18)

    This week I chat with Ryan Holiday, an author and hacker, about habits, obstacles, and media manipulation.

    This Is How To Stop Checking Your Phone: 5 Secrets From R...

    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.

    Behance

    99u.com   (2022-07-18)

    How to Build a New Habit: This is Your Strategy Guide

    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.

    The 6 Types of Grit (And How to Develop Them)

    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 […]

    The Behavioral Economics Diet: The Science of Killing a B...

    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?

    Deliberate Practice: A Mindful & Methodical Way to Master...

    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…

    The Two Ways of Doing

    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

    How to be More Agentic

    usefulfictions.substack.com   (2024-01-16)

    On a supposedly difficult thing

    Shoshikantetsu

    asnewman.github.io   (2023-03-16)

    Hacker News

    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…

    A Navy SEAL Explains 8 Secrets To Grit And Resilience - B...

    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.

    Cavemen, Samurais and Fight Club on breaking through fail...

    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

    How to Fail at Almost Everything and Still Win Big

    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.

    How to do hard things

    www.drmaciver.com   (2022-07-18)

    The Invention of Sliced Bread - Priceonomics

    priceonomics.com   (2022-07-18)

    Sliced bread: the greatest thing since...sliced bread.

    A Dozen Lessons about Business from Anthony Bourdain

    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…

    Constructive Pessimism - SKMurphy, Inc.

    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

    The Hustler’s MBA

    tynan.com   (2022-06-25)

    How to Be a Stoic

    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.

    The Dark Art of Pretending You Are Fine

    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.

    How to perform well under pressure | Psyche Guides

    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

    The 6 Types of Grit (And How to Develop Them)

    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 […]

    Army Ranger School Is a Laboratory of Human Endurance

    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.

    30 Behaviors That Will Make You Unstoppable In 2019

    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.

    How Your Body Posture Communicates Feelings to Others

    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.

    The Psychology of the Self-Appointed Genius - Priceonomics

    priceonomics.com   (2022-07-18)

    How ignorance and a little ego threat can make us ridiculously over-confident.

    Finish Line: Weaponize the chip on your shoulder

    www.axios.com   (2022-06-24)

    Never underestimate the power your own insecurities can generate.

    How to Feel Better Naked

    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.

    How to Learn the Trick of Confidence

    getpocket.com   (2022-02-24)

    Can ‘confidence-whisperer’ Nate Zinsser help Jamie Waters boost his wavering self-belief?

    Medium

    medium.com   (2022-01-17)

    How to learn the trick of confidence

    www.theguardian.com   (2022-01-12)

    Can ‘confidence-whisperer’ Nate Zinsser help Jamie Waters boost his wavering self-belief?

    Assertiveness is a virtue that anyone can develop with pr...

    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

    One simple way to build someone’s confidence: Ask for the...

    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…

    Public Speaking Nightmare: How to Shut Down Bullies and H...

    www.entrepreneur.com   (2021-03-11)

    Five tactics to silence the person trying to make you squirm.

    How to have better arguments online

    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

    Medium

    medium.com   (2021-01-30)

    How to Talk to People You Disagree With

    getpocket.com   (2021-01-25)

    Bridge the divide with thoughtful conversation techniques, next-level listening, and a dip into the science of changing minds.

    How to tackle the monsters holding you back from being a ...

    www.fastcompany.com   (2021-01-08)

    "Unconscious leadership happens when we aren't self-aware, which puts fear in the driver's seat."

    Healthy Self-Doubt

    nerdygirl.com   (2020-08-10)

    The Power of Lampshading

    dev.to   (2020-03-13)

    How to turn Ignorance into Power

    Why Talented People Don’t Use Their Strengths

    getpocket.com   (2020-02-21)

    We often undervalue what we inherently do well.

    We Are All Confident Idiots

    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.

    What to Do at Parties If You Hate Small Talk

    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

    Bulletproof Confidence: The Secrets of a Professional Pok...

    medium.com   (2017-07-04)

    -->
    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.

    50+ Projects to Learn Data Analysis | Aman Kharwal

    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.

    80+ Data Science Projects | Aman Kharwal

    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.

    50+ AI & ML Projects with Python | Aman Kharwal

    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.

    Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...

    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,...

    7 Essential Python Libraries for MLOps - KDnuggets

    www.kdnuggets.com   (2024-12-10)

    Popular MLOps Python tools that will make machine learning model deployment a piece of cake.

    Marketing Mix Modeling (MMM): How to Avoid Biased Channel...

    towardsdatascience.com   (2024-10-16)

    Learn which variables you should and should not take into account in your model.

    The Perfect Way to Smooth Your Noisy Data

    towardsdatascience.com   (2024-01-18)

    Insanely fast and reliable smoothing and interpolation with the Whittaker-Eilers method.

    Market Basket Analysis using Python

    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.

    The Complete Introduction to Survival Analysis in Python ...

    towardsdatascience.com   (2023-07-24)

    Understand survival analysis, its use in the industry, and how to apply it in Python

    Uplift Modeling — A Data Scientist’s Guide to Optimizing ...

    towardsdatascience.com   (2023-07-23)

    Applying causal machine learning to trim the campaign target audience

    Sklearn Pipelines for the Modern ML Engineer: 9 Technique...

    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

    A Guide to Association Rule Mining

    towardsdatascience.com   (2023-04-05)

    Create insights from frequent patterns using market basket analysis with Python

    Announcing PyCaret 3.0: Open-source, Low-code Machine Lea...

    moez-62905.medium.com   (2023-03-31)

    Exploring the Latest Enhancements and Features of PyCaret 3.0

    How to make 40 interactive plots to analyze your machine ...

    towardsdatascience.com   (2023-03-19)

    A quick guide on how to make clean-looking, interactive Python plots to validate your data and model

    Write Readable Tests for Your Machine Learning Models wit...

    towardsdatascience.com   (2023-03-12)

    Use natural language to test the behavior of your ML models

    How to Perform Multivariate Outlier Detection in Python P...

    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.

    skops: a new library to improve scikit-learn in production

    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.

    Hyperparameter Optimization: 10 Top Python Libraries

    www.kdnuggets.com   (2023-01-27)

    Become familiar with some of the most popular Python libraries available for hyperparameter optimization.

    Introducing PyCircular: A Python Library for Circular Dat...

    towardsdatascience.com   (2023-01-24)

    Circular data can present unique challenges when it comes to analysis and modeling

    7 Scikit-Learn Best Practices For Data Scientists

    towardsdatascience.com   (2023-01-13)

    Tips for taking full advantage of this machine learning package

    Geometric Kernels

    geometric-kernels.github.io   (2023-01-01)

    A cross-framework package for kernels and Gaussian processes on manifolds, graphs, and meshes

    PacktPublishing/Python-Feature-Engineering-Cookbook-Secon...

    github.com   (2022-12-25)

    Python Feature Engineering Cookbook Second Edition, published by Packt - PacktPublishing/Python-Feature-Engineering-Cookbook-Second-Edition

    Last Mile Delivery From Multiple Depots in Python

    towardsdatascience.com   (2022-11-07)

    Mathematical Modeling, Solution, and Visualization Using PuLP and VeRoViz

    Product Quantization for Similarity Search

    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)

    Bayesian Hierarchical Marketing Mix Modeling in PyMC

    buff.ly   (2022-10-14)

    Learn how to build MMMs for different countries the right way

    https://www.einblick.ai/blog/problems-with-notebooks-msft...

    www.einblick.ai   (2022-09-08)

    9 Visualizations with Python that Catch More Attention th...

    towardsdatascience.com   (2022-08-08)

    Creating eye-catching graphs with Python to use instead of bar charts.

    An Introduction to Graph Partitioning Algorithms and Comm...

    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…

    5 Less-Known Python Libraries That Can Help in Your Next ...

    towardsdatascience.com   (2022-08-04)

    Reduce time in your data science workflow with these libraries.

    Modeling Marketing Mix Using Smoothing Splines

    towardsdatascience.com   (2022-07-18)

    Capturing non-linear advertising saturation and diminishing returns without explicitly transforming media variables

    Build Complex Time Series Regression Pipelines with sktime

    towardsdatascience.com   (2022-07-13)

    How to forecast with scikit-learn and XGBoost models with sktime

    Understanding Self-Organising Map Neural Network with Pyt...

    towardsdatascience.com   (2022-07-13)

    Brain-inspired unsupervised machine learning through competition, cooperation and adaptation

    How to Solve Scheduling Problems in Python

    towardsdatascience.com   (2022-07-11)

    Use linear programming to minimize the difference between required and scheduled resources

    FIGS: Attaining XGBoost-level performance with the interp...

    bair.berkeley.edu   (2022-06-24)

    The BAIR Blog

    The Battle of Choropleths — Part 3 — Folium

    towardsdatascience.com   (2022-06-22)

    Using the Folium Package to Create Stunning Choropleths

    Neighborhood Analysis, KD-Trees, and Octrees for Meshes a...

    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

    Useful Python decorators for Data Scientists

    bytepawn.com   (2022-05-28)

    I show toy implementations of Python decorator patterns that may be useful for Data Scientists.

    One Line of Code to Accelerate Your Sklearn Algorithms on...

    towardsdatascience.com   (2022-05-27)

    The introduction of the intel sklearn extension. Make your Random Forest even faster than XGBoost.

    CatBoost vs. LightGBM vs. XGBoost

    towardsdatascience.com   (2022-05-27)

    Which is the best algorithm?

    19 Hidden Sklearn Features You Were Supposed to Learn The...

    towardsdatascience.com   (2022-04-09)

    Louvain’s Algorithm for Community Detection in Python

    link.medium.com   (2022-04-08)

    Apply Louvain’s Algorithm in Python for Community Detection

    Real-world website visitor forecast with Facebook Prophet...

    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…

    Topic Modeling in Python | Toptal

    www.toptal.com   (2022-02-11)

    Topic modeling can bring NLP to the next level. Here’s how.

    Data Scientists, The 5 Graph Algorithms that you should know

    towardsdatascience.com   (2022-02-02)

    Because Graph Analytics is the future

    scikit-and-tensorflow-workbooks/ch03-classification.ipynb...

    github.com   (2022-01-29)

    based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks

    Survival Analysis in Python: A Quick Guide to The Weibull...

    towardsdatascience.com   (2022-01-21)

    A Quick Guide to The Weibull Analysis

    fb-prophet/01_docs.ipynb at master · bjpcjp/fb-prophet

    github.com   (2022-01-17)

    Prophet (FB time series prediction package) docs to Python code. - bjpcjp/fb-prophet

    scikit-and-tensorflow-workbooks/ch05-support-vector-machi...

    github.com   (2022-01-16)

    based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks

    The Kaggle Way to Tune Hyperparameters with Optuna

    towardsdatascience.com   (2022-01-16)

    Easily and efficiently optimize your model’s hyperparameters with Optuna with a mini project

    Python Computer Vision Libraries Every Developer Should Know

    dev.to   (2021-12-23)

    3 (and Half) Powerful Tricks To Effectively Read CSV Data...

    towardsdatascience.com   (2021-12-07)

    Master usecols, chunksize, parse_dates in pandas read_csv().

    Mito: One of the Coolest Python Libraries You Have Ever Seen

    link.medium.com   (2021-12-04)

    Here is my take on this cool Python library and why you should give it a try

    A Guide to Dimensionality Reduction in Python

    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.

    A Complete Machine Learning Project From Scratch: Setting Up

    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.

    Clustering Made Easy with PyCaret

    link.medium.com   (2021-10-17)

    Low-code Machine Learning with a Powerful Python Library

    Streamlit, which helps data scientists build apps, hits v...

    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.

    A Practical Introduction to 9 Regression Algorithms

    towardsdatascience.com   (2021-09-28)

    Hands-on tutorial to effectively use different Regression Algorithms

    5 Ultimate Python Libraries for Image Processing

    towardsdatascience.com   (2021-07-30)

    OpenCV is not the only one

    scikit-learn-intelex · PyPI

    pypi.org   (2021-07-20)

    Intel(R) Extension for Scikit-learn is a seamless way to speed up your Scikit-learn application.

    Hands-on Survival Analysis with Python

    towardsdatascience.com   (2021-07-04)

    What companies can learn from employee turnover data

    Read Excel files with Python. 1000x Faster.

    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.

    GPBoost: Combining Tree-Boosting with Gaussian Process an...

    github.com   (2021-06-25)

    Combining tree-boosting with Gaussian process and mixed effects models - fabsig/GPBoost

    Interpreting Scattertext: a seductive tool for plotting text

    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.

    An Introduction to PyTorch Lightning

    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…

    Prophet | Forecasting at 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.

    Nine Emerging Python Libraries You Should Add to Your Dat...

    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…

    A Summary of Active Learning Frameworks

    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…

    Time Series Forecasting with PyCaret Regression Module

    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.

    DIY XGBoost library in less than 200 lines of python

    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.

    Xgboost regression training on CPU and GPU in python

    towardsdatascience.com   (2021-03-23)

    GPU vs CPU training speed comparison for xgboost

    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)

    Conda: essential concepts and tricks

    towardsdatascience.com   (2021-03-21)

    for beginners as well as advanced users

    How to use PyCaret — the library for lazy data scientists

    towardsdatascience.com   (2021-03-06)

    Train, visualize, evaluate, interpret, and deploy models with minimal code.

    Gradient-Free-Optimizers A collection of modern optimizat...

    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 — pycaret 2.2.0 documentation

    pycaret.readthedocs.io   (2021-02-25)

    Home - PyCaret

    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″ […]

    A Complete Guide To Survival Analysis In Python, part 3 -...

    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.

    Generative Graph Models with NetworkX

    towardsdatascience.com   (2021-02-10)

    A comprehensive guide on standard generative graph approaches with implementation in NetworkX

    Image Processing with Python — Blob Detection using Sciki...

    towardsdatascience.com   (2021-01-28)

    How to identify and segregate specific blobs in your image

    SVM Classifier and RBF Kernel — How to Make Better Models...

    towardsdatascience.com   (2021-01-19)

    A complete explanation of the inner workings of Support Vector Machines (SVM) and Radial Basis Function (RBF) kernel

    New Features of Scikit-Learn. An Overview of the Most Imp...

    towardsdatascience.com   (2021-01-08)

    An Overview of the Most Important Features in Version 0.24

    BFGS in a Nutshell: An Introduction to Quasi-Newton Methods

    towardsdatascience.com   (2020-12-23)

    Demystifying the inner workings of BFGS optimization

    Matching of Bipartite Graphs using NetworkX

    towardsdatascience.com   (2020-12-18)

    A simple introduction to matching in bipartite graphs with Python code examples

    Speech Recognition with Python. Learn which of the 9 most...

    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.

    4 Rarely-Used Yet Very Useful Pandas Tricks

    towardsdatascience.com   (2020-11-19)

    Explained with examples

    What is Perspective Warping ? | OpenCV and Python

    towardsdatascience.com   (2020-11-03)

    A step-by-step guide to apply perspective transformation on images

    Vectorizing code matters

    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…

    Latent Dirichlet Allocation: Intuition, math, implementat...

    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

    Python 3.9 New Features & How to Use Them

    towardsdatascience.com   (2020-11-02)

    Python 3.9 New Feature Guide

    New features in scikit-learn

    towardsdatascience.com   (2020-08-10)

    Overview of the latest developments in version 0.23

    5 Fabulous Python Packages For Data-Science Nobody Knows ...

    towardsdatascience.com   (2020-06-02)

    Do you know about these packages?

    Eigenfaces — Face Classification in Python

    towardsdatascience.com   (2020-06-01)

    Not enough data for Deep Learning? Try Eigenfaces.

    Short technical information about Word2Vec, GloVe and Fas...

    towardsdatascience.com   (2020-06-01)

    Introduction

    Five Cool Python Libraries for Data Science - KDnuggets

    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.

    Dot Product in Linear Algebra for Data Science using Python

    towardsdatascience.com   (2020-06-01)

    Building up the intuition for how matrices help to solve a system of linear equations and thus regressions problems

    A Simplified approach using PyCaret for Anomaly Detection

    towardsdatascience.com   (2020-06-01)

    Explaining outlier detection with PyCaret library in python

    Recursive Feature Elimination (RFE) for Feature Selection...

    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…

    mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...

    towardsdatascience.com   (2020-05-15)

    This new Python package accelerates notebook-based machine learning experimentation

    Using Q-Learning in Numpy to teach an agent to play a game

    towardsdatascience.com   (2020-05-15)

    Using q-learning for sequential decision making and therefore learning to play a simple game.

    Modeling in Seconds: Using PyCaret as a Tool for Data Sci...

    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 Complete Beginners Guide to Matrix Multiplication for D...

    towardsdatascience.com   (2020-04-19)

    Learn matrix multiplication for machine learning by following along with Python examples

    Pandas tips I wish I knew before

    towardsdatascience.com   (2020-04-15)

    How does pivot work? What is the main pandas building block? And more …

    Lesser-known pandas tricks (2019)

    towardsdatascience.com   (2020-04-01)

    5 lesser-known pandas tricks that help you be more productive

    [P] PyCM 2.6 released : Multi-class confusion matrix libr...

    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…

    Learn how to read data into a Pandas DataFrame in 5 minutes

    towardsdatascience.com   (2020-04-01)

    Extract data from different sources

    Less Known but Very Useful Pandas Functions

    towardsdatascience.com   (2020-03-31)

    Expedite your data analysis process

    Hyperparameter Tuning with Python: Complete Step-by-Step ...

    towardsdatascience.com   (2020-03-31)

    Why and How to use with examples of Keras/XGBoost

    Arima Model – Complete Guide to Time Series Forecasting i...

    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

    9 Python Libraries Which Can Help You In Image Processing...

    www.datasciencecentral.com   (2019-08-29)

    L

    buff.ly   (2019-08-29)

    Python Data Science Handbook | Python Data Science Handbook

    jakevdp.github.io   (2019-08-28)

    yzhao062/pyod: A Python Toolbox for Scalable Outlier Dete...

    github.com   (2019-07-25)

    A Python Library for Outlier and Anomaly Detection, Integrating Classical and Deep Learning Techniques - yzhao062/pyod

    Cookbook — Bayesian Modelling with PyMC3

    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.

    A Feature Selection Tool for Machine Learning in Python

    towardsdatascience.com   (2018-08-30)

    Using the FeatureSelector for efficient machine learning workflows

    Introduction to Market Basket Analysis in Python

    pbpython.com   (2018-06-08)

    Using mlxtend to perform market basket analysis on online retail data set.

    scikit-surprise 1.0.5 : Python Package Index

    pypi.python.org   (2018-06-08)

    An easy-to-use library for recommender systems.

    AI & ML Projects with Python

    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.

    Gradio Documentation

    www.gradio.app   (2010-09-24)

    Documentation, tutorials and guides for the Gradio ecosystem..


    -->
    machine-learning/algorithms-math
    categories:
    tags: algorithms-math  machine-learning 
    date: 28 Mar 2025
    slug:raindrop-machine-learning-algorithms-math
    www.pyspur.dev   (2025-01-29)

    How a Key-Value (KV) cache reduces Transformer inference time by trading memory for computation

    Don't use cosine similarity carelessly - Piotr Migdał

    p.migdal.pl   (2025-01-15)

    Cosine similarity - the duct tape of AI. Convenient but often misused. Let's find out how to use it better.

    Massively Speed-Up your Learning Algorithm, with Stochast...

    mltechniques.com   (2024-12-30)

    Dramatically Speed-Up your Learning Algorithm, with Stochastic Thinning. Includes use case, Python code, regression and neural network illustrations.

    Algorithm Repository

    algorist.com   (2024-04-06)

    What Is a Schur Decomposition? – Nick Higham

    nhigham.com   (2024-03-05)

    A Schur decomposition of a matrix $latex A\in\mathbb{C}^{n\times n}$ is a factorization $LATEX A = QTQ^*$, where $LATEX Q$ is unitary and $LATEX T$ is upper triangular. The diagonal entries of $LAT…

    The Perfect Way to Smooth Your Noisy Data

    towardsdatascience.com   (2024-01-18)

    Insanely fast and reliable smoothing and interpolation with the Whittaker-Eilers method.

    Market Basket Analysis using Python

    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.

    Similarity Search, Part 3: Blending Inverted File Index a...

    towardsdatascience.com   (2023-07-28)

    In the first two parts of this series we have discussed two fundamental algorithms in information retrieval: inverted file index and…

    Similarity Search, Part 4: Hierarchical Navigable Small W...

    towardsdatascience.com   (2023-07-28)

    Hierarchical Navigable Small World (HNSW) is a state-of-the-art algorithm used for an approximate search of nearest neighbours. Under the…

    Building a Vector Search Engine Using HNSW and Cosine Sim...

    esteininger.medium.com   (2023-07-27)

    Hierarchical Navigable Small World graphs (HNSW) is an algorithm that allows for efficient nearest neighbor search, and the Sentence…

    Similarity Search, Part 1: kNN & Inverted File Index

    towardsdatascience.com   (2023-07-27)

    Similarity search is a popular problem where given a query Q we need to find the most similar documents to it among all the documents D.

    Similarity Search, Part 2: Product Quantization

    towardsdatascience.com   (2023-07-27)

    Learn a powerful technique to effectively compress large data

    Similarity Search, Part 5: Locality Sensitive Hashing (LSH)

    towardsdatascience.com   (2023-07-27)

    Explore how similarity information can be incorporated into hash function

    Similarity Search, Part 6: Random Projections with LSH Fo...

    towardsdatascience.com   (2023-07-27)

    Understand how to hash data and reflect its similarity by constructing random hyperplanes

    Similarity Search, Part 7: LSH Compositions

    towardsdatascience.com   (2023-07-27)

    Dive into combinations of LSH functions to guarantee a more reliable search

    Hashing in Modern Recommender Systems: A Primer

    towardsdatascience.com   (2023-03-29)

    Understanding the most underrated trick in applied Machine Learning

    The Meaning Behind Logistic Classification, from Physics ...

    towardsdatascience.com   (2023-03-26)

    Why do we use the logistic and softmax functions? Thermal physics may have an answer.

    Introduction to Multi-Armed Bandit Problems

    www.kdnuggets.com   (2023-01-07)

    Delve deeper into the concept of multi-armed bandits, reinforcement learning, and exploration vs. exploitation dilemma.

    How to Choose the Best Machine Learning Technique: Compar...

    www.datasciencecentral.com   (2022-11-23)

    How to Choose the Best Machine Learning Technique: Comparison Table

    Topic Modeling with LSA, pLSA, LDA, NMF, BERTopic, Top2Ve...

    towardsdatascience.com   (2022-10-14)

    A comparison between different topic modeling strategies including practical Python examples

    Adjacency networks

    www.johndcook.com   (2022-09-12)

    Finding the adjacency graphs for US states and Texas counties using Mathematica

    Linear Algebra for Data Science - KDnuggets

    www.kdnuggets.com   (2022-07-18)

    In this article, we discuss the importance of linear algebra in data science and machine learning.

    Understanding Self-Organising Map Neural Network with Pyt...

    towardsdatascience.com   (2022-07-13)

    Brain-inspired unsupervised machine learning through competition, cooperation and adaptation

    Probabilistic Numerics | Textbooks

    substack.com   (2022-07-10)

    Quantifying Uncertainty in Computation.

    Home Page of Evan Miller

    www.evanmiller.org   (2022-06-28)

    Articles, software, calculators, and opinions.

    Complete Step-by-step Genetic Algorithm from Scratch for ...

    towardsdatascience.com   (2022-06-22)

    No need to worry about getting stuck in local minima anymore

    Super Study Guides

    superstudy.guide   (2022-06-22)

    Illustrated study guides ideal for visual learners.

    The Big Six Matrix Factorizations – Nick Higham

    nhigham.com   (2022-05-18)

    Six matrix factorizations dominate in numerical linear algebra and matrix analysis: for most purposes one of them is sufficient for the task at hand. We summarize them here. For each factorization …

    How does Shazam work? Music Recognition Algorithms, Finge...

    www.toptal.com   (2022-04-12)

    The Shazam music recognition application made it finally possible to put a name to that song on the radio. But how does this magical miracle actually work? In this article, Toptal Freelance Software Engineer Jovan Jovanovic sheds light on the principles of audio signal processing, fingerprinting, and recognition,...

    () - bookNew.pdf

    www.it-weise.de   (2022-04-11)

    Machine Learning Algorithms Cheat Sheet — Accel.AI

    www.accel.ai   (2022-02-20)

    Machine learning is a subfield of artificial intelligence (AI) and computer science that focuses on using data and algorithms to mimic the way people learn, progressively improving its accuracy. This way, Machine Learning is one of the most interesting methods in Computer Science these days, and it'

    Data Scientists, The 5 Graph Algorithms that you should know

    towardsdatascience.com   (2022-02-02)

    Because Graph Analytics is the future

    3 Reasons Why Data Scientists Should Use LightGBM

    www.kdnuggets.com   (2022-01-24)

    There are many great boosting Python libraries for data scientists to reap the benefits of. In this article, the author discusses LightGBM benefits and how they are specific to your data science job.

    How a Kalman filter works, in pictures | Bzarg

    www.bzarg.com   (2022-01-12)

    eugeneyan/applied-ml: ? Papers & tech blogs by companies ...

    github.com   (2021-12-25)

    📚 Papers & tech blogs by companies sharing their work on data science & machine learning in production. - eugeneyan/applied-ml

    Efficient matrix multiplication

    gist.github.com   (2021-12-02)

    Efficient matrix multiplication · GitHub

    An Introduction to Lagrange Multipliers

    www.slimy.com   (2021-11-23)

    Optimal Estimation Algorithms: Kalman and Particle Filters

    towardsdatascience.com   (2021-10-01)

    An introduction to the Kalman and Particle Filters and their applications in fields such as Robotics and Reinforcement Learning.

    Carl-McBride-Ellis/Compendium-of-free-ML-reading-resources

    github.com   (2021-09-24)

    Compendium of free ML reading resources.

    [2106.10860v1] Multiplying Matrices Without Multiplying

    arxiv.org   (2021-09-03)

    Multiplying matrices is among the most fundamental and compute-intensive operations in machine learning. Consequently, there has been significant work on efficiently approximating matrix...

    Complete guide to understanding Node2Vec algorithm

    towardsdatascience.com   (2021-08-17)

    An in-depth guide to understanding node2vec algorithm and its hyper-parameters

    An introduction to A* pathfinding (tutorial)

    dev.to   (2021-07-26)

    This is part 3 of a series on bot programming originally published on the Coder One blog. Part 1:...

    Apriori Algorithm for Association Rule Learning — How To ...

    towardsdatascience.com   (2021-07-13)

    Explanation and examples of frequent itemset mining and association rule learning over relational databases in Python

    Types of Correlation Coefficients

    link.medium.com   (2021-07-05)

    Different Kinds of Correlation Coefficients in a Deeper Look

    Hands-on Survival Analysis with Python

    towardsdatascience.com   (2021-07-04)

    What companies can learn from employee turnover data

    Combinatorial Optimization: The Knapsack Problem

    towardsdatascience.com   (2021-05-17)

    In this story, we are going to discuss an application of dynamic programming techniques to an optimization algorithm. Through the process of developing an optimal solution, we get to study a variety…

    Kolmogorov Complexity: Extensions and Applications

    blog.neotree.uber.space   (2021-05-05)

    https://betterexplained.com/articles/hyperbolic-functions/

    betterexplained.com   (2021-05-01)

    Graph Theory Basics

    towardsdatascience.com   (2021-03-22)

    What you need to know as graph theory adoption continues to take off

    The Algorithms That Make Instacart Roll

    spectrum.ieee.org   (2021-03-05)

    Instacart crunches petabytes daily to predict what will be on grocery shelves and even how long it will take to find parking

    Decades-Old Graph Problem Yields to Amateur Mathematician

    getpocket.com   (2021-01-27)

    By making the first progress on the “chromatic number of the plane” problem in over 60 years, an anti-aging pundit has achieved mathematical immortality.

    Benchmark functions | BenchmarkFcns

    benchmarkfcns.xyz   (2021-01-01)

    This website is for sale! benchmarkfcns.xyz is your first and best source for all of the information you’re looking for. From general topics to more of what you would expect to find here, benchmarkfcns.xyz has it all. We hope you find what you are searching for!

    Practical Graph Theory in Ruby

    www.rubyguides.com   (2020-12-26)

    This is the next installment in the "Practical Computer Science" series, where you will learn how to apply classic computer science concepts to solve real problems using Ruby. Today we are going to talk about Graph

    BFGS in a Nutshell: An Introduction to Quasi-Newton Methods

    towardsdatascience.com   (2020-12-23)

    Demystifying the inner workings of BFGS optimization

    Lagrange multipliers with visualizations and code | by Ro...

    towardsdatascience.com   (2020-12-23)

    In this story, we’re going to take an aerial tour of optimization with Lagrange multipliers. When do we need them? Whenever we have an…

    Particle Swarm Optimization Visually Explained

    towardsdatascience.com   (2020-12-22)

    Learn PSO algorithm as a bedtime story with GIFs and python code

    Peregrine: A Pattern-Aware Graph Mining System

    github.com   (2020-11-24)

    Peregrine: A Pattern-Aware Graph Mining System.

    A Comparison of Bandit Algorithms

    towardsdatascience.com   (2020-11-10)

    Multi-Armed Bandits: Part 6

    MLWhiz: Helping You Learn Data Science!

    mlwhiz.com   (2020-11-09)

    In this post, I am going to be talking about some of the most important graph algorithms you should know and how to implement them using Python.

    A review of consensus protocols

    thomasvilhena.com   (2020-11-05)

    All the ~Eigen-stuff they never thought you should know

    towardsdatascience.com   (2020-11-03)

    To Infinity and…Linear Algebra?!

    Floating-Point Formats and Deep Learning

    eigenfoo.xyz   (2020-11-03)

    Floating-point formats are not the most glamorous or (frankly) the important consideration when working with deep learning models: if your model isn’t working well, then your floating-point format certainly isn’t going to save you! However, past a certain point of model complexity/model size/training time, your choice of floating-point format can have a significant impact on your model training times and even performance. Here’s how the rest of this post is structured:

    AI 101: Intro to Evolutionary Algorithms

    www.sentient.ai   (2020-08-11)

    Polynomial Regression: The Only Introduction You’ll Need

    towardsdatascience.com   (2020-08-11)

    A deep-dive into the theory and application behind this Machine Learning algorithm in Python, by a student

    The Singular Value Decomposition without Algebra

    towardsdatascience.com   (2020-06-24)

    Understand the Ultimate Linear Algebra concept with Geometry

    Speeding training of decision trees

    www.amazon.science   (2020-06-01)

    New method reduces training time by up to 99%, with no loss in accuracy.

    How to Use Polynomial Feature Transforms for Machine Lear...

    machinelearningmastery.com   (2020-06-01)

    Often, the input features for a predictive modeling task interact in unexpected and often nonlinear ways. These interactions can be identified and modeled by a learning algorithm. Another approach is to engineer new features that expose these interactions and see if they improve model performance. Additionally, transforms like raising input variables to a power can help to better expose the…

    Understanding Associative Embedding

    towardsdatascience.com   (2020-05-19)

    An elegant method to group predictions without labeling

    Using Q-Learning in Numpy to teach an agent to play a game

    towardsdatascience.com   (2020-05-15)

    Using q-learning for sequential decision making and therefore learning to play a simple game.

    7 advanced tricks in pandas for data science

    towardsdatascience.com   (2020-05-15)

    Pandas is the go-to library for data science. These are the shortcuts I use to do repetitive data science tasks faster and simpler.

    Layered Label Propagation Algorithm

    towardsdatascience.com   (2020-04-19)

    An algorithm for community finding

    A Complete Beginners Guide to Matrix Multiplication for D...

    towardsdatascience.com   (2020-04-19)

    Learn matrix multiplication for machine learning by following along with Python examples

    Partial Correlation Vs. Conditional Mutual Information

    towardsdatascience.com   (2020-04-19)

    Finding relationships between different variables/ features in a dataset during a data analysis task is one of the key and fundemental…

    Co-variance: An intuitive explanation!

    towardsdatascience.com   (2020-04-15)

    A comprehensive but simple guide which focus more on the idea behind the formula rather than the math itself — start building the block…

    Matthews Correlation Coefficient: when to use it and when...

    towardsdatascience.com   (2020-04-15)

    It’s not a silver bullet metric to classification problems

    t-SNE clearly explained

    towardsdatascience.com   (2020-04-15)

    An intuitive explanation of t-SNE algorithm and why it’s so useful in practice.

    Matrix Factorization as a Recommender System

    towardsdatascience.com   (2020-04-01)

    An Explanation and Implementation of Matrix Factorization

    Local Links Run The World

    getpocket.com   (2020-03-29)

    Networks regulate everything from ant colonies and middle schools to epidemics and the internet. Here’s how they work.

    Hyper-Parameter Optimization: A Review of Algorithms and ...

    arxiv.org   (2020-03-16)

    Since deep neural networks were developed, they have made huge contributions to everyday lives. Machine learning provides more rational advice than humans are capable of in almost every aspect of...

    What are some fast similarity search algorithms and data ...

    www.quora.com   (2020-02-19)

    Introduction to Stochastic Processes [pdf]

    web.ma.utexas.edu   (2019-12-23)

    The Math of Machine Learning - Berkeley University Textbook

    www.datasciencecentral.com   (2019-09-30)

    https://dhruvonmath.com/2019/04/04/kernels

    dhruvonmath.com   (2019-08-29)

    Algorithms by Jeff Erickson

    jeffe.cs.illinois.edu   (2019-08-20)

    Jacobian matrix and determinant - Wikipedia

    en.wikipedia.org   (2019-08-06)

    In vector calculus, the Jacobian matrix (/dʒəˈkoʊbiən/,[1][2][3] /dʒɪ-, jɪ-/) of a vector-valued function of several variables is the matrix of all its first-order partial derivatives. When this matrix is square, that is, when the function takes the same number of variables as input as the number of vector components of its output, its determinant is referred to as the Jacobian determinant. Both the matrix and (if applicable) the determinant are often referred to simply as the Jacobian in literature.[4] They are named after Carl Gustav Jacob Jacobi.

    Introduction to Genetic Algorithms

    blog.floydhub.com   (2019-07-09)

    The Swiss Army Knife of Hashmaps

    blog.waffles.space   (2018-12-14)

    A while back, there was a discussion comparing the performance of using the hashbrown crate (based on Google’s SwissTable implementation1) in the Rust compiler. In the last RustFest, Amanieu was experimenting on integrating his crate into stdlib, which turned out to have some really promising results. As a result, it’s being planned to move the crate into stdlib. I insist on watching this talk when you have some free time! ↩

    Eecs227at

    fa.bianp.net   (2018-06-08)

    Sequence Modeling with CTC

    distill.pub   (2018-06-08)

    A visual guide to Connectionist Temporal Classification, an algorithm used to train deep neural networks in speech recognition, handwriting recognition and other sequence problems.

    A Deep Dive into Monte Carlo Tree Search

    www.moderndescartes.com   (2018-06-08)

    Eigenvectors and Eigenvalues explained visually

    setosa.io   (2018-05-15)

    Start With Gradient Boosting, Results from Comparing 13 A...

    machinelearningmastery.com   (2018-04-01)

    Which machine learning algorithm should you use? It is a central question in applied machine learning. In a recent paper by Randal Olson and others, they attempt to answer it and give you a guide for algorithms and parameters to try on your problem first, before spot checking a broader suite of algorithms. In this post, you will discover a…

    passive-agressive-algorithms

    koaning.io   (2018-02-21)

    Understanding Machine Learning Algorithms

    www.kdnuggets.com   (2017-12-27)

    Machine learning algorithms aren’t difficult to grasp if you understand the basic concepts. Here, a SAS data scientist describes the foundations for some of today’s popular algorithms.

    “Shrinking bull’s-eye” algorithm speeds up complex modeli...

    news.mit.edu   (2016-10-03)

    A new “shrinking bull’s-eye” algorithm from researchers at MIT speeds up complex modeling from days to hours.


    -->
    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

    An overlooked and powerful editing tool

    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

    tagcrowd.com   (2022-02-20)

    Create your own word cloud from any text to visualize word frequency.


    -->
    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.

    Beyond Numpy and Pandas: Unlocking the Potential of Lesse...

    www.kdnuggets.com   (2023-09-01)

    3 Python libraries for scientific computation you should know as a data professional.

    Geospatial Data Analysis with GeoPandas

    towardsdatascience.com   (2023-05-07)

    Learn how to manipulate and visualize vector data with Python’s GeoPandas

    An Introduction to Polars for Pandas Users

    towardsdatascience.com   (2023-04-09)

    Demonstrating how to use the new blazing fast DataFrame library for interacting with tabular data

    40 Open-Source Tools to Supercharge Your Pandas Workflow

    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.

    Seven Killer Memory Optimization Techniques Every Pandas ...

    towardsdatascience.com   (2022-08-23)

    Simple tips to optimize the memory utilization in Pandas

    Getting your reading history out of Pocket using Python |...

    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…

    Breaking Down the Powerful Magic Behind the Pandas GroupB...

    towardsdatascience.com   (2022-05-04)

    A detailed explanation of how groupby works under the hood to help you understand it better.

    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)

    Sourced from O'Reilly ebook of the same name.

    pandas-tips-tricks/pandas-tips-tricks.ipynb at master · b...

    github.com   (2021-12-15)

    various tips and tricks.

    3 (and Half) Powerful Tricks To Effectively Read CSV Data...

    towardsdatascience.com   (2021-12-07)

    Master usecols, chunksize, parse_dates in pandas read_csv().

    15 Python Snippets to Optimize your Data Science Pipeline

    www.kdnuggets.com   (2021-08-28)

    Quick Python solutions to help your data science cycle.

    https://pandas.pydata.org/pandas-docs/stable/pandas.pdf

    pandas.pydata.org   (2021-08-09)

    Read Excel files with Python. 1000x Faster.

    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.

    Make Pandas 3 Times Faster with PyPolars

    www.kdnuggets.com   (2021-05-31)

    Learn how to speed up your Pandas workflow using the PyPolars library.

    Dask DataFrames — How to Run Pandas in Parallel With Ease

    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.

    Vaex: Pandas but 1000x faster

    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.

    30 Examples to Get You From a Novice to an Advanced Panda...

    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…

    Geopandas Hands-on: Geospatial Relations and Operations

    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…

    Data Preprocessing in Python Pandas — Part 6 Dropping Dup...

    towardsdatascience.com   (2021-04-03)

    A quick tutorial to drop duplicates using the Python Pandas library.

    11 Pandas Built-in Functions You Should Know

    towardsdatascience.com   (2021-03-22)

    No need to install, import and initialize — Just use them

    How to use loc and iloc for selecting data in Pandas

    towardsdatascience.com   (2021-03-19)

    Pandas tips and tricks to help you get started with data analysis

    7 Must-Know Data Wrangling Operations with Python Pandas

    towardsdatascience.com   (2021-03-10)

    A comprehensive practical guide

    8 Things to Know to Get Started with With Pandas Groupby

    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.

    Are You Still Using Pandas to Process Big Data in 2021?

    link.medium.com   (2021-03-01)

    Pandas doesn’t handle well Big Data. These two libraries do! Which one is better? Faster?

    4 Rarely-Used Yet Very Useful Pandas Tricks

    towardsdatascience.com   (2020-11-19)

    Explained with examples

    Pandas on the Cloud with Dask

    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.

    Add External Data to Your Pandas Dataframe with a One-Liner

    towardsdatascience.com   (2020-11-02)

    20 Pandas Functions That Will Boost Your Data Analysis Pr...

    towardsdatascience.com   (2020-08-10)

    Explained with examples.

    3 Key Differences Between Merge and Concat Functions of P...

    towardsdatascience.com   (2020-06-24)

    When and how to use which.

    Aggregation, Transform, Filter — How and When to use them?

    towardsdatascience.com   (2020-06-03)

    Pandas: From Journeyman to Master — Voice from the victim.

    Pandas with Dask, For an Ultra-Fast Notebook

    towardsdatascience.com   (2020-06-01)

    Use Pandas with Dask to save time and resources. This combination will make your notebook ultra fast

    3 Highly Practical Operations of Pandas

    towardsdatascience.com   (2020-06-01)

    Sample, where, isin explained in detail with examples.

    Everything You Need to Know About “loc” and “iloc” of Pandas

    towardsdatascience.com   (2020-05-19)

    Clearly distinguish loc and iloc

    Stop Hurting Your Pandas!

    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.

    My Top 5 Pandas Data Manipulation Function

    towardsdatascience.com   (2020-05-15)

    Know your Pandas library function arsenal as a data scientist

    mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...

    towardsdatascience.com   (2020-05-15)

    This new Python package accelerates notebook-based machine learning experimentation

    A Comprehensive Guide to Pandas’ Advanced Features in 20 ...

    link.medium.com   (2020-05-15)

    A code-along guide for Pandas’ advanced functionalities.

    Mastering Pandas Groupby

    towardsdatascience.com   (2020-04-15)

    Understanding the Groupby Method

    Pandas tips I wish I knew before

    towardsdatascience.com   (2020-04-15)

    How does pivot work? What is the main pandas building block? And more …

    Lesser-known pandas tricks (2019)

    towardsdatascience.com   (2020-04-01)

    5 lesser-known pandas tricks that help you be more productive

    How to Export Pandas DataFrame to CSV

    towardsdatascience.com   (2020-04-01)

    In this post, we’ll go over how to write DataFrames to CSV files.

    Learn how to read data into a Pandas DataFrame in 5 minutes

    towardsdatascience.com   (2020-04-01)

    Extract data from different sources

    Less Known but Very Useful Pandas Functions

    towardsdatascience.com   (2020-03-31)

    Expedite your data analysis process

    "Pandas" - KDnuggets

    www.kdnuggets.com   (2020-03-20)

    Two Pandas functions you must know for easy data manipula...

    towardsdatascience.com   (2020-03-19)

    Master these pandas functions (and methods) to shorten your code, improve performance and avoid headaches.

    Please Stop Doing These 5 Things in Pandas

    towardsdatascience.com   (2020-03-09)

    These mistakes are super common, and super easy to fix.

    12 Amazing Pandas & NumPy Functions

    towardsdatascience.com   (2020-03-09)

    Make your day to day life easier by using these functions in your analysis

    Build pipelines with Pandas using “pdpipe” - Towards Data...

    towardsdatascience.com   (2020-02-19)

    We show how to build intuitive and useful pipelines with Pandas DataFrame using a wonderful little library called pdpipe.

    How to Speed up Pandas by 4x with one line of code

    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.

    5 Advanced Features of Pandas and How to Use Them

    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.

    Make your own Super Pandas using Multiproc

    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.

    Table Visualization — pandas 2.2.3 documentation

    pandas.pydata.org   (2018-06-08)

    -->
    python (all)
    categories:
    tags: python 
    date: 28 Mar 2025
    slug:raindrop-python-numpy
    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.

    Packaging a Python App to Executable .deb Binary

    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.

    Data Analytics Projects on Various Domains

    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.

    Getting Started with Python’s asyncio Library - KDnuggets

    www.kdnuggets.com   (2025-03-12)

    tags: python

    Check out this guide to learn how you can use asyncio for asynchronous programming in Python.

    A Step-by-Step Guide to Setting Up a Custom BPE Tokenizer...

    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

    10 Little-Known Python Libraries That Will Make You Feel ...

    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.

    sqlite-s3vfs

    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." …

    Using pip to install a Large Language Model that’s under ...

    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 …

    50+ Projects to Learn Data Analysis | Aman Kharwal

    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.

    80+ Data Science Projects | Aman Kharwal

    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.

    10 Advanced Python Tricks for Data Scientists - KDnuggets

    www.kdnuggets.com   (2025-01-27)

    tags: python

    Master cleaner, faster code with these essential techniques to supercharge your data workflows.

    50+ AI & ML Projects with Python | Aman Kharwal

    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.

    10 Python One-Liners That Will Change Your Coding Game - ...

    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.

    Implementing A Byte Pair Encoding (BPE) Tokenizer From Sc...

    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,...

    Image Processing With the Python Pillow Library – Real Py...

    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.

    Demand Forecasting with Darts: A Tutorial

    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

    CMU Researchers Introduce TNNGen: An AI Framework that Au...

    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

    Welcome to Flask — Flask Documentation (3.1.x)

    flask.palletsprojects.com   (2024-12-24)

    tags: python, flask

    75 Data Science Projects with Python | Aman Kharwal

    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.

    An Introduction to Dask: The Python Data Scientist's Powe...

    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.

    7 Essential Python Libraries for MLOps - KDnuggets

    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.

    A Curated List of 57 Amazing GitHub Repositories for Ever...

    janifaangla-473.medium.com   (2024-11-25)

    tags: python, github

    Photo by Luke Chesser on Unsplash

    10 Python One-Liners

    machinelearningmastery.com   (2024-11-25)

    tags: python

    [caption align=

    10 Essential Python Libraries for Data Science in 2024

    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.

    What Are Python Ternary Operators and How Do You Use Them?

    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.

    Document Analysis using LLMs with Python | Aman Kharwal

    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.

    Everything you need to know about Python 3.13 – JIT and G...

    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.

    Python's GIL, Multithreading and Multiprocessing

    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.

    Marketing Mix Modeling (MMM): How to Avoid Biased Channel...

    towardsdatascience.com   (2024-10-16)

    tags: analytics, machine-learning, python

    Learn which variables you should and should not take into account in your model.

    rerankers: A Lightweight Python Library to Unify Ranking ...

    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.

    A Python Engineer’s Introduction To 3D Gaussian Splatting...

    medium.com   (2024-08-02)

    tags: gaussian, python

    Understanding and coding Gaussian Splatting from a Python Engineer’s perspective

    A Python Engineer’s Introduction to 3D Gaussian Splatting...

    medium.com   (2024-08-02)

    tags: gaussian, python

    Understanding and coding how Gaussian’s are used within 3D Gaussian Splatting

    A Python Engineer’s Introduction to 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.

    PacktPublishing/Modern-Graph-Theory-Algorithms-with-Python

    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

    Customer Satisfaction Analysis 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.

    Introducing ‘Mark’, a Markdown CLI tool for GPT4o | Ryan ...

    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.

    Understanding and Implementing Genetic Algorithms in Python

    www.kdnuggets.com   (2024-06-25)

    tags: algorithms-math, python

    Understanding what genetic algorithms are and how they can be implemented in Python.

    BM25S: A Python Package that Implements the BM25 Algorith...

    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

    Lessons Learned from Scaling to Multi-Terabyte Datasets

    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…

    Recommendation Algorithms You Should Know

    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.

    https://www.perplexity.ai/search/I-have-a-4u4uJ147QbKox0Q...

    www.perplexity.ai   (2024-06-12)

    tags: jekyll, python, yaml

    Python's many command-line utilities

    www.pythonmorsels.com   (2024-06-04)

    tags: python

    Every command-line tool included with Python. These can be run with python -m module_name.

    Computing Minimum Sample Size for A/B Tests in Statsmodel...

    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 venv: How To Create, Activate, Deactivate, And Del...

    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.

    A Guide to Working with SQLite Databases in Python

    www.kdnuggets.com   (2024-05-22)

    tags: python, sqlite

    Get started with SQLite databases in Python using the built-in sqlite3 module.

    Mastering Python: 7 Strategies for Writing Clear, Organiz...

    www.kdnuggets.com   (2024-05-19)

    tags: python

    Optimize Your Python Workflow: Proven Techniques for Crafting Production-Ready Code

    10 Python Packages Revolutionizing Data Science Workflow

    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

    How To Use Pyscript To Create Python Web Apps

    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.

    Extract text from a PDF

    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.

    How to Create and Use Requirements.txt in Python

    dev.to   (2024-04-12)

    tags: pip, python

    After setting up your Python project, creating a requirements.txt file is essential for simplifying...

    SciPy 1.13.0 Release Notes — SciPy v1.14.0.dev Manual

    scipy.github.io   (2024-04-09)

    tags: python, scipy

    Advanced Data Structures: Sets, Tuples, and Comprehensions

    dev.to   (2024-04-06)

    tags: data-structures, python

    Advanced Data Structures: Sets, Tuples, and Comprehensions In the world of programming,...

    The Best Python Cheat Sheet

    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.

    Essential Formulas for Data Science in Finance

    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.

    Modular Open-Sources Mojo: The Programming Language that ...

    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

    Tiny Python Projects

    tinypythonprojects.com   (2024-03-11)

    tags: books, python

    Particle Swarm Optimization (PSO) from scratch. Simplest ...

    towardsdatascience.com   (2024-03-03)

    tags: optimization, python

    How to implement PSO

    Duck Typing in Python: Writing Flexible and Decoupled Code

    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.

    30 Python Libraries that I Often Use

    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.

    The Power of Geospatial Intelligence and Similarity Analy...

    towardsdatascience.com   (2024-02-17)

    tags: geofencing, geography, python

    Strategically enhancing address mapping during data integration using geocoding and string matching

    Getting started with Elasticsearch Python

    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...

    The Perfect Way to Smooth Your Noisy Data

    towardsdatascience.com   (2024-01-18)

    tags: algorithms-math, machine-learning, python

    Insanely fast and reliable smoothing and interpolation with the Whittaker-Eilers method.

    Files · master · euri10 / fastapi_cheatsheet · GitLab

    gitlab.com   (2024-01-17)

    tags: fastapi, python

    GitLab.com

    Mastering PDFs: Extracting Sections, Headings, Paragraphs...

    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).

    Meet neograd: A Deep Learning Framework Created from Scra...

    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

    skfolio/skfolio

    github.com   (2024-01-15)

    tags: python, scikit-learn

    Python library for portfolio optimization built on top of scikit-learn - skfolio/skfolio

    Business Forecasting Project Ideas

    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

    fastapi.tiangolo.com   (2024-01-12)

    tags: python

    FastAPI framework, high performance, easy to learn, fast to code, ready for production

    Python 3.13 gets a JIT

    tonybaloney.github.io   (2024-01-10)

    tags: python

    Reviewing the JIT in Python 3.13

    Mastering Python Development Environments: A Comprehensiv...

    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...

    Market Basket Analysis using Python

    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.

    Python "magic" methods - part 2

    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...

    python - Using virtualenv on Jupyter Notebook - Stack Ove...

    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

    venv — Creation of virtual environments — Python 3.12.0 d...

    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...

    Unleashing the Power of Flask: A Guide to Building Web Ap...

    dev.to   (2023-10-15)

    tags: flask, python

    Introduction In the vast landscape of web development, Flask stands out as a lightweight yet...

    Hey, Computer, Make Me a Font

    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.

    Two Powerful Python Features to Streamline Your Code and ...

    towardsdatascience.com   (2023-09-30)

    tags: python

    Enhance your code quality with the beauty of match statements and object slicing.

    youtube_channel/Python Tutorial Series/fourier_transform1...

    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

    New Book: Gentle Introduction To Chaotic Dynamical Systems

    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

    Meet PyGraft: An Open-Sourced Python-Based AI Tool that G...

    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

    Cracking Open the OpenAI (Python) API

    towardsdatascience.com   (2023-09-25)

    tags: apis, llms, python

    A complete beginner-friendly introduction with example code

    Python Virtual Environments: A Primer – Real Python

    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.

    Beyond Numpy and Pandas: Unlocking the Potential of Lesse...

    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.

    4 Python Itertools Filter Functions You Probably Didn’t Know

    www.kdnuggets.com   (2023-08-31)

    tags: python

    And why you should learn how to use them to filter Python sequences more elegantly.

    What is EDI? Electronic Data Interchange

    towardsdatascience.com   (2023-08-30)

    tags: python, supply-chain

    Explore how Electronic Data Interchange (EDI) facilitates modern supply chain management.

    Generating a Requirements.txt File from a Jupyter Notebook

    towardsdatascience.com   (2023-08-30)

    tags: jupyter, python

    A much overlooked way to save some time.

    Demand Forecasting and Inventory Optimization using Python

    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.

    Microsoft Introduces Python in Excel: Bridging Analytical...

    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

    Simulation 104: Electromagnetic Mapping with Vector Fields

    towardsdatascience.com   (2023-08-22)

    tags: antennas, python

    Modeling electric and magnetic fields

    Python Global Interpreter Lock (GIL): Understanding, Work...

    dev.to   (2023-08-17)

    tags: python

    Introduction: Python, a popular programming language known for its simplicity and versatility,...

    How to Extract Text from Any PDF and Image for Large Lang...

    towardsdatascience.com   (2023-08-07)

    tags: llms, pdfs, python

    Use these text extraction techniques to get quality data for your LLM models

    pypdfium2 · PyPI

    pypi.org   (2023-08-07)

    tags: pdfs, python

    Python bindings to PDFium

    Reliability Analysis with Python

    towardsdatascience.com   (2023-08-06)

    tags: prob-stats, python, quality

    Total Productive Maintenance

    List: Marketing Mix Modeling | Curated by Abhijeet Talaul...

    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.

    CLI tools hidden in the Python standard library

    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:

    The Complete Introduction to Survival Analysis in Python ...

    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

    Mastering Sequence Filtering in Python: Comprehensive Gui...

    dev.to   (2023-07-24)

    tags: python

    Filtering sequences, like lists, is a common task for developers. However, the code can become...

    Uplift Modeling — A Data Scientist’s Guide to Optimizing ...

    towardsdatascience.com   (2023-07-23)

    tags: analytics, machine-learning, prodmgmt, python, uplift

    Applying causal machine learning to trim the campaign target audience

    Clearing Pip Cache

    linuxhandbook.com   (2023-07-01)

    tags: linux, pip, python

    Cleaning Pip cache helps you in troubleshooting and getting fresh Python packages.

    Why not tell people to "simply" use pyenv, poetry or anac...

    www.bitecode.dev   (2023-06-19)

    tags: python

    You keep using that word. I don’t think it means what you think it means.

    Sklearn Pipelines for the Modern ML Engineer: 9 Technique...

    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

    What Are *args And **kwargs In Python - Guide With Examples

    dev.to   (2023-05-15)

    tags: python

    When we see the documentation of any function that contains *args and **kwargs, have you ever...

    Geospatial Data Analysis with GeoPandas

    towardsdatascience.com   (2023-05-07)

    tags: pandas, python, spatial

    Learn how to manipulate and visualize vector data with Python’s GeoPandas

    From Spotify to YouTube: How I Built a Python Script to C...

    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...

    Debugging Made Easy: Use Pytest to Track Down and Fix Pyt...

    towardsdatascience.com   (2023-04-18)

    tags: pytest, python

    How to use Pytest fixtures and mock for unit testing

    Retail Price Optimization using Python

    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.

    Goodbye os.path: 15 Pathlib Tricks to Quickly Master The ...

    towardsdatascience.com   (2023-04-16)

    tags: python

    No headaches and unreadable code from os.path

    Joblib: running Python functions as pipeline jobs — jobli...

    joblib.readthedocs.io   (2023-04-13)

    tags: python

    Supply Chain Analysis using 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.

    An Introduction to Polars for Pandas Users

    towardsdatascience.com   (2023-04-09)

    tags: pandas, programming, python

    Demonstrating how to use the new blazing fast DataFrame library for interacting with tabular data

    Exception Handling in Python: From Basic to Advanced, The...

    towardsdatascience.com   (2023-04-08)

    tags: python

    Discover the Hidden Secrets of Python Exception Handling

    Python3 Command and Control How to Guide

    medium.themayor.tech   (2023-04-07)

    tags: python

    Introduction and Chapter One

    Introduction to mypy

    towardsdatascience.com   (2023-04-06)

    tags: python

    Static type checking for Python

    A Guide to Association Rule Mining

    towardsdatascience.com   (2023-04-05)

    tags: association-rules, machine-learning, market-basket, python

    Create insights from frequent patterns using market basket analysis with Python

    Finding Patterns in Convenience Store Locations with Geos...

    towardsdatascience.com   (2023-04-01)

    tags: geography, programming, python

    Understanding spatial trends in the location of Tokyo convenience stores

    Announcing PyCaret 3.0: Open-source, Low-code Machine Lea...

    moez-62905.medium.com   (2023-03-31)

    tags: machine-learning, programming, pycaret, python

    Exploring the Latest Enhancements and Features of PyCaret 3.0

    Exploring the Power of Decorators in Python: A Comprehens...

    dev.to   (2023-03-26)

    tags: python

    Introduction If you're a Python developer looking to take your code to the next level,...

    Configuring the spyrograph trace method to explore stunni...

    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...

    Table of contents — voila 0.5.0a0 documentation

    voila.readthedocs.io   (2023-03-24)

    tags: jupyter, python, voila

    voila · PyPI

    pypi.org   (2023-03-24)

    tags: jupyter, programming, python, visualization, voila

    Voilà turns Jupyter notebooks into standalone web applications

    Learn How to Test Flask Applications with Pytest

    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...

    3 Unique Charts You Wouldn’t Think Were Created with Matp...

    towardsdatascience.com   (2023-03-21)

    tags: matplotlib, python, visualization

    Utilising Python’s Matplotlib to Create Advanced Data Visualisations

    Python YAML: How to Load, Read, and Write YAML • Python L...

    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!

    How to make 40 interactive plots to analyze your machine ...

    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

    Make your sklearn models up to 100 times faster

    towardsdatascience.com   (2023-03-17)

    tags: cpus, python, scikit-learn

    How to considerable reduce training time changing only 1 line of code

    PyTorch 2.0: Our next generation release that is faster, ...

    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.

    How virtual environments work

    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

    5 Python Decorators I Use in Almost All My Data Science P...

    towardsdatascience.com   (2023-03-13)

    tags: python

    Decorators provide a new and convenient way for everything from caching to sending notifications.

    Write Readable Tests for Your Machine Learning Models wit...

    towardsdatascience.com   (2023-03-12)

    tags: machine-learning, programming, python, testing

    Use natural language to test the behavior of your ML models

    Plotting Network Graphs using Python

    towardsdatascience.com   (2023-03-07)

    tags: graphs, python

    Learn how to use the NetworkX package to visualize complex networks

    35 Hidden Python Libraries That Are Absolute Gems

    avichawla.substack.com   (2023-03-04)

    tags: python

    I reviewed 1,000+ Python libraries and discovered these hidden gems I never knew even existed.

    Python’s multiprocessing performance problem

    pythonspeed.com   (2023-03-03)

    tags: python

    While multiprocessing allows Python to scale to multiple CPUs, it has some performance overhead compared to threading.

    Using PyGWalker to Enhance Your Jupyter Notebook EDA Expe...

    towardsdatascience.com   (2023-03-03)

    tags: jupyter, programming, python, visualization

    An Introduction to the PyGWalker Library for Easy Data Visualisation

    Getting Started with Python Generators

    www.kdnuggets.com   (2023-03-01)

    tags: python

    Learn about Python generators and write memory-efficient and Pythonic code.

    SymPy makes math fun again

    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.

    Automate the Boring Stuff with Python

    automatetheboringstuff.com   (2023-02-17)

    tags: programming, python

    40 Open-Source Tools to Supercharge Your Pandas Workflow

    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.

    Image Filters with Python

    towardsdatascience.com   (2023-02-10)

    tags: machine-vision, python

    A concise computer vision project for building image filters using Python

    Building a Recommender System for Amazon Products with Py...

    towardsdatascience.com   (2023-02-10)

    tags: ecommerce, python, recommenders

    I built a recommender system for Amazon’s electronics category

    10 Python Decorators To Take Your Code To The Next Level ...

    towardsdatascience.com   (2023-02-10)

    tags: python

    Do more things with less code without compromising on quality

    How to Perform Multivariate Outlier Detection in Python P...

    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.

    Introducing the new JupyterLab Desktop!

    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…

    3 Simple Ways to Create a Waterfall Plot in Python

    towardsdatascience.com   (2023-02-09)

    tags: python, visualization

    Learn how to quickly create a presentation-ready plot to aid your data storytelling

    How to Create Beautiful Waffle Charts for Data Visualisat...

    towardsdatascience.com   (2023-02-09)

    tags: python, visualization

    A Great Alternative to Pie Charts for Data Visualisation

    Export archived article data from Pocket

    gist.github.com   (2023-02-02)

    tags: pocket, python

    Export archived article data from Pocket · GitHub

    skops: a new library to improve scikit-learn in production

    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.

    pythondocument/Fluent Python.pdf at master · hiddenJuliet...

    github.com   (2023-01-30)

    tags: books, python

    translate python documents to Chinese for convenient reference 简而言之,这里用来存放那些Python文档君们,并且尽力将其翻译成中文~~ - hiddenJuliet/pythondocument

    Hyperparameter Optimization: 10 Top Python Libraries

    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.

    Introducing PyCircular: A Python Library for Circular Dat...

    towardsdatascience.com   (2023-01-24)

    tags: machine-learning, python

    Circular data can present unique challenges when it comes to analysis and modeling

    PyPI · The Python Package Index

    pypi.org   (2023-01-16)

    tags: packages, python

    The Python Package Index (PyPI) is a repository of software for the Python programming language.

    SHAP: Explain Any Machine Learning Model in Python

    towardsdatascience.com   (2023-01-14)

    tags: python

    Your Comprehensive Guide to SHAP, TreeSHAP, and DeepSHAP

    7 Scikit-Learn Best Practices For Data Scientists

    towardsdatascience.com   (2023-01-13)

    tags: best-practices, machine-learning, python, scikit-learn

    Tips for taking full advantage of this machine learning package

    Why TensorFlow for Python is dying a slow death

    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.

    Malicious PyPI Packages Using Cloudflare Tunnels to Sneak...

    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

    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: A High Performance Python Compiler

    numba.pydata.org   (2022-12-28)

    tags: numba, python

    PacktPublishing/Python-Feature-Engineering-Cookbook-Secon...

    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

    How to Anonymise Places in Python

    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

    Media Mix Modeling: How to measure the effectiveness of a...

    towardsdatascience.com   (2022-12-17)

    tags: advertising-commercials, analytics, programming, python

    Media Mix modeling, its implementation, and practical tips

    How to use Python Lambdas

    towardsdatascience.com   (2022-12-16)

    tags: python

    Discover the power of anonymous functions and functional programming in Python

    13 Tips for using PyTest

    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…

    11 Less Used but Important Plots for Data Science

    towardsdatascience.com   (2022-11-23)

    tags: datasets, plotly, python, visualization

    Some Unique Data Visualization Techniques for Getting High-Level Insight into the Data

    3 Useful Python Automation Scripts

    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.

    Last Mile Delivery From Multiple Depots in Python

    towardsdatascience.com   (2022-11-07)

    tags: machine-learning, python, supply-chain

    Mathematical Modeling, Solution, and Visualization Using PuLP and VeRoViz

    5 Ways to use a Seaborn Heatmap (Python Tutorial)

    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

    How to Create a GIF from Matplotlib Plots in Python

    towardsdatascience.com   (2022-10-30)

    tags: gifs, matplotlib, python

    A data visualization technique for 2-dimensional time series data using imageio

    5 Ways to Transform Your Seaborn Data Visualisations

    towardsdatascience.com   (2022-10-30)

    tags: python, seaborn, visualization

    Simple and easy pieces of code to enhance your seaborn scatter plots

    Step Up Your Game in Making Beautiful Choropleth Maps

    towardsdatascience.com   (2022-10-30)

    tags: python, visualization

    A guide on how to make different types of maps using Python

    Basic to Advanced Logging with Python in 10 Minutes

    towardsdatascience.com   (2022-10-30)

    tags: debugging, python

    Logging crash course with common logging issues addressed

    Python Decorator: What, Why, and How

    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…

    Hands-on Guide to Create beautiful Sankey Charts in d3js ...

    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.

    12 Essential Visualizations and How to Implement Them, Pa...

    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

    Converting Text Documents to Token Counts with CountVecto...

    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.

    Introducing IceCream: Never Use Print() To Debug Your Pyt...

    towardsdatascience.com   (2022-10-19)

    tags: debugging, python

    Why I stopped using print() statements for debugging and why you should too

    matsui528/nanopq: Pure python implementation of product q...

    github.com   (2022-10-14)

    tags: deep-learning, python, search

    Pure python implementation of product quantization for nearest neighbor search - matsui528/nanopq

    How to Create Storytelling Moving Bubbles Charts in d3js ...

    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!

    CUDA by Numba Examples

    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.

    Product Quantization for Similarity Search

    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)

    Bayesian Hierarchical Marketing Mix Modeling in PyMC

    buff.ly   (2022-10-14)

    tags: analytics, bayes, forecasting-predictions, machine-learning, python

    Learn how to build MMMs for different countries the right way

    Signal Processing, beyond the Fourier Transform: Introduc...

    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

    D3Blocks: The Python Library to Create Interactive and St...

    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.

    Built-in magic commands — IPython 8.5.0 documentation

    ipython.readthedocs.io   (2022-09-20)

    tags: jupyter, python

    Want to find the N largest or N smallest values in a list...

    twitter.com   (2022-09-16)

    tags: python

    — Mike Driscoll (@driscollis)

    A Comprehensive Tutorial on Stereo Geometry and Stereo Re...

    towardsdatascience.com   (2022-09-16)

    tags: cameras, machine-vision, movies-television, python

    Everything you need to know about Stereo Geometry

    30 PyTricks I've Learned By Joining the Real Python Maili...

    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...

    Accelerate Python code 100x by import taichi as ti | Taic...

    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).

    4 Basic Commands When Working with Python Tuples

    towardsdatascience.com   (2022-09-09)

    tags: python

    Making you understand the characteristics of Python Tuples and how you deal with them

    https://www.einblick.ai/blog/problems-with-notebooks-msft...

    www.einblick.ai   (2022-09-08)

    tags: machine-learning, programming, python, visualization

    Topic Modeling on PyCaret — Redux

    towardsdatascience.com   (2022-09-05)

    tags: pycaret, python

    A beginner’s guide to PyCaret’s natural language processing module.

    What Happens When you Import a Python Module? | by Xiaoxu...

    towardsdatascience.com   (2022-08-31)

    tags: python

    Deep dive into the import system

    7 spaCy Features To Boost Your NLP Pipelines And Save Time

    towardsdatascience.com   (2022-08-24)

    tags: nlp, python, spacy

    I’ve never used spaCy beyond simple named entity recognition tasks. Boy was I wrong.

    Seven Killer Memory Optimization Techniques Every Pandas ...

    towardsdatascience.com   (2022-08-23)

    tags: pandas, python

    Simple tips to optimize the memory utilization in Pandas

    Most Important Python Modules for Beginners

    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.

    Uncommon Uses of Python in Commonly Used Libraries

    eugeneyan.com   (2022-08-20)

    tags: python

    Some off-the-beaten uses of Python learned from reading libraries.

    How to Create File System Triggers in Python

    www.the-analytics.club   (2022-08-19)

    tags: python

    How to painlessly monitor file creation, modification, and deletion programmatically.

    A Guide to Python Itertools Like No Other

    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

    Visualizing Part-of-Speech Tags with NLTK and SpaCy

    towardsdatascience.com   (2022-08-19)

    tags: nlp, nltk, python, spacy

    Customizing displaCy’s entity visualizer

    How to get your home folder with using 2️⃣ lines of code ...

    twitter.com   (2022-08-17)

    tags: python

    — Mike Driscoll (@driscollis)

    9 Visualizations with Python that Catch More Attention th...

    towardsdatascience.com   (2022-08-08)

    tags: machine-learning, python, visualization

    Creating eye-catching graphs with Python to use instead of bar charts.

    An Introduction to Graph Partitioning Algorithms and Comm...

    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…

    5 Less-Known Python Libraries That Can Help in Your Next ...

    towardsdatascience.com   (2022-08-04)

    tags: machine-learning, programming, python

    Reduce time in your data science workflow with these libraries.

    Parallel Processing Large File in Python - KDnuggets

    www.kdnuggets.com   (2022-08-01)

    tags: python

    Learn various techniques to reduce data processing time by using multiprocessing, joblib, and tqdm concurrent.

    Pytest with Marking, Mocking, and Fixtures in 10 Minutes

    towardsdatascience.com   (2022-08-01)

    tags: pytest, python

    Write robust unit tests with Python pytest

    Stream Graphs Basics with Python's Matplotlib

    towardsdatascience.com   (2022-07-26)

    tags: graphs, matplotlib, python, visualization

    The good-looking cousin of stacked area charts

    4 Quick Tricks For Better Plots in Matplotlib

    towardsdatascience.com   (2022-07-26)

    tags: matplotlib, python, visualization

    Easily adding arrows, multiple axes, gradient fill, and more

    How to Make a Database Connection in Python for Absolute ...

    towardsdatascience.com   (2022-07-23)

    tags: databases, python

    3 steps (+examples) to connect to MS SQL Server, MySQL, Oracle and many other databases

    Command Line | Graphviz

    www.graphviz.org   (2022-07-20)

    tags: graphs, programming, python, visualization

    DOT rendering programs and utilities.

    codecrafters-io/build-your-own-x: Master programming by r...

    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

    Welcome | Handbook of Graphs and Networks in People Analy...

    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

    Modeling Marketing Mix Using Smoothing Splines

    towardsdatascience.com   (2022-07-18)

    tags: machine-learning, python, splines

    Capturing non-linear advertising saturation and diminishing returns without explicitly transforming media variables

    Hands on introduction to reinforcement learning in Python

    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…

    Build Complex Time Series Regression Pipelines with sktime

    towardsdatascience.com   (2022-07-13)

    tags: machine-learning, python, scikit-learn, time-series

    How to forecast with scikit-learn and XGBoost models with sktime

    githublog/2022/6/15/rolling-your-own-crypto-aes.md at mai...

    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

    Understanding Self-Organising Map Neural Network with Pyt...

    towardsdatascience.com   (2022-07-13)

    tags: algorithms-math, machine-learning, python

    Brain-inspired unsupervised machine learning through competition, cooperation and adaptation

    How to Solve Scheduling Problems in Python

    towardsdatascience.com   (2022-07-11)

    tags: machine-learning, python

    Use linear programming to minimize the difference between required and scheduled resources

    Need to turn your code into an executable for Windows, Ma...

    twitter.com   (2022-07-07)

    tags: python

    — Mike Driscoll (@driscollis)

    Gif Creation in Python.

    twitter.com   (2022-07-06)

    tags: gifs, python

    Here you can add multiple Images and duration as well in the code. — Python Coding (@clcoding)

    Learn the Python Anvil Framework

    pythonanvil.com   (2022-07-05)

    tags: programming, python, webdev

    Python for Data Analysis, 3E

    wesmckinney.com   (2022-07-02)

    tags: programming, python

    FIGS: Attaining XGBoost-level performance with the interp...

    bair.berkeley.edu   (2022-06-24)

    tags: machine-learning, python

    The BAIR Blog

    Usage · ArchiveBox/ArchiveBox Wiki · GitHub

    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

    Getting your reading history out of Pocket using Python |...

    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…

    A Guide to Python's Secret Superpower: Magic Methods

    dev.to   (2022-06-23)

    tags: python

    Python has a secret superpower with a similarly stupendous name: Magic Methods. These methods can...

    The Battle of Choropleths — Part 3 — Folium

    towardsdatascience.com   (2022-06-22)

    tags: geography, machine-learning, python, visualization

    Using the Folium Package to Create Stunning Choropleths

    Creating Choropleth Maps with Python’s Folium Library

    towardsdatascience.com   (2022-06-22)

    tags: python, visualization

    How to make choropleths with different data structures in Python

    Neighborhood Analysis, KD-Trees, and Octrees for Meshes a...

    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

    Introduction to Simulation with SimPy

    link.medium.com   (2022-06-07)

    tags: programming, python

    Part 6: Multiple Measures of Performance

    Animated and Racing Bar Plots Tutorial

    towardsdatascience.com   (2022-06-04)

    tags: animation, matplotlib, python, visualization

    The one pip config you need to have

    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...

    Simple Text Extraction Using Python And Tesseract OCR

    dev.to   (2022-06-03)

    tags: ocr, programming, python

    Introduction Hello! In this quick tutorial I will show how to create a simple program...

    3 Ways to Create a Multi-Page Streamlit App

    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

    Cython for absolute beginners: 30x faster code in two sim...

    towardsdatascience.com   (2022-06-01)

    tags: cython, python

    Easy Python code compilation for blazingly fast applications

    faif/python-patterns: A collection of design patterns/idi...

    github.com   (2022-06-01)

    tags: design-patterns, python

    A collection of design patterns/idioms in Python.

    A Python Tutorial on Geomapping using Folium and GeoPandas

    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…

    Solving Complex NLP Tasks with 5 Simple Python Snippets/L...

    towardsdatascience.com   (2022-05-28)

    tags: nlp, python

    Python's fileinput module makes it easy to write CLI tool...

    twitter.com   (2022-05-28)

    tags: command-line, python

    (BTW, bat: ) — Ned Batchelder (@nedbat)

    An In-Depth Tutorial to Python Decorators That You Can Ac...

    towardsdatascience.com   (2022-05-28)

    tags: decorators, python

    Going knee-deep into the internals of Python

    Useful Python decorators for Data Scientists

    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.

    One Line of Code to Accelerate Your Sklearn Algorithms on...

    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.

    CatBoost vs. LightGBM vs. XGBoost

    towardsdatascience.com   (2022-05-27)

    tags: machine-learning, python

    Which is the best algorithm?

    Why We Switched from Python to Go - Software Engineering ...

    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

    10 Must-know Seaborn Functions for Multivariate Data Anal...

    towardsdatascience.com   (2022-05-07)

    tags: python, seaborn, visualization

    Learn how to visualize data using Seaborn’s axes-level and figure-level plots

    Sparse Autoencoder Neural Networks — How to Utilise Spars...

    towardsdatascience.com   (2022-05-04)

    tags: autoencoders, deep-learning, python

    A comparison between Undercomplete and Sparse AE with a detailed Python example

    Breaking Down the Powerful Magic Behind the Pandas GroupB...

    towardsdatascience.com   (2022-05-04)

    tags: pandas, python

    A detailed explanation of how groupby works under the hood to help you understand it better.

    Python is About to Become 64% Faster — Python 3.10 vs. Py...

    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!

    19 Hidden Sklearn Features You Were Supposed to Learn The...

    towardsdatascience.com   (2022-04-09)

    tags: machine-learning, python, scikit-learn

    Louvain’s Algorithm for Community Detection in Python

    link.medium.com   (2022-04-08)

    tags: clustering, machine-learning, python

    Apply Louvain’s Algorithm in Python for Community Detection

    Everything About Python Tuple Data Structure: Beginner’s ...

    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

    Amazing Functools Features in Python

    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...

    How To Create a SQL Practice Database with Python

    towardsdatascience.com   (2022-03-26)

    tags: python, sql

    Finally, start practicing SQL with your own database

    7 Useful Examples of Python’s itertools

    towardsdatascience.com   (2022-03-26)

    tags: python

    Saving time and code with flexible utility functions and paradigms

    D-Tale: One of the Best Python Libraries You Have Ever Seen

    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

    Glossary — Python 3.10.3 documentation

    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...

    Explore and Visualize Geospatial Data using Leafmap Pytho...

    towardsdatascience.com   (2022-03-23)

    tags: geography, python

    Create interactive maps with just a few lines of Python code

    vinta/awesome-python: A curated list of awesome Python fr...

    github.com   (2022-03-23)

    tags: github-awesome, python

    An opinionated list of awesome Python frameworks, libraries, software and resources. - vinta/awesome-python

    20 Python Interview Questions To Challenge Your Knowledge

    towardsdatascience.com   (2022-03-21)

    tags: python

    A peek into data structures, programming concepts, and best practices.

    What is The Difference Between requirements.txt and setup.py

    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

    A Gentle Introduction to Testing with PyTest

    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,...

    Real-world website visitor forecast with Facebook Prophet...

    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…

    How to Scrape and Extract Data from PDFs Using Python and...

    towardsdatascience.com   (2022-02-21)

    tags: pdfs, python, web-scraping

    You want to make friends with tabula-py and Pandas

    How to Use Tesseract OCR to Convert PDFs to Text

    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...

    Scrape Data from PDF Files Using Python and PDFQuery

    towardsdatascience.com   (2022-02-21)

    tags: pdfs, python, web-scraping

    Extract Data from PDF Files Effectively

    Understanding Attributes, Dicts and Slots in Python

    dev.to   (2022-02-20)

    tags: python

    Understanding Attributes in Python Python is a very dynamic language by nature. Variables...

    Bipartite — NetworkX 2.6.2 documentation

    networkx.org   (2022-02-20)

    tags: algorithms-math, graphs, python

    Topic Modeling in Python | Toptal

    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.

    Create a simple "Hello World" PDF with and with 4 lines o...

    twitter.com   (2022-02-06)

    tags: pdfs, python

    🐍🔥 — Mike Driscoll (@driscollis)

    33 Useful Python Snippets For Everyday Problems With Lists

    towardsdatascience.com   (2022-02-03)

    tags: python

    Immediately start using them…

    Data Scientists, The 5 Graph Algorithms that you should know

    towardsdatascience.com   (2022-02-02)

    tags: algorithms-math, graphs, machine-learning, python

    Because Graph Analytics is the future

    scikit-and-tensorflow-workbooks/ch03-classification.ipynb...

    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

    5 Advanced Tips on Python Decorators

    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.

    Survival Analysis in Python: A Quick Guide to The Weibull...

    towardsdatascience.com   (2022-01-21)

    tags: machine-learning, python, survival-analysis

    A Quick Guide to The Weibull Analysis

    fb-prophet/01_docs.ipynb at master · bjpcjp/fb-prophet

    github.com   (2022-01-17)

    tags: machine-learning, prophet, python

    Prophet (FB time series prediction package) docs to Python code. - bjpcjp/fb-prophet

    category-scatterplot/demo.ipynb at master · bjpcjp/catego...

    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

    Creating Beautiful Topography Maps with Python

    towardsdatascience.com   (2022-01-17)

    tags: maps, python, spatial, visualization

    Who needs GIS when you can build eye-catching 3D topography maps with Python?

    PostgreSQL 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.

    python-data-science-handbook/seaborn at master · bjpcjp/p...

    github.com   (2022-01-16)

    tags: python, seaborn

    Sourced from O'Reilly ebook of the same name.

    pycaret-intro/01_intro.ipynb at master · bjpcjp/pycaret-i...

    github.com   (2022-01-16)

    tags: pycaret, python

    Introductin to PyCaret.

    scikit-and-tensorflow-workbooks/ch05-support-vector-machi...

    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

    python-data-science-handbook/numpy at master · bjpcjp/pyt...

    github.com   (2022-01-16)

    tags: numpy, python

    Sourced from O'Reilly ebook of the same name.

    A ~5 minute guide to Numba — Numba 0.52.0.dev0+274.g626b4...

    numba.pydata.org   (2022-01-16)

    tags: numba, python

    Python Language Services — Python 3.8.20 documentation

    docs.python.org   (2022-01-16)

    tags: python

    pandas - Python Data Analysis Library

    pandas.pydata.org   (2022-01-16)

    tags: pandas, python

    python-data-science-handbook/pandas at master · bjpcjp/py...

    github.com   (2022-01-16)

    tags: pandas, python

    Sourced from O'Reilly ebook of the same name.

    The Kaggle Way to Tune Hyperparameters with Optuna

    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

    Download a YouTube video with in 6 lines of code!

    twitter.com   (2022-01-16)

    tags: python, youtube

    🐍🔥 — Mike Driscoll (@driscollis)

    Blankly - Rapidly Build Quant Models Across Exchanges

    blankly.finance   (2022-01-15)

    tags: finance, python

    Build in minutes. Deploy in seconds. Quant workflow reimagined. Built by developers for developers 🚀

    Trading Algos - 5 Key Metrics and How to Implement Them i...

    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,...

    Python Resources for working with Excel - Working with Ex...

    www.python-excel.org   (2022-01-15)

    tags: excel, python

    Built-in Exceptions — Python 3.8.20 documentation

    docs.python.org   (2022-01-12)

    tags: python

    Miscellaneous Services — Python 3.8.20 documentation

    docs.python.org   (2022-01-12)

    tags: python

    Cryptographic Services — Python 3.8.20 documentation

    docs.python.org   (2022-01-12)

    tags: python

    Release of IPython 8.0. IPython is a powerful Python REPL...

    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…

    Python Computer Vision Libraries Every Developer Should Know

    dev.to   (2021-12-23)

    tags: machine-learning, machine-vision, python

    pandas-tips-tricks/pandas-tips-tricks.ipynb at master · b...

    github.com   (2021-12-15)

    tags: pandas, python

    various tips and tricks.

    Python Programming And Numerical Methods: A Guide For Eng...

    pythonnumericalmethods.berkeley.edu   (2021-12-08)

    tags: books, python

    5 Python open-source tools to extract text and tabular da...

    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

    3 (and Half) Powerful Tricks To Effectively Read CSV Data...

    towardsdatascience.com   (2021-12-07)

    tags: csv, machine-learning, pandas, python

    Master usecols, chunksize, parse_dates in pandas read_csv().

    Mito: One of the Coolest Python Libraries You Have Ever Seen

    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

    A Guide to Dimensionality Reduction in Python

    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.

    A Complete Machine Learning Project From Scratch: Setting Up

    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.

    Probability Distributions with Python’s SciPy

    towardsdatascience.com   (2021-10-23)

    tags: distributions, prob-stats, python, scipy

    How to Model random Processes with Distributions and Fit them to Observational Data

    functools — Higher-order functions and operations on call...

    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...

    Understanding all of Python, through its builtins

    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.

    Getting Started with Streamlit for Data Science

    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]

    Python Assert Statement — Everything You Need To Know Exp...

    towardsdatascience.com   (2021-10-17)

    tags: python

    Why, when, and how — Learn assert statements in Python right now.

    Clustering Made Easy with PyCaret

    link.medium.com   (2021-10-17)

    tags: machine-learning, pycaret, python

    Low-code Machine Learning with a Powerful Python Library

    Streamlit, which helps data scientists build apps, hits v...

    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.

    Python/DIRECTORY.md at master · TheAlgorithms/Python

    github.com   (2021-10-03)

    tags: algorithms-math, github, python

    All Algorithms implemented in Python.

    How to deploy streamlit app to Heroku

    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. ...

    Create a Web App in Under Thirty Minutes with Streamlit, ...

    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

    A Practical Introduction to 9 Regression Algorithms

    towardsdatascience.com   (2021-09-28)

    tags: machine-learning, python, regressions, scikit-learn

    Hands-on tutorial to effectively use different Regression Algorithms

    If You Can Write Functions, You Can Use Dask

    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.

    How to Generate Automated PDF Documents with Python

    towardsdatascience.com   (2021-09-25)

    tags: pdfs, programming, python

    Leveraging automation to create dazzling PDF documents effortlessly

    Scikit-Learn Version 1.0

    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...

    Beautiful Soup Documentation — Beautiful Soup 4.9.0 docum...

    www.crummy.com   (2021-09-08)

    tags: programming, python, regexes, web-scraping

    ABZ-Aaron/CheatSheets: Just a place to store cheatsheets

    github.com   (2021-09-06)

    tags: github, python

    Just a place to store cheatsheets.

    15 Python Snippets to Optimize your Data Science Pipeline

    www.kdnuggets.com   (2021-08-28)

    tags: command-line, pandas, programming, python

    Quick Python solutions to help your data science cycle.

    Python Imaging Library (PIL) Tutorial

    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.

    How to Create a Geofence with Python

    towardsdatascience.com   (2021-08-17)

    tags: geofencing, python

    Taking Advantage of Your Location Data for an Expansive Range of Possibilities

    https://pandas.pydata.org/pandas-docs/stable/pandas.pdf

    pandas.pydata.org   (2021-08-09)

    tags: pandas, python

    5 Ultimate Python Libraries for Image Processing

    towardsdatascience.com   (2021-07-30)

    tags: machine-learning, machine-vision, python

    OpenCV is not the only one

    scikit-learn-intelex · PyPI

    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 | pymol.org

    pymol.org   (2021-07-18)

    tags: biology, deep-learning, programming, python, visualization

    Python Tricks: Generators Explained

    towardsdatascience.com   (2021-07-16)

    tags: algorithms-math, python

    How does a generator in Python work?

    14 Must-Know pip Commands For Data Scientists and Engineers

    towardsdatascience.com   (2021-07-15)

    tags: command-line, pip, programming, python

    Exploring some of the most useful pip commands for everyday programming

    How to Parameterize Python Tests Using Pytest

    towardsdatascience.com   (2021-07-13)

    tags: pytest, python

    Passing Arguments to Fixtures and Test Functions

    Martin Heinz | Functools - The Power of Higher-Order Func...

    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

    Why decorators in Python are pure genius

    link.medium.com   (2021-07-05)

    tags: decorators, python

    Analyze, test, and re-use your code with little more than an @ symbol

    Hands-on Survival Analysis with Python

    towardsdatascience.com   (2021-07-04)

    tags: algorithms-math, machine-learning, python, survival-analysis

    What companies can learn from employee turnover data

    fairseq/examples/stories at main · facebookresearch/fairseq

    github.com   (2021-07-03)

    tags: python, storytelling

    Facebook AI Research Sequence-to-Sequence Toolkit written in Python. - facebookresearch/fairseq

    Read Excel files with Python. 1000x Faster.

    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.

    TheAlgorithms/Python: All Algorithms implemented in Python

    github.com   (2021-06-28)

    tags: algorithms-math, glossaries, python

    All Algorithms implemented in Python.

    Turn Excel Into a Beautiful Web Application Using Streamlit

    towardsdatascience.com   (2021-06-26)

    tags: excel, programming, python, streamlit

    Present your data as an interactive dashboard web application using the python library Streamlit

    The torch.linalg module: Accelerated Linear Algebra with ...

    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.

    GPBoost: Combining Tree-Boosting with Gaussian Process an...

    github.com   (2021-06-25)

    tags: boosting, gaussian, machine-learning, python

    Combining tree-boosting with Gaussian process and mixed effects models - fabsig/GPBoost

    A from-scratch tour of Bitcoin in Python

    karpathy.github.io   (2021-06-23)

    tags: bitcoin, python

    Musings of a Computer Scientist.

    Introduction - Hugging Face NLP Course

    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.

    Functioning with python functional programming- lambda, m...

    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

    How to Schedule Python Scripts With Cron — The Only Guide...

    towardsdatascience.com   (2021-06-19)

    tags: programming, python

    Automate your Python script execution — works on Linux and macOS.

    Virtual environments for absolute beginners — what is it ...

    link.medium.com   (2021-06-19)

    tags: programming, python

    A deep dive into Python virtual environments, pip and avoiding entangled dependencies

    The Quick Guide To Using Environment Variables in Python

    towardsdatascience.com   (2021-06-14)

    tags: python

    Set your application secrets, load, and retrieve them easily in your Data Science apps.

    Web Development with Python: Dash (complete tutorial)

    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…

    Mastering Web Applications with Streamlit

    towardsdatascience.com   (2021-06-14)

    tags: programming, python, streamlit

    Using Streamlit to Build an ML-based Web Application

    Seaborn can do the job, then why Matplotlib?

    towardsdatascience.com   (2021-06-12)

    tags: matplotlib, python, seaborn, visualization

    Should you bypass Matplotlib?

    Python Factories for Scalable, Reusable, and Elegant Code

    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…

    Make Pandas 3 Times Faster with PyPolars

    www.kdnuggets.com   (2021-05-31)

    tags: pandas, python

    Learn how to speed up your Pandas workflow using the PyPolars library.

    Interpreting Scattertext: a seductive tool for plotting text

    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.

    Dask DataFrames — How to Run Pandas in Parallel With Ease

    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.

    Understanding *args and **kwargs in Python

    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…

    Quantra — a Python coding platform to learn quantitative ...

    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…

    How to cartoonize an image with Python

    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...

    Predict Customer Churn (the right way) using PyCaret

    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.

    Handling exceptions in Python like a pro ? ?

    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.

    Pytorchvideo a deep learning library for video understanding

    ai.facebook.com   (2021-05-19)

    tags: deep-learning, python, pytorch, video

    Web Scraping to Create a Dataset using Python

    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.

    Show HN: MPL Plotter – Python library to make technical p...

    github.com   (2021-05-18)

    tags: matplotlib, python, visualization

    Publication-quality data representation library based on Matplotlib. - alopezrivera/mpl_plotter

    An Introduction to PyTorch Lightning

    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…

    Vaex: Pandas but 1000x faster

    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.

    Top 5 Python libraries for Computer vision

    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...

    My Favorite One Liners | Muhammad

    muhammadraza.me   (2021-05-05)

    tags: bash, linux, python

    Commandline one liners that makes your workflow more productive

    Prophet | Forecasting at scale.

    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.

    Make Beautiful Spatial Visualizations with Plotly and Mapbox

    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…

    How to start with streamlit web framework.

    dev.to   (2021-05-05)

    tags: python, streamlit

    Sometimes you make a data science , machine learning or computer vision projects but suddenly you stu...

    What is Dask and How Does it Work?

    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…

    A Hitchhiker's Guide to SQLite with Python

    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...

    Simple but Stunning: Animated Cellular Automata in Python

    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…

    30 Examples to Get You From a Novice to an Advanced Panda...

    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…

    Nine Emerging Python Libraries You Should Add to Your Dat...

    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…

    A Summary of Active Learning Frameworks

    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…

    Geopandas Hands-on: Geospatial Relations and Operations

    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…

    Five Numpy Functions You Should Understand

    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.

    Time Series Forecasting with PyCaret Regression Module

    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.

    Basic Music Theory in ~200 Lines of Python

    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.

    Use Python to Design Automation Tools for Excel Users

    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

    Extract Tables from PDF file in a single line of Python Code

    towardsdatascience.com   (2021-04-18)

    tags: pdfs, programming, python

    How to extract and convert tables from PDFs into Pandas Dataframe using Camelot

    3 Python Tricks That Will Ease Your Life

    towardsdatascience.com   (2021-04-17)

    tags: python

    Explained with examples

    DIY XGBoost library in less than 200 lines of 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.

    Using PyTorch + NumPy? You're making a mistake.

    tanelp.github.io   (2021-04-11)

    tags: numpy, python, pytorch

    A bug that plagues thousands of open-source ML projects.

    How to Accelerate Signal Processing in Python

    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…

    Wicked Fast Python With Itertools

    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.

    Data Preprocessing in Python Pandas — Part 6 Dropping Dup...

    towardsdatascience.com   (2021-04-03)

    tags: pandas, python

    A quick tutorial to drop duplicates using the Python Pandas library.

    Building a full-text search engine in 150 lines of Python...

    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!

    Xgboost regression training on CPU and GPU in python

    towardsdatascience.com   (2021-03-23)

    tags: boosting, machine-learning, python

    GPU vs CPU training speed comparison for xgboost

    https://sicara.ai/blog/en/speed-jax-python

    sicara.ai   (2021-03-22)

    tags: machine-learning, python

    Scikit-learn Tutorial – Beginner’s Guide to GPU Accelerat...

    developer.nvidia.com   (2021-03-22)

    tags: gpus, machine-learning, nvidia, python, scikit-learn

    11 Pandas Built-in Functions You Should Know

    towardsdatascience.com   (2021-03-22)

    tags: pandas, python

    No need to install, import and initialize — Just use them

    Conda: essential concepts and tricks

    towardsdatascience.com   (2021-03-21)

    tags: jupyter, machine-learning, python

    for beginners as well as advanced users

    How to use loc and iloc for selecting data in Pandas

    towardsdatascience.com   (2021-03-19)

    tags: pandas, python

    Pandas tips and tricks to help you get started with data analysis

    7 Must-Know Data Wrangling Operations with Python Pandas

    towardsdatascience.com   (2021-03-10)

    tags: pandas, python

    A comprehensive practical guide

    10 powerful built-in functions from the Python standard l...

    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...

    How to use PyCaret — the library for lazy data scientists

    towardsdatascience.com   (2021-03-06)

    tags: machine-learning, pycaret, python

    Train, visualize, evaluate, interpret, and deploy models with minimal code.

    8 Things to Know to Get Started with With Pandas Groupby

    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.

    Jupyter: Get ready to ditch the IPython kernel | by Dimit...

    towardsdatascience.com   (2021-03-04)

    tags: jupyter, python

    JupyterLab moves closer to becoming a full-fledged IDE with xeus-python.

    Gradient-Free-Optimizers A collection of modern optimizat...

    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

    Are You Still Using Pandas to Process Big Data in 2021?

    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 — pycaret 2.2.0 documentation

    pycaret.readthedocs.io   (2021-02-25)

    tags: machine-learning, programming, pycaret, python

    Home - PyCaret

    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″ […]

    A Complete Guide To Survival Analysis In Python, part 3 -...

    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.

    A/B Testing — A complete guide to statistical testing

    towardsdatascience.com   (2021-02-18)

    tags: a-b, analytics, python

    Optimizing web marketing strategies through statistical testing

    AB_Testing/AB_Testing.ipynb at main · bjpcjp/AB_Testing

    github.com   (2021-02-18)

    tags: a-b, analytics, python

    A/B Testing — A complete guide to statistical testing - bjpcjp/AB_Testing

    Generative Graph Models with NetworkX

    towardsdatascience.com   (2021-02-10)

    tags: graphs, machine-learning, python

    A comprehensive guide on standard generative graph approaches with implementation in NetworkX

    8 Must-Know File System Operations In Python

    towardsdatascience.com   (2021-02-07)

    tags: python

    The essential for Python in tasks automation apps

    Image Processing with Python — Using RG Chromaticity

    towardsdatascience.com   (2021-02-01)

    tags: image-segmentation, machine-vision, python, scikit-image

    How to use the Gaussian Distribution for Image Segmentation

    Image Processing with Python — Template Matching with Sci...

    towardsdatascience.com   (2021-01-30)

    tags: images, python, scikit-image

    How to identify similar objects in your image

    Image Processing with Python — Blob Detection using Sciki...

    towardsdatascience.com   (2021-01-28)

    tags: images, machine-learning, python, scikit-image

    How to identify and segregate specific blobs in your image

    SVM Classifier and RBF Kernel — How to Make Better Models...

    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

    How to Create PDF Reports with Python — The Essential Guide

    towardsdatascience.com   (2021-01-19)

    tags: pdfs, python, visualization

    Create PDF reports with beautiful visualizations in 10 minutes or less.

    Python Parallelism: Essential Guide to Speeding up Your P...

    towardsdatascience.com   (2021-01-17)

    tags: python

    Essential guide to multiprocessing with Python.

    New Features of Scikit-Learn. An Overview of the Most Imp...

    towardsdatascience.com   (2021-01-08)

    tags: machine-learning, python, scikit-learn

    An Overview of the Most Important Features in Version 0.24

    6 Cool Python Tricks You Should Know | by Soner Yıldırım ...

    towardsdatascience.com   (2021-01-04)

    tags: python

    Go beyond the usual

    Image Processing with Python — Blurring and Sharpening fo...

    towardsdatascience.com   (2021-01-02)

    tags: images, python, scikit-image

    How do you apply convolution kernels to colored images?

    Pylift: A Fast Python Package for Uplift Modeling – Wayfair

    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.

    Introduction to Image Processing with Python — Dilation a...

    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.

    Annotated Heatmaps of a Correlation Matrix in 5 Simple St...

    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…

    Applications of Deep Neural Networks 575 page free book&n...

    www.datasciencecentral.com   (2020-12-25)

    tags: books, deep-learning, python, tensorflow

    KMP Algorithm (String Matching) Demystified

    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…

    BFGS in a Nutshell: An Introduction to Quasi-Newton Methods

    towardsdatascience.com   (2020-12-23)

    tags: algorithms-math, machine-learning, optimization, python

    Demystifying the inner workings of BFGS optimization

    Top 10 Python libraries of 2020 you should know about | T...

    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.

    shutil — High-level file operations

    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...

    Quickstart: Create a Python app - Azure App Service | Mic...

    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.

    How to make an animated GIF map in Python using Folium an...

    towardsdatascience.com   (2020-12-18)

    tags: gifs, images, python

    A visual analysis of Brazilian Higher Education history

    https://t.co/dck2KvPavp?amp=1

    t.co   (2020-12-18)

    tags: programming, python

    Improve Warehouse Productivity using Order Batching with ...

    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

    Forecasting the Copper Producer Price Index with Prophet

    towardsdatascience.com   (2020-12-18)

    tags: prophet, python

    Using Prophet to forecast commodity prices

    Matching of Bipartite Graphs using NetworkX

    towardsdatascience.com   (2020-12-18)

    tags: graphs, machine-learning, python

    A simple introduction to matching in bipartite graphs with Python code examples

    Visualizing and Animating Optimization Algorithms with Ma...

    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

    How to Install Flask on Ubuntu 20.04

    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.

    Hands-on guide to Python Optimal Transport toolbox: Part 2

    towardsdatascience.com   (2020-12-10)

    tags: python

    Color transfer, Image editing and Automatic Translation

    A Step by Step Guide to Interactive Choropleth Map in Python

    towardsdatascience.com   (2020-12-10)

    tags: python, visualization

    Learn to Develop Choropleth Map Easily Using Python’s Folium Library

    Data Visualization Using Pandas Bokeh

    towardsdatascience.com   (2020-12-10)

    tags: python, visualization

    Create stunning visualizations for Pandas DataFrames

    Favorites

    towardsdatascience.com   (2020-12-09)

    tags: python

    Pywedge helps in visualizing the data, preprocessing, and creating baseline models

    20 NumPy Operations That Every Data Scientist Should Know

    towardsdatascience.com   (2020-11-30)

    tags: numpy, python

    NumPy forms the basis of many Python libraries in the data science domain.

    Introduction to PyMC3: A Python package for probabilistic...

    towardsdatascience.com   (2020-11-29)

    tags: monte-carlo, python

    An introduction to PyMC3 through a concrete example

    Optimization in Python — Peephole

    towardsdatascience.com   (2020-11-29)

    tags: python

    A brief introduction to Python’s Peephole optimization technique

    Show HN: A list of 470 static analysis tools

    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.

    Optimization in Python — Interning

    towardsdatascience.com   (2020-11-29)

    tags: python

    Understand Python’s optimization technique — Interning.

    Five Advanced Python Features

    towardsdatascience.com   (2020-11-29)

    tags: python

    Curly brace scopes, autovivification, and other methods for writing better code

    Part 8: AB-Joins with STUMPY

    towardsdatascience.com   (2020-11-29)

    tags: python, time-series

    Finding Conserved Patterns Across Two Time Series

    5 Minute Guide to Decorators in Python

    towardsdatascience.com   (2020-11-22)

    tags: decorators, python

    Let’s master the more advanced topics in no-time

    Speech Recognition with Python. Learn which of the 9 most...

    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.

    4 Rarely-Used Yet Very Useful Pandas Tricks

    towardsdatascience.com   (2020-11-19)

    tags: machine-learning, pandas, python

    Explained with examples

    Complete Introduction to PySpark-Part 4 | by Himanshu Sha...

    towardsdatascience.com   (2020-11-17)

    tags: pyspark, python

    Performing Data Visualization using PySpark

    How-To: using Python Virtual Environments - Debuntu

    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.

    Achieving asynchronous behavior using asyncio in Python

    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.

    System status : Stanford Libraries

    stacks.stanford.edu   (2020-11-03)

    tags: cartoons, python

    Geometric Algebra for Python

    github.com   (2020-11-03)

    tags: geography, python

    Geometric Algebra for Python.

    Numba: JIT Compilation, But For Python

    towardsdatascience.com   (2020-11-03)

    tags: numba, python

    A quick look at a fantastic tool for making Python better in 2020.

    An Introduction to Python Higher Order Functions

    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...

    What is Perspective Warping ? | OpenCV and Python

    towardsdatascience.com   (2020-11-03)

    tags: machine-learning, python, vision

    A step-by-step guide to apply perspective transformation on images

    fastcore: An Underrated Python Library

    t.co   (2020-11-03)

    tags: python

    A unique python library that extends the python programming language and provides utilities that enhance productivity.

    https://www.kdnuggets.com/2020/09/pycaret-21-new.html

    www.kdnuggets.com   (2020-11-03)

    tags: pycaret, python

    Python Pro Tip: Start using Python defaultdict and Counte...

    towardsdatascience.com   (2020-11-03)

    tags: python

    How you could use defaultdict and Counter to make your code short and readable

    Python behind the scenes #2: how the CPython compiler works

    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....

    Making Python Programs Blazingly Fast

    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!

    ReactJS Python Flask on Heroku

    towardsdatascience.com   (2020-11-03)

    tags: flask, heroku, python, reactjs

    Making a Framework for API Development and Deployment

    Vectorizing code matters

    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…

    Pytest for Data Scientists

    towardsdatascience.com   (2020-11-03)

    tags: python

    A Comprehensive Guide to Pytest for your Data Science Projects

    Latent Dirichlet Allocation: Intuition, math, implementat...

    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

    Six Python Tips for Geospatial Data Science

    towardsdatascience.com   (2020-11-03)

    tags: geography, python

    How to easily and effectively incorporate spatial features in Python using Geopandas

    Manage Files and Database Connections in Python Like a Pro

    towardsdatascience.com   (2020-11-03)

    tags: databases, python

    How to manage external resources in Python with your custom context managers

    Pandas on the Cloud with Dask

    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.

    Choropleth Maps — 101 using Plotly

    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…

    Elegant Geographic plots in Python and R using GeoPandas ...

    towardsdatascience.com   (2020-11-02)

    tags: geography, python

    How to use GeoPandas and Leaflet?

    Python 3.9 New Features & How to Use Them

    towardsdatascience.com   (2020-11-02)

    tags: machine-learning, python

    Python 3.9 New Feature Guide

    Add External Data to Your Pandas Dataframe with a One-Liner

    towardsdatascience.com   (2020-11-02)

    tags: pandas, python

    PySDR: A Guide to SDR and DSP Using Python

    pysdr.org   (2020-11-02)

    tags: dsp, python

    DASK: A Guide to Process Large Datasets using Paralleliza...

    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.

    NumPy Array Processing With Cython: 1250x Faster

    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.

    Implementation plan for speeding up CPython

    github.com   (2020-11-02)

    tags: python

    How to make CPython faster.

    Python For Feature Film

    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.

    How to extract tables from PDF files with Camelot

    towardsdatascience.com   (2020-08-18)

    tags: pdfs, python

    A quick guide for extracting the tables from PDF files in Python using Camelot library

    How to integrate Excel with Python

    towardsdatascience.com   (2020-08-10)

    tags: python

    Top 3 Excel-Python integration methods and what you can do with them

    20 Pandas Functions That Will Boost Your Data Analysis Pr...

    towardsdatascience.com   (2020-08-10)

    tags: pandas, python

    Explained with examples.

    Get Started With PyTorch With These 5 Basic Functions.

    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…

    New features in scikit-learn

    towardsdatascience.com   (2020-08-10)

    tags: machine-learning, python

    Overview of the latest developments in version 0.23

    3 Advanced Python Features You Should Know

    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.

    5 Obscure Python Libraries Every Data Scientist Should Know

    towardsdatascience.com   (2020-08-10)

    tags: python

    Enhance your data science project

    Brownian motion with Python

    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.

    Top 6 Python Libraries for Visualization: Which one to Use?

    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

    5 Lesser-Known Seaborn Plots Most People Don’t Know

    towardsdatascience.com   (2020-07-22)

    tags: python, seaborn, visualization

    But really should know

    7 Advanced Python Dictionary Techniques

    towardsdatascience.com   (2020-07-21)

    tags: python

    Master the Python Dictionary with these tips

    SymPy - a Python library for symbolic mathematics

    www.sympy.org   (2020-07-08)

    tags: python, sympy

    3 Key Differences Between Merge and Concat Functions of P...

    towardsdatascience.com   (2020-06-24)

    tags: pandas, python

    When and how to use which.

    Ultimate PySpark Cheat Sheet

    towardsdatascience.com   (2020-06-24)

    tags: pyspark, python

    A short guide to the PySpark DataFrames API

    10 Techniques to Speed Up Python Runtime

    towardsdatascience.com   (2020-06-24)

    tags: python

    Compare good writing style and bad writing style with the code runtime

    Using Enumerated Types in Python

    johnlekberg.com   (2020-06-24)

    tags: python

    Understand zip() — A Hidden Gem in Python

    towardsdatascience.com   (2020-06-24)

    tags: python

    Effectively merge an unknown number of lists

    Polymorphism in Python: Fundamentals For Data Scientists

    towardsdatascience.com   (2020-06-17)

    tags: python

    Understand the basics with a concrete example!

    Martin Heinz - Personal Website & Blog

    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...

    Aggregation, Transform, Filter — How and When to use them?

    towardsdatascience.com   (2020-06-03)

    tags: pandas, python

    Pandas: From Journeyman to Master — Voice from the victim.

    5 Fabulous Python Packages For Data-Science Nobody Knows ...

    towardsdatascience.com   (2020-06-02)

    tags: machine-learning, python

    Do you know about these packages?

    The Python Standard Library — modules you should know as ...

    towardsdatascience.com   (2020-06-01)

    tags: python

    with usage examples

    Eigenfaces — Face Classification in Python

    towardsdatascience.com   (2020-06-01)

    tags: machine-learning, python

    Not enough data for Deep Learning? Try Eigenfaces.

    Creating High Resolution Satellite Images with Mapbox and...

    towardsdatascience.com   (2020-06-01)

    tags: python, visualization

    Ultra high resolution satellite and elevation imagery

    Automated Data Import with Python

    towardsdatascience.com   (2020-06-01)

    tags: datasets, python

    A different approach to import data files automatically in python.

    Financial Independence — Simulating ODEs With Python

    towardsdatascience.com   (2020-06-01)

    tags: python

    Use Python to set your path towards it.

    Short technical information about Word2Vec, GloVe and Fas...

    towardsdatascience.com   (2020-06-01)

    tags: machine-learning, nlp, python

    Introduction

    Iris Classifier Flask App

    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.

    Venvs & Pyenvs & Pipenvs, OH MY!

    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

    Pandas with Dask, For an Ultra-Fast Notebook

    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

    Creating typography using word cloud in python

    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. 😱

    Lambda, Map, Filter and Sorted — Efficient Programming Wi...

    towardsdatascience.com   (2020-06-01)

    tags: python

    Five Cool Python Libraries for Data Science - KDnuggets

    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.

    Dot Product in Linear Algebra for Data Science using Python

    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

    Learn Python: Sets

    dev.to   (2020-06-01)

    tags: python, sets

    Introduction to sets in Python

    All About Python List Comprehension

    towardsdatascience.com   (2020-06-01)

    tags: python

    Elegant, comfortable, concise, and fast way to build lists

    10 things you should know about Sets in Python

    towardsdatascience.com   (2020-06-01)

    tags: python, sets

    Guidelines to use sets in Python

    A Simplified approach using PyCaret for Anomaly Detection

    towardsdatascience.com   (2020-06-01)

    tags: machine-learning, python

    Explaining outlier detection with PyCaret library in python

    Recursive Feature Elimination (RFE) for Feature Selection...

    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…

    Guide to Concurrency in Python with Asyncio

    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…

    Hypermodern Python · Claudio Jolowicz

    cjolowicz.github.io   (2020-06-01)

    tags: python

    A guide to modern Python tooling with a focus on simplicity and minimalism.

    3 Highly Practical Operations of Pandas

    towardsdatascience.com   (2020-06-01)

    tags: pandas, python

    Sample, where, isin explained in detail with examples.

    https://towardsdatascience.com/the-end-of-flask-in-data-s...

    towardsdatascience.com   (2020-06-01)

    tags: flask, python

    Everything You Need to Know About “loc” and “iloc” of Pandas

    towardsdatascience.com   (2020-05-19)

    tags: pandas, python

    Clearly distinguish loc and iloc

    Optimization with constraints using Lagrange Multiplier i...

    towardsdatascience.com   (2020-05-16)

    tags: prodmgmt, python

    Lagrange Multiplier on a function with 2 variables with 1 equality constraint

    Python SQLite Tutorial — The Ultimate Guide

    towardsdatascience.com   (2020-05-15)

    tags: python, sqlite

    Everything You Need to Get Started!

    10 Interesting Python Tricks to knock your socks off

    towardsdatascience.com   (2020-05-15)

    tags: python

    Important list of 10 python snippets to make your code efficient

    Stop Hurting Your Pandas!

    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.

    My Top 5 Pandas Data Manipulation Function

    towardsdatascience.com   (2020-05-15)

    tags: pandas, python

    Know your Pandas library function arsenal as a data scientist

    NumPy Array Manipulation

    towardsdatascience.com   (2020-05-15)

    tags: numpy, python

    A practical guide to modify the shape of arrays

    mlmachine - Clean ML Experiments, Elegant EDA & Pandas Pi...

    towardsdatascience.com   (2020-05-15)

    tags: devops, machine-learning, pandas, python

    This new Python package accelerates notebook-based machine learning experimentation

    Using Q-Learning in Numpy to teach an agent to play a game

    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.

    Basic Curve Fitting of Scientific Data with Python

    towardsdatascience.com   (2020-05-15)

    tags: python

    A basic guide to using Python to fit non-linear functions to experimental data points

    Why and How to Use Dask with Big Data

    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…

    Modeling in Seconds: Using PyCaret as a Tool for Data Sci...

    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…

    Hyperspectral Image Analysis — Getting Started

    towardsdatascience.com   (2020-05-15)

    tags: geography, python, visualization

    A Walkthrough on Hyperspectral Image Analysis Using Python.

    SICP in Python

    wizardforcel.gitbooks.io   (2020-05-15)

    tags: books, python

    Berkeley CS61A Textbook

    Solving a Quadratic Problem (QP) in an open source linear...

    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

    Examples of Using Apache Spark with PySpark Using Python

    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…

    A Comprehensive Guide to Pandas’ Advanced Features in 20 ...

    link.medium.com   (2020-05-15)

    tags: pandas, python

    A code-along guide for Pandas’ advanced functionalities.

    Computational Category Theory in Python III: Monoids, Gro...

    www.philipzucker.com   (2020-05-15)

    tags: category-theory, python

    Parts 1 and 2 are found here and here

    Python Power Tip: Enumerated Types

    towardsdatascience.com   (2020-05-15)

    tags: python

    The right way to represent a finite set of alternatives

    https://maticalderini.github.io/blog/tutorial/2020/05/11/...

    maticalderini.github.io   (2020-05-12)

    tags: python

    Open Source Spatial Analysis Tools for Python: A Quick Guide

    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!

    Python Libraries for Natural Language Processing - Toward...

    towardsdatascience.com   (2020-04-28)

    tags: deep-learning, nlp, python

    An Overview Of popular python libraries for Natural Language Processing

    Web Applications in Python - Towards Data Science

    towardsdatascience.com   (2020-04-27)

    tags: django, python

    Getting Started with Django

    How to Master Python Command Line Arguments

    towardsdatascience.com   (2020-04-21)

    tags: command-line, python

    A simple guide to create your own Python script with command line arguments

    3 Insane Secret Weapons for Python

    towardsdatascience.com   (2020-04-21)

    tags: python

    I don’t know how I lived without them

    Bar chart race with Plotly

    towardsdatascience.com   (2020-04-19)

    tags: plotly, python, visualization

    Most common baby names in Barcelona

    3 Python Visualization Libraries You MUST Know as A Data ...

    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…

    Memoization in Python

    towardsdatascience.com   (2020-04-19)

    tags: python

    Introduction to Memoization

    A Complete Beginners Guide to Matrix Multiplication for D...

    towardsdatascience.com   (2020-04-19)

    tags: algorithms-math, machine-learning, numpy, python

    Learn matrix multiplication for machine learning by following along with Python examples

    Mastering Pandas Groupby

    towardsdatascience.com   (2020-04-15)

    tags: pandas, python

    Understanding the Groupby Method

    Pandas tips I wish I knew before

    towardsdatascience.com   (2020-04-15)

    tags: machine-learning, pandas, python

    How does pivot work? What is the main pandas building block? And more …

    Visualize Categorical Relationships With Catscatter

    towardsdatascience.com   (2020-04-08)

    tags: matplotlib, python, visualization

    What if you can create a scatter plot for categorical features?

    The Art of Geofencing in Python

    towardsdatascience.com   (2020-04-01)

    tags: geography, python

    Tutorial — Triggering notifications and Nudging GPS locations from users.

    Computer Vision 101: Working with Color Images in Python

    towardsdatascience.com   (2020-04-01)

    tags: python, vision

    Learn the basics of working with RGB and Lab images to boost your computer vision projects!

    Lesser-known pandas tricks (2019)

    towardsdatascience.com   (2020-04-01)

    tags: machine-learning, pandas, python

    5 lesser-known pandas tricks that help you be more productive

    How to Export Pandas DataFrame to CSV

    towardsdatascience.com   (2020-04-01)

    tags: pandas, python

    In this post, we’ll go over how to write DataFrames to CSV files.

    Seaborn Visualizations Tutorial

    towardsdatascience.com   (2020-04-01)

    tags: python, seaborn, visualization

    A walkthrough of many Seaborn tools using NHL Statistics

    Probability Learning: Monte Carlo Methods

    towardsdatascience.com   (2020-04-01)

    tags: monte-carlo, python

    Learn Monte Carlo Methods with three simple examples

    [P] PyCM 2.6 released : Multi-class confusion matrix libr...

    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…

    Learn how to read data into a Pandas DataFrame in 5 minutes

    towardsdatascience.com   (2020-04-01)

    tags: machine-learning, pandas, python

    Extract data from different sources

    Concurrency in Python

    towardsdatascience.com   (2020-04-01)

    tags: concurrency, python

    Less Known but Very Useful Pandas Functions

    towardsdatascience.com   (2020-03-31)

    tags: machine-learning, pandas, python

    Expedite your data analysis process

    Hyperparameter Tuning with Python: Complete Step-by-Step ...

    towardsdatascience.com   (2020-03-31)

    tags: machine-learning, python

    Why and How to use with examples of Keras/XGBoost

    Streamz: Python pipelines to manage continuous streams of...

    streamz.readthedocs.io   (2020-03-27)

    tags: python

    10 Python built-in functions you should know

    towardsdatascience.com   (2020-03-23)

    tags: python

    with usage examples

    NumPy indexing explained

    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…

    PostgreSQL Python: Connect To PostgreSQL Database Server

    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.

    "Pandas" - KDnuggets

    www.kdnuggets.com   (2020-03-20)

    tags: pandas, python

    Top 3 Numpy Functions You Don’t Know About (Probably)

    towardsdatascience.com   (2020-03-20)

    tags: numpy, python

    The ones not covered in every How-to Guide

    Two Pandas functions you must know for easy data manipula...

    towardsdatascience.com   (2020-03-19)

    tags: pandas, python

    Master these pandas functions (and methods) to shorten your code, improve performance and avoid headaches.

    Why and How to Use Dask with Big Data

    towardsdatascience.com   (2020-03-18)

    tags: python

    As a Data Scientist

    Decorators in Python

    towardsdatascience.com   (2020-03-14)

    tags: decorators, python

    Learn how you can change the behavior of objce

    Top 3 Python Functions You Don’t Know About (Probably)

    towardsdatascience.com   (2020-03-14)

    tags: python

    Cleaner Code and Fewer Loops? Count me in.

    PyTorch internals

    blog.ezyang.com   (2020-03-09)

    tags: python, pytorch

    Advanced usage of Python requests: timeouts, retries, hooks

    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.

    Please Stop Doing These 5 Things in Pandas

    towardsdatascience.com   (2020-03-09)

    tags: pandas, python

    These mistakes are super common, and super easy to fix.

    Rahul Agarwal on LinkedIn: #regex #python #datascience #nlp

    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

    Fast & Asynchronous in Python

    towardsdatascience.com   (2020-03-09)

    tags: python

    Accelerate Your Requests Using asyncio

    Finding cyclic patterns: a tutorial on how to implement S...

    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…

    Using Pytesseract to Convert Images into a HTML Site

    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

    12 Amazing Pandas & NumPy Functions

    towardsdatascience.com   (2020-03-09)

    tags: numpy, pandas, python

    Make your day to day life easier by using these functions in your analysis

    Data animations with Python and MoviePy - __del__( self )

    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 …

    Automate the Boring Stuff with Python

    automatetheboringstuff.com   (2020-02-19)

    tags: python

    Python String Processing Primer

    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.

    Build pipelines with Pandas using “pdpipe” - Towards Data...

    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.

    Martin Heinz - Personal Website & Blog

    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...

    10 Python Tips and Tricks You Should Learn Today - KDnuggets

    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.

    Learn Metaflow in 10 mins — Netflix’s Python/R Framework ...

    towardsdatascience.com   (2020-02-19)

    tags: programming, python

    Spend more time modeling, and less time managing infrastructures. A hands-on tutorial.

    https://www.thrum.engineering/python-module-dependency-trees

    www.thrum.engineering   (2020-02-19)

    tags: python

    SciPy 1.0: fundamental algorithms for scientific computin...

    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.

    HTML Parser: How to scrap HTML content | Python Central

    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.

    Building an OCR Engine with Python and Tesseract

    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.

    Python Tuples and Tuple Methods

    www.kdnuggets.com   (2019-12-14)

    tags: python

    Brush up on your Python basics with this post on creating, using, and manipulating tuples.

    How to Speed up Pandas by 4x with one line of code

    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.

    When your data doesn’t fit in memory: the basic techniques

    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.

    How to Extend Scikit-learn and Bring Sanity to Your Machi...

    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.

    5 Advanced Features of Pandas and How to Use Them

    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.

    Counting FLOPS and other CPU counters in Python

    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.

    What’s New In Python 3.8 — Python 3.8.0 documentation

    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...

    PyPy's New JSON Parser

    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...

    Partial Functions in Python: A Guide for Developers

    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

    Async IO in Python: A Complete Walkthrough – Real Python

    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).

    A Grammar of Graphics for Python – plotnine 0.13.6

    plotnine.readthedocs.io   (2019-08-30)

    tags: python, visualization

    PySpark Cheat Sheet: Spark in Python

    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.

    Installation — Datashader v0.16.3

    datashader.org   (2019-08-30)

    tags: python, visualization

    Arima Model – Complete Guide to Time Series Forecasting i...

    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

    Python at Netflix

    link.medium.com   (2019-08-29)

    tags: python

    By Pythonistas at Netflix, coordinated by Amjith Ramanujam and edited by Ellen Livengood

    9 Python Libraries Which Can Help You In Image Processing...

    www.datasciencecentral.com   (2019-08-29)

    tags: images, machine-learning, python

    L

    buff.ly   (2019-08-29)

    tags: images, machine-learning, python

    Python Data Science Handbook | Python Data Science Handbook

    jakevdp.github.io   (2019-08-28)

    tags: books, machine-learning, python

    Make your own Super Pandas using Multiproc

    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.

    How to Use C Functions in Python

    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...

    An Introduction to Cython, the Secret Python Extension wi...

    okigiveup.net   (2019-08-21)

    tags: cpp, cython, python

    yzhao062/pyod: A Python Toolbox for Scalable Outlier Dete...

    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

    10 Simple Hacks to Speed up Your Data Analysis in Python

    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.

    Top 5 Tips Developers Should Know For Python Codes Optimi...

    habr.com   (2019-07-13)

    tags: python

    Cython

    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]

    https://datawhatnow.com/things-you-are-probably-not-using...

    datawhatnow.com   (2019-05-15)

    tags: python

    Designing a RESTful API with Python and Flask - miguelgri...

    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…

    Talking to Python from JavaScript (and Back Again!)

    dev.to   (2019-04-17)

    tags: javascript, python

    Something a lot of beginners struggle with is the concept of passing data between different programmi...

    Welcome to Bokeh — Bokeh 1.0.4 documentation

    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...

    Forecasting in Python with Prophet | Reports - Mode

    mode.com   (2019-03-05)

    tags: python

    A guided walkthrough of how to use the Prophet python library to solve a common forecasting problem.

    Dash ? – plotly – Medium

    medium.com   (2019-02-20)

    tags: dash, programming, python, webdev

    Create Reactive Web Apps in pure Python

    15 Statistical Hypothesis Tests in Python (Cheat Sheet)

    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…

    Why you should be using pathlib

    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 …

    Python profiling with Pyflame

    medium.com   (2019-01-01)

    tags: python

    Profiling Python applications using Pyflame

    Top Python Libraries in 2018 in Data Science, Deep Learni...

    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.

    Python Data Visualization 2018: Why So Many Libraries?

    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.

    newspaper3k · PyPI

    pypi.org   (2018-09-12)

    tags: python

    Simplified python article discovery & extraction.

    The Ultimate Guide to 12 Dimensionality Reduction Techniq...

    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.

    An A-Z of useful Python tricks

    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...

    mukund109/word-mesh: A context-preserving word cloud gene...

    github.com   (2018-09-05)

    tags: nlp, python, spacy

    A context-preserving word cloud generator.

    Cookbook — Bayesian Modelling with PyMC3

    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.

    A Feature Selection Tool for Machine Learning in Python

    towardsdatascience.com   (2018-08-30)

    tags: feature-engineering, machine-learning, python

    Using the FeatureSelector for efficient machine learning workflows

    Introduction to Market Basket Analysis in Python

    pbpython.com   (2018-06-08)

    tags: machine-learning, python

    Using mlxtend to perform market basket analysis on online retail data set.

    Python For Finance: Algorithmic Trading

    medium.com   (2018-06-08)

    tags: finance, python

    Originally published at https://www.datacamp.com/community/tutorials/finance-python-trading

    Frequency Distribution Analysis using Python Data Stack –...

    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

    Elliptic Curves as Python Objects | Math ∩ Programming

    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.

    Python decorators, the right way: the 4 audiences of prog...

    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.

    scikit-surprise 1.0.5 : Python Package Index

    pypi.python.org   (2018-06-08)

    tags: machine-learning, python

    An easy-to-use library for recommender systems.

    (1) Cohort Analysis with Python | LinkedIn

    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.

    Table Visualization — pandas 2.2.3 documentation

    pandas.pydata.org   (2018-06-08)

    tags: pandas, python

    Topic Modeling with Gensim (Python) - A Practical Guide

    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: A python toolbox for gaining geometric insigh...

    hypertools.readthedocs.io   (2018-04-30)

    tags: python, visualization

    Python: How to import other Python files - Stack Overflow

    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)

    Introduction to Python Generators

    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...

    Getting Started on Heroku with Python | Heroku Dev Center

    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

    keon/algorithms: Minimal examples of data structures and ...

    github.com   (2017-12-27)

    tags: algorithms-math, python

    Minimal examples of data structures and algorithms in Python - keon/algorithms

    Removing Outliers Using Standard Deviation in Python

    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.

    Numba: High-Performance Python with CUDA Acceleration

    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.

    Understanding Args and Kwargs in Python

    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...

    vestuto/reusable-python: A tutorial on organizing python ...

    github.com   (2017-12-27)

    tags: python

    A tutorial on organizing python code into reusable units, building packages, and using conda. - vestuto/reusable-python

    The Python Graph Gallery – Visualizing data – with 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: Web Apps with Nothing but Python

    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.

    Making a Static Blog with Pelican | EF

    nafiulis.me   (2017-10-27)

    tags: python

    Why Python is Slow: Looking Under the Hood | Pythonic Per...

    jakevdp.github.io   (2017-10-25)

    tags: benchmarks, python

    Beginner’s Guide to FastAPI

    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.

    Graphiti: A Python Library for Building Temporal Knowledg...

    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

    AI & ML Projects with Python

    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.

    Gradio Documentation

    www.gradio.app   (2010-09-24)

    tags: gradio, python, machine-learning

    Documentation, tutorials and guides for the Gradio ecosystem..

    Lesser known parts of Python standard library – Trickster...

    www.trickster.dev   (2008-09-24)

    tags: python

    Code level discussion of web scraping, gray hat automation, growth hacking and bounty hunting

    PyMuPDF 1.24.10 documentation

    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.

    MinerU: An Open-Source PDF Data Extraction Tool

    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


    -->
    semiconductors (all)
    categories:
    tags: semiconductors 
    date: 28 Mar 2025
    slug:raindrop-semiconductors-all
    chipsandcheese.com   (2025-03-15)

    tags: semiconductors, cpus, gpus, chip-design

    Hello you fine Internet folks,

    BintangChip: Your specialty foundry for the analog world

    www.bintangchip.com   (2025-02-18)

    tags: semiconductors, foundries

    BintangChip is one of the world’s leading specialty foundry groups for analog/mixed-signal semiconductor technologies. As a pure-play foundry, we provide manufacturing and strong design support services to our customers that design analog/mixed-signal integrated circuits and other semiconductor devices for use in their own products or the products of their customers.

    The Road Ahead For Datacenter Compute Engines: The CPUs

    www.nextplatform.com   (2025-01-30)

    tags: cpus, semiconductors, datacenters

    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

    Improving Uniformity And Linearity For All Masks

    semiengineering.com   (2025-01-29)

    tags: semiconductors, machine-vision

    Pixel-level dose correction improves the quality of masks written by multi-beam.

    Demystifying GPU Compute Architectures

    open.substack.com   (2025-01-28)

    tags: gpus, semiconductors

    Getting 'low level' with Nvidia and AMD GPUs

    Improving GaN Device Architectures

    semiengineering.com   (2025-01-23)

    tags: semiconductors, gallium-nitride

    Novel combinations show promise for different applications.

    300mm wafer pricing by node Jan2025

    media.licdn.com   (2025-01-21)

    tags: semiconductors

    100x Defect Tolerance: How Cerebras Solved the Yield Prob...

    cerebras.ai   (2025-01-16)

    tags: semiconductors, chip-design

    [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 […]

    AMD Reveals Real Reason It Won't Put 3D V-Cache On Multip...

    hothardware.com   (2025-01-08)

    tags: cpus, chip-design, semiconductors

    After persistent rumors refused to recede, AMD steps in with a clear explanation why dual-CCD V-Cache doesn't exist.

    The Ultimate Guide to Gate-All-Around (GAA) - AnySilicon

    anysilicon.com   (2025-01-05)

    tags: semiconductors

    Introduction to Gate-All-Around (GAA) Transistors Gate-all-around (GAA) transistors are a newly introduced type of transistor structure: the gate terminal connects with the channel on all sides. Gate-All-Around transistors are a multi-gate field effect transistors type where a silicon nanowire gate moves around the channel by further scaling down FinFET. The Gate-All-Around structure enables a vertical

    Intel's $475 million error: the silicon behind the Pentiu...

    www.righto.com   (2024-12-29)

    tags: cpus, chip-design, semiconductors

    In 1993, Intel released the high-performance Pentium processor, the start of the long-running Pentium line. The Pentium had many improvement...

    AMD Ryzen 7 9800X3D Uses A Thick Dummy Silicon That Compr...

    wccftech.com   (2024-12-21)

    tags: semiconductors, cpus

    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.

    Slim-Llama: An Energy-Efficient LLM ASIC Processor Suppor...

    www.marktechpost.com   (2024-12-21)

    tags: llms, semiconductors, chip-design

    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

    TSMC Lifts the Curtain on Nanosheet Transistors

    spectrum.ieee.org   (2024-12-15)

    tags: semiconductors

    And Intel shows how far these devices could go

    Is In-Memory Compute Still Alive?

    semiengineering.com   (2024-12-12)

    tags: semiconductors, semiconductor-memory

    It hasn’t achieved commercial success, but there is still plenty of development happening; analog IMC is getting a second chance.

    China Unveils Xiaohong-504: a 504-Qubit Quantum Computing...

    www.techpowerup.com   (2024-12-10)

    tags: quantum, semiconductors

    China has announced the development of its latest quantum system, combining the Xiaohong-504, a 504-qubit superconducting quantum chip, with the Tianyan-504 quantum computer. The breakthrough comes from China Telecom Quantum Group (CTQG), which will use the new supercomputer to boost national teleco...

    Google Claims Quantum Error Correction Milestone With “Wi...

    www.nextplatform.com   (2024-12-09)

    tags: quantum, semiconductors

    There is no shortage of top-name – and even lesser known – companies pursuing the white whale of developing a quantum computer that can run workloads and

    98 Hardware Security Failure Scenarios (NIST)

    semiengineering.com   (2024-12-03)

    tags: semiconductors, malware, quality

    A new technical paper titled “Hardware Security Failure Scenarios: Potential Hardware Weaknesses” was published by NIST. Abstract “Hardware is often assumed to be robust from a security perspective. However, chips are both created with software and contain complex encodings (e.g., circuit designs and firmware). This leads to bugs, some of which compromise security. This publication... » read more

    Strain engineering approach enhances performance of 2D se...

    techxplore.com   (2024-12-03)

    tags: semiconductors, materials

    The manipulation of mechanical strain in materials, also known as strain engineering, has allowed engineers to advance electronics over the past decades, for instance enhancing the mobility of charge ...

    AMD Disables Zen 4's Loop Buffer

    open.substack.com   (2024-12-01)

    tags: cpus, semiconductors, chip-design

    A loop buffer sits at a CPU's frontend, where it holds a small number of previously fetched instructions.

    TWINSCAN EXE:5000 Lego Set

    asmlstore.com   (2024-11-29)

    tags: toys, semiconductors

    Joining the ASML Lego Collection - the TWINSCAN EXE:5000. The latest addition to you ASML Lego collection has arrived.  Rick Lenssen from D&E (designer of the Lego ASML Skyline and the Lego TWINSCAN NXE:3400C) has delivered another masterpiece in technology, once again made entirely of Lego: the TWINSCAN EXE:5000.

    Predictive PDK (ASAP) – ASU Engineering

    asap.asu.edu   (2024-11-25)

    tags: semiconductors, chip-design

    Antenna diodes in the Pentium processor

    www.righto.com   (2024-11-24)

    tags: semiconductors, chip-design, cpus

    I was studying the silicon die of the Pentium processor and noticed some puzzling structures where signal lines were connected to the silico...

    Why Intel Lost Its CPU Crown To AMD (And How Ryzen Change...

    www.slashgear.com   (2024-11-23)

    tags: cpus, semiconductors

    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.

    Intel Arc B580 "Battlemage" GPU Leak Confirms 12 GB Memor...

    wccftech.com   (2024-11-23)

    tags: gpus, semiconductors

    Intel's first Arc B580 GPUs based on the Xe2 "Battlemage" architecture have been leaked & they look quite compelling.

    AI Alone Isn’t Ready for Chip Design

    spectrum.ieee.org   (2024-11-21)

    tags: semiconductors, machine-learning

    A combination of classical search and machine learning may be the way forward

    New Ultrafast Memory Boosts Intel Data Center Chips

    www.techpowerup.com   (2024-11-17)

    tags: semiconductors, semiconductor-memory

    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...

    Amazon’s Cloud Crisis: How AWS Will Lose The Future Of Co...

    www.semianalysis.com   (2024-11-04)

    tags: semiconductors, cloud, cpus

    Nitro, Graviton, EFA, Inferentia, Trainium, Nvidia Cloud, Microsoft Azure, Google Cloud, Oracle Cloud, Handicapping Infrastructure, AI As A Service, Enterprise Automation, Meta, Coreweave, TCO

    One Laser To Pump Up AI Interconnect Bandwidth By 10X

    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

    Graphene-Based Memristors Inch Towards Practical Producti...

    hardware.slashdot.org   (2024-10-26)

    tags: semiconductors

    Longtime Slashdot reader Baron_Yam writes: Memristors are the long-sought 4th fundamental circuit element. They promise analog computing capability in hardware, the ability to hold state without power, and to work with less power. A small cluster of them can replace a transistor using less space. W...

    Gate-All-Around (GAA): The Ultimate Solution to Reduce Le...

    www.eetimes.com   (2024-10-25)

    tags: semiconductors

    As awareness of environmental, social, and governance (ESG) issues grows, companies are adopting strategies for sustainable operations.

    Google's Tensor G6 Chip Will Be Built on TSMC's 2nm Archi...

    wccftech.com   (2024-10-22)

    tags: semiconductors, tpu

    Google Poxel 11s Tensor G6 codename leaks along with the Tensor G5 chip, expected to be built on TSMC's 2nm manufacturing process.

    Mini Review of Photodetectors and Image Sensors: Material...

    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

    Wide-Bandgap Semiconductors Shape Next-Gen SDVs

    www.eetimes.com   (2024-10-19)

    tags: semiconductors

    WBG semiconductors promise to transform the automotive industry, elevating vehicle performance and sustainability to unprecedented levels.

    One Laser To Pump Up AI Interconnect Bandwidth By 10X

    www.nextplatform.com   (2024-10-17)

    tags: interconnects, semiconductors

    According to rumors, Nvidia is not expected to deliver optical interconnects for its GPU memory-lashing NVLink protocol until the “Rubin Ultra” GPU

    Introduction to the Class C Power Amplifier

    www.allaboutcircuits.com   (2024-08-01)

    tags: semiconductors

    This article examines the operation of the Class C power amplifier and how it compares to its Class A and Class B counterparts.

    The U.S. has sanctioned 18 Chinese fabs, dozens remain in...

    www.tomshardware.com   (2024-07-31)

    tags: china, foundries, semiconductors

    China has big plans for semiconductor industry and they include self reliance.

    Understanding Two Port Amplifier Power Gains

    open.substack.com   (2024-07-31)

    tags: chip-design, semiconductors

    Transducer, Unilateral, Available and Power Gain; what they mean and how to calculate them.

    ABCs of Power Amplifier Classes: Foundations

    open.substack.com   (2024-07-30)

    tags: chip-design, semiconductors

    Basic concepts required to understand classes of operation in power amplifiers.

    Intel Vs. Samsung Vs. TSMC

    semiengineering.com   (2024-07-27)

    tags: foundries, interconnects, semiconductors

    Foundry competition heats up in three dimensions and with novel technologies as planar scaling benefits diminish.

    Zen 5’s 2-Ahead Branch Predictor Unit: How a 30 Year Old ...

    chipsandcheese.com   (2024-07-27)

    tags: chip-design, cpus, semiconductors

    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.

    The Future of Semiconductor Freight

    open.substack.com   (2024-07-23)

    tags: semiconductors, supply-chain

    Transporting Tools Isn’t Easy

    Poor Thermal Paste Quality Pointed Out As Culprit Behind ...

    wccftech.com   (2024-07-22)

    tags: semiconductors

    Poor quality thermal paste might be the reason your GPU is running hotter than usual after a certain period of time.

    Tenstorrent Launches Wormhole AI Processors: 466 FP8 TFLO...

    www.anandtech.com   (2024-07-20)

    tags: gpus, semiconductors

    AMD Plans to Use Glass Substrates in its 2025/2026 Lineup...

    www.techpowerup.com   (2024-07-13)

    tags: semiconductors, substrates

    AMD reportedly plans to incorporate glass substrates into its high-performance system-in-packages (SiPs) sometimes between 2025 and 2026. Glass substrates offer several advantages over traditional organic substrates, including superior flatness, thermal properties, and mechanical strength. These cha...

    JEDEC Finalizes HBM4 Spec With A Key Upgrade For Memory M...

    hothardware.com   (2024-07-13)

    tags: semiconductor-memory, semiconductors

    HBM4 is going to double the bandwidth of HBM3, but not through the usual increase in clock rate.

    Applied Materials' New Deposition Tool Enables Copper Wir...

    www.anandtech.com   (2024-07-13)

    tags: interconnects, semiconductors

    Unleashing the Potential of Alternative Deep Learning Har...

    www.eetimes.com   (2024-07-12)

    tags: neuromorphic, semiconductors

    To address the limitations of GPUs for AI, engineers are exploring general-purpose hardware, dedicated DL hardware and neuromorphic hardware.

    Standard cells: Looking at individual gates in the Pentiu...

    www.righto.com   (2024-07-10)

    tags: chip-design, semiconductors

    Intel released the powerful Pentium processor in 1993, a chip to "separate the really power-hungry folks from ordinary mortals." The origin...

    Beyond GPUs: Innatera and the quiet uprising in AI hardware

    venturebeat.com   (2024-07-07)

    tags: neuromorphic, semiconductors

    The brain-inspired architecture gives neuromorphic systems distinct advantages, particularly for edge computing applications in consumer devices and industrial IoT.

    Fabricated Knowledge Q2 2024 Quarterly Review

    open.substack.com   (2024-07-03)

    tags: finance, semiconductors

    Here's everything that happened this quarter, and some thoughts and ideas.

    Meet Sohu: The World’s First Transfor...

    www.marktechpost.com   (2024-06-28)

    tags: semiconductors, transformers

    The Sohu AI chip by Etched is a thundering breakthrough, boasting the title of the fastest AI chip to date. Its design is a testament to cutting-edge innovation, aiming to redefine the possibilities within AI computations and applications. At the center of Sohu's exceptional performance is its advanced processing capabilities, which enable it to handle complex computations at unprecedented speeds. With a capability of processing over 500,000 tokens per second on the Llama 70B model, the Sohu chip enables the creation of unattainable products with traditional GPUs. An 8xSohu server can effectively replace 160 H100 GPUs, showcasing their remarkable efficiency

    Qorvo Introduces Alternative to Mechanical Circuit Breakers

    www.allaboutcircuits.com   (2024-06-27)

    tags: semiconductors

    Qorvo's 4 mΩ SiC JFET for solid-state circuit breakers provides significant advantages over traditional mechanical breakers. Andy Wilson discussed the details with EEPower at PCIM 2024.

    Intel’s Latest FinFET Is Key to Its Foundry Plans

    spectrum.ieee.org   (2024-06-26)

    tags: semiconductors

    Company’s new process signals transition toward foundry service provider

    Controlling Warpage In Advanced Packages

    semiengineering.com   (2024-06-25)

    tags: materials, semiconductors

    Mechanical stresses increase with larger sizes and heterogeneous materials.

    Single Vs. Multi-Patterning Advancements For EUV

    semiengineering.com   (2024-06-20)

    tags: semiconductors

    EUV patterning has come a long way in the past five years, but old challenges resurface with high-NA EUV.

    About Nantian Electronics : IC chips & IGBT modules Disct...

    www.ntchip.com   (2024-06-20)

    tags: semiconductors, supply-chain

    Nantian Electronics Co Limited provide complete and cost effective sourcing solution to OEMs, CEMs, distributors, the needs of manufacturers and other companies.

    ST remains largest silicon carbide power device maker, wi...

    www.semiconductor-today.com   (2024-06-20)

    tags: semiconductors, silicon-carbide

    onsemi rises from fourth to second; top five players comprise 91.9% of revenue

    US chipmaker Onsemi to invest $2bn in Czech Republic sili...

    www.datacenterdynamics.com   (2024-06-20)

    tags: semiconductors, silicon-carbide

    Largest one-off direct foreign investment in the country

    DRAM: an industry in full flight

    www.yolegroup.com   (2024-06-17)

    tags: semiconductors

    Generative AI and High Bandwidth Memory (HBM) fuel DRAM market growth. OUTLINE The HBM market has the potential to grow to US$14 billion in 2024. Yole Group expects HBM revenue growth to continue with a CAGR23-29 of ~38%, reaching about US$37.7 billion in 2029. 4F2 cell designs, hybrid bonding, and monolithic 3D DRAM will enable […]

    Flow claims it can 100x any CPU’s power with its companio...

    techcrunch.com   (2024-06-12)

    tags: cpus, semiconductors

    A Finnish startup called Flow Computing is making one of the wildest claims ever heard in silicon engineering: by adding its proprietary companion chip,

    Fan-Out Panel-Level Packaging (FO-PLP): Ultimate Guide

    anysilicon.com   (2024-06-11)

    tags: interconnects, semiconductors

    In this guide, we’ll elucidate the pivotal role of FO-PLP in advancing the semiconductor sector. Harnessing cost-effectiveness with enhanced functionality, FO-PLP beckons a new era of electronic sophistication. Let’s delve into the ultimate guide to Fan-Out Panel-Level Packaging and explore how it’s shaping the future.   Overview of Fan-Out Panel-Level Packaging (FO-PLP) Fan-Out Panel-Level Packaging

    Record fab capacity in 2025 with 17 new fabs

    www.eenewseurope.com   (2024-06-11)

    tags: semiconductors, supply-chain

    The semiconductor industry is set to see a record fab capacity with 17 new lines in 2025 according to Knometa Research.

    How Japanese Companies Are Benefiting From the Chips Battle

    www.wsj.com   (2024-06-09)

    tags: japan, semiconductors, supply-chain

    With subsidies and a $6 billion acquisition, Tokyo wants to make its companies indispensable in the global supply chain.

    TSMC's 3D Stacked SoIC Packaging Making Quick Progress, E...

    www.anandtech.com   (2024-06-08)

    tags: interconnects, semiconductors

    Hybrid Bonding Plays Starring Role in 3D Chips

    spectrum.ieee.org   (2024-06-07)

    tags: semiconductors

    Tech makes millions of connections in a square millimeter of silicon

    Understanding CFETs, A Next Generation Transistor Archite...

    semiengineering.com   (2024-05-23)

    tags: semiconductors

    Avoiding unintended shorts and opens in a high aspect ratio etch process with very tight tolerance windows.

    TSMC's Roadmap at a Glance: N3X, N2P, A16 Coming in 2025/...

    www.anandtech.com   (2024-05-23)

    tags: semiconductors

    CMOS Image Sensor: Ultimate Guide

    anysilicon.com   (2024-05-22)

    tags: cameras, semiconductors

    Imagine a world where every moment is captured with immaculate clarity, from the delicate hues of a sunset to the swift action of a sporting event. The heart of this imagery revolution lies in the CMOS image sensor (CIS), a masterpiece of technology little known outside expert circles. Its evolution has been pivotal in the

    Trillium: Google’s TPU Powerhouse Behind Its New AI Models

    www.allaboutcircuits.com   (2024-05-21)

    tags: semiconductors, tpu

    Google's sixth-generation tensor processing unit (TPU) stole the company's I/O developer conference stage with its higher-than-ever computing performance.

    TSMC to Expand CoWoS Capacity by 60% Yearly Through 2026

    www.anandtech.com   (2024-05-21)

    tags: semiconductors, substrates

    Competitive Open-Source EDA Tools

    semiengineering.com   (2024-05-20)

    tags: chip-design, semiconductors

    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

    How to Put a Data Center in a Shoebox

    spectrum.ieee.org   (2024-05-16)

    tags: semiconductors, superconductors

    Imec’s plan to use superconductors to shrink computers

    One Cerebras Wafer Beats An Exascale Super At Molecular D...

    www.nextplatform.com   (2024-05-16)

    tags: hpc, semiconductors

    We think that waferscale computing is an interesting and even an inevitable concept for certain kinds of compute and memory. But inevitably, the work you

    Wafer Dicing: Ultimate Guide

    anysilicon.com   (2024-05-15)

    tags: semiconductors

    Wafer dicing is a critical process within the semiconductor manufacturing. It’s the step where silicon dies are separated from each other. Semiconductor wafer dicing techniques have evolved over time, from traditional blade dicing to more advanced methods such as laser and plasma dicing, each with its own benefits and applications.     Dicing Techniques

    AI memory emerges as new battleground for SK Hynix, Samsu...

    asia.nikkei.com   (2024-05-11)

    tags: semiconductor-memory, semiconductors

    Demand for high-bandwidth memory is driving competition -- and prices -- higher

    AI chip startup Deepx raises $80m, receives $529m valuation

    www.datacenterdynamics.com   (2024-05-11)

    tags: semiconductors, startups

    Funding round was led by SkyLake Equity Partners

    A Look At Intel 4 Process Technology

    fuse.wikichip.org   (2024-05-07)

    tags: semiconductors

    A look at Intel's next-generation high-performance process technology, Intel 4.

    TSMC Jumps Into Silicon Photonics, Lays Out Roadmap For 1...

    www.anandtech.com   (2024-04-29)

    tags: optics-photonics, semiconductors

    Intel’s 14A Magic Bullet: Directed Self-Assembly (DSA)

    www.semianalysis.com   (2024-04-23)

    tags: semiconductors

    How High-NA EUV can be economically viable at the 1.4nm process node

    Rambus Unveils GDDR7 Memory Controller IP: PAM3 Signaling...

    wccftech.com   (2024-04-23)

    tags: semiconductor-memory, semiconductors

    Rambus has unveiled its next-gen GDDR7 memory controller IP, featuring PAM3 Signaling, and up to 48 Gbps transfer speeds.

    Biden has brought the ban hammer down on US export of AI ...

    www.theregister.com   (2024-04-17)

    tags: china, gpus, public-policy, semiconductors

    Datacenter GPUs and some consumer cards now exceed performance limits

    Intel preps export-friendly lower-power Gaudi 3 AI chips ...

    www.theregister.com   (2024-04-17)

    tags: china, gpus, public-policy, semiconductors

    Beijing will be thrilled by this nerfed silicon

    Nvidia Blackwell Perf TCO Analysis - B100 vs B200 vs GB20...

    open.substack.com   (2024-04-12)

    tags: gpus, semiconductors

    GPT-4 Profitability, Cost, Inference Simulator, Parallelism Explained, Performance TCO Modeling In Large & Small Model Inference and Training

    Google just released its AI chip rival to Nvidia

    qz.com   (2024-04-10)

    tags: semiconductors, tpu

    Google’s new AI chip is a rival to Nvidia, and its Arm-based CPU will compete with Microsoft and Amazon

    How To Build A Better “Blackwell” GPU Than Nvidia Did

    www.nextplatform.com   (2024-04-05)

    tags: gpus, interconnects, semiconductors

    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

    4 Fiber Optic Networking Spotlights From the Optical Fibe...

    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.

    The Challenges Of Working With Photonics

    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.

    Half of Russian-Made Chips Are Defective

    hardware.slashdot.org   (2024-03-31)

    tags: cpus, semiconductors, quality

    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...

    Lenovo Shows Huge Optimism Towards AMD’s Instinct MI300X ...

    wccftech.com   (2024-03-29)

    tags: amd, gpus, semiconductors, supply-chain

    Lenovo, the firm emerging as a driving force behind AI computing, has expressed tremendous optimism about AMD's Instinct MI300X accelerator.

    The world's semiconductor industry hinges on a single qua...

    www.tomshardware.com   (2024-03-26)

    tags: materials, semiconductors

    The deposits formed 380 million years ago when Africa collided with North America.

    Silicon carbide substrate costs falling as larger diamete...

    www.semiconductor-today.com   (2024-03-25)

    tags: semiconductors

    Number of 8-inch SiC fabs under construction or planned globally reaches 11

    Accelerator Industry Model

    www.semianalysis.com   (2024-03-14)

    tags: semiconductors

    The SemiAnalysis AI accelerator model is used to gauge historical and future accelerator production by company and type.

    Synopsys Shepards Circuits Towards 1.6T Ethernet

    www.nextplatform.com   (2024-03-04)

    tags: interconnects, semiconductors

    The Ethernet roadmap has had a few bumps and potholes in the four and a half decades since the 10M generation was first published in 1980. Remember the

    Techniques To Identify And Correct Asymmetric Wafer Map D...

    newsroom.lamresearch.com   (2024-02-29)

    tags: semiconductors

    We explore the causes and implications of asymmetric wafer defects in semiconductor manufacturing. We also consider the use of virtual process modeling to understand and mitigate these structural failures.

    Authority.Integrity. Accuracy.

    ig.ft.com   (2024-02-28)

    tags: semiconductors

    After coming up against the limits of physics, scientists are rethinking chip architecture like never before

    ASAP5: A predictive PDK for the 5 nm node

    www.sciencedirect.com   (2024-02-24)

    tags: semiconductors

    We present a predictive process design kit (PDK) for the 5 nm technology node, the ASAP5 PDK. ASAP5 is not related to a particular foundry and the ass…

    Grokking Groq’s Groqness

    blocksandfiles.com   (2024-02-22)

    tags: inference, semiconductors, tpu

    Startup Groq has developed an machine learning processor that it claims blows GPUs away in large language model workloads – 10x faster than an Nvidia GPU at 10 percent of the cost, and needing a tenth of the electricity. Update: Groq model compilation time and time from access to getting it up and running clarified. […]

    Groq Inference Tokenomics: Speed, But At What Cost?

    www.semianalysis.com   (2024-02-22)

    tags: inference, llms, semiconductors

    Faster than Nvidia? Dissecting the economics

    The Seven Pillars Of IC Package Physical Design

    semiengineering.com   (2024-02-17)

    tags: semiconductors

    Embracing emerging approaches is essential for crafting packages that address the evolving demands of sustainability, technology, and consumer preferences.

    Application Specific Lithography: Avoiding Stochastic Def...

    semiwiki.com   (2024-02-11)

    tags: lithography, semiconductors

    The discussion of any particular lithographic application often refers to…

    Nvidia’s Big Tech Rivals Put Their Own A.I. Chips on the ...

    www.nytimes.com   (2024-02-07)

    tags: gpus, semiconductors

    Chafing at their dependence, Amazon, Google, Meta and Microsoft are racing to cut into Nvidia’s dominant share of the market.

    The New, New Transistor

    spectrum.ieee.org   (2024-02-01)

    tags: semiconductors

    In power electronics, aluminum nitride could overtake two powerhouses that only recently bested silicon

    Micron NVDRAM may never become a product

    blocksandfiles.com   (2024-01-09)

    tags: semiconductor-memory, semiconductors

    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 […]

    Choosing the Best Wide Bandgap Technology for Your Applic...

    www.allaboutcircuits.com   (2024-01-07)

    tags: gallium-nitride, semiconductors

    Understanding the unique advantages provided by silicon carbide (SiC) and gallium nitride (GaN) can help you select the optimal technology to meet your products’ power, thermal, and size requirements.

    Wafer Wars: Deciphering Latest Restrictions On AI And Sem...

    www.semianalysis.com   (2023-10-30)

    tags: china, semiconductors

    China's Countermove: How Beijing is Dodging New Semiconductor Restrictions

    Samsung Unveils Shinebolt HBM3E Memory At Nearly 10Gbps A...

    hothardware.com   (2023-10-21)

    tags: semiconductor-memory, semiconductors

    We're getting a first glimpses of Samsung's next-generation HBM3E and GDDR7 memory chips.

    A Comprehensive RF Characterization and Modeling Methodol...

    ieeexplore.ieee.org   (2023-10-07)

    tags: chip-design, semiconductors

    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.

    The Ultimate Signoff (TapeOut) Checklist

    anysilicon.com   (2023-10-02)

    tags: chip-design, semiconductors

    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

    VLSI Physical Design

    www.ifte.de   (2023-09-27)

    tags: books, chip-design, semiconductors

    Intel unveils glass substrates for chips to advance Moore...

    venturebeat.com   (2023-09-19)

    tags: interconnects, semiconductors

    Join our daily and weekly newsletters for the latest updates and exclusive content on industry-leading AI coverage. Learn More Intel said it has made a significant breakthrough in the development of glass substrates for next-generation advanced packaging in an attempt to stay on the past of Moore’s Law. The big chip maker said this milestone […]

    ASML to Deliver First High-NA EUV Tool This Year

    www.anandtech.com   (2023-09-08)

    tags: semiconductors

    Criteria & Assumptions — SkyWater SKY130 PDK 0.0.0-356-g4...

    skywater-pdk.readthedocs.io   (2023-08-19)

    tags: chip-design, semiconductors

    “Downfall” bug affects years of Intel CPUs, can leak encr...

    arstechnica.com   (2023-08-10)

    tags: cpus, security, semiconductors

    Researchers also disclosed a separate bug called “Inception” for newer AMD CPUs.

    Downfall Attacks

    downfall.page   (2023-08-09)

    tags: cpus, security, semiconductors

    Downfall attacks targets a critical weakness found in billions of modern processors used in personal and cloud computers.

    TSMC’s 3nm yield rate reportedly just 55% · TechNode

    technode.com   (2023-07-30)

    tags: semiconductors

    TSMC is struggling with its new 3nm process, with the semiconductor giant's yield rate reportedly far below the standard expected.

    AMD’s Radeon Instinct MI210: GCN Lives On

    chipsandcheese.com   (2023-07-28)

    tags: gpus, semiconductors

    AMD, Nvidia, and Intel have all diverged their GPU architectures to separately optimize for compute and graphics.

    Atomera Plans to Breathe New Life into Older Chip Manufac...

    spectrum.ieee.org   (2023-07-28)

    tags: inventions-innovation, semiconductors

    Atom-thin layers of oxygen in a chip’s silicon can make devices speedier and more reliable

    What is an Image Processor? Turns Out the Answer is Hazy

    www.allaboutcircuits.com   (2023-07-24)

    tags: cameras, machine-vision, semiconductors

    Real-time image processing is a resource-intensive task that often requires specialized hardware. With that in mind, let's explore processors that are designed specifically for photo and video applications.

    Mitigating Electromigration In Chip Design

    semiengineering.com   (2023-07-22)

    tags: semiconductors

    The interplay between current density, temperature, and material properties.

    Lossy Transmission Lines: Introduction to the Skin Effect

    www.allaboutcircuits.com   (2023-07-19)

    tags: circuits-electronics, semiconductors

    This article introduces high-frequency conductor losses in transmission lines caused by a phenomenon known as the skin effect.

    ‘An Act of War’: Inside America’s Silicon Blockade Agains...

    www.nytimes.com   (2023-07-19)

    tags: public-policy, semiconductors

    The Biden administration thinks it can preserve America’s technological primacy by cutting China off from advanced computer chips. Could the plan backfire?

    Gallery of Processor Cache Effects

    igoro.com   (2023-07-18)

    tags: cpus, semiconductor-memory, semiconductors

    Kryo: Qualcomm’s Last In-House Mobile Core

    chipsandcheese.com   (2023-07-16)

    tags: cpus, semiconductors

    CPU design is hard.

    AI Capacity Constraints - CoWoS and HBM Supply Chain

    www.semianalysis.com   (2023-07-09)

    tags: gpus, semiconductor-memory, semiconductors

    Quarterly Ramp for Nvidia, Broadcom, Google, AMD, AMD Embedded (Xilinx), Amazon, Marvell, Microsoft, Alchip, Alibaba T-Head, ZTE Sanechips, Samsung, Micron, and SK Hynix

    Micron to Introduce GDDR7 Memory in 1H 2024

    www.tomshardware.com   (2023-06-30)

    tags: gpus, semiconductor-memory, semiconductors

    GDDR7 is getting closer, says Micron.

    Micron Announces GDDR7 for GPUs Coming in First Half of 2024

    www.extremetech.com   (2023-06-30)

    tags: gpus, semiconductor-memory, semiconductors

    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.

    FinFETs: The Ultimate Guide

    anysilicon.com   (2023-06-28)

    tags: semiconductors

    Introduction to FinFETs   In the quest for smaller, faster, and more power-efficient electronic devices, the evolution of semiconductor technology has been relentless. One significant milestone in this journey has been the advent of FinFETs (Fin Field-Effect Transistors). FinFETs have emerged as a ground-breaking transistor design that has revolutionized the semiconductor industry. This article delves

    The chip patterning machines that will shape computing’s ...

    www.technologyreview.com   (2023-06-23)

    tags: semiconductors

    The first lithography tools were fairly simple, but the technologies that produce today’s chips are among humankind’s most complex inventions.

    AI Server Cost Analysis – Memory Is The Biggest Loser

    www.semianalysis.com   (2023-06-22)

    tags: cpus, gpus, semiconductor-memory, semiconductors

    Micron $MU looks very weak in AI

    Panmnesia speeds up vector search with CXL

    blocksandfiles.com   (2023-06-20)

    tags: interconnects, semiconductor-memory, semiconductors

    Panmnesia has devised CXL-based vector search methods that are much faster than Microsoft’s Bing and Outlook.

    WIN Semiconductors Releases Next Generation mmWave Enhanc...

    www.einnews.com   (2023-06-19)

    tags: semiconductors

    PQG3-0C platform integrates optimized power and low noise transistors, PN diodes, E/D logic and RF switches on a chip to meet mmWave performance requirements

    AMD Expands AI/HPC Product Lineup With Flagship GPU-only ...

    www.anandtech.com   (2023-06-19)

    tags: gpus, semiconductors

    The Third Time Charm Of AMD’s Instinct GPU

    www.nextplatform.com   (2023-06-14)

    tags: gpus, semiconductors

    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

    Smart TV industry rocked by alleged patent conspiracy fro...

    arstechnica.com   (2023-06-11)

    tags: intellectual-property, semiconductors

    Lawsuit: Patent trolls created “harmful illusion” of unstable TV-chip market.

    Intel Is All-In on Back-Side Power Delivery

    spectrum.ieee.org   (2023-06-09)

    tags: cpus, semiconductors

    The company’s PowerVia interconnect tech demonstrated a 6 percent performance gain

    The Ultimate Guide for Optimal SoC Floorplan

    anysilicon.com   (2023-06-02)

    tags: semiconductors

    Floorplanning plays a crucial role in the physical design of an SoC and lays the foundation for an efficient and high-performance ASIC layout. In this article, we will discuss ten essential floorplanning commandments that physical design engineers can follow to ensure a correct-by-construction design.   Design Partitioning   Design Partitioning refers to dividing a large

    The Case for Running AI on CPUs Isn’t Dead Yet

    spectrum.ieee.org   (2023-06-02)

    tags: cpus, deep-learning, gpus, llms, semiconductors

    GPUs may dominate, but CPUs could be perfect for smaller AI models

    ARM’s Cortex A53: Tiny But Important

    chipsandcheese.com   (2023-05-28)

    tags: cpus, semiconductors

    Tech enthusiasts probably know ARM as a company that develops reasonably performant CPU architectures with a focus on power efficiency.

    Intel CPU Die Topology - by Jason Rahman - Delayed Branch

    jprahman.substack.com   (2023-05-28)

    tags: cpus, semiconductors

    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.

    Photonic Chips Curb AI Training’s Energy Appetite

    spectrum.ieee.org   (2023-05-22)

    tags: deep-learning, optics-photonics, semiconductors

    Stanford team achieves first-ever optical backpropagation milestone

    Google dives into the ‘supercomputer’ game by knitting to...

    venturebeat.com   (2023-05-12)

    tags: gpus, interconnects, llms, semiconductors

    Google's new machines combine Nvidia H100 GPUs with Google’s high-speed interconnections for AI tasks like training very large language models.

    3D DRAM could be revolutionary – if it works

    blocksandfiles.com   (2023-05-05)

    tags: semiconductor-memory, semiconductors

    We asked memory semiconductor industry analyst Jim Handy of Objective Analysis how he views 3D DRAM technology.

    Tech Tuesday: Silicon Assurance

    www.wcjb.com   (2023-05-01)

    tags: semiconductors

    A Gainesville-based tech company is developing new ways to try to make our phones, laptops and other devices safe from bad actors.

    GaN HEMT Circuit Topologies for High-resolution LiDAR

    www.allaboutcircuits.com   (2023-04-29)

    tags: gallium-nitride, semiconductors

    Learn about gallium-nitride (GaN) high electron mobility transistors (HEMTs) and how they can be used in LiDAR (light detection and ranging) applications.

    TSMC Announces Early Access Nodes for Next-Gen Car Chips:...

    www.anandtech.com   (2023-04-28)

    tags: foundries, semiconductors

    TSMC Details 3nm Evolution: N3E On Schedule, N3P and N3X ...

    www.anandtech.com   (2023-04-27)

    tags: foundries, semiconductors

    Salience Labs advances its AI agenda using new chip design

    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.

    Memory Roundup: Ultra-low-power SRAM, ULTRARAM, & 3D Flas...

    www.allaboutcircuits.com   (2023-04-25)

    tags: semiconductor-memory, semiconductors

    New memory technologies have emerged to push the boundaries of conventional computer storage.

    State of the Art And Future Directions of Rowhammer (ETH ...

    semiengineering.com   (2023-04-19)

    tags: semiconductor-memory, semiconductors

    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

    Latest GaN ICs Crank out More Speed, Efficiency, and Powe...

    www.allaboutcircuits.com   (2023-04-15)

    tags: gallium-nitride, semiconductors

    Leveraging gallium nitride (GaN) technology, the latest batch of power devices boast improved performance, high efficiency, and low design costs.

    How To Plan And Conduct Highly Accelerated Life Testing

    semiengineering.com   (2023-04-13)

    tags: semiconductors

    Uncover design and construction weaknesses by applying increased stressors to force failures.

    RF Energy Harvesting and Wireless Power Transfer Technolo...

    semiengineering.com   (2023-04-10)

    tags: semiconductors

    A new technical paper titled “RF Energy Harvesting and Wireless Power Transfer for Energy Autonomous Wireless Devices and RFIDs” was published by researchers at Institut Polytechnique de Paris, Universidade de Aveiro, The Hague, McGill University, University of Bordeaux, Polytechnique Montreal, and others. Abstract: “Radio frequency (RF) energy harvesting and wireless power transmission (WPT) technologies —both... » read more

    4 Ways to Put Lasers on Silicon - IEEE Spectrum

    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

    The Future of the Transistor

    www.semianalysis.com   (2023-04-08)

    tags: chip-design, semiconductors

    Planar to FinFET to Nanosheet to Complementary FET to 2D

    Google’s TPU v4 Architecture: 3 Major Features

    semiengineering.com   (2023-04-08)

    tags: deep-learning, semiconductors, tpu

    A new technical paper titled “TPU v4: An Optically Reconfigurable Supercomputer for Machine Learning with Hardware Support for Embeddings” was published by researchers at Google. Abstract: “In response to innovations in machine learning (ML) models, production workloads changed radically and rapidly. TPU v4 is the fifth Google domain specific architecture (DSA) and its third supercomputer... » read more

    Samsung steps up fan-out wafer-level packaging deployment

    www.digitimes.com   (2023-04-07)

    tags: interconnects, packaging, semiconductors

    Samsung Electronics has stepped up its deployment in the fan-out (FO) wafer-level packaging segment with plans to set up related production lines in Japan, according to industry sources.

    Hacker News

    arxiv.org   (2023-04-06)

    tags: cpus, semiconductors

    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...

    Interconnect Under the Spotlight as Core Counts Accelerat...

    semiwiki.com   (2023-04-06)

    tags: cpus, interconnects, semiconductors

    In the march to more capable, faster, smaller, and lower…

    Ending an Ugly Chapter in Chip Design

    spectrum.ieee.org   (2023-04-06)

    tags: chip-design, reinforcement-learning, semiconductors

    Study tries to settle a bitter disagreement over Google’s chip design AI

    Growth of 300mm fab capacity picks up pace again - Bits&C...

    bits-chips.nl   (2023-04-05)

    tags: foundries, ideas-semex, semiconductors

    After dipping this year, the growth of 300mm semiconductor manufacturing capacity is set to gain momentum.

    RISC-V In The Datacenter Is No Risky Proposition

    www.nextplatform.com   (2023-04-05)

    tags: cpus, datacenters, riscv, semiconductors

    It was only a matter of time, perhaps, but the skyrocketing costs of designing chips is colliding with the ever-increasing need for performance,

    True 3D Is Much Tougher Than 2.5D

    semiengineering.com   (2023-04-05)

    tags: chip-design, interconnects, semiconductors

    While terms often are used interchangeably, they are very different technologies with different challenges.

    RDL and Flip Chip Design

    link.springer.com   (2023-04-05)

    tags: chip-design, semiconductors

    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.

    The Most Complex Chip Ever Made?

    www.nextplatform.com   (2023-04-05)

    tags: chip-design, interconnects, semiconductors

    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

    Video: Intel EMIB Technology Explained

    www.intel.com   (2023-04-05)

    tags: chip-design, interconnects, semiconductors

    Intel's multi-die interconnect bridge (EMIB) is an approach to in-package high-density interconnect of heterogeneous chips.

    US Semiconductor Manufacturing | CHIPS and Science Act | ...

    www.intel.com   (2023-04-05)

    tags: chip-design, interconnects, semiconductors

    Powered by the promises of the CHIPS Act, Intel is investing more than $100 billion to increase domestic chip manufacturing capacity and capabilities.

    New Chip Purportedly Offers the “Best Memory of Any Chip ...

    www.allaboutcircuits.com   (2023-04-04)

    tags: semiconductor-memory, semiconductors

    USC researchers have announced a breakthrough in memristive technology that could shrink edge computing for AI to smartphone-sized devices.

    Tiny Tapeout - Tiny Tapeout

    tinytapeout.com   (2023-03-31)

    tags: chip-design, programming, semiconductors

    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.

    Cerebras open sources seven GPT-based LLMs, ranging from ...

    www.techmeme.com   (2023-03-29)

    tags: deep-learning, semiconductors

    Mike Wheatley / SiliconANGLE: Cerebras open sources seven GPT-based LLMs, ranging from 111M to 13B parameters and trained using its Andromeda supercomputer for AI, on GitHub and Hugging Face

    https://octopart.com/blog/archives/2023/03/what-are-the-d...

    octopart.com   (2023-03-27)

    tags: circuits-electronics, semiconductors

    Gallium Nitride and Silicon Carbide Fight for Green Tech ...

    spectrum.ieee.org   (2023-03-26)

    tags: semiconductors

    Regardless of which one wins, they will cut greenhouse gases by billions of tonnes

    I Saw the Face of God in a Semiconductor Factory

    www.wired.com   (2023-03-22)

    tags: semiconductors

    As the US boosts production of silicon chips, an American journalist goes inside TSMC, the mysterious Taiwanese company at the center of the global industry.

    New method gets better performance out of atomically thin...

    arstechnica.com   (2023-03-21)

    tags: semiconductors

    A new way of making wafer-scale electronics out of atomically thin sheets.

    Nvidia Tackles Chipmaking Process, Claims 40X Speed Up wi...

    www.tomshardware.com   (2023-03-21)

    tags: gpus, lithography, machine-vision, semiconductors

    Faster masks, less power.

    https://www.edn.com/tsmcs-3-nm-progress-report-better-tha...

    www.edn.com   (2023-03-21)

    tags: semiconductors

    Chinese chipmaking technology development may stall at 40...

    news.google.com   (2023-03-19)

    tags: china, semiconductors

    Comprehensive up-to-date news coverage, aggregated from sources all over the world by Google News.

    China’s flagship CPU designer puts on a brave face amid U...

    www.scmp.com   (2023-03-19)

    tags: china, cpus, moats, semiconductors

    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.

    SK hynix breezes past 300-layer 3D NAND mark

    blocksandfiles.com   (2023-03-17)

    tags: semiconductor-memory, semiconductors

    SK hynix

    Taking a look at the ReRAM state of play

    blocksandfiles.com   (2023-03-16)

    tags: semiconductor-memory, semiconductors

    ReRAM startup Intrinsic Semiconductor Technologies has raised $9.73 million to expand its engineering team and bring its product to market.

    Aehr receives $6.7m order for FOX WaferPak full-wafer con...

    www.semiconductor-today.com   (2023-03-15)

    tags: semiconductors, supply-chain

    Lead SiC test & burn-in customer boosting production of power devices for EVs

    Deep Learning (DL) Applications In Photomask To Wafer Sem...

    semiengineering.com   (2023-03-15)

    tags: deep-learning, semiconductors

    A list of artificial intelligence used in semiconductor manufacturing tools from February 2023.

    Wafer foundry capacity in China, 2023

    www.digitimes.com   (2023-03-14)

    tags: foundries, semiconductors

    Introduction

    Wafer foundries in China expected to continue with capaci...

    www.digitimes.com   (2023-03-14)

    tags: foundries, semiconductors

    China-based semiconductor manufacturers, in the wake of geopolitical risks, are expected to keep up with their capacity expansion strategies going into 2023 with a good number of projects already in construction, according to DIGITIMES Research's latest report covering the latest status of China's wafer foundry industry

    Total Revenue of Top 10 Foundries Fell by 4.7% QoQ for 4Q...

    anysilicon.com   (2023-03-14)

    tags: foundries, semiconductors

    Mar. 13, 2023 —- According to TrendForce’s latest survey of the global foundry market, electronics brands began adjusting their inventories in 2Q22, but foundries were unable to rapidly adapt to this development because they reside in the more upper portion of the supply chain. Moreover, revising procurement quantities of long-term foundry contracts takes time as well. Hence,

    Meet the 16 members of the EDA Alliance underpinning TSMC...

    www.digitimes.com   (2023-03-13)

    tags: moats, prodmgmt, semiconductors

    Kuo-Hua Chou, special to DIGITIMES Asia

    The basics of Arm64 Assembly - by Diego Crespo

    www.deusinmachina.net   (2023-03-12)

    tags: cpus, semiconductors

    Just one instruction at a time!

    Setting The Stage For 1.6T Ethernet, And Driving 800G Now

    www.nextplatform.com   (2023-03-07)

    tags: datacenters, semiconductors

    Marvell has had a large and profitable I/O and networking silicon business for a long time, but with the acquisitions of Inphi in October 2020 and of

    Asynchronously Parallel Optimization Method For Sizing An...

    semiengineering.com   (2023-03-05)

    tags: chip-design, circuits-electronics, deep-learning, semiconductors

    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

    Five key reasons to switch to GaN - DCD

    www.datacenterdynamics.com   (2023-02-25)

    tags: datacenters, gallium-nitride, semiconductors

    It may be the only way to keep up with environmental power regulations

    Meet the $10,000 Nvidia chip powering the race for A.I.

    www.cnbc.com   (2023-02-25)

    tags: gpus, semiconductors

    The $10,000 Nvidia A100has become one of the most critical tools in the artificial intelligence industry,

    An AI 'Engineer' Has Now Designed 100 Chips - ExtremeTech

    www.extremetech.com   (2023-02-09)

    tags: chip-design, programming, semiconductors

    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.

    Update on Samsung SSD Reliability

    www.pugetsystems.com   (2023-02-04)

    tags: semiconductors

    We have been very public about how reliable Samsung SSDs have been in the past, so we wanted to explain why we are now moving part of our line to Sabrent.

    AMD is 'Undershipping' Chips To Keep CPU, GPU Prices Elev...

    hardware.slashdot.org   (2023-02-02)

    tags: pricing, prodmgmt, semiconductors

    Choosing The Correct High-Bandwidth Memory

    semiengineering.com   (2023-01-25)

    tags: semiconductor-memory, semiconductors

    New applications require a deep understanding of the tradeoffs for different types of DRAM.

    Security IP Cores: Ultimate Guide - AnySilicon

    anysilicon.com   (2023-01-22)

    tags: semiconductors

    Security IP cores are blocks that provide security features for integrated circuits (ICs) and systems-on-chips (SoCs). It includes encryption, decryption, authentication, and key management functions that protect against unauthorized access or hacking. The IP core can be integrated into a larger IC design to provide enhanced security for applications such as IoT devices, payment systems,

    Hacker News

    timdettmers.com   (2023-01-20)

    tags: deep-learning, gpus, semiconductors

    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.

    More CPU Cores Isn’t Always Better, Especially In HPC

    www.nextplatform.com   (2023-01-20)

    tags: cpus, hpc, interconnects, semiconductors

    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 –

    🎙️ | ASML & EUV Lithography Deep Dive with Asianometry

    compoundingcuriosity.substack.com   (2023-01-18)

    tags: semiconductors

    Covering EUV Lithography, ASML, and everything in between from how it all works to their impact on the world and what it all means.

    bmurmann/Book-on-MOS-stages: Book repository "Analysis an...

    github.com   (2023-01-17)

    tags: books, chip-design, semiconductors

    Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages

    DigiTimes: TSMC 3nm wafer price breaks $20,000. Expect pr...

    twitter.com   (2023-01-14)

    tags: pricing, semiconductors

    — RetiredEngineer® (@chiakokhua)

    My Articles on AAC (Page I)

    forum.allaboutcircuits.com   (2023-01-14)

    tags: chip-design, circuits-electronics, semiconductors

    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...

    RF Design Basics—Introduction to Transmission Lines

    www.allaboutcircuits.com   (2023-01-14)

    tags: chip-design, circuits-electronics, semiconductors

    Learn about voltage waves and how they relate to an important basic concept of radio frequency (RF) circuit design: transmission lines.

    TSMC Might Cut 3nm Prices to Lure AMD, Nvidia

    www.tomshardware.com   (2023-01-14)

    tags: pricing, semiconductors

    Industry sources say TSMC is considering lowering 3nm prices to stimulate interest from chip designers

    TSMC’s Wafer Prices Revealed: 300mm Wafer at 5nm Is Nearl...

    www.tomshardware.com   (2023-01-13)

    tags: pricing, semiconductors

    High performance and high transistor density come at a cost

    Big Trouble in Little Interconnects

    spectrum.ieee.org   (2023-01-02)

    tags: chip-design, interconnects, semiconductors

    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.

    Book-on-MOS-stages/Analysis and Design of Elementary MOS ...

    github.com   (2022-12-31)

    tags: chip-design, semiconductors

    Book repository "Analysis and Design of Elementary MOS Amplifier Stages" - bmurmann/Book-on-MOS-stages

    aolofsson/awesome-opensource-hardware: List of awesome op...

    github.com   (2022-12-22)

    tags: programming, semiconductors

    List of awesome open source hardware tools, generators, and reusable designs - aolofsson/awesome-opensource-hardware

    APU Spec r0.48.pdf - Google Drive

    drive.google.com   (2022-12-21)

    tags: gsi, semiconductors

    Safeguarding SRAMs From IP Theft (Best Paper Award)

    semiengineering.com   (2022-12-18)

    tags: semiconductor-memory, semiconductors

    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

    Metrology Primer

    www.fabricatedknowledge.com   (2022-12-13)

    tags: semiconductors

    The next of a series of primers in semicap manufacturing.

    Gallium Arsenide (GaAs) Overview

    anysilicon.com   (2022-12-11)

    tags: gallium-arsenide, semiconductors

    Gallium arsenide (GaAs) technology is a type of semiconductor material used in the manufacturing of various electronic devices. It is known for its high electron mobility, which allows it to operate at higher speeds and with lower power consumption compared to other semiconductor materials such as silicon.

    SK hynix boosts DDR5 DRAM speed with parallel reads

    blocksandfiles.com   (2022-12-08)

    tags: semiconductor-memory, semiconductors

    SK hynix boosts DDR5 DRAM speed

    Just How Bad Is CXL Memory Latency?

    www.nextplatform.com   (2022-12-06)

    tags: interconnects, semiconductor-memory, semiconductors

    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

    Opportunities and Challenges for Carbon Nanotube Transistors

    semiengineering.com   (2022-11-23)

    tags: inventions-innovation, semiconductors

    A new technical review paper titled “Carbon nanotube transistors: Making electronics from molecules” was published by researchers at Duke University, Northwestern University, and Stanford University. “Between the opportunities in high-performance digital logic with the potential for 3D integration and the possibilities for printed and even recyclable thin-film electronics, CNT transistors warrant a renewed and even... » read more

    On-Chip Power Distribution Modeling Becomes Essential Bel...

    semiengineering.com   (2022-11-20)

    tags: semiconductors

    Why and when it's needed, and what tools and technologies are required.

    Cerebras Reveals Andromeda, a 13.5 Million Core AI Superc...

    www.tomshardware.com   (2022-11-15)

    tags: deep-learning, hpc, interconnects, semiconductors

    The world's largest chip scales to new heights.

    Startup Knocks Down Chiplet Hurdles with High-performance...

    www.allaboutcircuits.com   (2022-11-08)

    tags: semiconductors

    Eliyan is emerging from stealth mode, unveiling the successful tapeout of its high-performance UCIe-compliant die-to-die interconnect technology in 5 nm process.

    Aaron tsmc sweep of eda timeline big

    www.allaboutcircuits.com   (2022-11-05)

    tags: semiconductors

    TSMC Grants a Sweep of EDA Certifications for New Process...

    www.allaboutcircuits.com   (2022-11-05)

    tags: semiconductors

    To ensure that designers have the right tools for the job, TSMC announced a slew of EDA tool certifications for its most advanced processes—ranging from 3 nm nodes to 3D semiconductor integration.

    Introduction to Extrinsic Semiconductors

    anysilicon.com   (2022-10-27)

    tags: physics, semiconductors

    Extrinsic semiconductors have been doped with specific chemicals. This process helps to modify the electrical properties of a relatively pure semiconductor crystal.

    What's different about next-gen transistors | Hacker News

    news.ycombinator.com   (2022-10-25)

    tags: semiconductors

    What's Different About Next-Gen Transistors

    semiengineering.com   (2022-10-21)

    tags: semiconductors

    Advanced etch holds key to nanosheet FETs; evolutionary path for future nodes.

    Biden Just Clobbered China’s Chip Industry

    www.nytimes.com   (2022-10-21)

    tags: china, public-policy, semiconductors

    The latest American trade restrictions could significantly set back China’s semiconductor ambitions.

    Four Cornerstones of CPU Performance.

    easyperf.net   (2022-10-19)

    tags: cpus, semiconductors

    Researchers Develop Transistor-free Compute-in-Memory Arc...

    www.allaboutcircuits.com   (2022-10-13)

    tags: circuits-electronics, semiconductor-memory, semiconductors

    Using new materials, UPenn researchers recently demonstrated how analog compute-in-memory circuits can provide a programmable solution for AI computing.

    Fab capacity by node

    i0.wp.com   (2022-10-10)

    tags: semiconductors, supply-chain

    What Time is It? A Timing Market Primer and Overview

    www.fabricatedknowledge.com   (2022-10-02)

    tags: circuits-electronics, semiconductors

    How do we keep track of time? A deeper look into Quartz timers and the emerging field of MEMS

    Decreasing Refresh Latency of Off-the-Shelf DRAM Chips

    semiengineering.com   (2022-09-29)

    tags: semiconductor-memory, semiconductors

    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

    Monolithic Sapphire Rapids

    www.angstronomics.com   (2022-09-29)

    tags: cpus, semiconductors

    Absolute Reticle Limit

    How Memory Design Optimizes System Performance

    semiengineering.com   (2022-09-26)

    tags: circuits-electronics, semiconductor-memory, semiconductors

    Changes are steady in the memory hierarchy, but how and where that memory is accessed is having a big impact.

    Ultimate Guide: Clock Tree Synthesis

    anysilicon.com   (2022-09-24)

    tags: chip-design, semiconductors

    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

    Performance Benefits of Using Huge Pages for Code. | Easy...

    easyperf.net   (2022-09-05)

    tags: chip-design, cpus, semiconductor-memory, semiconductors

    Page Not Available | Mailchimp

    mailchi.mp   (2022-09-03)

    tags: chip-design, semiconductors

    Industry Structure: Fabs are in Favor - LTAs are the Tell

    www.fabricatedknowledge.com   (2022-08-14)

    tags: semiconductors

    Long Term agreements, particularly the NCNR order is a relative newcomer this cycle. Let's see how they are holding up. The Industry Structure is showing that Fabs are in charge.

    Perspective | Electronics are built with death dates. Let...

    www.washingtonpost.com   (2022-08-08)

    tags: circuits-electronics, semiconductors

    Our analysis of 14 popular consumer devices found most could stop working in 3 to 4 years because of irreplaceable batteries. Here’s how we get the tech industry to design products that last longer — and do less damage to the environment.

    GlobalFoundries joins Google's open-source silicon initia...

    www.digitimes.com   (2022-08-04)

    tags: semiconductors

    Google announced in a blog on August 3 that GlobalFoundries (GF) is participating in its open-source silicon initiative as a new partner, calling the new partnership a milestone in the foundry ecosystem market.

    Semis for Everyone?

    d2dadvisory.us6.list-manage.com   (2022-08-01)

    tags: ideas, programming, semiconductors, startups

    Google is promoting the growth of open source tools for designing semis. The science fiction version of this story leads to everyone designing chips, the reality is going to be much narrower, but s…

    SkyWater and Google expand open source program to new 90n...

    opensource.googleblog.com   (2022-07-30)

    tags: semiconductors

    Over the last two years, Google and SkyWater Technology have partnered to make building open silicon accessible to all developers

    Moneyball for engineers: What the semiconductor industry ...

    www.mckinsey.com   (2022-07-18)

    tags: prodmgmt, risk, semiconductors, sports

    R&D leaders can boost productivity by using advanced analytics to create stronger, faster engineering teams.

    New working speculative execution attack sends Intel and ...

    arstechnica.com   (2022-07-12)

    tags: cpus, malware, semiconductors

    Both companies are rolling out mitigations, but they add overhead of 12 to 28 percent.

    Memristive, Spintronic, and 2D‐Materials‐Based Devices to...

    onlinelibrary.wiley.com   (2022-07-11)

    tags: semiconductors

    Moore's law has slowed down and, with the rise of data-intensive applications, like machine learning, new approaches to computing hardware are needed. The perspective explores the role of memristive,...

    CXL: Protocol for Heterogenous Datacenters

    www.fabricatedknowledge.com   (2022-07-08)

    tags: interconnects, semiconductors

    Let's learn more about the world's most important manufactured product. Meaningful insight, timely analysis, and an occasional investment idea.

    Ayar Labs: Solving Bandwidth and Power Bottlenecks with O...

    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.

    Intel® Silicon Photonics

    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.

    Intel Showcases a Photonics “First” — an Eight-wavelength...

    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.

    CXL Enables Microsoft Azure To Cut Server Capital Expendi...

    semianalysis.com   (2022-07-07)

    tags: datacenters, interconnects, semiconductors

    Intel announces silicon photonics advancement towards opt...

    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.

    An Introduction to MEMS Vibratory Gyroscopes

    www.allaboutcircuits.com   (2022-07-04)

    tags: semiconductors, circuits-electronics

    Microelectromechanical systems (MEMS) vibratory gyroscopes can be a bit mysterious and math-intensive. Let's break the math down, and go over gyroscope basics and structures.

    Can You Trust Semiconductor Capital Equipment Firms? Supp...

    semianalysis.com   (2022-06-29)

    tags: semiconductors

    The Basics of Electrical Engineering Standards

    www.allaboutcircuits.com   (2022-06-24)

    tags: semiconductors

    Get a high-level introduction to how standards play into the EE world.

    A new vulnerability in Intel and AMD CPUs lets hackers st...

    arstechnica.com   (2022-06-23)

    tags: cpus, semiconductors

    Hertzbleed attack targets power-conservation feature found on virtually all modern CPUs.

    PCI Express 7.0 standard provides eight times the bandwid...

    arstechnica.com   (2022-06-23)

    tags: interconnects, semiconductors

    PCI-SIG has drafted the PCIe 7.0 spec and aims to finalize it in 2025.

    High-Performance 5G IC Designs Need High-Performance Para...

    semiengineering.com   (2022-06-23)

    tags: chip-design, semiconductors

    The high frequencies and data rates involved in 5G designs makes layout verification all the more important.

    Die Size And Reticle Conundrum – Smaller Isn’t Always Bet...

    semianalysis.com   (2022-06-21)

    tags: semiconductors

    GaN Systems Cup 2022 design competition underway

    www.semiconductor-today.com   (2022-06-21)

    tags: gallium-arsenide, semiconductors

    Challenge to create GaN-based 400V photovoltaic power supply

    Designing and Simulating Low-Voltage CMOS Circuits Using ...

    semiengineering.com   (2022-06-21)

    tags: chip-design, semiconductors

    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

    Thermal Management Challenges and Requirements of 3 types...

    semiengineering.com   (2022-06-21)

    tags: chip-design, semiconductors

    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

    Will optics replace copper interconnects? We asked Ayar Labs

    www.theregister.com   (2022-06-21)

    tags: interconnects, optics-photonics, semiconductors

    Star Trek's glowing circuit boards may not be so crazy

    Practical Power Beaming Gets Real

    spectrum.ieee.org   (2022-05-23)

    tags: ideas, semiconductors, startups

    A century later, Nikola Tesla’s dream comes true

    Another Firing Among Google’s A.I. Brain Trust, and More ...

    www.nytimes.com   (2022-05-02)

    tags: arxiv, chip-design, deep-learning, semiconductors

    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.

    The X-Ray Tech That Reveals Chip Designs

    spectrum.ieee.org   (2022-04-30)

    tags: chip-design, semiconductors

    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

    Sandia reports GaN diode with record 6.4kV breakdown ultr...

    www.semiconductor-today.com   (2022-03-21)

    tags: gallium-nitride, semiconductors

    Target is 20kV, to protect electric grid from electromagnetic pulse

    waferscale cpu design

    nanocad.ee.ucla.edu   (2022-03-14)

    tags: semiconductors

    Designing a 2048-Chiplet, 14336-Core Waferscale Processor

    semiengineering.com   (2022-03-14)

    tags: semiconductors

    Challenges and troubleshooting employed to design a 2048-chiplet, 14,336-core waferscale processor system.

    Semiconductor Engineering - Technical

    semiengineering.com   (2022-03-14)

    tags: semiconductors

    Semiconductor Engineering's collection of technical papers for the chip industry.

    5.5 mm in 1.25 nanoseconds | Random ASCII – tech blog of ...

    randomascii.wordpress.com   (2022-01-13)

    tags: cpus, semiconductors

    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…

    Nvidia Research Plots A Course To Multiple Multichip GPU ...

    www.nextplatform.com   (2022-01-06)

    tags: gpus, semiconductors

    There are two types of packaging that represent the future of computing, and both will have validity in certain domains: Wafer scale integration and

    Ten Lessons From Three Generations Shaped Google’s TPUv4i...

    www.gwern.net   (2022-01-05)

    tags: deep-learning, semiconductors, tpu

    TSMC, The Drug Dealer, Is Trying To Make An Addicted Junk...

    semianalysis.com   (2021-12-23)

    tags: semiconductors

    TSMC Unveils N4X Node: Extreme High-Performance at High V...

    www.anandtech.com   (2021-12-18)

    tags: semiconductors

    Low-Power AI Startup Eta Compute Delivers First Commercia...

    spectrum.ieee.org   (2021-12-14)

    tags: deep-learning, semiconductors

    The firm pivoted away from riskier spiking neural networks using a new power management scheme

    SRAM vs. DRAM: The Future of Memory - EE Times

    www.eetimes.com   (2021-12-11)

    tags: semiconductor-memory, semiconductors

    EE Times Compares SRAM vs. DRAM, Common Issues With Each Type Of Memory, And Takes A Look At The Future For Computer Memory.

    http://bsim.berkeley.edu/?page=BSIM6_LR

    bsim.berkeley.edu   (2021-12-11)

    tags: chip-design, semiconductors

    HewlettPackard/cacti: An integrated cache and memory acce...

    github.com   (2021-12-11)

    tags: chip-design, semiconductors

    An integrated cache and memory access time, cycle time, area, leakage, and dynamic power model - HewlettPackard/cacti

    Gallium Arsenide: Another Player in Semiconductor Technol...

    www.allaboutcircuits.com   (2021-12-11)

    tags: circuits-electronics, semiconductors

    This article looks at gallium arsenide, comparing it to other semiconductor materials, and explores how different compounds are used in components.

    Under The Hood Of Google’s TPU2 Machine Learning Clusters

    www.nextplatform.com   (2021-12-11)

    tags: deep-learning, semiconductors, tpu

    As we previously reported, Google unveiled its second-generation TensorFlow Processing Unit (TPU2) at Google I/O last week. Google calls this new

    Magnetoresistance in Magnetic Field Sensors: Applications...

    www.allaboutcircuits.com   (2021-12-10)

    tags: circuits-electronics, semiconductors

    What are TMR sensors and what applications are they best suited to? This article provides a snapshot of this sensor type and what TMR-based components are available for designers.

    3D Stacking Could Boost GPU Machine Learning

    www.nextplatform.com   (2021-12-08)

    tags: deep-learning, gpus, interconnects, semiconductor-memory, semiconductors

    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

    How to make multicore chips faster more efficient

    spectrum.ieee.org   (2021-12-08)

    tags: chip-design, programming, semiconductors

    baidu-research/warp-ctc

    github.com   (2021-12-07)

    tags: gpus, semiconductors

    Fast parallel CTC.

    First In-Depth Look at Google’s TPU Architecture

    www.nextplatform.com   (2021-12-07)

    tags: deep-learning, semiconductors, tpu

    Four years ago, Google started to see the real potential for deploying neural networks to support a large number of new services. During that time it was

    NVIDIA Develops NVLink Switch: NVSwitch, 18 Ports For DGX...

    www.anandtech.com   (2021-12-07)

    tags: gpus, interconnects, semiconductors

    D&R Silicon IP Catalog: Directory of Semiconductor IP

    www.design-reuse.com   (2021-12-07)

    tags: intellectual-property, semiconductors

    D&R provides the world's largest directory of Silicon IP (Intellectual Property), SoC Configurable Design Platforms and SOPC Products from 400 vendors

    FET vs. BJT vs. IGBT: What’s the Right Choice for Your Po...

    www.allaboutcircuits.com   (2021-12-07)

    tags: circuits-electronics, semiconductors

    This article will help the reader understand the different types of power semiconductors: how they work, their key parameters, and trade-offs.

    Asplos 17 cam

    rakeshk.crhc.illinois.edu   (2021-12-07)

    tags: chip-design, cpus, semiconductors

    Stacking Up AMD MI200 Versus Nvidia A100 Compute Engines

    www.nextplatform.com   (2021-12-07)

    tags: gpus, semiconductors

    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

    http://www.isine.com/DieYieldCalculator.html

    www.isine.com   (2021-12-06)

    tags: semiconductors

    NeuroMem IC Matches Patterns, Sees All, Knows All - EE Times

    www.eetimes.com   (2021-12-06)

    tags: semiconductor-memory, semiconductors

    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

    An Introduction to Semiconductor Economics

    www.adapteva.com   (2021-12-06)

    tags: finance, semiconductors

    This blog post is in response to a recent topic on the Parallella forum regarding Adapteva’s chip cost efficiency (GFLOPS/$): [forum discussion thread]. I had to be a little vague on some poi…

    Semiconductor IP Vendors List | ChipEstimate.com

    www.chipestimate.com   (2021-12-06)

    tags: intellectual-property, semiconductors

    Explore semiconductor IP, white papers, news, technical articles and more from hundreds of top semiconductor IP vendors and foundries.

    Magic VLSI

    opencircuitdesign.com   (2021-12-05)

    tags: chip-design, semiconductors

    Magic VLSI: Resource Page

    The Gatekeeper of a Successful Design is the Interconnect...

    www.eetimes.com   (2021-12-04)

    tags: interconnects, semiconductors

    An effective interconnect makes delivering a complex SoC easier, more predictable, and less costly.

    Synopsys Blog | Latest Insights on EDA, IP & Systems Design

    blogs.synopsys.com   (2021-12-04)

    tags: fpgas, semiconductors

    Explore Synopsys Blog for the latest insights and trends in EDA, IP, and Systems Design. Stay updated with expert articles and industry news.

    Domain-Specific Hardware Accelerators – Communications of...

    cacm.acm.org   (2021-12-04)

    tags: cpus, semiconductors

    Advantages Of LPDDR5: A New Clocking Scheme

    semiengineering.com   (2021-12-03)

    tags: semiconductor-memory, semiconductors

    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.

    Die-Per-Wafer Estimator

    www.silicon-edge.co.uk   (2021-12-03)

    tags: semiconductors

    OpenROAD – Home

    theopenroadproject.org   (2021-12-03)

    tags: chip-design, semiconductors

    Library Design - Silvaco

    www.nangate.com   (2021-12-03)

    tags: chip-design, semiconductors

    Silvaco provides standard cell library design and optimization services

    Issues In Designing 5G Beamforming Antennas

    semiengineering.com   (2021-12-03)

    tags: antennas, circuits-electronics, semiconductors

    5G Beamforming Antennas Create Design, Test Problems Assuring quality under changing conditions with shifting standards and use models is a major challenge.

    Effect of Design on Transistor Density - Semiwiki

    semiwiki.com   (2021-12-03)

    tags: chip-design, semiconductors

    I have written a lot of articles looking at leading…

    How to make your own deep learning accelerator chip!

    towardsdatascience.com   (2021-12-03)

    tags: deep-learning, semiconductors

    Currently there are more than 100 companies all over the world building ASIC’s (Application specific integrated circuit) or SOC’s (System…

    What Exactly Is a Phase-Locked Loop, Anyways? - Technical...

    www.allaboutcircuits.com   (2021-12-03)

    tags: circuits-electronics, semiconductors

    This article introduces a phase-based feedback system that plays an important role in many applications.

    Using Multiple Inferencing Chips In Neural Networks

    semiengineering.com   (2021-12-03)

    tags: semiconductors

    How to build a multi-chip neural model with minimal overhead.

    Vivienne Sze · Efficient Processing of Deep Neural Networ...

    slideslive.com   (2021-12-03)

    tags: deep-learning, semiconductors

    This tutorial describes methods to enable efficient processing for deep neural networks (DNNs), which are used in many AI applications including computer vision, speech recognition, robotics, etc....

    Using Memory Differently To Boost Speed

    semiengineering.com   (2021-12-03)

    tags: semiconductor-memory, semiconductors

    Getting data in and out of memory faster is adding some unexpected challenges.

    UPMEM Puts CPUs Inside Memory to Allow Applications to Ru...

    www.hpcwire.com   (2021-12-03)

    tags: semiconductor-memory, semiconductors

    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 […]

    DRAM Tradeoffs: Speed Vs. Energy

    semiengineering.com   (2021-12-03)

    tags: semiconductor-memory, semiconductors

    Experts at the Table: Which type of DRAM is best for different applications, and why performance and power can vary so much.

    Precise timing of machine code with Linux perf. | Easyperf

    easyperf.net   (2021-12-03)

    tags: cpus, semiconductors

    TOPS, Memory, Throughput And Inference Efficiency

    semiengineering.com   (2021-12-03)

    tags: semiconductors

    Evaluate inference accelerators to find the best throughput for the money.

    What Is Silicon Germanium’s Place at the Semiconductor Ta...

    www.allaboutcircuits.com   (2021-12-03)

    tags: semiconductors

    Cheaper than gallium arsenide. More flexible band-gap tuning than silicon. What's silicon germanium's place in circuit design?

    How 10 leading companies are trying to make powerful, low...

    arstechnica.com   (2021-12-02)

    tags: circuits-electronics, lidar, semiconductors

    Lidar is essential for self-driving cars—here’s how some leading lidar sensors work.

    X7R, X5R, C0G…: A Concise Guide to Ceramic Capacitor Type...

    www.allaboutcircuits.com   (2021-12-02)

    tags: circuits-electronics, semiconductors

    This technical brief attempts to dispel some of the fog surrounding the three-character naming convention used to describe ceramic caps.

    How to Reduce Power Consumption with Clock Gating - Techn...

    www.allaboutcircuits.com   (2021-12-02)

    tags: circuits-electronics, semiconductors

    This article will discuss the basic concepts of clock gating and how it can be used to reduce the power consumption of synchronous digital systems.

    'Unclonable' digital fingerprints boost IoT device security

    www.futurity.org   (2021-12-02)

    tags: circuits-electronics, semiconductors

    The new technology is 10 times as reliable as what's come before for keeping internet-connected devices secure.

    How lidar makers are coping with slow progress of self-dr...

    arstechnica.com   (2021-12-02)

    tags: lidar, semiconductors

    We talked to lidar company executives and independent experts.

    Microarchitecture

    www.agner.org   (2021-12-02)

    tags: cpus, semiconductors

    Using Verilog to Describe a Sequential Circuit - Technica...

    www.allaboutcircuits.com   (2021-12-02)

    tags: circuits-electronics, semiconductors, verilog

    This article focuses on using Verilog to describe synchronous sequential circuits.

    Process Control For Next-Generation Memories

    semiengineering.com   (2021-12-02)

    tags: semiconductor-memory, semiconductors

    Emerging memory technologies call for an integrated PVD process system capable of depositing and measuring multiple materials under vacuum.

    https://blog.riseml.com/comparing-google-tpuv2-against-nv...

    blog.riseml.com   (2021-12-02)

    tags: deep-learning, gpus, semiconductors

    Understanding PLL Applications: Frequency Multiplication ...

    www.allaboutcircuits.com   (2021-12-02)

    tags: circuits-electronics, semiconductors

    This article explains how a PLL can be used to produce a high-frequency clock from a low-frequency reference signal.

    To reinvent the processor

    medium.com   (2021-12-02)

    tags: cpus, semiconductors

    A detailed, critical, technical essay on upcoming CPU architectures.

    Sample Efficient Evolutionary Algorithm for Analog Circui...

    bair.berkeley.edu   (2021-12-02)

    tags: semiconductors

    The BAIR Blog

    Whitepapers - Silicon Labs

    www.silabs.com   (2021-12-02)

    tags: circuits-electronics, semiconductors

    Review whitepapers written by our expert engineers to help you understand new concepts or implement best practices in your product design and development.

    Executing Commands in Memory: DRAM Commands - Technical A...

    www.allaboutcircuits.com   (2021-12-02)

    tags: semiconductor-memory, semiconductors

    This article will take a closer look at the commands used to control and interact with DRAM.

    The Floppy Disk of Floating Point

    www.evanmiller.org   (2021-12-02)

    tags: algorithms-math, semiconductors

    An essay that bids farewell to x87 – a computing architecture too long for this world.

    Understanding SoC Clock Design - AnySilicon

    anysilicon.com   (2021-12-01)

    tags: chip-design, semiconductors

    SoC clock tree overview, metrics that help qualify a clock tree and most commonly used clock tree distribution methodologies.

    What is a Probe Card? - AnySilicon

    anysilicon.com   (2021-12-01)

    tags: semiconductors

    A probe card is essentially an interface or a board that is used to perform wafer test for a semiconductor wafer. It is used to connect to the integrated circuits located on a wafer to the ATE (Automated Test Equipment) in order to test their electrical parameters and performance before they are manufactured and shipped

    Overview and Types of Capacitors in ASIC Design - AnySilicon

    anysilicon.com   (2021-12-01)

    tags: circuits-electronics, semiconductors

    Learn more on the various capacitors in ASIC design that can improve your chip performance and recude it's cost.

    Category:EDA file formats

    en.wikipedia.org   (2021-12-01)

    tags: chip-design, semiconductors

    File formats used by EDA tools.

    How FPGAs work, and why you'll buy one

    yosefk.com   (2021-12-01)

    tags: fpgas, semiconductors

    Software optimization resources. C++ and assembly. Window...

    www.agner.org   (2021-12-01)

    tags: cpus, semiconductors

    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.

    http://www.cnf.cornell.edu/cnf_spie9.html

    www.cnf.cornell.edu   (2021-12-01)

    tags: books, semiconductors

    An Introduction to Semiconductor Physics, Technology, and...

    www.anandtech.com   (2021-12-01)

    tags: physics, semiconductors

    Standard Test Data Format

    en.wikipedia.org   (2021-12-01)

    tags: semiconductors

    Standard Test Data Format (STDF) is a proprietary file format for semiconductor test information originally developed by Teradyne, but it is now a de facto standard widely used throughout the semiconductor industry. It is a commonly used format produced by automatic test equipment (ATE) platforms from companies such as Cohu, Roos Instruments, Teradyne, Advantest, SPEA S.p.A, and others.

    Memory at the Core of New Deep Learning Research Chip

    www.nextplatform.com   (2021-12-01)

    tags: deep-learning, semiconductor-memory, semiconductors

    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.

    https://www.graphcore.ai/blog/why-is-so-much-memory-neede...

    www.graphcore.ai   (2021-12-01)

    tags: gpus, semiconductors

    Design and Analysis of Stability-Guaranteed PUFs

    arxiv.org   (2021-12-01)

    tags: pufs, semiconductors

    The lack of stability is one of the major limitations that constrains PUF from being put in widespread practical use. In this paper, we propose a weak PUF and a strong PUF that are both completely...

    Caches: LRU v. random

    danluu.com   (2021-11-30)

    tags: semiconductor-memory, semiconductors

    Analog Technical Articles - Electrical Engineering & Elec...

    www.allaboutcircuits.com   (2021-11-30)

    tags: semiconductors

    Read the latest Analog Electronic & Electrical Engineering Technical Articles

    Describing Combinational Circuits in Verilog - Technical ...

    www.allaboutcircuits.com   (2021-11-30)

    tags: circuits-electronics, semiconductors

    This article introduces the techniques for describing combinational circuits in Verilog by examining how to use the conditional operator to describe combinational truth tables.

    Understanding and Addressing 5 Key Power Supply Issues - ...

    www.allaboutcircuits.com   (2021-11-30)

    tags: circuits-electronics, semiconductors

    This article will take a deeper look at five key power supply problems, how to know when they arise, and the best ways to address or mitigate them.

    R2: What it Means to be 1 Less Than S3 - by Doug (mule) -...

    www.fabricatedknowledge.com   (2021-11-29)

    tags: datacenters, semiconductors

    In the battle of bandwidth and compute, Cloudflare has a strong hand. A dive into networking infrastructure.

    Lam Research, Tokyo Electron, JSR Battle It Out In The $5...

    semianalysis.substack.com   (2021-11-29)

    tags: semiconductors

    There is a battle brewing in the photoresist, coater, and developer market due to EUV advancement. This battle could cost Tokyo Electron their dominance over a $5B+ annual revenue market and lead to some photoresist companies such as TOK to lose a major market. JSR and Tokyo are bringing Metal Oxide Resist (MOR) to the market to fight off Lam Research's encroachment with their dry resist technology.

    The Rising Tide of Semiconductor Cost - by Doug (mule) - ...

    www.fabricatedknowledge.com   (2021-11-28)

    tags: semiconductors

    It Isn't Transistory

    Semiconductor Wafer Installed Capacity Per Process Node

    anysilicon.com   (2021-10-15)

    tags: semiconductors

    Combined, China and Taiwan would hold about 37% of global IC capacity, almost 3x that of North America. IC Industry at Heart of Possible China Takeover of Taiwan

    A friendly introduction to machine learning compilers and...

    huyenchip.com   (2021-10-03)

    tags: compilers, machine-learning, semiconductors

    [Twitter thread, Hacker News discussion]

    Does an AMD Chiplet Have a Core Count Limit?

    www.anandtech.com   (2021-09-07)

    tags: cpus, interconnects, semiconductors

    Did IBM Just Preview The Future of Caches?

    www.anandtech.com   (2021-09-04)

    tags: cpus, semiconductor-memory, semiconductors

    Next-Gen Chips Will Be Powered From Below

    spectrum.ieee.org   (2021-08-28)

    tags: semiconductors

    Buried interconnects will help save Moore's Law

    Impact Of GAA Transistors At 3/2nm

    semiengineering.com   (2021-08-17)

    tags: chip-design, semiconductors

    Some things will get better from a design perspective, while others will be worse.

    The Novel Material That’s Shrinking Phone Chargers, Power...

    www.wsj.com   (2021-07-25)

    tags: semiconductors

    Gallium, once an industrial-waste product, is transforming our increasingly electrified world.

    Gutting Decades Of Architecture To Build A New Kind Of Pr...

    www.nextplatform.com   (2021-07-13)

    tags: cpus, semiconductors, startups

    There are some features in any architecture that are essential, foundational, and non-negotiable. Right up to the moment that some clever architect shows

    How Intel Financialized and Lost Leadership in Semiconduc...

    www.nakedcapitalism.com   (2021-07-10)

    tags: finance, semiconductors

    Intel is the poster child of how stock buybacks come at the cost of technological innovation.

    What Does It Take To Build A Successful Multi-Chip Module...

    semiengineering.com   (2021-07-07)

    tags: semiconductors

    Using yield analytics and consolidated data to power your factory.

    https://d2dadvisory.us6.list-manage.com/track/click?u=c03...

    d2dadvisory.us6.list-manage.com   (2021-07-07)

    tags: semiconductors

    Xoilac TV Thiên Đường Bóng Đá Trực Tiếp Xoilac 90P

    caly-technologies.com   (2021-06-30)

    tags: semiconductors

    Xoilac - Thiên đường bóng đá trực tuyến. Hãy cùng chúng tôi khám phá thêm về sự chuyên nghiệp và tận tâm trong dịch vụ chăm sóc khách hàng mà trang mang lại!

    Let’s Build a Chip – With Math

    digitstodollars.com   (2021-06-30)

    tags: economics, finance, semiconductors

    Let’s Build a Chip – We lay out the costs of building a chip – with spreadsheets!

    A Look at Baidu’s Industrial-Scale GPU Training Architecture

    www.nextplatform.com   (2021-06-26)

    tags: deep-learning, gpus, semiconductors

    Like its U.S. counterpart, Google, Baidu has made significant investments to build robust, large-scale systems to support global advertising programs. As

    Tenstorrent Wormhole Analysis – A Scale Out Architecture ...

    semianalysis.com   (2021-06-26)

    tags: deep-learning, semiconductors

    Mythic Resizes its AI Chip

    www.eetimes.com   (2021-06-26)

    tags: gpus, semiconductors

    Its second analog AI chip is optimized for different card sizes, but still aimed at computer vision workloads at the edge.

    What Happens When Multipliers No Longer Define AI Acceler...

    www.nextplatform.com   (2021-06-24)

    tags: deep-learning, gpus, linear-algebra, semiconductors

    Current custom AI hardware devices are built around super-efficient, high performance matrix multiplication. This category of accelerators includes the

    Bumps Vs. Hybrid Bonding For Advanced Packaging

    semiengineering.com   (2021-06-23)

    tags: chip-design, semiconductors

    New interconnects offer speed improvements, but tradeoffs include higher cost, complexity, and new manufacturing challenges.

    AMD 3D Stacks SRAM Bumplessly

    fuse.wikichip.org   (2021-06-12)

    tags: amd, cpus, semiconductors

    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.

    Intel: AMD Threat Is Finished (NASDAQ:INTC)

    seekingalpha.com   (2021-06-08)

    tags: cpus, semiconductors

    Although competition from Arm is increasing, AMD remains Intel’s biggest competitor, as concerns of losing market share weigh on Intel’s valuation.

    As Chips Shrink, Rowhammer Attacks Get Harder to Stop

    www.wired.com   (2021-05-30)

    tags: semiconductor-memory, semiconductors

    A full fix for the “Half-Double” technique will require rethinking how memory semiconductors are designed.

    1nm Breakthrough: TSMC, MIT and NTU Published on Nature

    buzzorange.com   (2021-05-29)

    tags: semiconductors

    New 'Morpheus' CPU Design Defeats Hundreds of Hackers in ...

    www.extremetech.com   (2021-05-25)

    tags: cpus, semiconductors

    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.

    Google details new AI accelerator chips

    venturebeat.com   (2021-05-19)

    tags: deep-learning, semiconductors, tpu

    Google detailed TPUv4 at Google I/O 2021. They're accelerator chips that deliver high performance on AI workloads.

    Circuit Synthesis for Analog Computing | SIGPLAN Blog

    blog.sigplan.org   (2021-05-18)

    tags: circuits-electronics, programming, semiconductors

    Modern analog computers offer unique programming challenges which make them challenging compilation targets. How do we automatically program an analog computer to implement a computation?

    2021 Perception Sensor Industry Map: 75 Companies Powerin...

    www.tangramvision.com   (2021-05-17)

    tags: semiconductors, sensors

    The 2021 Perception Sensor Industry Map: Depth Sensing, LiDAR, CMOS, IMU, Software and More.

    Untether AI: At Memory Computation A Transformative Compu...

    youtube.com   (2021-05-14)

    tags: semiconductors, startups

    Presented by Robert Beachler, VP of Product, Untether AI. Traditional processor architectures are failing to keep up with the exploding compute demands of AI workloads. They are limited by the power-hungry weight-fetch of von Neumann architectures and limitations of transistor and frequency scaling. At-memory computation places compute elements directly in the memory array, providing reduced power consumption and increased throughput due to the massive parallelism and bandwidth provided by the architecture. This presentation introduces a new class of non-von Neumann compute designed to meet these AI demands. The Linley Fall Processor Conference featured technical presentations addressing processors and IP cores for AI applications, embedded, data center, automotive, and communications. Session topic included AI in Edge Devices, Vector-Processing Cores, Advancing Cloud AI, The New Infrastructure Edge, Heterogenous Computing, SoC Design, In-Memory Compute, and Security. Proceedings from the event are available for download. https://www.linleygroup.com/events/proc_register.php?num=49

    11 Ways To Reduce AI Energy Consumption

    semiengineering.com   (2021-05-13)

    tags: deep-learning, semiconductor-memory, semiconductors

    Pushing AI to the edge requires new architectures, tools, and approaches.

    More Data Drives Focus On IC Energy Efficiency

    semiengineering.com   (2021-04-25)

    tags: semiconductors

    Decisions that affect how, when, and where data gets processed.

    Apple's M1 Positioning Mocks the Entire x86 Business Model

    www.extremetech.com   (2021-04-24)

    tags: cpus, semiconductors

    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.

    Sapphire Rapids CPU Leak: Up to 56 Cores, 64GB of Onboard...

    www.extremetech.com   (2021-04-09)

    tags: cpus, semiconductors

    Sapphire Rapids, Intel's next server architecture, looks like a large leap over the just-launched Ice Lake SP.

    First Google-Sponsored MPW Shuttle Launched at SkyWater w...

    anysilicon.com   (2021-04-07)

    tags: semiconductors

    BLOOMINGTON, Minn. and SAN JOSE, Calif. – April 6, 2021 – SkyWater Technology, the trusted technology realization partner, and Efabless, a crowdsourcing design platform for custom silicon, today announced the first tapeout in a series of Google-sponsored open source multi-project wafer (MPW) shuttles, managed by Efabless and manufactured at SkyWater. In this partnership, open source designs were selected to

    GPU Nomenclature History: No Shortage of GPUs Here

    tedium.co   (2021-03-30)

    tags: gpus, semiconductors

    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.

    The MIPS R4000, part 9: Stupid branch delay slot tricks

    devblogs.microsoft.com   (2021-03-30)

    tags: cpus, semiconductors

    Technically legal, but strange.

    SaaS for component pricing: Q&A with Lytica chairman Ken ...

    www.digitimes.com   (2021-03-26)

    tags: pricing, semiconductors

    How much should one pay for a chip or a component? Lytica, a Canadian supply-chain pricing analytics company, has the answer. Founded by former Nortel chief procurement officer Ken Bradley, who, like many others in the IT industry, was once bemused by component pricing, Lytica is transforming itself into a software-as-a-service (SaaS) company, helping OEM and EMS make well-informed deals when buying or selling.

    Deep Dive Into AMD’s “Milan” Epyc 7003 Architecture

    www.nextplatform.com   (2021-03-26)

    tags: cpus, semiconductors

    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”

    Overcoming Challenges In Next-Generation SRAM Cell Archit...

    www.coventor.com   (2021-03-19)

    tags: semiconductor-memory, semiconductors

    The Rise, Fall and Revival of AMD (2020)

    www.techspot.com   (2021-03-19)

    tags: amd, cpus, gpus, semiconductors

    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...

    Micron Abandons 3D XPoint Memory Technology

    www.anandtech.com   (2021-03-18)

    tags: semiconductor-memory, semiconductors

    SVT: Six Stacked Vertical Transistors

    semiengineering.com   (2021-03-18)

    tags: semiconductor-memory, semiconductors

    SRAM cell architecture introduction: design and process challenges assessment.

    Can Graviton Win A Three-Way Compute Race At AWS?

    www.nextplatform.com   (2021-03-18)

    tags: gpus, semiconductors

    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

    7Kwafers.mp4 STDF data

    vimeo.com   (2021-03-16)

    tags: semiconductors

    over 7,000 wafers stacked (from STDF data)

    Welcome to AMD ROCm Platform — ROCm Documentation 1.0.0 d...

    rocmdocs.amd.com   (2021-03-15)

    tags: amd, gpus, semiconductors

    AMD ROCm documentation

    The Third Time Charm Of AMD’s Milan Epyc Processors

    www.nextplatform.com   (2021-03-15)

    tags: cpus, semiconductors

    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

    A brief history of router architecture

    blog.apnic.net   (2021-03-13)

    tags: circuits-electronics, semiconductors

    Here's what we've learnt about networks and the routers that interconnect them in the last 50 years.

    Ladies And Gentlemen, Start Your Compute Engines

    www.nextplatform.com   (2021-03-08)

    tags: semiconductors

    We have a bad case of the silicon shakes and a worsening deficiency in iron here at The Next Platform, but the good news is that new CPU processors from

    Optical Antennas Promise ‘Unlimited’ Data Capacity

    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.

    Revenue per Wafer Climbs As Demand Surges for 5nm/7nm IC ...

    www.semiconductor-digest.com   (2021-03-04)

    tags: semiconductors

    Despite high development costs, smaller nodes bring greater revenue per wafer.

    Semiconductor Wafer Installed Capacity 2020

    anysilicon.com   (2021-02-25)

    tags: semiconductors

    IC Insights recently released its new Global Wafer Capacity 2021-2025 report that provides details, analyses, and forecasts for IC industry capacity by wafer size, process geometry, region, and product type through 2025. Rankings of IC manufacturers by installed capacity for each of the wafer sizes are shown in Figure 1. The chart also compares the relative

    What Chip Startups Can Learn from Google’s TPU Design Team

    www.nextplatform.com   (2021-02-17)

    tags: semiconductors, startups, tpu

    The inception of Google’s effort to build its own AI chips is quite well known by now but in the interests of review, we’ll note that as early 2013 the

    Report: Packaging Issues, PS5 Demand May Be Hurting TSMC ...

    www.extremetech.com   (2021-02-11)

    tags: semiconductors, substrates

    The hardware shortages currently hitting most of the PC market may be caused by a shortage in a necessary component in chip manufacturing, not low yields on TSMC's 7nm node.

    AMD's Reliance on TSMC Isn't Harming the Company's Growth...

    www.extremetech.com   (2021-02-11)

    tags: cpus, semiconductors

    CXL: Sorting Out The Interconnect Soup

    semiengineering.com   (2021-02-11)

    tags: interconnects, semiconductors

    How Compute Express Link provides a means of connecting a wide range of heterogeneous computing elements.

    Understanding Wafer Bumping Packaging Technology - AnySil...

    anysilicon.com   (2021-02-05)

    tags: semiconductors

    Consumer electronics markets, the mobile phone market in particular, are extremely demanding. They are driven by the desire to pack more and more functionality and enhanced value into the same size handheld device, and often at lower costs. This drive towards smaller, cheaper and thinner consumer electronics has driven the development of highly integrated electronics

    Chipbond Website

    www.chipbond.com.tw   (2021-02-05)

    tags: semiconductors

    Flexible Tape-and-Reel Circuit Substrate, High-end FPC, tape-and-reel, FPC, COF film, tape, single-piece packaging, Circuit Substrate,COF tape, tape film, substrate

    Intel Processor Names, Numbers and Generation List

    www.intel.com   (2021-02-04)

    tags: cpus, semiconductors

    Understanding Intel® processor names and numbers helps identify the best laptop, desktop, or mobile device CPU for your computing needs.

    The Ultimate Guide to Clock Gating

    anysilicon.com   (2021-02-03)

    tags: chip-design, semiconductors

    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

    6 Causes of MOS Transistor Leakage Current

    www.allaboutcircuits.com   (2021-02-02)

    tags: chip-design, semiconductors

    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.

    Introduction to Phototransistors

    www.allaboutcircuits.com   (2021-01-27)

    tags: circuits-electronics, semiconductors

    In this series of articles, we’ll explore higher-output-current alternatives to photodiodes.

    New Transistor Structures At 3nm/2nm

    semiengineering.com   (2021-01-25)

    tags: chip-design, semiconductors

    Gate-all-around FETs will replace finFETs, but the transition will be costly and difficult.

    Intel Problems

    stratechery.com   (2021-01-20)

    tags: semiconductors

    Intel is in much more danger than its profits suggest; the problems are a long time in the making, and the solution is to split up the company.

    Hardware for Deep Learning. Part 4: ASIC

    blog.inten.to   (2021-01-16)

    tags: deep-learning, machine-learning, semiconductors

    Die Per Wafer (free) Calculator

    anysilicon.com   (2021-01-15)

    tags: chip-design, semiconductors

    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.

    The Ultimate Guide to Static Timing Analysis (STA)

    anysilicon.com   (2021-01-15)

    tags: chip-design, semiconductors

    Static Timing Analysis? Read here the best overview to STA, including theory, real examples, ilustrations, tips and tricks.

    Introduction to Thermal Characterization Parameters

    www.allaboutcircuits.com   (2021-01-15)

    tags: chip-design, semiconductors, thermal

    In this article, we’ll discuss another group of thermal data, called thermal characterization parameters denoted by the Greek letter Psi (Ψ).

    Die Yield Calculator | iSine Analog, Digital & Mixed Sign...

    www.isine.com   (2021-01-15)

    tags: chip-design, semiconductors

    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...

    Speculation Grows As AMD Files Patent for GPU Design

    hardware.slashdot.org   (2021-01-04)

    tags: gpus, semiconductors

    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 ...

    Junction-to-Case Thermal Resistance in Thermal Design

    www.allaboutcircuits.com   (2021-01-02)

    tags: chip-design, semiconductors, thermal

    Learn about an important thermal metric for designing the interface between an IC package and a heat sink.

    Designing with a Heat Sink for Junction-to-Case Thermal R...

    www.allaboutcircuits.com   (2021-01-02)

    tags: chip-design, semiconductors, thermal

    Watch the thermal measurement, junction-to-case thermal resistance, in action as we use it to calculate the thermal considerations for a given system.

    AMD Patent Reveals Hybrid CPU-FPGA Design That Could Be E...

    hothardware.com   (2021-01-02)

    tags: fpgas, semiconductors

    Intel has been talking about on-processor FPGAs since 2014, but AMD's patent might actually result in one.

    Atoms-Thick Transistors Get Faster Using Less Power

    spectrum.ieee.org   (2020-12-30)

    tags: semiconductors

    Research on 2D transistors for future electronics is forging ahead with different material favorites

    10 basic advanced IC packaging terms to know

    www.electronicproducts.com   (2020-12-29)

    tags: chip-design, packaging, semiconductors

    Engineers must keep pace with advanced IC packaging technology as it evolves rapidly, starting with understanding the basic terms.

    Eight Major Steps to Semiconductor Fabrication, Part 7: T...

    global.samsungtomorrow.com   (2020-12-29)

    tags: semiconductors

    In the last part of our series, we went over the thin-film process in which a semiconductor chip gets its electrical properties. But we need to ensure that

    How Junction-to-Ambient Thermal Resistance of an IC Packa...

    www.allaboutcircuits.com   (2020-12-27)

    tags: chip-design, semiconductors, thermal

    Assessing the thermal performance of an IC package becomes easier if you understand this common, but often misapplied, parameter known as theta JA.

    Semiconductor Assembly Glossary

    eesemi.com   (2020-12-22)

    tags: packaging, semiconductors

    Mythic Case Study

    semiengineering.com   (2020-12-21)

    tags: semiconductors

    How Mythic got its optimized domain-specific core without compromises or delays.

    https://www.edn.com/lost-in-the-advanced-ic-packaging-lab...

    www.edn.com   (2020-12-18)

    tags: packaging, semiconductors

    What Makes 5G So Fast? mmWaves, MIMO, and Beamforming, an...

    www.allaboutcircuits.com   (2020-12-18)

    tags: semiconductors

    With 5G rolling out more quickly as we approach 2021, it may be helpful to touch on the key technologies that make 5G such a speedy success.

    Transistor Sizing in VLSI Design Using the Linear Delay M...

    www.allaboutcircuits.com   (2020-12-18)

    tags: chip-design, semiconductors

    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.

    List of semiconductor fabrication plants - Wikipedia

    en.wikipedia.org   (2020-12-18)

    tags: semiconductors

    This is a list of semiconductor fabrication plants. A semiconductor fabrication plant is where integrated circuits (ICs), also known as microchips, are manufactured. They are either operated by Integrated Device Manufacturers (IDMs) that design and manufacture ICs in-house and may also manufacture designs from design-only (fabless firms), or by pure play foundries that manufacture designs from fabless companies and do not design their own ICs. Some pure play foundries like TSMC offer IC design services, and others, like Samsung, design and manufacture ICs for customers, while also designing, manufacturing and selling their own ICs.

    What Is RF Integrated Circuit Design?

    www.allaboutcircuits.com   (2020-12-10)

    tags: semiconductors

    Learn the high-level steps behind RFIC design.

    Re-Architecting SerDes

    semiengineering.com   (2020-12-10)

    tags: semiconductors

    As implementations evolve to stay relevant, a new technology threatens to overtake SerDes.

    What Designers Need to Know About Error Correction Code (...

    semiengineering.com   (2020-12-10)

    tags: error-correction, semiconductor-memory, semiconductors

    How side-band, inline, on-die, and link error correcting schemes work and the applications to which they are best suited.

    Netlist CDC. Why You Need it and How You do it. - Semiwiki

    semiwiki.com   (2020-12-10)

    tags: semiconductors

    The most obvious question here is “why do I need…

    Quick Error Detection. Innovation in Verification - Semiwiki

    semiwiki.com   (2020-12-10)

    tags: semiconductors

    Can we detect bugs in post- and pre-silicon testing where…

    Introduction To Test Data Formats

    semiengineering.com   (2020-12-10)

    tags: semiconductors

    The parts that make up a complete and fully compatible STDF or ATDF file.

    Wafer Capacity by Feature Size Shows Strongest Growth at

    anysilicon.com   (2020-12-01)

    tags: semiconductors

    IC capacity for leading-edge (

    Explainer on Packaging: Interposers, Bridges and Chiplets

    www.eetimes.com   (2020-11-29)

    tags: packaging, semiconductors

    The IC industry is renewing its focus on advanced packaging. Chiplets may be the least mature option, but it is also one of the most widely promising. A conversation with Intel's Ramune Nagisetty.

    Chip-Package Co-Analysis Using Ansys RedHawk-CPA

    semiengineering.com   (2020-11-29)

    tags: semiconductors

    How an integrated chip–package co-analysis can quickly and accurately model package layout for inclusion in on-chip power integrity simulations.

    Advanced System-on-Chip Design Lecture Notes (PDFs, Free)

    iis-people.ee.ethz.ch   (2020-11-29)

    tags: semiconductors

    TSMC and Google push chipmaking boundaries with 3D 'stack...

    asia.nikkei.com   (2020-11-27)

    tags: semiconductors

    Taiwanese chip titan testing new production tech to boost computing power

    New CXL interconnect promises to move data faster, more e...

    venturebeat.com   (2020-11-22)

    tags: semiconductors

    The Computer Express Link interconnect builds on PCI Express 5.0 to enable memory coherency and low latency between host processors and accelerators.

    FinFETs Give Way to Gate-All-Around | Lam Research

    blog.lamresearch.com   (2020-11-19)

    tags: chip-design, semiconductors

    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...

    The Elmore Delay Model in VLSI Design

    www.allaboutcircuits.com   (2020-11-12)

    tags: chip-design, semiconductors

    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.

    176 Steps Closer To The Mythical All-Flash Datacenter

    www.nextplatform.com   (2020-11-11)

    tags: semiconductors

    We have nothing against disk drives. Seriously. And in fact, we are amazed at the amount of innovation that continues to go into the last

    Introduction to CMOS Image Sensors

    www.allaboutcircuits.com   (2020-11-10)

    tags: semiconductors

    In this article, you'll learn the basics of the CMOS image sensor, including its core components, its block diagram, its strengths and weaknesses, and its applications.

    New And Innovative Supply Chain Threats Emerging

    semiengineering.com   (2020-11-05)

    tags: semiconductors, supply-chain

    But so are better approaches to deal with thorny counterfeiting issues.

    Techniques to Reduce Timing Violations using Clock Tree O...

    semiwiki.com   (2020-11-03)

    tags: chip-design, semiconductors

    The semiconductor industry growth is increasing exponentially with high speed…

    Making Full Memory IP Robust During Design - Semiwiki

    semiwiki.com   (2020-11-03)

    tags: chip-design, semiconductor-memory, semiconductors

    Looking at a typical SoC design today it's likely to…

    Why Data Format Slows Chip Manufacturing Progress

    semiengineering.com   (2020-11-03)

    tags: semiconductors, testing

    Adoption of new format will take time, but it also will add consistency into data as volume grows.

    How Debuggers Work: Getting and Setting x86 Registers

    www.moritz.systems   (2020-11-03)

    tags: cpus, semiconductors

    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.

    Neural Networks Without Matrix Math

    semiengineering.com   (2020-11-03)

    tags: semiconductors

    A different approach to speeding up AI and improving efficiency.

    https://www-bloomberg-com.cdn.ampproject.org/c/s/www.bloo...

    www-bloomberg-com.cdn.ampproject.org   (2020-11-03)

    tags: semiconductors, startups

    Chip Industry: Events

    semiengineering.com   (2020-11-03)

    tags: semiconductors

    Here are the upcoming events in the semiconductor industry.

    DDR4 Makes Headway Even with DDR5 Modules on Its Heels

    www.allaboutcircuits.com   (2020-11-03)

    tags: semiconductor-memory, semiconductors

    With no definitive release date for DDR5, DDR4 is making significant strides.

    Performance analysis & tuning on modern CPU - DEV Communi...

    dev.to   (2020-11-03)

    tags: cpus, semiconductors

    They say "performance is king'... It was true a decade ago and it certainly is now. With more and mor...

    Verification Of Multi-Cycle Paths And False Paths

    semiengineering.com   (2020-11-03)

    tags: chip-design, semiconductors

    Single-clock design is not always as easy as it seems.

    What’s WAT? An Overview Of WAT/PCM Data?

    semiengineering.com   (2020-11-02)

    tags: semiconductors, testing

    More about the data that the fab makes available to the fabless customer when the wafer is ready to ship.

    100 Shielding Tips and Tricks

    www.assemblymag.com   (2020-11-02)

    tags: semiconductors

    The principle of shielding is creating a conductive layer completely surrounding the object you want to shield. This was invented by Michael Faraday and this system is known as a Faraday cage.

    LDM: My Favorite ARM Instruction

    keleshev.com   (2020-11-02)

    tags: semiconductors

    While CPUs and GPUs Work Harder in Data Centers, DPUs Wor...

    www.allaboutcircuits.com   (2020-11-02)

    tags: semiconductors

    As next-gen data centers amp up processing and speed, they're going to need processing units that can handle the heft of AI and machine learning.

    Designing and Simulating EMC Filters with LTspice

    www.allaboutcircuits.com   (2020-11-02)

    tags: semiconductors, spice

    In this article, we will review the different types of noise that are present in a circuit. We will also discuss how to perform an accurate simulation of an EMC filter with LTspice.

    https://semianalysis.com/apples-a14-packs-134-million-tra...

    semianalysis.com   (2020-11-02)

    tags: semiconductors

    An ex-ARM engineer critiques RISC-V

    gist.github.com   (2020-11-01)

    tags: cpus, semiconductors

    RISC-V.md · GitHub

    New AI Inferencing Records - IEEE Spectrum

    spectrum.ieee.org   (2020-10-31)

    tags: deep-learning, semiconductors

    Nvidia tops MLPerf records again, consortium adds benchmarks to measure mobile

    https://semianalysis.com/qualcomm-lost-the-iphone-12-mmwa...

    semianalysis.com   (2020-10-26)

    tags: semiconductors

    FreeCAD/FreeCAD: This is the official source code of Free...

    github.com   (2020-10-23)

    tags: semiconductors

    This is the official source code of FreeCAD, a free and opensource multiplatform 3D parametric modeler. - FreeCAD/FreeCAD

    Linux Developers Discussing Possible Kernel Driver for In...

    www.phoronix.com   (2020-10-23)

    tags: linux, semiconductors

    While the Intel Extreme Tuning Utility (XTU) on Windows allows for undervolting laptop processors, currently on Linux there isn't any Intel-endorsed way for undervolting your CPU should you be interested in better thermal/power efficiency and other factors

    Machine Learning Enabled High-Sigma Verification Of Memor...

    semiengineering.com   (2020-10-20)

    tags: machine-learning, semiconductors, testing

    Variation-aware memory verification with brute force Monte Carlo accuracy in much less time.

    There’s a Hole in Your SoC: Glitching the MediaTek BootROM

    research.nccgroup.com   (2020-10-20)

    tags: malware, semiconductors

    Intel Networking: Not Just A Bag Of Parts

    www.nextplatform.com   (2020-10-16)

    tags: datacenters, semiconductors

    What is the hardest job at Intel, excepting whoever is in charge of the development of chip etching processes and the foundries that implement it? We

    Marvell Technology, Inc. | Essential technology, done right

    www.inphi.com   (2020-10-08)

    tags: semiconductors

    Designed for your current needs and future ambitions, Marvell delivers the data infrastructure technology transforming tomorrow’s enterprise, cloud, automotive, and carrier architectures for the better.

    How Micron’s GDDR6X memory is the secret to unlocking 4K ...

    venturebeat.com   (2020-09-16)

    tags: gpus, semiconductor-memory, semiconductors

    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.

    Qualcomm Doubles Range of mmWave 5G to 2.36 Miles

    www.extremetech.com   (2020-09-02)

    tags: semiconductors

    Qualcomm says mmWave could get better soon, as it's completed a test that doubles the theoretical range of mmWave to 2.36 miles (3.8 kilometers).

    An Analog IC Design Book Draft

    hackaday.com   (2020-09-02)

    tags: semiconductors

    [Jean-Francois Debroux] spent 35 years designing analog ASICs. He’s started a book and while it isn’t finished — indeed he says it may never be — the 180 pages he posted on …

    2023 Interposers: TSMC Hints at 3400mm2 12x HBM in one Pa...

    www.anandtech.com   (2020-08-27)

    tags: semiconductors

    ‘Better Yield on 5nm than 7nm’: TSMC Update on Defect Rat...

    www.anandtech.com   (2020-08-25)

    tags: semiconductors

    CXMT scaling up 19nm DRAM output with better yield rates

    www.digitimes.com   (2020-08-25)

    tags: semiconductors

    China-based DRAM chipmaker ChangXin Memory Technologies (CXMT) is scaling up its 19nm chip output with better yield rates, with the monthly production likely to top 70,000 wafers by the end of 2020, according to industry sources.

    Photonics startup Lightmatter details P1, its AI optical ...

    venturebeat.com   (2020-08-17)

    tags: semiconductors

    Ahead of the Hot Chips 2020 conference this week, photonics chip startup Lightmatter detailed its forthcoming test chip accelerator hardware.

    Micron Spills on GDDR6X: PAM4 Signaling For Higher Rates,...

    www.anandtech.com   (2020-08-14)

    tags: semiconductors

    Optimizing 128-bit Division

    danlark.org   (2020-08-10)

    tags: cpus, semiconductors

    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…

    Launching the #CPUOverload Project: Testing Every x86 Des...

    www.anandtech.com   (2020-07-22)

    tags: semiconductors

    Design an Open-Source SoC with Google SkyWater PDK, Get I...

    www-cnx--software-com.cdn.ampproject.org   (2020-07-22)

    tags: semiconductors

    Tim Ansell of Google has announced the open-source SkyWater PDK, and plans to manufacture 40 open-source SoC projects for free by 2021.

    Beyond-Line-Of-Sight Troposcatter Communications Primer

    semiengineering.com   (2020-07-16)

    tags: semiconductors

    Hardware solutions that mitigate the design challenges and meet requirements of the latest tropospheric scatter applications.

    DDR5 Memory Specification Released: Setting the Stage for...

    www.anandtech.com   (2020-07-14)

    tags: semiconductors

    Wafer Capacity 2019 By Region

    anysilicon.com   (2020-07-11)

    tags: semiconductors

    In its Global Wafer Capacity 2020-2024 report, IC Insights breaks down the world’s installed monthly IC wafer capacity by geographic region (or country).  Figure 1 shows the installed IC capacity by region as of December of 2019. To clarify what the data represents, each regional number is the total installed monthly capacity of fabs located in

    Produce your own physical chips. For free. In the Open.

    fossi-foundation.org   (2020-07-09)

    tags: semiconductors

    Did you ever dream about creating your own physical chip? Do it today. For free. Fully open source.

    openhwgroup/cva6: The CORE-V CVA6 is an Application class...

    github.com   (2020-07-09)

    tags: semiconductors

    The CORE-V CVA6 is an Application class 6-stage RISC-V CPU capable of booting Linux - openhwgroup/cva6

    Open source process design kit for usage with SkyWater Fo...

    github.com   (2020-07-05)

    tags: semiconductors

    Open source process design kit for usage with SkyWater Technology Foundry's 130nm node. - google/skywater-pdk

    What’s After PAM-4?

    semiengineering.com   (2020-06-24)

    tags: semiconductors

    Second of two parts: Parallel vs. serial options

    CMOSedu.com

    cmosedu.com   (2020-06-24)

    tags: semiconductors

    How Is the Laplace Transform Used in Circuit Design?

    www.allaboutcircuits.com   (2020-06-24)

    tags: semiconductors

    In this article, we briefly review how the Laplace transform can help us solve circuits involving damped and steady-state sinusoidal signals.

    Domain-Specific Hardware Accelerators | July 2020 | Commu...

    cacm.acm.org   (2020-06-23)

    tags: semiconductors

    What Is the z-Transform?

    www.allaboutcircuits.com   (2020-06-17)

    tags: algorithms-math, semiconductors

    This Frequent Engineering Question gives a quick overview of an important mathematical technique used in digital signal processing, calculating the z-transform.

    x86 instruction listings

    en.wikipedia.org   (2020-06-02)

    tags: cpus, semiconductors

    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.

    5/3nm Wars Begin

    semiengineering.com   (2020-06-01)

    tags: semiconductors

    New transistors structures are on the horizon with new tools and processes, but there are lots of problems, too.

    Compute-In Memory Accelerators Up-End Network Design Trad...

    semiengineering.com   (2020-06-01)

    tags: semiconductors

    Compute paradigm shifting as more data needs to be processed more quickly.

    Diving Deep Into The Nvidia Ampere GPU Architecture

    www.nextplatform.com   (2020-06-01)

    tags: gpus, semiconductors

    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

    Digital Design of a Leading Zero Counter using Recursion ...

    www.linkedin.com   (2020-06-01)

    tags: semiconductors

    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.

    Open sourcing the AI Model Efficiency Toolkit

    www.qualcomm.com   (2020-05-15)

    tags: machine-learning, semiconductors

    Qualcomm open sources the AI Model Efficiency Toolkit on GitHub, providing a simple library plugin for AI developers.

    NVIDIA Ampere Unleashed: NVIDIA Announces New GPU Archite...

    www.anandtech.com   (2020-05-14)

    tags: gpus, semiconductors

    Sony’s first AI image sensor will make cameras everywhere...

    www.theverge.com   (2020-05-14)

    tags: semiconductors, vision

    More computer in your camera

    Fujitsu Begins Shipping Supercomputer Fugaku - Fujitsu Gl...

    www.fujitsu.com   (2020-05-14)

    tags: cpus, hpc, semiconductors

    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.

    BiST Vs. In-Circuit Sensors

    semiengineering.com   (2020-05-13)

    tags: semiconductors

    Hybrid solutions emerging as reliability concerns increase and coverage becomes more difficult.

    Caveat Emptor: Counterfeit Intel CPUs Are Popping Up in C...

    www.extremetech.com   (2020-04-22)

    tags: semiconductors

    There's a new wave of counterfeit Intel CPUs popping up in China, and chips like the 7700K appear especially "popular" for re-use.

    The Antenna Theory Website

    www.antenna-theory.com   (2020-04-17)

    tags: semiconductors

    An intuitive tutorial of antennas and antenna theory. This website is designed to present a comprehensive overview of antennas, from design, to measurement and theory. Unnecessarily complicated math is avoided throughout.

    Making SPICE available for everyone

    www.fierceelectronics.com   (2020-03-31)

    tags: chip-design, semiconductors

    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.

    Introduction to Image Sensor Technology, from Photons to ...

    www.allaboutcircuits.com   (2020-03-26)

    tags: semiconductors

    This article, the first in a series, discusses light-sensitive electronic devices called photodiodes and compares CCD and CMOS sensors.

    TSMC Details 5 nm

    fuse.wikichip.org   (2020-03-23)

    tags: semiconductors

    TSMC details its 5-nanometer node for mobile and HPC applications. The process features the industry's highest density transistors with a high-mobility channel and highest-density SRAM cells.

    Introduction to Ultra-Wideband (UWB) Technology

    www.allaboutcircuits.com   (2020-03-19)

    tags: semiconductors

    Learn the basics of the ultra-wideband short-range wireless protocol, a technology that can be found in cutting-edge devices.

    Getting started with the NVIDIA Jetson Nano - PyImageSearch

    www.pyimagesearch.com   (2020-03-11)

    tags: deep-learning, gpus, semiconductors

    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.

    How to Increase Slew Rate in Op Amps

    www.allaboutcircuits.com   (2020-03-09)

    tags: semiconductors

    Learn how to get faster composite op-amp dynamics by raising the slew rate.

    Undocumented CPU Behavior: Analyzing Undocumented Opcodes...

    www.cattius.com   (2020-03-09)

    tags: cpus, semiconductors

    BBVA | The digital bank of the 21st century

    www.bbvaopenmind.com   (2020-03-01)

    tags: semiconductors

    The latest banks and financial services company and industry news with expert analysis from the BBVA, Banco Bilbao Vizcaya Argentaria.

    Semiconductor Foundry Revenue Per Wafer Trends

    anysilicon.com   (2020-02-25)

    tags: semiconductors

    The success and proliferation of integrated circuits has largely hinged on the ability of IC manufacturers to continue offering more performance and functionality for the money.  Driving down the cost of ICs (on a per-function or per-performance basis) is inescapably tied to a growing arsenal of technologies and wafer-fab manufacturing disciplines as mainstream CMOS processes

    RISC-V Stumbling Blocks

    x86.lol   (2020-02-19)

    tags: semiconductors

    Recently, I’ve started to explore RISC-V. I experienced the journey as pretty refreshing, particularly because I’ve been working on x86 low-level software almost exclusively for about 10 years.

    After 36 years as a paid product, the Micro-Cap Circuit S...

    www.spectrum-soft.com   (2020-02-19)

    tags: programming, semiconductors

    Making Light More Reliable

    semiengineering.com   (2020-02-19)

    tags: optics-photonics, semiconductors

    Silicon photonics is a promising technology, but it may take a while.

    Ultimate Guide to Switch Debounce (Part 4) – EEJournal

    www.eejournal.com   (2020-02-19)

    tags: semiconductors

    Previously, as they used to say at the start of a new episode in a TV series, we discussed the history behind the use of hardware vs. software to debounce our switches. We also perused and pondered…

    De-Risking High-Speed RF Designs from Electromagnetic Cro...

    semiwiki.com   (2020-02-19)

    tags: semiconductors

    At DesignCon 2020, ANSYS sponsored a series of very high-quality…

    96-Core Processor Made of Chiplets

    spectrum.ieee.org   (2020-02-19)

    tags: cpus, semiconductors

    How 1500 bytes became the MTU of the internet

    blog.benjojo.co.uk   (2020-02-19)

    tags: semiconductors

    64 Core Threadripper 3990X CPU Review

    www.anandtech.com   (2020-02-16)

    tags: cpus, semiconductors

    groups.csail.mit.edu/commit/papers/19/ithemal-measurement...

    groups.csail.mit.edu   (2020-02-12)

    tags: programming, semiconductors

    bhive/README.md at master · ithemal/bhive

    github.com   (2020-02-12)

    tags: cpus, semiconductors

    Memory Bandwidth Napkin Math

    www.forrestthewoods.com   (2020-02-12)

    tags: semiconductors

    An exploration into C++ memory throughput performance.

    Here's Some DDR5-4800: Hands-On First Look at Next Gen DRAM

    www.anandtech.com   (2020-01-13)

    tags: semiconductor-memory, semiconductors

    OmniVision unveils 48MP image sensor for 4K video perform...

    www.digitimes.com   (2020-01-09)

    tags: semiconductors

    OmniVision Technologies has announced at CES 2020 the OV48C, a 48 megapixel (MP) image sensor with a large 1.2 micron pixel size to enable high resolution and low light performance for flagship smartphone cameras.

    The Linley Group - Tomahawk 4 Switch First to 25.6Tbps

    www.linleygroup.com   (2019-12-29)

    tags: semiconductors

    The authoritative information platform to the semiconductor industry.

    SILVACO Technical Library

    www.silvaco.com   (2019-12-23)

    tags: semiconductors

    The Silvaco Technical Library includes Application Notes, issues of the Simulation Standard Journal, Presentations, Published Papers, and Whitepapers.

    A Look at Cerebras Wafer-Scale Engine: Half Square Foot S...

    fuse.wikichip.org   (2019-12-23)

    tags: semiconductors

    A look at Cerebras Wafer-Scale Engine (WSE), a chip the size of a wafer, packing over 400K tiny AI cores using 1.2 trillion transistors on a half square foot of silicon.

    Part 1 - An Overview of AMD's GPU Architectures

    www.reddit.com   (2019-12-23)

    tags: gpus, semiconductors

    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…

    Why the Memory Subsystem is Critical in Inferencing Chips

    www.eetimes.com   (2019-12-23)

    tags: semiconductor-memory, semiconductors

    Good inferencing chips can move data very quickly

    Enhancing IO Ring Checks For Consistent, Customizable Ver...

    semiengineering.com   (2019-11-25)

    tags: semiconductors

    Making sure IO rings comply with IP and SoC design rules.

    Electromagnetic Challenges In High-Speed Designs

    semiengineering.com   (2019-11-25)

    tags: circuits-electronics, semiconductors

    Runaway complexity is making it more difficult and critical to deal with signal integrity in a system context.

    It’s a Cascade of 14nm CPUs: AnandTech’s Intel Core i9-10...

    www.anandtech.com   (2019-11-25)

    tags: cpus, semiconductors

    Intel 10th Gen Comet Lake CPU Family Leaks With 10-Core, ...

    hothardware.com   (2019-11-04)

    tags: cpus, semiconductors

    Recent leaks may shed some light on Intel's upcoming mainstream desktop Comet Lake-S CPUs.

    What’s The Best Advanced Packaging Option?

    semiengineering.com   (2019-10-31)

    tags: semiconductors

    A dizzying array of choices and options pave the way for the next phase of scaling.

    Intel Tremont CPU Microarchitecture: Power Efficient, Hig...

    hothardware.com   (2019-10-26)

    tags: cpus, semiconductors

    Intel's Tremont CPU microarchitecture will be the foundation of a next-generation, low-power processors that target a wide variety of products across

    Intel's new Atom Microarchitecture: The Tremont Core in L...

    www.anandtech.com   (2019-10-26)

    tags: cpus, semiconductors

    Building An MRAM Array

    semiengineering.com   (2019-10-17)

    tags: semiconductor-memory, semiconductors

    Why MRAM is so attractive.

    New chips for machine intelligence

    www.jameswhanlon.com   (2019-10-07)

    tags: semiconductors

    CMOS Circuit Design, Layout, and Simulation

    cmosedu.com   (2019-08-29)

    tags: chip-design, semiconductors

    AI Inference Memory System Tradeoffs

    semiengineering.com   (2019-08-29)

    tags: semiconductors

    TOPS isn't all you need to know about an inference chip.

    RISC-V from scratch 2: Hardware layouts, linker scripts, ...

    twilco.github.io   (2019-08-28)

    tags: cpus, riscv, semiconductors

    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.

    Manufacturing memory means scribing silicon in a sea of s...

    arstechnica.com   (2019-08-12)

    tags: semiconductor-memory, semiconductors

    “Industry 4.0” is already here for some companies—especially silicon foundries.

    TSMC Talks 7nm, 5nm, Yield, And Next-Gen 5G And HPC Packa...

    fuse.wikichip.org   (2019-08-05)

    tags: semiconductors

    An update on TSMC current and forthcoming logic process nodes as well as their next-generation advanced packaging technologies.

    First Programmable Memristor Computer

    spectrum.ieee.org   (2019-08-05)

    tags: semiconductors

    Michigan team builds memristors atop standard CMOS logic to demo a system that can do a variety of edge computing AI tasks

    In Memory And Near-Memory Compute

    semiengineering.com   (2019-07-25)

    tags: semiconductor-memory, semiconductors

    How much power is spent storing and moving data.

    Startup Runs AI in Novel SRAM

    www.eetimes.com   (2019-07-22)

    tags: semiconductors

    Areanna claims that a custom SRAM delivers 100 TOPS/W on deep learning, but it’s early days for the startup.

    About Us - AnySilicon

    anysilicon.com   (2019-07-10)

    tags: semiconductors

    “The Google of the Semiconductor Industry”   Founded in 2011, AnySilicon is the best way to explore, find and contact semiconductor service providers and IP vendors online.   Our vision is to be the first place ASIC engineers and decision makers go to search for semiconductor service providers and IP core vendors. In addition to

    Avoiding Instruction Cache Misses

    pdziepak.github.io   (2019-06-24)

    tags: cpus, semiconductors

    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.

    RAMBleed

    rambleed.com   (2019-06-12)

    tags: semiconductor-memory, semiconductors

    Lightelligence releases prototype of its optical AI accel...

    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.

    Memory Architectures In AI: One Size Doesn't Fit All

    semiengineering.com   (2019-04-04)

    tags: semiconductor-memory, semiconductors

    Comparing different machine learning use-cases and the architectures being used to address them.

    Startup Sheds Some Light On Optical Processing

    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

    Arrow Electronics API | ProgrammableWeb

    www.programmableweb.com   (2019-03-11)

    tags: semiconductors

    http://developers.arrow.com/api/

    developers.arrow.com   (2019-03-11)

    tags: apis, circuits-electronics, semiconductors

    API Solutions | DigiKey

    www.digikey.com   (2019-03-11)

    tags: apis, circuits-electronics, semiconductors

    DigiKey offers a complete set of APIs to share information and automate the ordering process.

    PrincetonUniversity/accelerator-wall: Repository for the ...

    github.com   (2019-02-12)

    tags: cpus, semiconductors

    Repository for the tools and non-commercial data used for the "Accelerator wall" paper. - PrincetonUniversity/accelerator-wall

    A MEMS Device Harvests Vibrations to Power the IoT

    spectrum.ieee.org   (2019-02-10)

    tags: semiconductors

    Scientists in Japan have developed a MEMS energy harvester charged by an off-chip electret

    Use Inference Benchmarks Similar To Your Application

    semiengineering.com   (2019-02-07)

    tags: semiconductors

    How the wrong benchmark can lead to incorrect conclusions.

    Introduction to Supercapacitors

    www.allaboutcircuits.com   (2019-01-30)

    tags: circuits-electronics, semiconductors

    Get a primer on the basics of supercapacitors, their functionality, and which applications they're best for.

    Benchmarking Amazon's ARM Graviton CPU With EC2's A1 Inst...

    www.phoronix.com   (2019-01-30)

    tags: cpus, semiconductors

    Monday night Amazon announced the new 'A1' instance type for the Elastic Compute Cloud (EC2) that is powered by their own 'Graviton' ARMv8 processors.

    ARM is the NNSA’s New Secret Weapon

    www.nextplatform.com   (2019-01-30)

    tags: cpus, semiconductors

    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

    Five Rules For Correlating Rule-based And Field Solver Pa...

    semiengineering.com   (2018-12-22)

    tags: chip-design, circuits-electronics, semiconductors

    Accurately determine parasitic effects with the proper set up of two different methods.

    Right product, right time, right location: Quantifying th...

    www.mckinsey.com   (2018-12-21)

    tags: semiconductors, supply-chain

    A new metric can help companies pinpoint performance issues on the semiconductor supply chain.

    Emerging Memories Today: Understanding Bit Selectors - Th...

    thememoryguy.com   (2018-11-28)

    tags: semiconductor-memory, semiconductors

    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

    Why Chips Die

    semiengineering.com   (2018-11-26)

    tags: semiconductors

    Why Chips Die Semiconductor devices face many hazards before and after manufacturing that can cause them to fail prematurely.

    Major Pure-Play Foundries Revenue Per Wafer 2017-2018

    anysilicon.com   (2018-10-14)

    tags: semiconductors

    The average revenue generated from processed wafers among the four biggest pure-play foundries (TSMC, GlobalFoundries, UMC, and SMIC) is expected to be $1,138 in 2018, when expressed in 200mm-equivalent wafers, which is essentially flat from $1,136 in 2017, according to a new analysis by IC Insights (Figure 1).  The average revenue per wafer among the

    Process Corner Explosion

    semiengineering.com   (2018-09-15)

    tags: chip-design, semiconductors

    Process Corner Explosion, At 7nm and below, modeling what will actually show up in silicon is a lot more complicated.

    Minimizing Chip Aging Effects

    semiengineering.com   (2018-09-15)

    tags: semiconductors

    Understanding aging factors within a design can help reduce the likelihood of product failures.

    Processing In Memory

    semiengineering.com   (2018-09-06)

    tags: semiconductor-memory, semiconductors

    Processing In Memory Growing volume of data and limited improvements in performance create new opportunities for approaches that never got off the ground.

    Worldwide Location of Wafer Fabs – Interactive Map

    anysilicon.com   (2018-09-05)

    tags: semiconductors

    Wafer fabs are the backbone of every electronic product. Every chip consists of a piece of silicon that is produced in a wafer fab. Wafer fabs play a key role in the customer, medical and automotive markets because the are they enabler of innovative technologies.   There are many wafer fabs globally and they have

    An Intro to Integer Programming for Engineers: Simplified...

    blog.remix.com   (2018-06-08)

    tags: semiconductors

    Explore what’s new, what’s next, and what should be on your radar in the world of transportation. Our insights are supported by real-world data from our partners across the globe.

    Electronic Parts by Category - Octopart

    octopart.com   (2018-06-04)

    tags: circuits-electronics, semiconductors

    Overclocked Micron GDDR6 Memory Can Hit 20Gbps Speeds For...

    hothardware.com   (2018-06-04)

    tags: semiconductor-memory, semiconductors

    Micron notes that GDDR6 has silicon changes, channel enhancements, and talks a bit about performance measurements of the new memory.

    Cambricon, Makers of Huawei's Kirin NPU IP, Build A Big A...

    www.anandtech.com   (2018-05-27)

    tags: deep-learning, semiconductors

    Alchip Minimizes Dynamic Power For High-Performance Compu...

    semiengineering.com   (2018-05-12)

    tags: semiconductors

    Alchip Minimizes Dynamic Power for High-Performance Computing ASICs How a fabless chipmaker successfully reduced power consumption within its fishbone clock tree methodology.

    Tearing Apart Google’s TPU 3.0 AI Coprocessor

    www-nextplatform-com.cdn.ampproject.org   (2018-05-12)

    tags: deep-learning, semiconductors

    Google did its best to impress this week at its annual IO conference. While Google rolled out a bunch of benchmarks that were run on its current Cloud TPU

    Google Announces 8x Faster TPU 3.0 For AI, Machine Learni...

    www.extremetech.com   (2018-05-10)

    tags: deep-learning, semiconductors

    Google's new TPUs are here -- and they're quite a bit faster than last year's model.

    gplEDA Homepage

    www.gpleda.org   (2018-05-06)

    tags: chip-design, semiconductors

    How Does Xilinx Use Its Logic Fabric to Implement Efficie...

    www.allaboutcircuits.com   (2018-05-03)

    tags: fpgas, semiconductors

    This article will review the structure of the binary multipliers that use the look-up tables (LUTs) in the Xilinx logic fabric.

    Comparing Low Power Wireless Technologies (Part 3) | DigiKey

    www.digikey.com   (2018-03-27)

    tags: circuits-electronics, semiconductors

    Low power wireless technologies are adapting to the Internet of Things by including IP connectivity and mesh networking.

    Comparing Low-Power Wireless Technologies (Part 1) | DigiKey

    www.digikey.com   (2018-03-27)

    tags: circuits-electronics, semiconductors

    The multitude of short-range wireless technologies provides engineers with optimized solutions for their applications, but makes careful selection paramount.

    To Speed Up AI, Mix Memory and Processing

    spectrum.ieee.org   (2018-03-26)

    tags: semiconductor-memory, semiconductors

    New computing architectures aim to extend artificial intelligence from the cloud to smartphones

    Imperfect Silicon, Near-Perfect Security

    semiengineering.com   (2018-02-07)

    tags: crypto, semiconductors

    Imperfect Silicon, Near-Perfect Security Physically unclonable functions (PUF) seem tailor-made for IoT security.

    accucell_cell_char_intro.ppt - cell_char_intro_090508.pdf

    www.silvaco.com   (2018-02-02)

    tags: chip-design, semiconductors

    CPU DB - Looking At 40 Years of Processor Improvements | ...

    cpudb.stanford.edu   (2018-01-24)

    tags: cpus, semiconductors

    FlipChip Package Overview

    anysilicon.com   (2017-11-27)

    tags: packaging, semiconductors

    If you were uncertain about the term “FlipChip” this tutorial will help you better understand what FlipChip packaging technology is all about.   FlipChip package technology has been around for 3-4 decades and started as a package solution for high pin count & high performance package requirements. At the beginning, the majority of FlipChip

    Ultrafast magnetic reversal points the way toward speedy,...

    news.berkeley.edu   (2017-11-07)

    tags: semiconductors

    Breakthrough that could lead to greatly increased performance and more energy-efficient computer memory and processing technologies

    Memristor-Driven Analog Compute Engine Would Use Chaos to...

    spectrum.ieee.org   (2017-10-18)

    tags: semiconductors

    With Mott memristors, a system could solve intractable problems using little power

    Comparing NLDM And CCS delay models - Paripath - improvin...

    www.paripath.com   (2017-10-18)

    tags: chip-design, semiconductors

    Post date: Sep 19, 2014 10:01:08 PM

    Semiconductor Engineering .:. Making Waves In Deep Learning

    semiengineering.com   (2016-10-12)

    tags: deep-learning, gpus, semiconductors

    Making Waves in Deep Learning How deep learning applications will map onto a chip.

    Memory is the Next Platform

    www.nextplatform.com   (2016-10-10)

    tags: gpus, semiconductors

    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

    Topology Makes On-Chip Terahertz Beamforming a Reality

    spectrum.ieee.org   (2015-08-24)

    tags: antennas, semiconductors

    The achievement could open a new swath of spectrum for wireless networks

    Intel Core Ultra 200 “Arrow Lake” Desktop CPU Specs Leak:...

    wccftech.com   (2013-09-24)

    tags: cpus, semiconductors

    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.

    TSMC and NVIDIA Transform Semiconductor Manufacturing Wit...

    blogs.nvidia.com   (2012-10-24)

    tags: semiconductors, lithography

    TSMC is moving to production with the NVIDIA cuLitho computational lithography platform to accelerate manufacturing of advanced semiconductor chips.

    Clash of the Foundries: Gate All Around + Backside Power ...

    open.substack.com   (2002-10-24)

    tags: semiconductors, foundries, chip-design

    Fab Cost, WFE Implications, Backside Power Details

    Chip that steers terahertz beams sets stage for ultrafast...

    thenextweb.com   (2001-10-24)

    tags: antennas, semiconductors

    Breakthrough technology could help usher in 6G speed internet. Here's how it works and what it could mean for businesses.


    -->
    ui-ux (all)
    categories:
    tags: ui-ux 
    date: 28 Mar 2025
    slug:raindrop-uiux-all
    webdesignerdepot.com   (2025-02-17)

    tags: ui-ux, addiction, stickiness

    OnlyFans leverages a meticulously crafted UX to create a powerful sense of intimacy and exclusivity, captivating users while sparking ethical debates about manipulation and exploitation.

    SWOT Analysis

    www.nngroup.com   (2025-02-07)

    tags: analytics, ui-ux

    A SWOT analysis helps teams understand how well a product, service, or organization is positioned in the market to serve its customers.

    Why UX is more important than UI

    thoughtbot.com   (2024-12-31)

    tags: ui-ux, design

    “I want to make it pop!”, but not at the expense of your customer experience. Here’s why.

    Top 10 Study Guides and Glossaries: 2024 Edition

    www.nngroup.com   (2024-12-28)

    tags: ui-ux

    Study guides and glossaries that were most popular in 2024

    Testing Visual Design: A Comprehensive Guide

    www.nngroup.com   (2024-12-13)

    tags: ui-ux, design-patterns, analytics

    Use methods like 5-second testing, first-click testing, and preference testing to gain insights into how users perceive your visual design.

    Top 10 UX Articles of 2024

    www.nngroup.com   (2024-12-13)

    tags: ui-ux

    These 10 user-experience articles published in 2024 were those that our audience read the most.

    The secret tricks hidden inside restaurant menus

    www.bbc.com   (2024-12-02)

    tags: food-drink, ui-ux, menus

    Great thought and effort go into creating restaurant menus – and there are some very powerful psychological tricks employed to make you choose.

    Product & UX Glossary

    www.nngroup.com   (2024-10-25)

    tags: ui-ux, prodmgmt, glossaries

    Use this glossary to quickly clarify key terms and concepts related to product management and UX.

    How To Manage Dangerous Actions In User Interfaces

    smashingmagazine.com   (2024-10-19)

    tags: ui-ux

    One of the main laws that applies to almost everything in our lives, including building digital products, is Murphy’s Law: “Anything that can go wrong will go wrong.” Our goal is to prevent things from going wrong and, if they do, mitigate the consequences. In this article, Victor Ponamarev explores different strategies for preventing users from making mistakes.

    Reverse Engineering TicketMaster's Rotating Barcodes (Saf...

    conduition.io   (2024-07-09)

    tags: tickets, ui-ux

    "Screenshots won't get you in", but Chrome DevTools will.

    Why toggle switches suck (and what to do instead)

    adamsilver.io   (2024-07-03)

    tags: ui-ux

    Adam Silver – interaction designer - London, UK

    Card Sorting: Pushing Users Beyond Terminology Matches

    www.nngroup.com   (2024-06-16)

    tags: cards, ui-ux

    Labels in a card sorting study must be neutral to prevent keyword matching and encourage careful, conceptual groupings from users.

    Decent Patterns

    decentpatterns.com   (2024-06-11)

    tags: ui-ux, visualization

    Decent Patterns is a collective effort to further the adoption of decentralized technologies by providing open tooling and resources for the community.

      The power of beauty in communicating complex ideas

    www.doc.cc   (2024-06-11)

    tags: beauty, ui-ux, visualization

    Can designers defend pursuing beauty when communicating science or innovation?

    Visual Hash | Decent Patterns

    decentpatterns.com   (2024-06-11)

    tags: ui-ux, visualization

    Decent Patterns is a collective effort to further the adoption of decentralized technologies by providing open tooling and resources for the community.

    What is visual hierarchy, and why do you need it?

    www.noupe.com   (2024-05-30)

    tags: ui-ux

    Crowded and hard-to-navigate designs are two of the biggest reasons users leave a website. When users quickly leave, engaging them and boosting

    UI Density

    matthewstrom.com   (2024-05-23)

    tags: ui-ux

    I speak and write about design, front-end code, leadership, and (occasionally) math.

    Hidden vs. Disabled In UX

    smashingmagazine.com   (2024-05-21)

    tags: ui-ux

    Should you hide or disable a feature? You’ve probably been there before. Here are some considerations for hiding versus disabling, along with possible alternatives to improve UX. An upcoming part of [Smart Interface Design Patterns](https://smart-interface-design-patterns.com).

    Complicated Sticks

    fasterandworse.com   (2024-05-20)

    tags: design, ui-ux

    Potential in place of purpose is what separates an iPad from an iPod, blockchains from databases, and generative AI from text editors. The more complex the product, the more potential it has to have potential. The more it can distract from it's own lack of usefulness.

    7 Tips for Memorable and Easy-to-Understand Imagery

    www.nngroup.com   (2024-05-04)

    tags: advertising-commercials, images, ui-ux

    A few relevant, high-quality visuals placed next to associated text can boost users’ comprehension of your content and its memorability.

    13 Website Usability Testing Tools

    www.practicalecommerce.com   (2024-04-30)

    tags: ui-ux

    For merchants, elevating a site's user experience means more conversions. Usability testing platforms can identify pain points, collect feedback, more.

    Affinity Diagramming for Collaboratively Sorting UX Findi...

    www.nngroup.com   (2024-04-29)

    tags: affinity, ui-ux

    Use affinity diagramming to cluster and organize research findings or to sort design ideas in ideation workshops.

    F-Shape Pattern And How Users Read

    smashingmagazine.com   (2024-04-23)

    tags: reading, ui-ux

    Scrolling, scanning, skipping: How do users consume content online? Here’s what you need to know about reading behavior and design strategies to prevent harmful scanning patterns. An upcoming part of Smart Interface Design Patterns.

    3 Types of Online Calculator and Quiz Tools

    www.nngroup.com   (2024-04-14)

    tags: ui-ux

    Most calculator and quiz tools provide at least one or more of the following services: converting inputs, predicting the future, or providing recommendations.

    Responsive Images – The Definitive Guide

    www.uxpin.com   (2024-04-11)

    tags: images, ui-ux

    A practical guide to responsive image best practices. By a responsive designer with 20+ years web experience.

    Examples of Prototypes – From Low-Fidelity to High-Fideli...

    www.uxpin.com   (2024-04-05)

    tags: ui-ux, wireframes

    Let's go through 6 carefully-picked prototype examples and learn about the difference between low and high fidelity prototypes.

    My favourite animation trick: exponential smoothing

    lisyarus.github.io   (2024-03-09)

    tags: animation, ui-ux, visualization

    24 Eye-catching HTML CSS Chat Box Designs to Enhance Your...

    morioh.com   (2024-03-03)

    tags: ui-ux, css

    Elevate your website's user experience and engagement with 24 captivating HTML CSS chat box designs. From sleek and modern to fun and whimsical, there's a design to match every website's style and tone.

    Modern CSS Tooltips And Speech Bubbles (Part 1)

    www.smashingmagazine.com   (2024-03-01)

    tags: css, ui-ux

    Tooltips are a very common pattern used in CSS for years. There are a lot of ways to approach tooltips in CSS, though some evoke headaches with all the magic numbers they require. In this article, Temani Afif presents modern techniques to create tooltips with the smallest amount of markup and the greatest amount of flexibility.

    Mental Models

    www.nngroup.com   (2024-02-29)

    tags: mental-models, ui-ux

    What users believe they know about a user interface impacts how they use it. Mismatched mental models are common, especially with designs that try something new.

    Spatial Computing: A New Paradigm of Interaction

    www.uxmatters.com   (2024-02-29)

    tags: spatial, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Card Sorting vs. Tree Testing

    www.nngroup.com   (2024-02-29)

    tags: ui-ux

    Card sort studies help shape information architectures; tree-testing studies evaluate them.

    Hotwire Modals in Ruby on Rails with Stimulus and Turbo F...

    blog.appsignal.com   (2024-02-23)

    tags: html, javascript, rubyonrails, ui-ux

    In the first part of our series, we'll explore two Hotwire methods to make modals accessible in your Rails application.

    Card Sorting: Uncover Users' Mental Models for Better Inf...

    www.nngroup.com   (2024-02-19)

    tags: ui-ux

    In a card-sorting study, users organize topics into groups. Use this research method to create an information architecture that suits your users' expectations.

    Visual Hierarchy: Making User Experiences Easier to Under...

    www.uxmatters.com   (2024-02-11)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Get started with official documentation and guides · Sketch

    www.sketch.com   (2024-02-11)

    tags: ui-ux

    Learn how to design, prototype and collaborate with the official documentation for Sketch. Get started in UI/UX/app/web design here.

    Complex Approvals – How to Design an App to Streamline Ap...

    www.uxpin.com   (2024-02-11)

    tags: ui-ux

    Read our guide on designing an app for streamlining complex approval processes. Discover UX rules, UI tips, and more.

    Best App Landing Page Examples and Why They Work

    www.uxpin.com   (2024-02-10)

    tags: landing-pages, ui-ux

    Discover best App Landing Page Examples and find out what makes them work. The tips include UI, UX, and copy advise to steal.

    Memory Recognition and Recall in User Interfaces

    www.nngroup.com   (2024-01-17)

    tags: memory-recall, ui-ux, vision

    Recalling items from scratch is harder than recognizing the correct option in a list of choices because the extra context helps users retrieve information from memory.

    Psychology for UX: Study Guide

    www.nngroup.com   (2024-01-17)

    tags: behaviors, emotions, prodmgmt, ui-ux

    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.

    A Periodic Table of Visualization Methods

    www.visual-literacy.org   (2024-01-17)

    tags: ui-ux, visualization

    UI Design Daily

    www.uidesigndaily.com   (2024-01-07)

    tags: ui-ux

    A large database of 100% free UI components and design source files available in formats popular in the industry.

    The invisible problem – Scott Jenson

    jenson.org   (2023-09-27)

    tags: mobile, ui-ux

    7 reasons to replace advanced search with filters so user...

    adamsilver.io   (2023-08-27)

    tags: search, ui-ux

    Adam Silver – interaction designer - London, UK

    ✨? An Eye-Catching Card with a nice Hover Effect using HT...

    dev.to   (2023-08-15)

    tags: css, ui-ux

    A post by Smit Prajapati

    8 Ways to Emotionally Reward Your Users | Web Designer Depot

    www.webdesignerdepot.com   (2023-08-07)

    tags: ui-ux, emotions

    They made this digital faux-Montana delightful enough that I don’t want to leave. But hey, you can use these powers for good.Anyway, my point is that people want payoff for the effort they put into things, and that includes the websites they browse. But you can build emotional rewards into just…

    Design of complex tables

    bootcamp.uxdesign.cc   (2023-07-22)

    tags: ui-ux, html

    Virtual Queues: 13 Best Practices for Managing the Wait

    www.nngroup.com   (2023-07-13)

    tags: ui-ux

    Many journeys include touchpoints where users must wait in line, whether for a physical or online interaction. Well-designed virtual queues help manage the wait to free up users to do other things.

    Quantitative UX: Glossary

    www.nngroup.com   (2023-07-02)

    tags: ui-ux

    Use this glossary to quickly clarify key terms and concepts related to quantitative user studies.

    ​​Advanced Search UX Done Right — Powerful Examples and Tips

    www.uxpin.com   (2023-06-30)

    tags: search, ui-ux

    Learn about designing advanced search features. Explore key elements of search UI and build a user-friendly search input.

    8 Tips for Shaping Product Aesthetics with UI Mood Boards

    www.uxpin.com   (2023-06-10)

    tags: ui-ux, design

    Discover what UI moodboards are and learn how they can help you perfect product aesthetics. Get our do's and dont's of UI mood board.

    From Netflix to HBO, the terrible design of streaming is ...

    www.fastcompany.com   (2023-05-18)

    tags: movies-television, streaming, ui-ux

    Why in 2023 is streaming TV such a terrible experience?

    Give it the Craigslist test — Erica Heinz

    ericaheinz.com   (2023-05-07)

    tags: ui-ux

    All the AI design hype got me twitching enough to write about the business risks of working so high-fidelity so fast.

    Why Chatbots Are Not the Future of Interfaces

    wattenberger.com   (2023-05-02)

    tags: chatbots, ui-ux

    Discoverability in UX and UI Design — 9 Techniques to Try

    www.uxpin.com   (2023-04-13)

    tags: discovery, search, ui-ux

    Try those 9 techniques and improve discoverability in your product. Make your users happy and create a smooth ux for them.

    Lean UX & Agile Glossary

    www.nngroup.com   (2023-04-08)

    tags: agile, ui-ux

    Unsure of what a word means and how it applies to UX in-practice? Use this glossary to quickly clarify key terms and Agile concepts.

    What Is the Optimal Pattern of a Customer Journey?

    hbr.org   (2023-03-31)

    tags: ui-ux

    Even though customer experience (CX) leaders are becoming increasingly focused on optimizing their firms’ customer journeys, they face a clear challenge: Which touchpoints along the journey should they invest in? That is, which moments when the customer interacts with their brand are most impactful to the customer’s overall experience? One way to think of customer journeys is as continuous patterns of mental experiences traced over time. Thinking of customer journeys as patterns raises a new set of productive questions, such as: Which patterns are most successful? And what features of those patterns lead to success? Some have argued that the best patterns are smooth and frictionless, while others have made the case for patterns that fluctuate, given that they are likely to be more eventful and stimulating. This article covers research and data on which patterns are most effective, and where CX managers should be investing their limited resources for the best possible customer experience outcomes.

    Dark Patterns in UX Design — Which Ones Are the Most Dece...

    www.uxpin.com   (2023-03-28)

    tags: deceit-deception, ui-ux

    Learn about dark patterns and ways of spotting them, no matter the type of the pattern apply. We will shed the light for you.

    8 Amazing Metallic Effects Built With CSS and JavaScript

    speckyboy.com   (2023-03-26)

    tags: css, ui-ux

    Create realistic metallic effects with these CSS and JavaScript code snippets. Create metallic text, buttons, backgrounds, and more.

    Juice

    garden.bradwoods.io   (2023-03-24)

    tags: ui-ux

    Notes about creative coding on the Web.

    Avoiding 3 Common Pitfalls of Affinity Diagramming

    www.nngroup.com   (2023-03-19)

    tags: affinity, ui-ux

    Inexperienced facilitation in affinity diagramming workshops can lead to groupings that do not serve the team goals or misrepresent underlying issues.

    Say Goodbye to Boring Dropdowns: Create Custom Dropdown M...

    dev.to   (2023-03-19)

    tags: css, ui-ux

    Creating a website is no small feat. It requires careful planning, strategic design, and thoughtful...

    mathesar-foundation/mathesar: Web application providing a...

    github.com   (2023-03-16)

    tags: postgres, ui-ux

    Web application providing an intuitive user experience to databases. - mathesar-foundation/mathesar

    As a user, I don’t want to

    uxdesign.cc   (2023-03-14)

    tags: ui-ux

    Task-oriented user stories mix up customer value with cost. But they are easy to turn into a tool for thinking bigger.

    What is Progressive Disclosure? Show & Hide the Right Inf...

    www.uxpin.com   (2023-03-13)

    tags: ui-ux

    When is the right time to disclose information? How much of it should you disclose? Let's explore progressive disclosure, a UX technique.

    The Anatomy of a Good Design: An Analysis of 4 Sites

    www.nngroup.com   (2023-03-05)

    tags: design-patterns, ui-ux, best-practices

    Visually pleasing designs use consistent type styles and spacing, create a visual hierarchy, and utilize an underlying grid structure.

    25 Fantastic Tutorials For Learning Figma

    speckyboy.com   (2023-02-24)

    tags: figma, ui-ux

    From UI basics to more advanced techniques, with the help of these tutorials, you'll be able to learn and master Figma in no time.

    9 Ways to Grow Repeat Buyers

    www.practicalecommerce.com   (2023-02-22)

    tags: ecommerce, ui-ux

    Repeat customers are the lifeblood of successful ecommerce stores. Here are helpful tips for encouraging buyers for the long term.

    6 Storybook Tutorials for Product Development Teams

    www.uxpin.com   (2023-02-22)

    tags: ui-ux

    Learn about Storybook and how it streamlines product development. Check the most popular tutorials on Storybook.

    Articles — Smashing Magazine

    www.smashingmagazine.com   (2023-02-22)

    tags: browsers, css, html, svg, ui-ux

    Smashing Magazine — front-end, UX and design for front-end engineers and designers

    When to Use Empathy Maps: 3 Options

    www.nngroup.com   (2023-02-15)

    tags: empathy, ui-ux

    Empathy maps are a powerful, flexible tool that can be used to plan for future research studies, capture insights during current user research, and communicate research insights from research that has already been conducted to others.

    76 CSS Cards

    freefrontend.com   (2023-02-15)

    tags: css, ui-ux, webdev

    Welcome to our collection of CSS cards! In this comprehensive compilation, we have gathered a wide range of free HTML and CSS card code examples from various reputable sources, including CodePen, GitHub, and other valuable resources.

    Shopping for Apparel in an Online World: UI/UX Design for...

    www.toptal.com   (2023-02-10)

    tags: clothes, ecommerce, machine-vision, ui-ux

    How AR and VR are reshaping apparel e-commerce.

    Visual design rules you can safely follow every time

    anthonyhobday.com   (2023-02-07)

    tags: css, design, ui-ux, webdev

    10 Essential Design System Components

    www.uxpin.com   (2023-01-24)

    tags: design-patterns, ui-ux, webdev

    Learn about design system components. Deepen your knowledge of atomic design and see how you can use it for product design. Enjoy!

    7 Principles of Design Psychology Every UX Designer Shoul...

    www.uxmatters.com   (2023-01-09)

    tags: design-patterns, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    An Ultimate Guide On Sizing, Spacing, Grids And Layout In...

    www.smashingmagazine.com   (2022-12-30)

    tags: html, ui-ux, webdev

    A grid is like invisible glue that holds a design together. Even when elements are physically separated from each other, something invisible connects them together. Grids help designers to build better products by tying different design elements together to achieve effective hierarchy, alignment and consistency, with little effort. If executed properly, your designs will appear thoughtful and organized. In this article Nick Babich aims to give you a good understanding of grid systems, what they are, and how they can be applied to your design process. Understanding how to use grids will come from practical experience.

    How to design almost any UI element (list of ~58 articles...

    dev.to   (2022-12-23)

    tags: design-patterns, ui-ux, webdev

    Buttons. 7 Basic Rules for Button Design by @101babich Button Design Cheatsheet for...

    Why vinyl records survive in the digital age | Ars Technica

    arstechnica.com   (2022-12-21)

    tags: behaviors, music, ui-ux

    Don’t underestimate ritual and tactility.

    9 UX Learnings From the World's Best Ecommerce Site

    dev.to   (2022-12-18)

    tags: ecommerce, ui-ux

    Ecommerce websites require great user experience (UX) to achieve the reason for which they’re...

    9 Best Ecommerce UX Practices From the World's Best Ecomm...

    medusajs.com   (2022-12-17)

    tags: best-practices, ecommerce, ui-ux

    Discover the 9 best ecommerce UX practices from the world's top B2B ecommerce sites that made the top of HackerNews as the best ecommerce site.

    Top UX Design Tools to Try in 2023

    www.uxpin.com   (2022-12-13)

    tags: programming, ui-ux

    Check out the list of top UX design tools that will make you design a stellar user experience. Learn what you can expect from each tool.

    UX Mapping Methods: Visual-Design Guide

    www.nngroup.com   (2022-12-09)

    tags: ui-ux

    Visual-design principles can be applied consistently throughout the process of creating a polished UX map. Start by choosing a tool, then create a visual system, establish the basic layout, and finally add content and make adjustments.

    The Uses of Friction

    www.thediff.co   (2022-12-06)

    tags: friction-traction, prodmgmt, ui-ux

    Plus! Market-Making; Poaching and Equity Currency; China's Covid Economy; The Cost of AI; Friendshoring; Diff Jobs

    5 CSS Card Design Ideas!

    dev.to   (2022-11-30)

    tags: cards, css, ui-ux

    Disclaimer: There is a video version of this tutorial, watch it here Here are 5 card designs, with...

    Why and How to Use Demographics in UX

    www.nngroup.com   (2022-11-27)

    tags: personas, ui-ux

    Well-designed questions related to age, gender, race, income and other demographic characteristics help UX researchers screen participants, recruit a diverse participant pool, and segment data. These questions are sensitive and should put research participants at ease.

    Three Pillars of User Delight

    www.nngroup.com   (2022-11-27)

    tags: ui-ux

    Delight can be experienced at the visceral, behavioral, and reflective levels. A great design achieves all three of these levels and is best evaluated with specific research methods.

    The Data Cards Playbook: A Toolkit for Transparency in Da...

    ai.googleblog.com   (2022-11-21)

    tags: datasets, ui-ux, visualization

    Posted by Mahima Pushkarna, Senior Interaction Designer, and Andrew Zaldivar, Senior Developer Relations Engineer, Google Research As machine learn...

    Content Strategy 101

    www.nngroup.com   (2022-11-14)

    tags: blogging, marketing, ui-ux

    A content strategy is a high-level plan that guides the intentional creation and maintenance of information in a digital product.

    Hostile Patterns in Error Messages

    www.nngroup.com   (2022-11-06)

    tags: design-patterns, ui-ux

    Premature error messages, aggressively styled fields, and unnecessarily disruptive system-status messages feel bad-mannered and increase cognitive load for users during otherwise simple tasks.

    A Design Language for Touch, Gesture, and Motion :: UXmat...

    www.uxmatters.com   (2022-11-05)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Pokemon Cards Holo effect v2

    codepen.io   (2022-10-27)

    tags: cards, css, ui-ux

    The Playful Power of Card Design UI

    www.uxpin.com   (2022-10-20)

    tags: cards, design, ui-ux

    Learn the pros/cons and best practices for card design UI, a popular interface design elements. Plenty of examples included, so dive in!

    Personas: Study Guide

    www.nngroup.com   (2022-10-09)

    tags: personas, ui-ux

    Unsure where to start? Use this collection of links to our articles and videos to learn about personas and how to create and apply them.

    Sanding UI

    blog.jim-nielsen.com   (2022-09-24)

    tags: ui-ux, css

    Writing about the big beautiful mess that is making things for the world wide web.

    Isomorphic-Table-Cards ·

    github.com   (2022-09-24)

    tags: css, ui-ux

    Table and Cards views with animated transitions on sorting, switching view, and browser resizing (no dependencies, just vanilla Javascript, CSS, and HTML). - evoluteur/isomorphic-table-cards

    What Are Design Tokens?

    www.uxpin.com   (2022-09-17)

    tags: design-patterns, ui-ux

    Learn more about design tokens and find out more about using them in your product design process. See if you need them.

    5 Figma Alternatives for UI & UX Designers - Stack Diary

    stackdiary.com   (2022-09-16)

    tags: design, programming, ui-ux

    Interested in Figma alternatives? This article covers the best choices for professional UI & UX designers. Free and paid.

    Accessibility UX Best Practices – 8 Tactics for Web Design

    www.uxpin.com   (2022-09-14)

    tags: design-patterns, ui-ux, webdev

    Learn 8 accessibility hacks that will make your website suitable for a variety of users, including those who have certain challenges.

    Design System Glossary – 34 Powerful Terms You Should Know

    www.uxpin.com   (2022-09-14)

    tags: design-patterns, prodmgmt, ui-ux

    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.

    Antipersonas: What, How, Who, and Why?

    www.nngroup.com   (2022-09-12)

    tags: personas, ui-ux

    Antipersonas help anticipate how products can be misused in ways that can harm users and the business.

    The Realities And Myths Of Contrast And Color — Smashing ...

    www.smashingmagazine.com   (2022-09-08)

    tags: color, neurology, ui-ux, webdev

    In this article, Andrew Somers, a 35-year veteran of the Hollywood film and television industry, shares his experience about the hard-fought battles and lessons learned designing for illuminated presentations.

    Top 5 Technology Trends in UX Design

    www.uxmatters.com   (2022-09-05)

    tags: design-patterns, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    BASIC UX Framework – Definition, Benefits, and Application

    www.uxpin.com   (2022-09-01)

    tags: ui-ux

    Discover BASIC UX, a top framework that UX designers use to shape their solution, and build the best product possible.

    Genome Color Tool

    www.genomecolor.space   (2022-08-22)

    tags: color, ui-ux, webdev

    Web site created using create-react-app

    8 mental model design heuristics

    uxdesign.cc   (2022-08-21)

    tags: ui-ux

    Rules of thumb for producing learnable designs

    How to Analyze Qualitative Data from UX Research: Themati...

    www.nngroup.com   (2022-08-17)

    tags: ui-ux

    Identifying the main themes in data from user studies — such as: interviews, focus groups, diary studies, and field studies — is often done through thematic analysis.

    The two types of quality // Zeno Rocha

    zenorocha.com   (2022-08-17)

    tags: prodmgmt, quality, ui-ux

    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.

    Elevate Your E-commerce Journey With Animated UX Microint...

    www.toptal.com   (2022-08-17)

    tags: ecommerce, prodmgmt, ui-ux

    Microinteraction best practices that improve e-commerce UX.

    Tests | GoodUI

    goodui.org   (2022-08-13)

    tags: a-b, ui-ux

    Mobile UX: Study Guide

    www.nngroup.com   (2022-07-26)

    tags: ui-ux

    Unsure where to start? Use this collection of links to our articles and videos to learn how to write and present information that aligns with users’ needs and online behaviors.

    Pdf retail ux playbook

    services.google.com   (2022-07-19)

    tags: retail, ui-ux

    Figma UI Design Tutorial: Get Started in Just 24 Minutes!...

    www.youtube.com   (2022-07-08)

    tags: figma, programming, ui-ux

    ✅ Check out our FREE FACILITATION TRAINING and learn the 5 things you can do to become a top 1% facilitator and earn 6 figures while doing it! 👉https://go.ajsmart.com/start?utm_source=youtube&utm_medium=channel-video&utm_campaign=081220 ________ Do you want to learn Figma but don’t know where to start? Well, if you follow this step-by-step tutorial, it will only take you 24 minutes to learn all the basics you need to know to start designing apps and websites in Figma. In this Figma tutorial for beginners, UX designer Amr guides you through Figma’s interface and tools following a very valuable principle to start mastering this tool. “If you want to learn the basics, you should copy other designs”. Do you have more questions about Figma or the next steps you should take? Leave them in the comments below ⬇️ ✅ If you want to learn about facilitation and workshopping join our FREE FACILITATION COMMUNITY where hundreds of workshop facilitators gather to share their resources, insights and experiences 👉 https://www.skool.com/facilitatorclub Also if you haven't already, subscribe to our Youtube channel for weekly UX / UI / Career / and Design Sprint videos: ❤️ https://www.youtube.com/AJ&Smart?sub_confirmation=1 😉 🛠Free resources mentioned in this video: 1️⃣ Figma website - https://www.figma.com/ 2️⃣ Figma resources (Food delivery app UI template) - https://www.figma.com/community/file/852455074698003039 3️⃣ Free Figma icons - https://www.figma.com/resources/assets/evericons-for-figma/ 4️⃣ Unsplash (Free images) - https://unsplash.com/ ⏰ Video Timestamps 0:00 Intro 0:22 Advantages of using Figma 1:22 How to log in into figma.com 1:36 Why you should copy other designs Start of Tutorial 2:28 How to start a project from a TEMPLATE 5:10 Interface OVERVIEW 5:27 Create a FRAME 6:38 SHAPE and COLOR creation 8:28 CORNER RADIUS adjustment 10:12 Create a CIRCLE 12:25 How to use an ICON 14:28 How to paste IMAGES 15:32 How to use TEXT 18:39 BUTTON UI 21:39 Conclusion 22:32 Next steps Thanks for watching! ---- #Figma #FigmaTutorial #UXDesign 📣 FREE FACILITATION TRAINING! 👉 https://go.ajsmart.com/start We’ve JUST launched a new 1-hour facilitation training, where we’ll teach you: ✅How we landed facilitation gigs with the world’s best companies (Google, Twitter, LEGO & more!) ✅How to successfully build & facilitate ANY workshop, even when you’re not a subject-matter expert ✅How to become a high-paid facilitator in 90 days or less, using our special ‘5-1-6 method’. Interested? This training is available for a limited time only, so unlock it now and start watching! If you want to stay ahead of the UX game, level up your career, and be in the know on the nerdiest, ‘techiest’ things, sign up for our FREE newsletter here: 📩 👇 📝 https://aj-smart.ck.page/21100f1c73 👀 Want more? Join 200,000+ people subscribing to our AJ&Smart YouTube, LinkedIn and Instagram channels for free content to help you and your team do more valuable work. AJ&Smart is the #1 design sprint firm in the world, the official Design Sprint training partner with Jake Knapp inventor of the google design sprint and partner of choice for the world's most successful brands. Figma UI Design Tutorial: Get Started in Just 24 Minutes! (2021) https://youtu.be/FTFaQWZBqQ8

    Anatomy of a Great User Story

    productcoalition.com   (2022-07-05)

    tags: prodmgmt, ui-ux

    How to tell your product’s tale

    8 Reasons Users Don’t Fill Out Sign Up Forms

    uxmovement.com   (2022-07-05)

    tags: behaviors, ui-ux

    Signing up for a website is a big commitment to most people. Users who sign up for your site are giving you their personal information. If you misuse their personal information, you could abuse their trust. Most users today are more wary than ever about who handles their personal information. In a cyber world full of […]

    Taxonomy 101: Definition, Best Practices, and How It Comp...

    www.nngroup.com   (2022-07-03)

    tags: taxonomy, ui-ux

    A taxonomy is a backstage structure that complements the visible navigation. Taxonomies support consistent information retrieval by creating formal metadata rules.

    Hacker News

    uxdesign.cc   (2022-07-02)

    tags: music, prodmgmt, ui-ux

    What we can learn from technology that’s designed to be stepped on

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-06-29)

    tags: advertising-commercials, design-patterns, images, ui-ux

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    How to make great schemas

    towardsdatascience.com   (2022-06-27)

    tags: design, programming, ui-ux

    Tips and trick for creating well-crafted schemas

    How Lumosity Spiked Active Users 10% with Complexity, Not...

    firstround.com   (2022-06-25)

    tags: prodmgmt, ui-ux

    It's not always true that simplicity makes the best product. Sometimes making things less simple will get you the users you truly want.

    GTA V: 9 Facts That Will Blow Your Mind

    whatculture.com   (2022-06-23)

    tags: behaviors, ui-ux

    UX vs. UI: Guide to Distinguishing User Experience and Us...

    www.noupe.com   (2022-06-23)

    tags: design, ui-ux

    Read this guide to learn how to Distinguish between User Experience and User Interface Design.

    Hotjar: Website Heatmaps & Behavior Analytics Tools

    www.hotjar.com   (2022-06-23)

    tags: programming, ui-ux, webdev

    The next best thing to sitting beside someone browsing your site. See where they click, ask what they think, and learn why they drop off. Get started for free.

    Hacker News

    webauthn.guide   (2022-06-23)

    tags: authentication, design-patterns, ui-ux, webdev

    An introduction to Web Authentication (WebAuthn), the new API that can replace passwords with strong authentication.

    Hacker News

    blog.pwego.com   (2022-06-23)

    tags: design-patterns, ui-ux

    The World's Most Satisfying Checkbox | !Boring Software

    www.andy.works   (2022-06-21)

    tags: css, design-patterns, ui-ux

    The Art of Game Feel (a.k.a Juice) in Product Design

    6 In-demand Marketing Skills for Your Design CV

    www.noupe.com   (2022-06-21)

    tags: css, design, design-patterns, fonts-typography, keywords-ppc-seo, programming, ui-ux, webdev

    In today’s tech-savvy world, being a great designer is not all about being a whiz at tools such as Adobe Photoshop and Adobe Illustrator. The job is

    You’re not still using “Read More” are you?

    blog.prototypr.io   (2022-06-21)

    tags: design, design-patterns, ui-ux, webdev

    It’s probably not the first time you’ve heard that using links like “Read More” or “Click Here” is bad practice. This topic has been…

    The Benefits and Pitfalls of Gamification

    webdesign.tutsplus.com   (2022-06-13)

    tags: gamification, ui-ux

    Gamification is becoming a hot commodity around the web, but what is it? Is it being used correctly? Let's have a look at various aspects of gamification and how they can be used and...

    Setting UX Roles and Responsibilities in Product Developm...

    www.nngroup.com   (2022-06-07)

    tags: prodmgmt, programming, projmgmt, ui-ux

    Use a flexible responsibility-assignment matrix to clarify UX roles and responsibilities, anticipate team collaboration points, and maintain productivity in product development.

    Style Tiles

    styletil.es   (2022-06-04)

    tags: design, ui-ux, webdev

    A Style Tile is a design deliverable consisting of fonts, colors and interface elements that communicates the evolution of a visual brand for the web. Learn how to use them here.

    Google's six rules for great data design - Fast Company

    www.fastcompany.com   (2022-06-02)

    tags: design, ui-ux

    Google's data viz team, formed just last year, has put out best practices for designing charts.

    Competitive Analysis for UX – Top 6 Research Methods

    www.uxpin.com   (2022-06-01)

    tags: ui-ux

    Learn how to run a competitive analysis for UX and check out our 6 research methods, so you know what to do what to look at.

    Why So Many Luxury Brands Are Terrible at Ecommerce

    www.nngroup.com   (2022-05-30)

    tags: fashion, luxury, prodmgmt, ui-ux

    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.

    gztchan/awesome-design: 🌟 Curated design resources from a...

    github.com   (2022-05-28)

    tags: design, programming, ui-ux, webdev

    🌟 Curated design resources from all over the world. - gztchan/awesome-design

    Two Tips for Better UX Storytelling

    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.

    Personas vs. Archetypes

    www.nngroup.com   (2022-05-15)

    tags: behaviors, ui-ux

    Archetypes and personas used for UX work contain similar insights, are based on similar kinds of data, and differ mainly in presentation. Personas are presented as a single human character, whereas archetypes are not tied to specific names or faces.

    The Principles Of Visual Communication — Smashing Magazine

    smashingmagazine.com   (2022-05-06)

    tags: ui-ux

    We’re taught to communicate with words. We write essays, prepare speeches, and take written notes. But words aren’t always the best option for conveying information and ideas. Sometimes the best way to tell stories is through thoughtfully crafted visuals, not long paragraphs of text. Visual storytelling is the process of conveying ideas using things you can see. In this article, Elizabeth Lin will explore visual principles, highlight why visual storytelling is a valuable skill for everyone to learn, and demonstrate how you can improve your visual storytelling through play.

    Creating Style Guides

    alistapart.com   (2022-04-15)

    tags: ui-ux, webdev

    A style guide, also referred to as a pattern library, is a living document that details the front-end code for all the elements and modules of a website or application. It also documents the site’s…

    Responsive Web Design Patterns | This Is Responsive

    bradfrost.github.io   (2022-04-15)

    tags: ui-ux

    http://www.adaptivepath.com/ideas/our-guide-to-experience...

    www.adaptivepath.com   (2022-04-15)

    tags: experience-maps, ui-ux

    UX Project Checklist

    uxchecklist.github.io   (2022-04-15)

    tags: programming, ui-ux

    Start your next UX project with this checklist and don't forget about anything!

    How to build an experience map

    medium.com   (2022-04-15)

    tags: experience-maps, ui-ux

    BY NIALL O’CONNOR

    10 Best UI/UX Books that Every Designer Should Read [2022]

    dev.to   (2022-04-13)

    tags: books, ui-ux

    If you're looking for the best books on web design topics, you are in the right place. In this...

    The Science of Familiarity: Increasing Conversions by Bei...

    conversionxl.com   (2022-04-11)

    tags: familiarity, ui-ux, design

    Familiarity has a major impact on our decision-making process. Understanding the psychology behind it will lead to better UX / design, copy and CTAs.

    User Interfaces, Usability, and User Experience: The Squa...

    dev.to   (2022-04-11)

    tags: ui-ux

    How do UI design, usability, and user experience combine to impact your success?

    How Sephora “sucks” all my money through great UX and psy...

    uxdesign.cc   (2022-04-11)

    tags: ecommerce, ui-ux

    My girlfriends always complain to me that Sephora is like a black hole that sucks up all their money. Some of my girlfriends even have to…

    Ham biscuit on – Eric Bailey

    ericwbailey.design   (2022-04-10)

    tags: ui-ux

    The problem is we don’t know the initial state of the ham biscuit sign and who it is intended for.

    Steps Left design pattern

    ui-patterns.com   (2022-03-31)

    tags: design-patterns, ui-ux

    Design Pattern: The user is about to go through the process of filling in data over several steps and is in need of guidance.

    Achievements design pattern

    ui-patterns.com   (2022-03-28)

    tags: design-patterns, ui-ux

    Design Pattern: We are engaged by activities in which meaningful achievements are recognized

    Home Link design pattern

    ui-patterns.com   (2022-03-28)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to go back to a safe start location of the site.

    479 ‘No Results Page’ Design Examples – Baymard Institute

    baymard.com   (2022-03-28)

    tags: design-patterns, ui-ux

    The joy of sketching - UXM

    www.uxforthemasses.com   (2022-03-28)

    tags: creativity, drawing, ui-ux

    The most important tool for any UX designer is a pen and a stack of paper. Why? Because before you even think about designing an interface you should be sitting down to sketch out your ideas. Find out why you should be ditching the computer and embracing pen and paper.

    658 ‘Receipt / Order Confirmation’ Design Examples – Baym...

    baymard.com   (2022-03-28)

    tags: design-patterns, ui-ux

    Trend Alert: What is Flat Design?

    www.designcontest.com   (2022-03-28)

    tags: design-patterns, ui-ux

    Flat design is a big trend right now when it comes to design projects â€" from logos to letterhead to website design. And if you don’t get familiar with it, you might get left behind.

    Vertical Dropdown Menu design pattern

    ui-patterns.com   (2022-03-28)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to navigate among sections of a website, but space to show such navigation is limited.

    Optimize Micro-Interactions to Enhance your UX Design

    readwrite.com   (2022-03-28)

    tags: ui-ux

    Micro-interactions are usually overlooked by designers as a "nice-to-have" rather than a "must-have." Know why micro-interactions are important for your brand.

    Storyboarding UX Part 1 An Introduction - Johnny Holland

    johnnyholland.org   (2022-03-28)

    tags: ui-ux

    Storyboarding UX Part 1 An Introduction Welcome to the immersive world of UX design where every click, swipe, and scroll tells a story.

    132 ‘Orders Overview’ Design Examples – Baymard Institute

    baymard.com   (2022-03-28)

    tags: ui-ux

    8 CSS & JavaScript Snippets for Creating Cool Card UI Hov...

    speckyboy.com   (2022-03-23)

    tags: css, javascript, ui-ux, webdev

    From bold transformations to simple highlights, we share some fantastic CSS & JavaScript card UI hover effect snippets.

    UI and UX Design Trends that Dominate 2022 and Beyond

    www.uxpin.com   (2022-03-16)

    tags: ui-ux

    Time to take a look and the user interface at UI and UX design trends and make them a source of inspiration. Learn about top 10 trends.

    The Catalog of Design Patterns

    refactoring.guru   (2022-03-14)

    tags: design-patterns, ui-ux, webdev

    The catalog of design patterns grouped by intent, complexity, and popularity. The catalog contains all classic design patterns and several architectural patterns.

    Sort By Column design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to be able to sort the data in a table according to the values of a column.

    Role Playing design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: People act according to their persona

    814 ‘Search Field’ Design Examples – Baymard Institute

    baymard.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Unlock Features design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: Utilize a user’s desire to explore by unlocking new features as a reward for specific behaviors

    Peak-end rule design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: We primarily judge past experiences on how they were at their peak and how they ended

    Pay To Promote design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to pay to prioritize own content above the regular content feed in order to gain increased reach and traction.

    Table Filter design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to categorical filter the data displayed in tables by the columns.

    Blank Slate design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to get started using the application but needs guidance in the form of an example of how the application will look, feel and behave when in full function and filled with data.

    Reputation design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: We adjust our personal behavior to reflect positively on how peers or the public perceive us

    https://blog.mobile-patterns.com/practical-ux-design-tips...

    blog.mobile-patterns.com   (2022-02-24)

    tags: ui-ux

    Leaks | GoodUI

    goodui.org   (2022-02-24)

    tags: ui-ux

    Interactive: The secret to hotel room design is part art,...

    qz.com   (2022-02-24)

    tags: design, ui-ux

    There’s more than meets the eye to room design

    A UX leader reveals his favorite design frameworks and tools

    nickdewilde.substack.com   (2022-02-24)

    tags: ui-ux

    🗝 The Keyring // 001

    Retaliation design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: People repay in kind

    Using interactions to shape user behavior patterns

    medium.muz.li   (2022-02-24)

    tags: behaviors, ui-ux

    Facebook Messenger: Long Press to Swipe

    Awesome Package Design Blogs to Inspire Your Work

    creativemarket.com   (2022-02-24)

    tags: packaging, prodmgmt, ui-ux

    If you’re a creative entrepreneur who understands the power of branding in your packaging design, you’re already

    321 ‘Image Gallery Overlay’ Design Examples – Baymard Ins...

    baymard.com   (2022-02-24)

    tags: design-patterns, ui-ux

    650 ‘Billing Address’ Design Examples – Baymard Institute

    baymard.com   (2022-02-24)

    tags: ui-ux

    Tag Cloud design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to browse content by popularity in a visually appealing way.

    Slideshow design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: A collection of media needs to be displayed in a presentation as a sequence of still images.

    Testimonials design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern:

    Collectible Achievements design pattern

    ui-patterns.com   (2022-02-24)

    tags: design-patterns, ui-ux

    Design Pattern: Some users respond to opportunities of winning and collecting awards that in turn can be displayed to other community members in order to increase engagement.

    The Hidden Cost of Touchscreens

    medium.com   (2022-02-23)

    tags: ui-ux

    In 2012 I tried out a brand new luxury vehicle at a automotive conference. It was a minimalist European model, and nothing seemed out of…

    843 ‘Account Selection’ Design Examples – Baymard Institute

    baymard.com   (2022-02-23)

    tags: design-patterns, ui-ux

    A short history of door handles | Apollo Magazine

    www.apollo-magazine.com   (2022-02-23)

    tags: ui-ux

    Door handles can be the first and only part of a building we touch, but their design is all too often an afterthought, writes Edwin Heathcote

    The Weird Science Behind Chain Restaurant Menus

    munchies.vice.com   (2022-02-23)

    tags: ui-ux

    I was a corporate restaurant consultant. Here’s how the sausage gets made.

    Preview design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to check how changes in form fields affect an end result as quickly as possible.

    Annotation Is Now a Web Standard : Hypothesis

    hypothes.is   (2022-02-23)

    tags: design-patterns, ui-ux

    Over the years, many have tried to bring us web annotations. On 23 February 2017, things took a giant leap forward when the W3C, the standards body for the web, standardized annotation. Yesterday, on February 23, things took a giant leap forward when the W3C, the standards body for the Web, standardized annotation. Twenty four years after Marc Andreessen first built collaborative annotation into Mosaic and tested it on a few “guinea pigs” before turning it off, annotations have finally become first-class citizens of the web.

    https://darkpatterns.org/types-of-dark-pattern.html

    darkpatterns.org   (2022-02-23)

    tags: design, ui-ux

    Autocomplete as an interface

    www.benkuhn.net   (2022-02-23)

    tags: ui-ux

    the real reason zsh beats bash • how I got twice as fast in python • autocompleting all the things • maximizing user-interface bandwidth

    Activity Stream design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to get an overview of recent actions in a system that are interesting from his or her perspective.

    Patterns | GoodUI

    goodui.org   (2022-02-23)

    tags: ui-ux

    Adaptable View design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: You want to let the site's presentation of content fit the specific needs of the user.

    Reflections from a designer turned product manager: 6 une...

    uxdesign.cc   (2022-02-23)

    tags: ui-ux

    Two years ago, I transitioned from design to product management (PM). After 10 years as a designer, from interning to managing a team, I…

    Undo design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to revert a mistaken input

    Deceptive Patterns - Types of Deceptive Pattern

    darkpatterns.org   (2022-02-23)

    tags: ui-ux

    From "sneaking" to "forced action", explore the various types of deceptive patterns used by companies to mislead and trick users, and gain insights on how to protect yourself.

    The UX of LEGO Interface Panels

    www.designedbycave.co.uk   (2022-02-23)

    tags: ui-ux

    LEGO interface panels are beautiful, iconic, and great for learning interface design basics. I bought 52 of them from BrickLink to explore the design, layout and organisation of complex interfaces.

    Framing design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The way a fact is presented greatly alters our judgement and decisions

    342 Mobile ‘Search Field’ Examples – Baymard Institute

    baymard.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Figma Crash Course

    www.figmacrashcourse.com   (2022-02-23)

    tags: figma, programming, ui-ux

    Deep dives into powerful Figma features. Skip the basics and learn prototyping, auto-layout, systems, and illustration with your instructor, Pablo Stanley.

    Beautiful Reasons

    medium.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Towards New Aesthetics for Data Narratives

    Flagging & Reporting design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to mark inappropriate content for moderation

    Shortcut Dropdown design pattern

    ui-patterns.com   (2022-02-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to access a specific section or functionality of a website in a quick way regardless of hierarchy.

    TagCrowd.com

    tagcrowd.com   (2022-02-20)

    tags: programming, ui-ux, wordclouds

    Create your own word cloud from any text to visualize word frequency.

    Visual Tools To Aid Your Daily Inspirational Process

    www.awwwards.com   (2022-02-20)

    tags: images, pinterest, programming, ui-ux

    Today we have gathered together a small but interesting toolkit which is going to help you find and harness the inspiration you need on a daily basis. The creative process for web designers is unrelenting,...

    Library of design inspiration examples & user flows from ...

    nicelydone.club   (2022-02-12)

    tags: design-patterns, ui-ux

    Browse a curated design library of web app screens, UI components and User flows from top SaaS web apps, inspiring product teams from leading companies.

    A step by step guide to scenario mapping - UXM

    www.uxforthemasses.com   (2022-02-12)

    tags: ui-ux

    Scenario mapping is a really quick, easy and dare I say it even fun way to collaboratively create, discuss and communicate user scenarios. Find out how to go about creating scenario maps and why they’re so damn useful in the first place.

    How privilege impacts empathy

    uxdesign.cc   (2022-02-10)

    tags: behaviors, empathy, ui-ux

    Who are we excluding from “user-centered” design

    18 Cognitive Bias Examples Show Why Mental Mistakes Get Made

    www.visualcapitalist.com   (2022-02-10)

    tags: behaviors, bias, ui-ux

    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.

    Progressive Disclosure design pattern

    ui-patterns.com   (2022-02-10)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to focus on the task at hand with as few distractions as possible while still being able to dig deeper in details if necessary

    359 Mobile ‘Product Lists’ Examples – Baymard Institute

    baymard.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Storming Reddit's Moat

    floodstate.substack.com   (2022-02-08)

    tags: behaviors, moats, platforms, prodmgmt, ui-ux

    A Guide to Reddit, Its Key Competitive Advantages, and How to Unbundle It

    Design Principles

    principles.adactio.com   (2022-02-08)

    tags: ui-ux

    Self-Expression design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We seek opportunities to express our personality, feelings, or ideas

    What Color Is This? | Stitch Fix Technology – Multithreaded

    multithreaded.stitchfix.com   (2022-02-08)

    tags: color, machine-learning, ui-ux

    We need to know what colors our merch is. But because downstream users include many different people and algorithms, we need to describe colors as a hierarch...

    A Survey of Explore and Exploit Interfaces

    medium.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Some of the most popular apps today are highly personalized — everyone sees content tailored to them. This is typically powered with…

    Social Proof design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We assume the actions of others in new or unfamiliar situations

    Notifications design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to be informed about important updates and messages

    The Role of Doubt in Design

    matthewstrom.com   (2022-02-08)

    tags: ambiguity, design, ui-ux

    When to ask questions, and when to have answers

    The secret to happy UX, according to a legendary game des...

    getpocket.com   (2022-02-08)

    tags: ui-ux

    The famous rhythm game Lumines is back, and it's a reminder of where things went wrong.

    Keyboard Shortcuts design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to perform repetitive tasks faster

    Fat Footer design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: Users need a mechanism that will enable them to quickly access specific sections of a site or application bypassing the navigational structure.

    Endowment Effect design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We place greater value on objects we own over objects we do not, especially if sentimental value has been placed in them

    15 reasons why grid approach will improve your design

    learn.canva.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Master the use of grids and do wonders with your designs.

    Commitment & Consistency design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We want to appear consistent with our stated beliefs and prior actions and also value this quality in others

    350 Mobile ‘Search Results’ Examples – Baymard Institute

    baymard.com   (2022-02-08)

    tags: design-patterns, ui-ux

    How to Use Tooltips as Microinteractions

    www.webdesignerdepot.com   (2022-02-08)

    tags: design-patterns, ui-ux

    They’re generally very helpful, clear-cut in their communication, and unobtrusive, so users can do what the tooltips suggest without running into any impediment.Looked at in this way, your average tooltip is easily a micro interaction, as it helps users achieve a single task or helps users…

    Periodic Events design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: Construct recurring events to build up anticipation, a sense of belonging, comfort, and a sustained interest

    7 Rules for Creating Gorgeous UI (Part 1)

    medium.com   (2022-02-08)

    tags: ui-ux

    A non-artsy primer in digital aesthetics

    Curiosity design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We crave more when teased with a small bit of interesting information

    945 ‘Product List’ Design Examples – Baymard Institute

    baymard.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Competition design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: When sharing the same environment, we'll strive to attain things that cannot be shared

    http://www.starbucks.com/static/reference/styleguide/

    www.starbucks.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Inline Hints design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to learn about new or unfamiliar interface features in an unobtrusive way

    Creating animations with uikit ca

    ordinarycoding.com   (2022-02-08)

    tags: ui-ux

    Input Prompt design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to enter data into the system

    Playthrough design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to know how to use the different features of the application.

    Free UX tools - UXM

    www.uxforthemasses.com   (2022-02-08)

    tags: programming, ui-ux

    Over 50 great free UX tools, including tools to help with prototyping, design, user research, user testing, surveys, card sorting, annotating, screen grabbing, sitemapping, analytics and accessibility.

    Reciprocation design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We feel obliged to give when we receive

    233 Mobile ‘Billing Address’ Examples – Baymard Institute

    baymard.com   (2022-02-08)

    tags: design-patterns, ecommerce, mobile, ui-ux

    Fill in the Blanks design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to enter data into the system

    Inplace Editor design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to quickly and easily edit a value on a page

    Negativity bias design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: We have a tendency to pay more attention and give more weight to negative than positive experiences or other kinds of information.

    Good Defaults design pattern

    ui-patterns.com   (2022-02-08)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to enter data into the system, where some input values are most likely to match default values.

    Redesigning the Boarding Pass - Journal - Boarding Pass /...

    passfail.squarespace.com   (2022-02-07)

    tags: ui-ux

    This is the actual boarding pass I got from Delta. It's a nightmare. Note all the random alignment...

    UI-Patterns.com

    ui-patterns.com   (2022-02-07)

    tags: design-patterns, ui-ux

    User Interface Design Pattern Library. UI patterns for web designers. See screenshot examples and learn how to do great design like the pros.

    10 Great Sites for UI Design Patterns

    www.interaction-design.org   (2022-01-29)

    tags: design, ui-ux

    We’ve put together a list of some of the best places to find UI design patterns on the web—so you don’t have to spend your whole life redesigning the wheel.

    2019 UI and UX Design Trends | Shakuro | Shakuro

    shakuro.com   (2022-01-29)

    tags: ui-ux

    The year 2019 is promising a lot of new discoveries in UI/UX design. The trends created last year will unlock their real potential with technology behind design

    Building Your Color Palette - Refactoring UI

    refactoringui.com   (2022-01-29)

    tags: color, design, ui-ux

    Learn how to design awesome UIs by yourself using specific tactics explained from a developer's point-of-view.

    Modal design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to take an action or cancel the overlay until he can continue interacting with the original page

    Figma-Linux/figma-linux: Figma is the first interface des...

    github.com   (2022-01-29)

    tags: figma, programming, ui-ux

    Figma is the first interface design tool based in the browser, making it easier for teams to create software. Join us in https://t.me/figma_linux - Figma-Linux/figma-linux

    Status design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: We constantly look to how our actions improve or impair how others see us

    It’s time to do away with the UX discipline

    venturebeat.com   (2022-01-29)

    tags: ui-ux

    The business world has accepted the idea that innovation can come from anywhere; it now needs to understand that user experience must come from everywhere.

    The 3 Laws of Locality

    learnui.design   (2022-01-29)

    tags: ui-ux

    Where to put controls in your UI designs · Conceptual and physical areas of the interface · Styling controls that are distant from what they control

    Feature design checklist

    uxdesign.cc   (2022-01-29)

    tags: best-practices, ui-ux

    Questions that ensure you consider e̶v̶e̶r̶y̶t̶h̶i̶n̶g̶ a few things when designing a new feature.

    1236 ‘Main Navigation’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ui-ux

    10 UX lessons I learned building my product from scratch

    thenextweb.com   (2022-01-29)

    tags: prodmgmt, ui-ux

    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

    Delighters design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: We remember and respond favorably to new, unexpected, and playful pleasures

    How to design better buttons

    thenextweb.com   (2022-01-29)

    tags: css, design, ui-ux

    A button is an interactive element that results in the action described on it. If it says “save” on a button, clicking it will most likely “save” something. It’s also one of the most important interactive elements of any digital product. It

    Tailwind UI - Official Tailwind CSS Components & Templates

    tailwindui.com   (2022-01-29)

    tags: ui-ux

    Beautiful UI components and templates by the creators of Tailwind CSS.

    257 Mobile ‘Category Page’ Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    https://mobilejazz.com/blog/dark-patterns-in-design/

    mobilejazz.com   (2022-01-29)

    tags: design, ui-ux

    Rule Builder design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to, often repeatedly, conduct a search query based on a custom set of rules

    Weber’s Law - NeuroLogica Blog

    theness.com   (2022-01-29)

    tags: css, design, neurology, ui-ux

    I confess I have never heard (or at least don't remember ever hearing) about Weber's Law (pronouned vayber) until reading about it with this news item. It is the Law of Just Noticeable Differences. It deals with the minimum difference in a stimulus necessary to notice. While clearly established, and there are many hypotheses to

    1024 ‘Search Results Page’ Design Examples – Baymard Inst...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, search, ui-ux

    Example UX docs and deliverables - UXM

    www.uxforthemasses.com   (2022-01-29)

    tags: programming, ui-ux

    Need to produce a UX document? Get inspired by these example UX documents and deliverables.

    Dashboard design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to digest data from mulitple sources at a glance

    Autocomplete design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs recognition aided search when performing search tasks that are difficult to remember or easily mistyped.

    The Elements of UI Engineering — overreacted

    overreacted.io   (2022-01-29)

    tags: design, ui-ux

    What makes UI engineering difficult?

    How to adapt your product’s UX for the Chinese market

    thenextweb.com   (2022-01-29)

    tags: ui-ux

    Did you know TNW’s Couch Conference has a track fully dedicated to exploring new design trends this year? Check out the full ‘Sprint’ program here. Having started MING Labs in China in 2011, we have seen a big development from the old-inter

    https://digital.heb.com/the-feed/article/microinteraction...

    digital.heb.com   (2022-01-29)

    tags: ui-ux

    Scarcity design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: If something is promoted as being scarce, we perceive it as more desirable and more valuable

    330 Mobile ‘Delivery & Shipping Methods’ Examples – Bayma...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    Breadcrumbs design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to know their location in the website's hierarchical structure in order to possibly browse back to a higher level in the hierarchy.

    Optimism Bias design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: We consistently overstate expected success and downplay expected failure

    Isolation Effect design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: Items that stand out from their peers are more memorable

    Access 150,000+ Hours of UX Research & Insights – Baymard...

    baymard.com   (2022-01-29)

    tags: ui-ux

    Empower your digital team with instant access to industry-specific UX insights. Improve ROI on your projects and increase confidence in decisions.

    Status-Quo Bias design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: We tend to accept the default option instead of comparing the actual benefit to the actual cost

    Value Attribution design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The perceived value of things increases with their cost and appearance

    18,000+ E-Commerce Design Examples Organized Across 62 Pa...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    Every single one of the 18,000+ screenshots is annotated with highlights of UX “violations” and “adherences” (i.e. what the page design does well from a UX perspective, and what it does poorly).

    Carousel design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to browse through a set of items and possibly select one of them

    Guided Tour design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to learn about new or unfamiliar interface features.

    The ultimate guide to proper use of animation in UX

    uxdesign.cc   (2022-01-29)

    tags: animation, design-patterns, ui-ux

    Nowadays it’s hard to impress or even surprise with an interface animation. It shows interactions between screens, explains how to use the…

    450 Mobile ‘Payment’ Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    Scarcity in UX: The psychological bias that became the norm

    uxdesign.cc   (2022-01-29)

    tags: behaviors, bias, ui-ux

    Short analysis on the current state of affairs and a few tips to keep in mind.

    https://asktog.com/atc/the-third-user/

    asktog.com   (2022-01-29)

    tags: ui-ux

    250 Top E-Commerce Sites Ranked by User Experience Perfor...

    baymard.com   (2022-01-29)

    tags: ecommerce, ui-ux

    See the ranked UX performance of the 250 leading e-commerce sites in the US and Europe. The chart summarizes 50,000+ UX performance ratings.

    Liking design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: We prefer to say yes to the requests of someone we know and like

    A Game Designer’s Analysis Of QAnon

    link.medium.com   (2022-01-29)

    tags: behaviors, storytelling, ui-ux

    Playing with reality

    Good UX = Boring UI. Don't Be Creative – UX En...

    uxengineer.com   (2022-01-29)

    tags: ui-ux

    The best user experiences are often found on the most boring interfaces. If you want your product to stand out above the rest, then be average.

    A beginner’s guide to kerning like a designer

    www.canva.com   (2022-01-29)

    tags: fonts-typography, kern, ui-ux

    In this article, we talk about the definition of kerning and its importance in design. Learn more about kerning here, and start kerning like a pro!

    7 Best Figma Tutorials for Beginners [2024 SEP]— Learn Fi...

    link.medium.com   (2022-01-29)

    tags: ui-ux

    Learn Figma for UI/UX Design with the best Figma tutorials for beginners in 2024.

    Levels design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: Use levels to communicate progress and gauge users’ personal development

    159 ‘Store Pickup’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    7 Rules for Creating Gorgeous UI (Part 2)

    medium.com   (2022-01-29)

    tags: design, ui-ux

    A guide to visual aesthetics, written by a nerd

    Lazy Registration design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to immediately use you and try your website without conducting a formal registration beforehand

    Forgiving Format design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to quickly enter data into the system, which then in turn interprets the user's input.

    105 ‘Top-Level Navigation’ Design Examples – Baymard Inst...

    baymard.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Drag and drop design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to perform operations on one or more objects by moving them from one place to another.

    843 ‘Account Selection’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: ui-ux

    Autosave design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to keep their data safe and saved while focusing on working without having to remember to do so.

    207 ‘Address Validator’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Responsive Images - A Reference Guide from A to Z

    dev.to   (2022-01-29)

    tags: css, html, ui-ux

    Chapter 1 - What is responsive images? In this guide, we will learn everything related to...

    Eight Habits of Expert Software Designers: An Illustrated...

    thereader.mitpress.mit.edu   (2022-01-29)

    tags: design, prodmgmt, ui-ux

    The best designers employ specific habits, learned practices, and observed principles when they work. Here are a few of them.

    Patterns | GoodUI

    goodui.org   (2022-01-29)

    tags: ui-ux

    Copy Box design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: Users need to easily view and copy preformatted text.

    The Experience Economy

    stratechery.com   (2022-01-29)

    tags: ideas, prodmgmt, ui-ux

    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.

    Input Feedback design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user has entered data into the system and expects to receive feedback on the result of that submission.

    Wizard design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to achieve a single goal which can be broken down into dependable sub-tasks.

    Friend design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to form a mutually agreed connection with another person

    10 open source SVG icon libraries that you can use for yo...

    themesberg.com   (2022-01-29)

    tags: ui-ux

    Read more about these top 10 open source and free SVG powered icon libraries that you can use for your next project

    How to run an heuristic evaluation - UX Mastery

    uxmastery.com   (2022-01-29)

    tags: ui-ux

    The advantages and disadvantages of heuristic evaluation plus step by step instructions for running a successful inspection of your design's usability.

    UX Crash Course: User Psychology

    thehipperelement.com   (2022-01-29)

    tags: behaviors, design, design-patterns, influence-persuasion, ui-ux

    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.

    https://blog.adioma.com/how-to-think-visually-using-visua...

    blog.adioma.com   (2022-01-29)

    tags: analogies, mental-models, ui-ux

    Invite friends design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to experience the application with their friends.

    If you Run a Small Business Park In the Back of the Parki...

    skyclerk.com   (2022-01-29)

    tags: custsvc, prodmgmt, ui-ux

    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.

    Do We Create Shoplifters? - Unintended Consequences

    unintendedconsequenc.es   (2022-01-29)

    tags: behaviors, prodmgmt, ui-ux

    The history of technology is one of subtracting humans and replacing them with machines. Do the unintended consequences include creating shoplifters?

    522 ‘Sorting Tool’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Paywall design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to pay to get access to a restricted area on a website.

    Event Calendar design pattern

    ui-patterns.com   (2022-01-29)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to find events of interest happening in a certain period of time. Events need to be presented to users in a visually concise model that abstracts date and time.

    Ultimate UI/UX glossary to speak same language with desig...

    www.softformance.com   (2022-01-26)

    tags: glossaries, ui-ux, webdev

    Building a dream UI/UX design for your app is very much about communication with your design team. Here is a list of 57 essential terms.

    7 things I wish every search box did

    blog.intercom.com   (2022-01-23)

    tags: design-patterns, search, ui-ux

    It’s one thing to say “let’s have search” and draw a box with a magnifying glass on the right. It’s a whole other task to implement good search.

    https://medium.theuxblog.com/six-circles-a-experience-des...

    medium.theuxblog.com   (2022-01-23)

    tags: ui-ux

    batoreh/awesome-ux: a awesome list about User Experience ...

    github.com   (2022-01-23)

    tags: ui-ux

    a awesome list about User Experience disciplines.

    317 Mobile ‘Search Autocomplete’ Examples – Baymard Insti...

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Account Registration design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: You wish to know who the active user is in order to provide personalized content or opportunities to conduct a purchase.

    Three Ways to Improve Your Design Research with Wordle - ...

    boxesandarrows.com   (2022-01-23)

    tags: ui-ux

    “Above all else show the data.” –Edward Tufte Survey responses. Product reviews. Keyword searches. Forums. As UX practitioners, we commonly scour troves of qualitative data for customer insight. But can we go faster than line-by-line analysis? Moreover, how can we provide semantic analysis to project stakeholders? Enter Wordle. If you haven’t played with it yet, Wordle is a free Java application that generates visual word clouds. It can provide a compelling snapshot of user feedback for analysis or presentation. Using

    272 Mobile ‘Receipt’ Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    What is typography? | Butterick’s Practical Typography

    practicaltypography.com   (2022-01-23)

    tags: fonts-typography, ui-ux

    Butterick’s Practical Typography

    This is the most interesting UI design of the year so far...

    www.fastcompany.com   (2022-01-23)

    tags: ui-ux

    What if clearing trackers was as easy as cleaning your computer screen?

    1239 ‘Product Page’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    762 ‘Autocomplete Suggestions’ Design Examples – Baymard ...

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Explore the Book » Designing Web Interfaces

    designingwebinterfaces.com   (2022-01-23)

    tags: books, design-patterns, ui-ux

    1018 ‘Homepage’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Reduction design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Reduce complex behavior to simple tasks, increasing the benefit/cost ratio and in turn influencing users to perform

    Continuous Scrolling design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to view a subset of data that is not easily displayed on a single page Content needs to be presented to users as a subset of a much larger seemingly endless set, in a way that will aid them in consuming content without effort.

    188 ‘Cross-Sells’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    887 ‘Cart’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    Tagging design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Items need to be labelled, categorized, and organized using keywords that describe them.

    Nostalgia Effect design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Reminiscing about the past make us downplay costs

    Coachmarks design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs help to understand a complex user interface

    Favorites design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to pick out items for later consumption

    Inline Help Box design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs assistive information located close to the interaction they are about to perform.

    Vote To Promote design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to promote a specific piece of content in order to democratically help decide what content is more popular.

    Structured Format design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to quickly enter data into the system but the format of the data must adhere to a predefined structure.

    429 Mobile ‘Homepages’ Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    458 ‘User Reviews Section’ Design Examples – Baymard Inst...

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Loss Aversion design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Our fear of losing motivates us more than the prospect of gaining something of equal value

    130 ‘Order Returns’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Fixed rewards design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Use rewards to encourage continuation or introduction of wanted behavior

    Self-Monitoring design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Enable users to track the behavior they want to change

    340 ‘Newsletter Management’ Design Examples – Baymard Ins...

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    How to design a logo: 15 pro tips

    www.creativebloq.com   (2022-01-23)

    tags: design, logos, ui-ux

    The golden rules of how to design a logo for successful branding, from the idea to implementation.

    1024 ‘Search Results Page’ Design Examples – Baymard Inst...

    baymard.com   (2022-01-23)

    tags: design-patterns, search, ui-ux

    Categorization design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to make sense of content by browsing and grouping them into categories

    Appropriate Challenge design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs appropriate challenges to remain engaged

    Completeness meter design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to complete a goal but needs guidance in when it is reached and how to reach it.

    653 Mobile ‘Navigation Menu’ Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Wiki design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: You want to create a repository for your website or application where users can produce and manage information while collaborating on public content.

    WYSIWYG design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to create content that contains rich media and formatted text but does not the knowledge or time to write HTML.

    GoodUI

    www.goodui.org   (2022-01-23)

    tags: design-patterns, ui-ux

    Reach higher conversions faster by repeating what worked for others and avoiding what failed.

    Pagination design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to view a subset of sorted data in a comprehensible form.

    Accordion Menu design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: User needs to navigate among a website's main sections while still being able to quickly browse to the subsection of another.

    Friend list design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to keep track of and engage a subset of their friends on the site in a meaningful way.

    224 Mobile ‘Review Order’ Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Rate Content design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to promote a specific piece of content in order to democratically help decide what content is of higher quality.

    1118 ‘Payment’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    Image Zoom design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to zoom in on an image to view the details in a higher image resolution.

    Calendar Picker design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to find or submit information based on a date or date range

    Article List design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs guidance in finding editorial content of interest, which hierarchical navigation alone does not accomplish.

    UltraLinx

    theultralinx.com   (2022-01-23)

    tags: fonts-typography, ui-ux

    Creating exceptional content.

    Set Completion design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: We desire collecting all pieces of a set more the closer it is to being complete

    robinstickel/awesome-design-principles: ✨ A curated list ...

    github.com   (2022-01-23)

    tags: design-patterns, ui-ux

    ✨ A curated list of awesome design principles.

    Horizontal Dropdown Menu design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to navigate among sections of a website, but space to show such navigation is limited.

    Limited Choice design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: We are more likely to make a decision when there are fewer options to choose from

    How to Design a Large Scale Responsive Site | UX Booth

    www.uxbooth.com   (2022-01-23)

    tags: best-practices, design-patterns, ui-ux

    In 2011, Elaine McVicar wrote an article describing the process of designing one of the first complex responsive sites. Now that the concept is no longer in its infancy, we're taking another look at how to redesign a large scale responsive site.

    Login | Figma

    www.figma.com   (2022-01-23)

    tags: figma, programming, ui-ux

    Smart Interface Design Patterns In Your Pocket: Checklist...

    smashingmagazine.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Meet our Smart Interface Design Patterns Checklist Cards, a deck of 100 cards with questions to ask when designing and building any interface component — carousel, hamburger, table, date picker, autocomplete, slider, onboarding, pricing plans, authentication, web forms and many others. Check the preview (PDF) and jump to description ↓

    Chat design pattern

    ui-patterns.com   (2022-01-23)

    tags: chatbots, design-patterns, ui-ux

    Design Pattern: The user wants to interact privately with other individuals or groups from within the system

    A comprehensive list of UX design methods & deliverables

    uxdesign.cc   (2022-01-23)

    tags: glossaries, ui-ux

    The most common tool, methods, processes, and deliverables that designers use throughout the digital product design process.

    Chapter 2. Who’s using the app? · Usability Matters: Mobi...

    livebook.manning.com   (2022-01-23)

    tags: ui-ux

    Seeing yourself as different · Knowing who the app is for · Understanding how people differ · Appreciating how people use the app

    Gallery design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user needs to browse a collection of high quality images

    973 ‘Customer Info & Address’ Design Examples – Baymard I...

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    Why Facebook Is Blue: The Science of Colors in Marketing

    buffer.com   (2022-01-23)

    tags: color, ui-ux

    How do colors affect us when we buy things? The latest research reveals the science of colors in marketing and how to use it for your advantage:

    13 Course Landing Page UI Changes With +49% Enrollments F...

    goodui.org   (2022-01-23)

    tags: ui-ux

    Home | Laws of UX

    lawsofux.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Laws of UX is a collection of best practices that designers can consider when building user interfaces.

    Atkinson Hyperlegible Font May Be Pretty Good If Your Gra...

    christiantietze.de   (2022-01-23)

    tags: fonts-typography, ui-ux

    My grandmother approves of Atkinson Hyperlegible free font for her phone book printout

    Limited duration design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: Use time limitations to push users to take action

    Follow design pattern

    ui-patterns.com   (2022-01-23)

    tags: design-patterns, ui-ux

    Design Pattern: The user wants to track and keep up to date with activity on topics or themes, not just people

    To Truly Delight Customers, You Need Aesthetic Intelligence

    hbr.org   (2022-01-23)

    tags: brandmgmt, ui-ux

    Pauline Brown, former chairman of North America for the luxury goods company LVMH, argues that in additional to traditional and emotional intelligence, great leaders also need to develop what she calls aesthetic intelligence. This means knowing what good taste is and thinking about how your services and products stimulate all five senses to create delight. Brown argues that in today’s crowded marketplace, this kind of AI is what will set companies apart — and not just in the consumer products and luxury sectors. B2B or B2C, small or large, digital or bricks-and-mortar, all organizations need to hire and train people to think this way. Brown is the author of the book “Aesthetic Intelligence: How to Boost It and Use It in Business and Beyond.”

    Never use the word “User” in your code

    codewithoutrules.com   (2022-01-23)

    tags: design, security, ui-ux, webdev

    You’re six months into a project when you realize a tiny, simple assumption you made at the start was completely wrong. And now you need to fix the problem while keeping the existing system running—with far more effort than it would’ve taken if you’d just gotten it right in the first place. Today I’d like to tell you about one common mistake, a single word that will cause you endless trouble. I am speaking, of course, about “users”. There are two basic problems with this word: “User” is almost never a good description of your requirements. “User” encourages a fundamental security design flaw. The concept “user” is dangerously vague, and you will almost always be better off using more accurate terminology.

    Google says Flutter, its open source UI framework, now ha...

    www.techmeme.com   (2022-01-23)

    tags: ui-ux

    Emil Protalinski / VentureBeat: Google says Flutter, its open source UI framework, now has nearly 500,000 developers, up 10% month-over-month in March, as it outlines future changes

    The Obvious UI is Often the Best UI

    medium.com   (2022-01-23)

    tags: ui-ux

    Design clear interactions instead clever ones, and users will follow

    http://designinginterfaces.com/patterns/

    designinginterfaces.com   (2022-01-23)

    tags: ui-ux

    4 Rules for Intuitive UX

    learnui.design   (2022-01-17)

    tags: ui-ux

    Obey the Law of Locality · ABD: Anything But Dropdowns · Pass the Squint Test · Teach by example

    Brilliant Barcode Designs

    designyoutrust.com   (2022-01-17)

    tags: design, ui-ux

    Barcodes are so common and frequent that we do not even notice them anymore. From now on, we’re going to be more attentive to them, because it turns out that sometimes they’re quite brilliant and very creative. h/t: sadnaduseless

    8-Point Grid: Vertical Rhythm

    builttoadapt.io   (2022-01-17)

    tags: ui-ux

    The 8-point grid is a powerful system for creating consistent and visually appealing user interfaces (UIs). This post is about how to establish vertical rhythm and set typography in an 8pt grid...

    Great products do less, but better

    uxdesign.cc   (2022-01-17)

    tags: design, prodmgmt, ui-ux

    When feature bloat can hurt more than help your business goals.

    SaaS UX design | Lyssna

    io.usabilityhub.com   (2022-01-17)

    tags: ui-ux

    Unlock the growth potential of your SaaS UX design. From reducing churn rates to boosting customer engagement, discover the benefits of great UX design for SaaS. Get inspired by real-life examples and learn best practices from experienced UX practitioners.

    Performant Front-end Architecture | DebugBear

    www.debugbear.com   (2022-01-17)

    tags: ui-ux

    Make your client-side apps load fast and provide a good user experience.

    How to Gather Quantitative Data on User Behaviors

    thenextweb.com   (2022-01-17)

    tags: behaviors, ui-ux

    The quantitative methods we used were all time and cost-efficient, demonstrating that user research doesn’t require thousands of dollars and endless time.

    'Users hate change'

    gist.github.com   (2022-01-17)

    tags: prodmgmt, ui-ux

    'Users hate change' · GitHub

    802 ‘Delivery & Shipping Methods’ Design Examples – Bayma...

    baymard.com   (2022-01-17)

    tags: design-patterns, ui-ux

    6 Customer Journey Map Examples: How UX Pros Do It

    conversionxl.com   (2022-01-17)

    tags: ui-ux

    What's the best way to learn to create a user journey map? Seeing how experts do it. Get guidelines and examples for journey mapping.

    Settings design pattern

    ui-patterns.com   (2022-01-17)

    tags: ui-ux

    Design Pattern: The user needs a central place to indicate preferences for how the application should behave

    UX Design Psychology Tricks for Design Excellence

    www.uxpin.com   (2022-01-17)

    tags: behaviors, bias, ui-ux

    Human brain processes information as well as how it forms certain patterns of behavior. Discover cognitive psychology tips for UX.

    Privacy UX: Privacy-Aware Design Framework — Smashing Mag...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Many mobile applications require access to location, photos, and even the camera during installation, which isn’t something most customers would be happy to consent to. In this series of articles, Vitaly Friedman talks about privacy-related design patterns. You’ll be exploring some of the respectful ways to approach privacy and data collection, and how to deal with the notorious cookie consent prompts, intrusive push notifications, glorious permission requests, malicious third-party tracking and offboarding experience.

    Optimizing Information Design :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Drag–and–Drop: How to Design for Ease of Use

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Clear signifiers and clear feedback at all stages of the interaction make drag–and–drop discoverable and easy to use.

    Creating a UX Design Style Guide :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    5 Ways to Boost Engagement With Animation

    www.webdesignerdepot.com   (2022-01-17)

    tags: animation, ui-ux

    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…

    Mobile-App Onboarding: An Analysis of Components and Tech...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Onboarding is the process of getting users familiar with a new interface. It can involve one or more of the following components: feature promotion, customization, and instructions.

    User Experience Careers: What a Career in UX Looks Like T...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Free Nielsen Norman Group report on UX professionals' career experience and what a career in UX looks like today.

    UX Guidelines for Ecommerce Product Pages

    www.nngroup.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Customers shopping online rely on product pages to decide what to buy. Help them by answering questions, enabling comparison, providing reviews, and facilitating the purchase process.

    Readability Formulas: 7 Reasons to Avoid Them and What to...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Front-End Performance Checklist 2021 (PDF, Apple Pages, M...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Let’s make 2021... fast! An annual front-end performance checklist, with everything you need to know to create fast experiences on the web today, from metrics to tooling and CSS/JavaScript techniques.

    How to Create Better Alerts and Symbols in Your Designs :...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Designing for Progressive Disclosure :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Split Buttons: Definition

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    A split button is a dual-function menu button that offers a default action as well as the possibility of choosing a different action by selecting from a set of alternatives.

    Molding Yourself into a Leader, Part 1 :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: leadership, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Designing Card-Based User Interfaces — Smashing Magazine

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Today, people seek out information quickly, and cards serve it up well, regardless of device. Most of you probably have a better understanding why card-style design is so popular and will continue to increase in popularity. This trend won’t end anytime soon. Cards are here to stay and continue to be an essential part of app design. In this article, Nick Babich will explain what cards mean to UI designers, and he'll review three popular card-based services.

    What Parallax Lacks

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Parallax-scrolling effects add visual interest, but they make content slow to load or hard to read. Consider if the benefits are worth the cost.

    Great Wireframe Examples

    www.pinterest.com   (2022-01-17)

    tags: ui-ux, wireframes

    yEd Graph Editor

    www.yworks.com   (2022-01-17)

    tags: programming, ui-ux

    yEd is a free desktop application to quickly create, import, edit, and automatically arrange diagrams. It runs on Windows, macOS, and Unix/Linux.

    Cognitive Maps, Mind Maps, and Concept Maps: Definitions

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Cognitive maps, concept maps, and mind maps are diagramming techniques that can be utilized throughout the UX process to visualize knowledge and surface relationships among concepts.

    Book Review: The Lean Product Playbook :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    7 Ecommerce UX Tips That Drive Sales :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Different Information-Seeking Tasks: Behavior Patterns an...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Fact-finding tasks were less memorable, while complex research-based tasks required more effort from users. Top user expectations for each task type varied.

    'The most effective technology is technology that no one ...

    www.retaildive.com   (2022-01-17)

    tags: prodmgmt, retail, ui-ux

    Coming out of a banner year, Marvin Ellison discusses how initiatives put in place years ago contributed to the retailer's success.

    https://www.simonmccade.com/ux-advice

    www.simonmccade.com   (2022-01-17)

    tags: ui-ux

    Design Principles: Space And The Figure-Ground Relationsh...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Design is an arrangement of both shapes and space. Learn to see the shapes that space forms and how space communicates. This is second part of a series on design principles for beginners. The first part covered an introduction to gestalt; today Steven Bradley will build on those gestalt principles and show you how many of the fundamental principles you work with as designers have their origin there. Make an effort to spend time observing how space is used in design!

    Design Principles – An Introduction to Visual Hierarchy |...

    www.toptal.com   (2022-01-17)

    tags: ui-ux

    The theory of visual hierarchy is different from its practical application. More advanced concepts of visual perception are worth exploring because their mastery is key for great visual design. #ui #ux #design

    Usability Testing 101

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    UX researchers use this popular observational methodology to uncover problems and opportunities in designs.

    10 Ways to Use Exit-Intent Popups for Good

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Exit intent popups can provide a good customer experience and offer benefits to users who are about to leave a website.

    Storybook Tutorials

    www.learnstorybook.com   (2022-01-17)

    tags: programming, ui-ux

    Learn how to develop UIs with components and design systems. Our in-depth frontend guides are created by Storybook maintainers and peer-reviewed by the open source community.

    The User Experience of Public Bathrooms [APRIL FOOLS]

    www.nngroup.com   (2022-01-17)

    tags: behaviors, ui-ux

    Public restrooms are plagued by unusable toilet-paper dispensers, difficult flushing controls, and poor stall-status visibility. Many of these issues can be addressed by following standard usability practices.

    The Authority Principle

    www.nngroup.com   (2022-01-17)

    tags: behaviors, ui-ux

    A perceived high-authority status of the person making a request can make people more compliant with that request. Applying this principle in UX can ease users' decision-making process.

    Privacy UX: Better Notifications And Permission Requests ...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    With so many applications and services and people and machines and chatbots fighting for our attention, staying focused is a luxury that needs to be savored and protected, and so no wonder notifications don’t enjoy a decent reputation these days. More than that, often they feel off the point and manipulative, too. In this series of articles, Vitaly Friedman will talk about privacy-related design patterns. He’ll be exploring some of the respectful ways to approach privacy and data collection, and how to deal with those notorious cookie consent prompts, intrusive push notifications, glorious permission requests, malicious third-party tracking and offboarding experience.

    uxbox.io - Domain Name For Sale | Dan.com

    www.uxbox.io   (2022-01-17)

    tags: programming, ui-ux

    I found a great domain name for sale on @undeveloped. Check it out!

    Frictionless UX: How to Create Smooth User Flows

    www.webdesignerdepot.com   (2022-01-17)

    tags: ui-ux

    As designers and developers, it’s beneficial to familiarize yourself with methods that allow you to create frictionless interactions.In this article, I’ll analyze steps in user flow that often cause friction and propose solutions on how to optimize them. In this product, interactions are intuitive,…

    12 Best Free UX/UI Prototyping Tools for Web/App Designer...

    www.noupe.com   (2022-01-17)

    tags: programming, ui-ux

    A good prototyping tool can not only bring your design idea into life with ease. It also helps you to test, demonstrate, iterate and share your design

    Landing Pages: The Complete Guide to Effective UX Design

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    A guide for helping designers and developers build landing pages that convert visitors to customers and customers to brand advocates.

    Executing UX Animations: Duration and Motion Characteristics

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Define a trigger, transformations, duration, and easing of the animation, and be mindful of accessibility issues and annoying the user.

    Capture Attention Through Color Psychology :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: color, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Understanding Cultures :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    How Color Impacts UX

    www.webdesignerdepot.com   (2022-01-17)

    tags: color, ui-ux

    Color impacts everything from how a user feels when they interact with a design, to how they use the design, to whether they can fully see and understand it. Quite simply, color is a lot more than a decorative tool; color is central to user experience.

    Button Design – Get Site Visitors to Actually Click Your ...

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    Buttons are one of the most common UI elements making it possible for users to interact with apps and sites, and take action.

    Designing for Touch :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Creating Low-Fidelity or High-Fidelity Prototypes, Part 2...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    W3Schools.com

    www.w3schools.com   (2022-01-17)

    tags: css, ui-ux

    W3Schools offers free online tutorials, references and exercises in all the major languages of the web. Covering popular subjects like HTML, CSS, JavaScript, Python, SQL, Java, and many, many more.

    How to Create a Wireframe? Step-by-Step Guide + Examples

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    Read about creating a wireframe for digital products. Learn the exact stepsand see the benefits of starting design with wireframing.

    Animation for Attention and Comprehension

    www.nngroup.com   (2022-01-17)

    tags: animation, ui-ux

    Motion is a powerful tool to attract users’ attention. When designing an animation consider its goal, its frequency of occurrence, and its mechanics.

    Creepiness–Convenience Tradeoff

    www.nngroup.com   (2022-01-17)

    tags: behaviors, ui-ux

    As people consider whether to use the new "creepy" technologies, they do a type of cost-benefit analysis weighing the loss of privacy against the benefits they will receive in return.

    Change Blindness in UX: Definition

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Significant changes in a web page can remain unnoticed when they lack strong cues, due to the limitations of human attention.

    Design Psychology and the Neuroscience of Awesome UX | To...

    www.toptal.com   (2022-01-17)

    tags: neurology, ui-ux

    Human cognition is complex, and many factors play into instant impressions. Design psychology is coming to the forefront as more and more companies are using neuroscience to design better user experiences. Great user experience design isn’t magic—it’s science.

    The Dangers of Overpersonalization

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Too much personalization leads to homogeneous experiences for users and can generate content fatigue and lack of diversity.

    What You Need to Know About Negotiating Design Ideas with...

    www.uxpin.com   (2022-01-17)

    tags: design, ui-ux

    A fully interactive prototype created in UXPin can reduce confusion on expectations as both you and the customer are visualizing the same end product.

    The Critical Incident Technique in UX

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    The CIT is a research method for systematically obtaining recalled observations of significant events or behaviors from people who have first-hand experience.

    Similarity Principle in Visual Design

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Design elements that appear similar in some way — sharing the same color, shape, or size — are perceived as related, while elements that appear dissimilar are perceived as belonging to separate groups.

    Visual Design: Glossary

    www.nngroup.com   (2022-01-17)

    tags: design, ui-ux

    Use this glossary to quickly clarify key terms and concepts related to visual design.

    Crafting a UX Portfolio :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Creating Low-Fidelity or High-Fidelity Prototypes, Part 1...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    UX Design — Smashing Magazine

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    User Experience (UX) Design is the process of creating experiences that aren't just attractive to look at, but that also work well for our users. In this guide we round up some of the articles on Smashing that can help you to create beautiful sites and applications that also help people to get things done.

    8 Design Guidelines for Complex Applications

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Despite great diversity in the workflows and end users supported by complex applications, these 8 design guidelines are generally applicable.

    7 Ways to Analyze a Customer-Journey Map

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Evaluate your journey map to identify low and high points, failures to set expectations, unnecessary or too long steps, channel transitions, and moments of truth. Use this information to find opportunities for improving the journey.

    How to Leverage Thematic Analysis for Better UX | Toptal®

    www.toptal.com   (2022-01-17)

    tags: ui-ux

    Thematic analysis, an approach used to analyze qualitative data, is central to credible research and can be used to improve UX design by uncovering user needs, motivations, and behaviors. #Research #Product #Design #UX #Web #B2B

    The Role Of Storyboarding In UX Design — Smashing Magazine

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    UX designers use a lot of different research techniques, such as interviews and workshops. They summarize research findings into user stories and user flows and communicate their thinking and solutions to the teams. But somewhere in all of this, there are real people for whom the products are being designed for. In order to create better products, designers must understand what’s going on in the user’s world. And that’s where storyboards come in. In this article, Nick Babich will focus on storyboards as a means to explore solutions to UX issues, as well as to communicate these issues and solutions to others.

    Vanity Metrics: Add Context to Add Meaning

    www.nngroup.com   (2022-01-17)

    tags: analytics, ui-ux

    Tracked analytics metrics should reflect change in the user experience. Vanity metrics appear impressive, but their fluctuations are not actionable.

    UI Animation – All You Need to Know and Examples

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    Are you using UI animation to make your products exciting and accessible? Draw inspiration from these four UI animations.

    The Role of Animation and Motion in UX

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Animation in UX must be unobtrusive, brief, and subtle. Use it for feedback, state-change and navigation metaphors, and to enhance signifiers.

    UI Design Best Practices for Better Scannability | Toptal®

    www.toptal.com   (2022-01-17)

    tags: ui-ux

    Sixty percent of first-time visitors leave a website in less than fifteen seconds. Yet, there is an often overlooked usability factor that improves visitor retention—scannability. These UI design tips for using research, science, and strategy to layout content help convert short-term visitors to long-lasting users.

    Front-End Performance Checklist 2021 (PDF, Apple Pages, M...

    www.smashingmagazine.com   (2022-01-17)

    tags: css, html, ui-ux, webdev

    Let’s make 2021... fast! An annual front-end performance checklist, with everything you need to know to create fast experiences on the web today, from metrics to tooling and CSS/JavaScript techniques.

    Using Cognitive Psychology in UX Design: What to Know - n...

    www.noupe.com   (2022-01-17)

    tags: ui-ux

    Even if a website is spotless from the UI viewpoint, it could still deliver poor user experiences. Apart from their technical knowledge, UX developers

    Sympathy vs. Empathy in UX

    www.nngroup.com   (2022-01-17)

    tags: behaviors, empathy, ui-ux

    The majority of UX professionals practice sympathy instead of empathy for their users.

    Web Layout Best Practices – 12 Timeless UI Patterns | Top...

    www.toptal.com   (2022-01-17)

    tags: css, ui-ux

    What makes a web UI pattern timeless? Adherence to web layout best practices that result in a combination of user-friendliness and adaptability to changing trends and technology. #design #ui #design #ux #web #product

    The Paradox of Intelligent Assistants: Poor Usability, Hi...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Frequent users of Siri, Alexa, and Google Assistant report attempting low-complexity tasks such as simple fact retrievals, weather forecast, navigation, playing music, setting timers.

    Benchmarking UX: Tracking Metrics

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Quantitatively evaluate a product or service’s user experience by using metrics to gauge its relative performance against a meaningful standard.

    Good UX: What I Learned While Working in Restaurants

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Good UX has great customer service at its base. Restaurants provide many instructive examples for designers.

    User-Experience Quiz 2023

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Test your usability knowledge by taking our quiz. All questions and answers are based on articles that we published last year.

    The Lawn Mower Eyetracking Pattern for Scanning Compariso...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Users are likely to methodically scan comparison tables row by row, from right to left and back again.

    The 6 UX Methods That Proved to Be Effective in Driving R...

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    Experimenting with creative UX methods. Creativity plays an important role, but your designs must drive results to make products successful.

    In Defense of Post-its

    www.nngroup.com   (2022-01-17)

    tags: design, ui-ux

    Sticky notes strengthen team dynamics and represent an egalitarian, concise means for expressing ideas in UX design projects.

    Learnability in UX Design

    www.webdesignerdepot.com   (2022-01-17)

    tags: learning, ui-ux

    Building a learnable website is much tougher than it sounds.One thinks one’s design is clear and comprehensible; however, a design that might be obvious for you, might be perceived totally different by a user with a different set of experiences. Therefore, the goal is to design a clear user path…

    Navigating Ambiguity :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ambiguity, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Book Review: The Jobs To Be Done Playbook :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Dot Voting: A Simple Decision-Making and Prioritizing Tec...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    By placing colored dots, participants in UX workshops, activities, or collaborative sessions individually vote on the importance of design ideas, features, usability findings, and anything else that requires prioritization.

    Journey Mapping 101

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    A journey map is a visualization of the process that a person goes through in order to accomplish a goal.

    How To Deliver A Successful UX Project In The Healthcare ...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    UX researchers can learn a lot from hospital patients through empathetic interviews — but that alone is not enough. Instead, you need to pay particular attention to how your users’ clinical context influences their perceptions, trust, and the care they receive. If you are a UX researcher about to embark on a project with hospitalized patients and you want to avoid missing out on deep concerns and problems of users, then maybe this article can help you strengthen your awareness for particular challenges of clinical UX.

    UX Guidelines for Ecommerce Homepages, Category Pages, an...

    www.nngroup.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Streamline users’ path to products by providing clear, differentiating product information at all levels — from the homepage to product listing pages.

    3 Persona Types: Lightweight, Qualitative, and Statistical

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    For most teams, approaching persona creation qualitatively is the right balance of effort vs. value, but very large or very small organizations might benefit from statistical or lightweight approaches, respectively.

    Better Link Labels: 4Ss for Encouraging Clicks

    www.nngroup.com   (2022-01-17)

    tags: html, ui-ux

    Specific link text sets sincere expectations and fulfills them, and is substantial enough to stand alone while remaining succinct.

    Cognitive Mapping in User Research

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    In cognitive mapping sessions, users are asked to produce a visual representation of their mental models. Cognitive mapping guides conversation and acts as a facilitation aid.

    ‘Our Users Are Everyone’: Designing Mass-Market Products ...

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Even if your target demographics are very broad, you should still identify specific groups of users within that audience to use for UX research and design.

    Artificial Intelligence, Supervised Learning, and User Ex...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Top books, movies, and series recommended by designers in...

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    Here’s a list of great books, movies, and tv series that designers liked in 2019. It’s probably not the most objective, but surely very interesting.

    Design Principles: Compositional Flow And Rhythm — Smashi...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Compositional flow determines how the eye is led through a design: where it looks first, where it looks next, where the eye pauses, and how long it stays. You have a lot of control over where people look when they’re viewing a webpage you’ve designed. On a text-heavy and graphic-light page, a visitor’s eye likely follows something like a Z-pattern or F-pattern across and down the page. However, as soon as you design page elements and add graphics, those patterns no longer apply. Your visitor’s eye will follow the flow, movement and rhythm you create.

    The Complete Guide to UX Research Methods | Toptal®

    www.toptal.com   (2022-01-17)

    tags: ui-ux

    UX research provides invaluable insight into what people need and value. Not only will UX research reduce the risk of a wrong guess, but it’ll also uncover new opportunities for innovation. #ux #uxresearch #ProductDesign

    Discussion Guide Gaffes and How to Fix Them :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Hick’s Law: Making the choice easier for users

    www.interaction-design.org   (2022-01-17)

    tags: ui-ux

    Use Hick’s Law to examine how many functions you should offer at any part of your website & how this will affect your users’ overall approach to decision making.

    What is Change Blindness in UX Design - noupe

    www.noupe.com   (2022-01-17)

    tags: ui-ux

    When researchers carry out usability testing, they have often observed that users overlook a change on the screen otherwise considered obvious and highly

    Design Principles: Visual Weight And Direction — Smashing...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Visual direction is the perceived direction of forces acting on and exerted by elements. A visually heavy element will attract the eye to it. The direction is a cue to the viewer’s eye to move elsewhere. We refer to this force as visual weight and to the perceived direction of visual forces as visual direction. Both are important concepts to understand if you want to create hierarchy, flow, rhythm and balance in your composition. Many intrinsic characteristics can be modified to make an element visually weightier or lighter.

    Avoid PDF for On-Screen Reading

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Forcing users to browse PDF files causes frustration and slow task completion, compared to standard webpages. Use PDF only for documents that users will print. In those cases, following 10 basic guidelines will minimize usability problems.

    Is The F-Pattern Still Relevant in Web Design?

    www.webdesignerdepot.com   (2022-01-17)

    tags: ui-ux

    When we refer to patterns like the F-pattern, Gutenberg layout, or layer-cake pattern in web design, what we’re talking about is how readers scan the content on a page. As you can see from these eye-tracking studies from NNG, the F-pattern isn’t always an explicit “F” shape.Instead, it refers to a…

    Lessons on Visualization from the Industrial Environment ...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Login Walls Stop Users in Their Tracks

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Demanding that users register or log in before they can use an app or see website information has high interaction cost and defies the reciprocity principle.

    Spatial Memory: Why It Matters for UX Design

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    With repeated practice, users develop imprecise memory of objects and content in a UI, but still need additional visual and textual signals to help them find a specific item.

    10 Tips for Building a Visual Language

    www.webdesignerdepot.com   (2022-01-17)

    tags: design, language-linguistics, ui-ux, webdev

    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,…

    How to Film and Photograph for Usability: UX Details for ...

    www.nngroup.com   (2022-01-17)

    tags: images, ui-ux

    Consider how your audience will be using the visuals to determine the optimal camera angle, set the right tone, choose the right props, and maintain attention.

    https://www.mybluprint.com/article/hues-tints-tones-shade...

    www.mybluprint.com   (2022-01-17)

    tags: color, ui-ux

    https://www.lifewire.com/font-families-basics-3467382

    www.lifewire.com   (2022-01-17)

    tags: fonts-typography, ui-ux

    Front-End Performance Checklist 2021 (PDF, Apple Pages, M...

    www.smashingmagazine.com   (2022-01-17)

    tags: css, html, javascript, ui-ux, webdev

    Let’s make 2021... fast! An annual front-end performance checklist, with everything you need to know to create fast experiences on the web today, from metrics to tooling and CSS/JavaScript techniques.

    7 Steps to Benchmark Your Product’s UX

    www.nngroup.com   (2022-01-17)

    tags: benchmarks, ui-ux

    Benchmark your UX by first determining appropriate metrics and a study methodology. Then track these metrics across different releases of your product by running studies that follow the same established methodology.

    Building Narrative into Your User Interface, Part 2 :: UX...

    www.uxmatters.com   (2022-01-17)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    How Lorem Ipsum Kills Your Designs

    www.uxpin.com   (2022-01-17)

    tags: ui-ux

    It’s tempting to add Lorem ipsum to early designs. Unfortunately, this can create more problems than it solves. UXPin helps you avoid this.

    Remote Moderated Usability Tests: How to Do Them

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    The key to good remote moderated testing is to be thoroughly prepared and organized. Follow these 7 steps to ensure your study’s success.

    Design Principles: Visual Perception And The Principles O...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Gestalt principles are important to understand. They sit at the foundation of everything we do visually as designers. They describe how everyone visually perceives objects. This article is part of a new series about design principles that can serve both as a refresher for seasoned designers and reference for newcomers to the industry. Hopefully, the content covered here isn't too obvious and self-explanatory, but it's always great to have a nice quick refresher every now and again, isn't it?

    Design Principles: Dominance, Focal Points And Hierarchy ...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Emphasis is relative. For one element to stand out, another has to serve as the background from which the first is to stand out. Some elements need to dominate others in order for your design to display any sort of visual hierarchy. By varying the visual weight of some elements and the visual direction of others, you can establish different levels of dominance. Three levels is ideal; they’re all that most people can discern. Designing different levels of emphasis or dominance will create a visual hierarchy in your design, with more important information being more visually prominent. It will help you communicate with visitors quickly and efficiently.

    Design Principles: Connecting And Separating Elements Thr...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Showing that some things are the same and some are different is the first step in visual communication. It’s the primary way that viewers derive meaning. Contrast and similarity have different functions. They are used in varying degree and in combination. You’ll always see some of both because neither exists without the other. Changing one means also changing the other. They are clues to design elements. The goal is to contrast similar layers. The way we structure contrasting and similar elements creates hierarchy, flow and compositional balance.

    Smart Interface Design Patterns Checklists PDF — Smashing...

    www.smashingmagazine.com   (2022-01-17)

    tags: ui-ux

    Announcing a set of checklists to help you create smart interface design patterns. Totally free if you sign up for our friendly newsletter. These checklists are based on the work Vitaly has been doing for many years, exploring and examining examples of desktop and mobile interfaces. Learning what works and what doesn’t in usability tests and user interviews.

    Applying UX-Workshop Techniques to the Hiring Process

    www.nngroup.com   (2022-01-17)

    tags: ui-ux

    Create an effective hiring process by borrowing techniques used in UX workshops.

    Bootcards - Nền tảng Framework UI dạng card dựa trên Boot...

    bootcards.org   (2022-01-16)

    tags: css, ui-ux

    Bootcards- UI Framework được xây dựng dựa với mục đích áp dụng những template dạng thẻ cho các yếu tố thành phần của thiết kế website

    7 Practical Tips for Cheating at Design

    medium.com   (2022-01-16)

    tags: css, fonts-typography, ui-ux, webdev

    Improving your designs with tactics instead of talent.

    Coolors - The super fast color palettes generator!

    coolors.co   (2022-01-16)

    tags: color, ui-ux, webdev

    Generate or browse beautiful color combinations for your designs.

    User Onboarding: Principles and Guidelines

    www.uxmatters.com   (2022-01-12)

    tags: onboarding, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    5 UX Tricks You Must Know in 2022

    dev.to   (2022-01-09)

    tags: css, ui-ux, webdev

    Do you have what it takes to be an outstanding UX Developer in 2022? Add these tricks to your arsenal...

    54 years ago, a computer programmer fixed a massive bug —...

    www.inverse.com   (2022-01-07)

    tags: ui-ux

    A blinking cursor follows us everywhere in the digital world, but who invented it and why? From block printing to the Apple II, this is the forgotten history of the blinking cursor

    Useful UX Guidelines, Tools And Resources

    www.smashingmagazine.com   (2021-12-23)

    tags: programming, ui-ux, webdev

    A meaningful user experience is what can set your site apart from others. But what makes an experience truly meaningful? And how to achieve that? The tools, tips, and resources in this post not only help you to come up with a UX strategy that works for you and your team but also to circumvent potential UX pitfalls.

    UX Tools

    uxtools.co   (2021-12-23)

    tags: programming, ui-ux, webdev

    Product design mastery in one weekly e-mail. Practical lessons, resources and news in just 5 minutes a week.

    1000+ Free HTML Website Templates (2024) - HTML Templates

    htmltemplates.co   (2021-12-15)

    tags: html, ui-ux

    The ultimate showcase of the best high-quality free HTML website templates on the internet. Free Download without registration!

    9 tips to get bare minimum of web accessibility

    medium.com   (2021-12-14)

    tags: ui-ux

    Making an accessible site means making it for ‘almost’ everyone. And the good news is that its very easy to make an acceptably accessible…

    colors.lol - Overly descriptive color palettes

    colors.lol   (2021-12-14)

    tags: color, ui-ux

    A fun way to discover interesting color combinations.

    Recognize Strategic Opportunities with Long-Tail Data

    www.nngroup.com   (2021-12-12)

    tags: prodmgmt, search, ui-ux

    Be a strategic thinker by recognizing opportunities at scale with seemingly small and insignificant data.

    UI Events

    www.w3.org   (2021-12-11)

    tags: ui-ux

    The Vinyl Renaissance: Take Those Old Records Off the Shelf

    hbswk.hbs.edu   (2021-11-29)

    tags: music, prodmgmt, ui-ux

    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.

    The end of “click to subscribe, call to cancel”? One of t...

    www.niemanlab.org   (2021-11-17)

    tags: custsvc, prodmgmt, ui-ux

    Most U.S. news organizations won't let readers cancel online. The Federal Trade Commission wants that to change.

    5 Prioritization Methods in UX Roadmapping

    www.nngroup.com   (2021-11-14)

    tags: ui-ux

    The best prioritization method depends on project context, team culture, and success criteria.

    DesignOps: Study Guide

    www.nngroup.com   (2021-11-14)

    tags: ui-ux

    Unsure where to start? Use this collection of links to our articles and videos to learn about the components of DesignOps and get started implementing DesignOps activities.

    White Label Designs – All About Implementation, Design Sy...

    www.uxpin.com   (2021-10-15)

    tags: marketing, platforms, prodmgmt, ui-ux, white-label

    Building white label products is more profitable than starting a new design every time. Learn how to properly implement white labelling.

    Web UI Best Practices: UI Design from the Experts

    www.uxpin.com   (2021-10-11)

    tags: books, ui-ux

    Learn techniques from visual design, interface design, and UX design. Web UI is analyzed from over 33 companies.

    17 Useful UX and UI Design Tools

    www.practicalecommerce.com   (2021-09-28)

    tags: programming, ui-ux, webdev

    User experience and user interface tools can help with every stage of website and mobile-app design — from early whiteboard brainstorming to testing your prototype with end-users. Here is a list of useful UX and UI design tools.

    60 Awesome UI and UX resources for Developers and Designe...

    dev.to   (2021-08-03)

    tags: design, programming, ui-ux, webdev

    Yearning organizers, genuine solopreneurs, and sprouting visual creators all need a convincing...

    What is an Affinity Diagram and How It Can Help You

    www.uxpin.com   (2021-07-25)

    tags: design, ui-ux

    Affinity diagrams are especially helpful in the design process. See how this method can help you organize and plan product ideas.

    Designing the Smallest Possible Thing

    www.interaction-design.org   (2021-07-24)

    tags: design, ui-ux

    If designers want to get more agile, they should learn how to make small things, get feedback and embrace experimentation, iteration and refactoring.

    HTML Line Spacing: The Fine Line Between Good and Bad UX ...

    www.uxpin.com   (2021-07-13)

    tags: css, design, ui-ux

    HTML line spacing matters in UX design. Read all you need to know about line height and how it can help your UX.

    How to Draw a Wireframe (Even if You Can’t Draw)

    www.nngroup.com   (2021-06-20)

    tags: ui-ux, wireframes

    Even people with limited drawing abilities can learn to sketch a wireframe if they learn a few common conventions used to represent various design elements.

    The UX of video game tutorials. What decisions a designer...

    uxdesign.cc   (2021-06-19)

    tags: design, games, ui-ux

    What decisions a designer will run into while designing learning experiences.

    4 Testimonial Page Examples for UX/UI Design

    www.uxpin.com   (2021-06-05)

    tags: design, ui-ux

    In these testimonial page examples, you’ll see how UX designers help clients provide social proof for their products and services.

    The Expanse UI Design — HUDS GUIS

    www.hudsandguis.com   (2021-05-26)

    tags: movies-television, ui-ux

    Here’s a look at the various FUI designs from the sci-fi series The Expanse . Special thanks to Brian Benton who suggested this and provided some great links as well! A lot of the images have been collected from this massive image dump from drainsmith and further below we have some insights and

    10 Useful UI/UX Design Articles for UX Practitioners

    www.uxpin.com   (2021-05-18)

    tags: ui-ux

    As a designer, you never stop learning and these UX/UI articles are perfect for staying up to date on the latest in the design world.

    Three Levels of Pain Points in Customer Experience

    www.nngroup.com   (2021-05-17)

    tags: ui-ux

    Pain points are problems that occur at the different levels of the customer experience: interaction level, customer-journey level, or relationship level.

    chart-doctor/README.md at master · ft-interactive/chart-d...

    github.com   (2021-05-13)

    tags: ui-ux, visualization

    Sample files to accompany the FT's Chart Doctor column - Financial-Times/chart-doctor

    Aspect Ratios: All You Need to Know

    www.uxpin.com   (2021-05-11)

    tags: design, ui-ux

    Learn all about aspect ratios in UX/UI design, including how they affect images, videos, and responsive layouts across devices.

    The Psychology behind Data Visualization Techniques

    towardsdatascience.com   (2021-05-09)

    tags: ui-ux, visualization

    A short excursion into the world of human visual information processing

    Taxonomies: Connecting Users to Content

    boxesandarrows.com   (2021-04-08)

    tags: design, taxonomy, ui-ux

    Taxonomies may be thought of as hierarchies of categories to group and organize information to be found when browsing, or as a structured set of terms used to tag content so that it can be retrieved efficiently and accurately. Sometimes the same taxonomy may serve both purposes, and sometimes two different taxonomies are used, one for each purpose, for the same content or site. Taxonomies are not new, in fact  there has been a lot written about them, including an

    Overlay Fact Sheet

    overlayfactsheet.com   (2021-04-05)

    tags: design, ui-ux

    Sticky Headers: 5 Ways to Make Them Better

    www.nngroup.com   (2021-04-04)

    tags: design-patterns, ui-ux

    Persistent headers can be useful to users if they are unobtrusive, high-contrast, minimally animated, and fit user needs.

    Dark patterns, the tricks websites use to make you say ye...

    www.vox.com   (2021-04-02)

    tags: ui-ux, webdev

    How design can manipulate and coerce you online

    Font size is useless; let’s fix it @ tonsky.me

    tonsky.me   (2021-04-01)

    tags: fonts-typography, ui-ux

    What happens when you set fontSize: 32 in your favorite editor

    Benefits of Using a Random Name Generator

    www.uxpin.com   (2021-03-20)

    tags: design, naming, ui-ux

    Do you need to make a prototype for a website or app? The effectiveness of these random name generator benefits may surprise you.

    15 Psychology Principles Every Designer Should Know

    www.webdesignerdepot.com   (2021-03-18)

    tags: design, ui-ux, webdev

    As a web designer, you’re not really in the business of building websites that your clients will love. I know that may seem counterintuitive, but think about how vast the differences often are between your clients’ personal aesthetics and what actually works to turn visitors into customers.

    A Thread from @Tocelot: "The best apps today are games in...

    threader.app   (2021-03-15)

    tags: games, prodmgmt, ui-ux

    Get a selection of good threads from Twitter every day

    Building Products at Airbnb - Bring the Donuts Newsletter

    newsletter.bringthedonuts.com   (2021-03-15)

    tags: prodmgmt, ui-ux

    Sketch vs Wireframe vs Mockup vs Prototype: A Complete Gu...

    blog.pine.design   (2021-03-10)

    tags: programming, ui-ux, wireframes

    Speed Is the Killer Feature

    bdickason.com   (2021-03-02)

    tags: ui-ux

    Teams consistently overlook speed. Instead, they add more features (which ironically make things slower). Products bloat over time and performance goes downhill.

    11 Easy UI Design Tips for Web Devs

    dev.to   (2021-02-17)

    tags: ui-ux, webdev

    Whilst learning web development, most of us don’t have much design experience or access to a UI desig...

    Top Product Management and UX Articles of 2020

    t.co   (2020-12-22)

    tags: prodmgmt, ui-ux

    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…

    People AI Guidebook | PAIR

    pair.withgoogle.com   (2020-12-21)

    tags: design, ui-ux

    A toolkit for teams building human-centered AI products.

    Pocket - The Lawn Mower Eyetracking Pattern for Scanning ...

    app.getpocket.com   (2020-12-13)

    tags: ui-ux

    [Infographic] The Periodic Table of UX Elements

    www.reddit.com   (2020-12-10)

    tags: ui-ux

    140 votes, 14 comments. 177K subscribers in the ProductManagement community. Product Management

    Want to ditch Pinterest? Here are the best alternatives f...

    www.fastcompany.com   (2020-11-03)

    tags: pinterest, ui-ux, visualization

    If the recent discrimination allegations against Pinterest are leaving you uninspired (if not quesy), here are some great alternatives.

    Designing Mobile Tables

    www.uxmatters.com   (2020-08-10)

    tags: ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    Salience: The psychology of an experience you can’t ignore

    uxmag.com   (2020-06-01)

    tags: ui-ux

    Customers can’t buy from a brand they don’t notice

    Salience: The psychology of an experience you can’t ignor...

    uxmag.com   (2020-05-27)

    tags: ui-ux

    Customers can’t buy from a brand they don’t notice

    The Baymard Institute: A glorious, evidence-based trove o...

    medium.com   (2020-04-21)

    tags: ui-ux

    What’s so great about Baymard and why aren’t there more organizations on the same level?

    Ask a researcher: How do needs drive intent?

    www.thinkwithgoogle.com   (2020-02-19)

    tags: behaviors, prodmgmt, ui-ux

    Consumer needs spark consumer journeys. How can marketers identify those needs and address them? The latest consumer research from Google will help.

    Study of Over 11,000 Online Stores Finds 'Dark Patterns' ...

    tech.slashdot.org   (2019-12-23)

    tags: ecommerce, ui-ux

    A large-scale academic study that analyzed more than 53,000 product pages on more than 11,000 online stores found widespread use of user interface "dark patterns" -- practices meant to mislead customers into making purchases based on false or misleading information. from a report: The study -- prese...

    Buyer UX ecommerce Benchmarking

    docs.google.com   (2019-08-30)

    tags: benchmarks, ecommerce, prodmgmt, ui-ux

    Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver

    Design Psychology and the Neuroscience of Awesome UX | To...

    www.toptal.com   (2019-08-30)

    tags: design, ui-ux

    Human cognition is complex, and many factors play into instant impressions. Design psychology is coming to the forefront as more and more companies are using neuroscience to design better user experiences. Great user experience design isn’t magic—it’s science.

    How to use data in user research when you have no web ana...

    ui-patterns.us10.list-manage.com   (2019-08-30)

    tags: analytics, ui-ux

    When we think about the data we hold on our services, the first thing that comes to mind is often website analytics. But there are other valuable and occasionally overlooked types of data that can be really useful to user researchers.

    How to run an heuristic evaluation – UX Mastery

    uxmastery.com   (2019-08-29)

    tags: ui-ux

    The advantages and disadvantages of heuristic evaluation plus step by step instructions for running a successful inspection of your design's usability.

    How privilege impacts empathy

    t.co   (2019-08-29)

    tags: behaviors, empathy, ui-ux

    Who are we excluding from “user-centered” design

    Making the Hook Model actionable

    ui-patterns.com   (2019-08-29)

    tags: ui-ux

    Learn exactly what persuasive techniques you need to use to build habit-forming products.

    The Value of Inconvenient Design

    ui-patterns.us10.list-manage.com   (2019-08-29)

    tags: design, ui-ux

    Technology makes seemingly inconvenient tasks easier — but at what cost?

    The principle of design principles

    ui-patterns.us10.list-manage.com   (2019-08-29)

    tags: design, ui-ux

    Your team’s not dysfunctional – you just need shared principles.

    Disruptive Interfaces & The Emerging Battle To Be The Def...

    medium.com   (2019-08-29)

    tags: platforms, prodmgmt, ui-ux

    A new battle is brewing to be the default of every choice we make. As modern interfaces like voice remove options, augmented reality…

    See Google's first guidelines for data visualization

    www.fastcompany.com   (2019-08-23)

    tags: design, ui-ux

    Google's data viz team, formed just last year, has put out best practices for designing charts.

    Feature design checklist – UX Collective

    uxdesign.cc   (2019-05-15)

    tags: design, ui-ux

    Questions that ensure you consider e̶v̶e̶r̶y̶t̶h̶i̶n̶g̶ a few things when designing a new feature.

    People, Products, and Epiphanies – Google Design – Medium

    medium.com   (2019-04-21)

    tags: prodmgmt, ui-ux

    How a user-first culture led to a decade of eureka moments at Google UX

    Making the Fogg Behavior Model actionable

    ui-patterns.com   (2019-04-19)

    tags: ui-ux

    Whether you are helping your users establish habits, engage in something new or unknown, onboard, or just want to motivate your users into giving your product a try, the Fogg Behavior Model can guide you.

    I wanted to write a book, but ended up with a card deck

    ui-patterns.com   (2019-04-19)

    tags: ui-ux

    One of my life goals is to publish a book about how to build great products. I hope to help others learn from my hard-earned lessons to get ahead of the game. Ultimately, I want to help product builders to kick ass at what they love to do.

    Reciprocity Decay

    www.coglode.com   (2019-03-12)

    tags: behaviors, reciprocity, ui-ux

    Our desire to give back wanes rapidly with time - Why if you want people to return a favor, you need to act fast

    How to Respond to Skepticism of Testing Small Groups of U...

    www.nngroup.com   (2019-03-12)

    tags: analytics, prodmgmt, ui-ux

    “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.

    The Elements of UI Engineering - Overreacted

    overreacted.io   (2019-01-03)

    tags: ui-ux

    What makes UI engineering difficult?

    This is the most interesting UI design of the year so far

    www.fastcompany.com   (2018-11-16)

    tags: design, ui-ux

    What if clearing trackers was as easy as cleaning your computer screen?

    The Power of a Free Popsicle | Stanford Graduate School o...

    www.gsb.stanford.edu   (2018-03-05)

    tags: behaviors, marketing, prodmgmt, ui-ux

    NN/g’s Free UX Templates and Guides

    www.nngroup.com   (2013-09-24)

    tags: ui-ux

    Use this curated set of free NN/g templates and guides for inspiration and to accelerate your product development activities and UX career.

    The Practical Guide to Empathy Maps: 10-Minute User Personas

    www.uxpin.com   (2009-09-24)

    tags: empathy, ui-ux

    A step-by-step process to creating an empathy map as a lean user persona with examples from leading design tool - UXPin.


    -->
    deep-learning (all)
    categories:
    tags: deep-learning 
    date: 28 Mar 2025
    slug:raindrop-deeplearning-all
    dataconomy.com   (2025-02-19)

    tags: bert, deep-learning

    BERT is an open source machine learning framework for natural language processing (NLP) that helps computers understand ambiguous language by using context

    Why it’s so hard to use AI to diagnose cancer

    www.technologyreview.com   (2025-01-21)

    tags: deep-learning, exercise-health-medicine, image-classification

    The latest effort, from the Mayo Clinic, holds some clues.

    5 AI Image Generators You Can Use Now

    spectrum.ieee.org   (2025-01-18)

    tags: deep-learning, image-generation

    AI art generation has entered an era of evolution over revolution

    The 2025 AI Engineering Reading List

    www.latent.space   (2025-01-14)

    tags: llms, nlp, deep-learning, arxiv

    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.

    Lessons from Optics, The Other Deep Learning

    archives.argmin.net   (2024-11-25)

    tags: deep-learning, optics-photonics

    Musings on systems, information, learning, and optimization.

    Choosing and Implementing Hugging Face Models

    towardsdatascience.com   (2024-11-01)

    tags: deep-learning, hugging-face

    Pulling pre-trained models out of the box for your use case

    5 Free Books on Computer Vision - MachineLearningMastery.com

    machinelearningmastery.com   (2024-10-21)

    tags: deep-learning, books, machine-vision

    [caption align=

    Aman's AI Journal • Primers • Ilya Sutskever's Top 30

    aman.ai   (2024-10-21)

    tags: deep-learning, arxiv

    Aman's AI Journal | Course notes and learning material for Artificial Intelligence and Deep Learning Stanford classes.

    Summary of Ilya Sutskevers AI Reading List · Tensor Labbet

    tensorlabbet.com   (2024-10-19)

    tags: deep-learning, arxiv

    Dario Amodei — Machines of Loving Grace

    darioamodei.com   (2024-10-19)

    tags: public-policy, ethics, deep-learning

    How AI Could Transform the World for the Better

    10 GitHub Repositories for Advanced Machine Learning Proj...

    www.kdnuggets.com   (2024-10-16)

    tags: machine-learning, deep-learning, github

    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.

    Top Books on Deep Learning and Neural Networks

    www.marktechpost.com   (2024-05-15)

    tags: books, deep-learning

    Deep learning is crucial in today's age as it powers advancements in artificial intelligence, enabling applications like image and speech recognition, language translation, and autonomous vehicles. Understanding deep learning equips individuals to harness its potential, driving innovation and solving complex problems across various industries. This article lists the top Deep Learning and Neural Networks books to help individuals gain proficiency in this vital field and contribute to its ongoing advancements and applications. Deep Learning (Adaptive Computation and Machine Learning series) This book covers a wide range of deep learning topics along with their mathematical and conceptual background. Additionally, it offers

    Kolmogorov-Arnold Networks (KANs): A New Era of Interpret...

    www.marktechpost.com   (2024-05-04)

    tags: deep-learning

    Multi-layer perceptrons (MLPs), or fully-connected feedforward neural networks, are fundamental in deep learning, serving as default models for approximating nonlinear functions. Despite their importance affirmed by the universal approximation theorem, they possess drawbacks. In applications like transformers, MLPs often monopolize parameters and lack interpretability compared to attention layers. While exploring alternatives, such as the Kolmogorov-Arnold representation theorem, research has primarily focused on traditional depth-2 width-(2n+1) architectures, neglecting modern training techniques like backpropagation. Thus, while MLPs remain crucial, there's ongoing exploration for more effective nonlinear regressors in neural network design. MIT, Caltech, Northeastern researchers, and the NSF Institute for AI and

    Hai ai index report 2024

    aiindex.stanford.edu   (2024-04-16)

    tags: deep-learning

    Deep Learning Architectures From CNN, RNN, GAN, and Trans...

    www.marktechpost.com   (2024-04-15)

    tags: attention, convolutions, deep-learning, gans, llms, rnns

    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.

    Mamba Explained

    thegradient.pub   (2024-03-30)

    tags: deep-learning, llms, transformers

    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.

    [2304.05055] A Comprehensive Survey on Deep Graph Represe...

    arxiv.org   (2024-03-05)

    tags: deep-learning, glossaries, graphs

    Graph representation learning aims to effectively encode high-dimensional sparse graph-structured data into low-dimensional dense vectors, which is a fundamental task that has been widely studied...

    Conformal_Prediction/paper/Conformal_Prediction_final.pdf...

    github.com   (2024-03-05)

    tags: books, conformal, deep-learning

    This projects contains different conformal methods and approaches. Includes code generated for a experimental evaluation of a multidimensional, low-sample size biomedical dataset of oncological sub...

    The Math behind Adam Optimizer | by Cristian Leo | in Tow...

    towardsdatascience.com   (2024-03-05)

    tags: deep-learning, optimization

    Why is Adam the most popular optimizer in Deep Learning? Let's understand it by diving into...

    Thinking about High-Quality Human Data | Lil'Log

    lilianweng.github.io   (2024-02-22)

    tags: deep-learning, labeling

    [Special thank you to Ian Kivlichan for many useful pointers (E.g. the 100+ year old Nature paper “Vox populi”) and nice feedback. 🙏 ] High-quality data is the fuel for modern data deep learning model training. Most of the task-specific labeled data comes from human annotation, such as classification task or RLHF labeling (which can be constructed as classification format) for LLM alignment training. Lots of ML techniques in the post can help with data quality, but fundamentally human data collection involves attention to details and careful execution.

    Give AI curiosity, and it will watch TV forever

    qz.com   (2024-02-01)

    tags: curiosity, deep-learning

    TV is just as interesting to AI as it is to humans.

    Meet neograd: A Deep Learning Framework Created from Scra...

    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

    Understanding and Coding Self-Attention, Multi-Head Atten...

    magazine.sebastianraschka.com   (2024-01-16)

    tags: deep-learning, llms

    This article will teach you about self-attention mechanisms used in transformer architectures and large language models (LLMs) such as GPT-4 and Llama.

    Understanding Deep Learning

    udlbook.github.io   (2023-10-20)

    tags: books, deep-learning, jupyter

    Variational Autoencoder (VAE) with Discrete Distribution ...

    towardsdatascience.com   (2023-08-10)

    tags: autoencoders, deep-learning, generative, pytorch

    Theory and PyTorch Implementation

    Calculate Computational Efficiency of Deep Learning Model...

    www.kdnuggets.com   (2023-07-24)

    tags: algorithms-math, benchmarks, cpus, deep-learning, gpus

    In this article we will learn about its definition, differences and how to calculate FLOPs and MACs using Python packages.

    ELI5: FlashAttention

    gordicaleksa.medium.com   (2023-07-24)

    tags: deep-learning, llms

    Step by step explanation of how one of the most important MLSys breakthroughs work — in gory detail.

    Why You Need To Know About Autonomous AI Agents

    www.kdnuggets.com   (2023-07-24)

    tags: deep-learning

    A beginner's guide to understanding autonomous AI agents and their importance.

    The Case for Running AI on CPUs Isn’t Dead Yet

    spectrum.ieee.org   (2023-06-02)

    tags: cpus, deep-learning, gpus, llms, semiconductors

    GPUs may dominate, but CPUs could be perfect for smaller AI models

    Photonic Chips Curb AI Training’s Energy Appetite

    spectrum.ieee.org   (2023-05-22)

    tags: deep-learning, optics-photonics, semiconductors

    Stanford team achieves first-ever optical backpropagation milestone

    A Survey of Large Language Models

    arxiv.org   (2023-04-14)

    tags: arxiv, deep-learning, llms

    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...

    New Ebook: A Beginner’s Guide to Large Language Models

    www.nvidia.com   (2023-04-14)

    tags: deep-learning, llms

    Explore what LLMs are, how they work, and gain insights into real-world examples, use cases, and best practices.

    The Sequence Chat: Salesforce Research's Junnan Li on Mul...

    thesequence.substack.com   (2023-04-12)

    tags: deep-learning, generative

    One of the creators of the famous BLIP-2 model shares his insights about the current state of multimodal generative AI.

    📝 Guest Post: Caching LLM Queries for Improved Performanc...

    thesequence.substack.com   (2023-04-12)

    tags: caching, deep-learning, llms

    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.

    How to use Midjourney to generate AI images | Digital Trends

    www.digitaltrends.com   (2023-04-09)

    tags: deep-learning, image-generation

    AI-generated images have never been more popular, and Midjourney is one of the best tools. Here's how to access the AI and what to know about using it.

    Google’s TPU v4 Architecture: 3 Major Features

    semiengineering.com   (2023-04-08)

    tags: deep-learning, semiconductors, tpu

    A new technical paper titled “TPU v4: An Optically Reconfigurable Supercomputer for Machine Learning with Hardware Support for Embeddings” was published by researchers at Google. Abstract: “In response to innovations in machine learning (ML) models, production workloads changed radically and rapidly. TPU v4 is the fifth Google domain specific architecture (DSA) and its third supercomputer... » read more

    Introducing Segment Anything: Working toward the first fo...

    ai.facebook.com   (2023-04-07)

    tags: deep-learning, image-segmentation, machine-vision

    Why AI Inference Will Remain Largely On The CPU

    www.nextplatform.com   (2023-04-05)

    tags: cpus, datacenters, deep-learning

    Sponsored Feature: Training an AI model takes an enormous amount of compute capacity coupled with high bandwidth memory. Because the model training can be

    Hands-on Generative AI with GANs using Python: Autoencoders

    medium.com   (2023-03-31)

    tags: autoencoders, deep-learning

    Start with Autoencoders to better understand GANs

    Hacker News

    johanwind.github.io   (2023-03-31)

    tags: deep-learning, nlp, rnns, transformers

    I explain what is so unique about the RWKV language model.

    Cerebras open sources seven GPT-based LLMs, ranging from ...

    www.techmeme.com   (2023-03-29)

    tags: deep-learning, semiconductors

    Mike Wheatley / SiliconANGLE: Cerebras open sources seven GPT-based LLMs, ranging from 111M to 13B parameters and trained using its Andromeda supercomputer for AI, on GitHub and Hugging Face

    Must read: the 100 most cited AI papers in 2022

    www.zeta-alpha.com   (2023-03-20)

    tags: arxiv, deep-learning

    Who Is publishing the most Impactful AI research right now? With the breakneck pace of innovation in AI, it is crucial to pick up some signal as soon as possible. No one has the time to read everything, but these 100 papers are sure to bend the road as to where our AI technology is going. The real test of impact of R&D teams is of course how the technology appears in products, and OpenAI shook the world by releasing ChatGPT at the end of November 2022, following fast on their March 2022 paper “T

    Dalai

    cocktailpeanut.github.io   (2023-03-15)

    tags: deep-learning, llama, nlp

    Dead simple way to run LLaMA on your computer

    Deep Learning (DL) Applications In Photomask To Wafer Sem...

    semiengineering.com   (2023-03-15)

    tags: deep-learning, semiconductors

    A list of artificial intelligence used in semiconductor manufacturing tools from February 2023.

    ?Top ML Papers of the Week - by elvis - NLP Newsletter

    nlpnews.substack.com   (2023-03-14)

    tags: arxiv, deep-learning, machine-learning

    The top ML Papers of the Week (Mar 6 - Mar 12)

    Asynchronously Parallel Optimization Method For Sizing An...

    semiengineering.com   (2023-03-05)

    tags: chip-design, circuits-electronics, deep-learning, semiconductors

    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

    Meta unveils a new large language model that can run on a...

    arstechnica.com   (2023-02-25)

    tags: chatgpt, deep-learning, generative, nlp

    LLaMA-13B reportedly outperforms ChatGPT-like tech despite being 10x smaller.

    Google Research, 2022 & beyond: Algorithms for efficient ...

    ai.googleblog.com   (2023-02-09)

    tags: deep-learning

    Posted by Sanjiv Kumar, VP and Google Fellow, Google Research (This is Part 4 in our series of posts covering different topical areas of research a...

    Hacker News

    lilianweng.github.io   (2023-02-07)

    tags: deep-learning, transformers

    Many new Transformer architecture improvements have been proposed since my last post on “The Transformer Family” about three years ago. Here I did a big refactoring and enrichment of that 2020 post — restructure the hierarchy of sections and improve many sections with more recent papers. Version 2.0 is a superset of the old version, about twice the length. Notations Symbol Meaning $d$ The model size / hidden state dimension / positional encoding size.

    Paper Review: A Deep Dive into Imagen

    towardsdatascience.com   (2023-02-03)

    tags: deep-learning, generative, image-generation

    A critical analysis of Google’s impressive new text-to-image generation tool

    AI Spits Out Exact Copies of Training Images, Real People...

    www.vice.com   (2023-02-03)

    tags: deep-learning, image-generation, stable-diffusion

    The regurgitation of training data exposes image diffusion models to a number of privacy and copyright risks.

    Text-to-4D dynamic scene generation

    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.

    ChatGPT is not all you need. A State of the Art Review of...

    arxiv.org   (2023-01-24)

    tags: chatgpt, deep-learning, generative

    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...

    Hacker News

    timdettmers.com   (2023-01-20)

    tags: deep-learning, gpus, semiconductors

    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.

    Uncovering Anomalies with Variational Autoencoders (VAE):...

    towardsdatascience.com   (2023-01-17)

    tags: autoencoders, deep-learning, variational

    An example use case of using Variational Autoencoders (VAE) to detect anomalies in all types of data

    Why WGANs beat GANs: A journey from KL divergence to Wass...

    towardsdatascience.com   (2023-01-13)

    tags: deep-learning, gans

    Wasserstein distance helps WGANs outperform vanilla GANs and VAEs. This post explains why so using some easy math.

    Why TensorFlow for Python is dying a slow death

    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.

    Deep Learning Pioneer Geoffrey Hinton Publishes New Deep ...

    www.infoq.com   (2023-01-12)

    tags: algorithms-math, deep-learning

    Geoffrey Hinton, professor at the University of Toronto and engineering fellow at Google Brain, recently published a paper on the Forward-Forward algorithm (FF), a technique for training neural networks that uses two forward passes of data through the network, instead of backpropagation, to update the model weights.

    To Build Truly Intelligent Machines, Teach Them Cause and...

    www.quantamagazine.org   (2023-01-05)

    tags: books, deep-learning, neurology

    Judea Pearl, a pioneering figure in artificial intelligence, argues that AI has been stuck in a decades-long rut. His prescription for progress? Teach machines to understand the question why.

    lucidrains/vit-pytorch: Implementation of Vision Transfor...

    github.com   (2022-12-18)

    tags: deep-learning, machine-vision, pytorch, transformers

    Implementation of Vision Transformer, a simple way to achieve SOTA in vision classification with only a single transformer encoder, in Pytorch - lucidrains/vit-pytorch

    ChatGPT and the Imagenet moment — Benedict Evans

    www.ben-evans.com   (2022-12-16)

    tags: chatgpt, deep-learning, generative, ideas, machine-learning, nlp

    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?

    2212.03551.pdf

    arxiv.org   (2022-12-11)

    tags: arxiv, chatgpt, deep-learning, nlp

    DeepMind Created An AI Tool That Can Help Generate Rough ...

    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...

    A Quick Start on Your Journey to Federated Learning

    towardsdatascience.com   (2022-12-10)

    tags: deep-learning, federated-learning

    Adapting federated learning to your own datasets

    AI Homework – Stratechery by Ben Thompson

    stratechery.com   (2022-12-07)

    tags: chatgpt, deep-learning, language-linguistics, nlp

    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.

    Beginner’s Guide to Diffusion Models

    towardsdatascience.com   (2022-12-07)

    tags: deep-learning, nlp, stable-diffusion

    An intuitive understanding of how AI-generated art is made by Stable Diffusion, Midjourney, or DALL-E

    YOLOv7: A deep dive into the current state-of-the-art for...

    towardsdatascience.com   (2022-11-28)

    tags: deep-learning, machine-vision, object-detection

    Everything you need to know to use YOLOv7 in custom training scripts

    6 Reinforcement Learning Algorithms Explained

    towardsdatascience.com   (2022-11-28)

    tags: deep-learning, reinforcement-learning

    Introduction to reinforcement learning terminologies, basics, and concepts (model-free, model-based, online, offline RL)

    Cerebras Reveals Andromeda, a 13.5 Million Core AI Superc...

    www.tomshardware.com   (2022-11-15)

    tags: deep-learning, hpc, interconnects, semiconductors

    The world's largest chip scales to new heights.

    Interview: Why Mastering Language Is So Difficult for AI

    undark.org   (2022-10-17)

    tags: deep-learning, goodreads, language-linguistics, nlp

    Scientist Gary Marcus argues that “deep learning” is not the only path to true artificial intelligence.

    matsui528/nanopq: Pure python implementation of product q...

    github.com   (2022-10-14)

    tags: deep-learning, python, search

    Pure python implementation of product quantization for nearest neighbor search - matsui528/nanopq

    IVFPQ HNSW for Billion-scale Similarity Search | by Peggy...

    towardsdatascience.com   (2022-10-14)

    tags: deep-learning, machine-learning, search

    The best indexing approach for billion-sized vector datasets

    Similarity Search with IVFPQ

    towardsdatascience.com   (2022-10-14)

    tags: deep-learning, search

    Find out how the inverted file index (IVF) is implemented alongside product quantization (PQ) for a fast and efficient approximate nearest…

    NSVQ: Improved Vector Quantization technique for Neural N...

    towardsdatascience.com   (2022-10-13)

    tags: autoencoders, compression-encoding, deep-learning, machine-learning, search

    Efficient vector quantization for machine learning optimizations (eps. vector quantized variational autoencoders), better than straight…

    If you thought text-to-image AI was unbelievable, wait un...

    www.fastcompany.com   (2022-10-08)

    tags: deep-learning, image-compression, stable-diffusion

    If you thought text-to-image AI was unbelievable, wait until you see how it compresses images.

    All you need to know about ‘Attention’ and ‘Transformers’...

    towardsdatascience.com   (2022-09-20)

    tags: deep-learning, transformers

    Attention, Self-Attention, Multi-head Attention, Masked Multi-head Attention, Transformers, BERT, and GPT

    All you need to know about ‘Attention’ and ‘Transformers’...

    towardsdatascience.com   (2022-09-20)

    tags: deep-learning, transformers

    Attention, Self-Attention, Multi-head Attention, and Transformers

    40,000 Recipes for Murder

    www.wnycstudios.org   (2022-09-10)

    tags: deep-learning, exercise-health-medicine, podcast, search

    Two scientists inadvertently open the Pandora’s Box of WMDs. What now?

    Demystifying Object Detection and Instance Segmentation f...

    mlwhiz.com   (2022-09-05)

    tags: deep-learning, machine-learning, object-detection

    this post is explaining how permutation importance works and how we can code it using ELI5

    Automated reasoning at Amazon: A conversation

    www.amazon.science   (2022-08-09)

    tags: deep-learning, federated-learning

    To mark the occasion of the eighth Federated Logic Conference (FloC), Amazon’s Byron Cook, Daniel Kröning, and Marijn Heule discussed automated reasoning’s prospects.

    A Brief Introduction to Geometric Deep Learning

    towardsdatascience.com   (2022-07-30)

    tags: deep-learning, geometry

    AI for complex data

    Rethinking Thinking: How Do Attention Mechanisms Actually...

    towardsdatascience.com   (2022-07-30)

    tags: deep-learning

    The brain, the mathematics, and DL — research frontiers in 2022

    fastai/fastbook: The fastai book, published as Jupyter No...

    github.com   (2022-07-24)

    tags: books, deep-learning, pytorch

    The fastai book, published as Jupyter Notebooks.

    d2l-ai/d2l-en: Interactive deep learning book with multi-...

    github.com   (2022-07-18)

    tags: books, deep-learning

    Interactive deep learning book with multi-framework code, math, and discussions. Adopted at 500 universities from 70 countries including Stanford, MIT, Harvard, and Cambridge. - d2l-ai/d2l-en

    Dive into Deep Learning — Dive into Deep Learning 0.14.4 ...

    d2l.ai   (2022-07-18)

    tags: books, deep-learning

    Deep Convolutional GAN — How to Use a DCGAN to Generate I...

    towardsdatascience.com   (2022-07-14)

    tags: deep-learning, gans, image-generation

    An overview of DCGAN architecture with a step-by-step guide to building it yourself

    Topological Data Analysis for Machine Learning

    substack.com   (2022-07-10)

    tags: deep-learning, machine-learning, topology

    The ArtBench Dataset: Benchmarking Generative Models with...

    substack.com   (2022-07-06)

    tags: art, datasets, deep-learning, programming

    We introduce ArtBench-10, the first class-balanced, high-quality, cleanly annotated, and standardized dataset for benchmarking artwork generation. It comprises 60,000 images of artwork from 10...

    Minerva: Solving Quantitative Reasoning Problems with Lan...

    ai.googleblog.com   (2022-07-05)

    tags: deep-learning, nlp

    Posted by Ethan Dyer and Guy Gur-Ari, Research Scientists, Google Research, Blueshift Team Language models have demonstrated remarkable performance...

    How Imagen Actually Works

    substack.com   (2022-07-05)

    tags: deep-learning, images

    Learn how Imagen generates photorealistic images given only a text description.

    Generating Children's Stories Using GPT-3 and DALL·E

    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!

    Recipe Cuisine Classification

    towardsdatascience.com   (2022-06-23)

    tags: classification, deep-learning, food-drink

    BERT Transformer & Food-Drug Negative Interactions

    How to Build an Image-Captioning Model in Pytorch

    towardsdatascience.com   (2022-06-23)

    tags: deep-learning, image-classification, pytorch

    A detailed step-by-step explanation of how to build an image-captioning model in Pytorch

    Google bans deepfake-generating AI from Colab

    techcrunch.com   (2022-06-07)

    tags: deep-learning, deepfakes

    In a recent policy change, Google has banned deepfake-generating AI projects from Colab, its platform for hosting and running arbitrary Python code.

    Face to Face With Dall-E, The AI Artist That Might Change...

    bigtechnology.substack.com   (2022-06-04)

    tags: deep-learning, image-generation

    Dall-E can illustrate just about anything using a short text prompt. Should it?

    A Guide To Asking Robots To Design Stained Glass Windows

    astralcodexten.substack.com   (2022-06-01)

    tags: deep-learning, image-generation

    ...

    A Face Search Engine Anyone Can Use Is Alarmingly Accurate

    www.nytimes.com   (2022-05-30)

    tags: deep-learning, face-recognition, search

    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.

    Sparse Autoencoder Neural Networks — How to Utilise Spars...

    towardsdatascience.com   (2022-05-04)

    tags: autoencoders, deep-learning, python

    A comparison between Undercomplete and Sparse AE with a detailed Python example

    Another Firing Among Google’s A.I. Brain Trust, and More ...

    www.nytimes.com   (2022-05-02)

    tags: arxiv, chip-design, deep-learning, semiconductors

    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.

    The Modern Mathematics of Deep Learning

    arxiv.org   (2022-05-01)

    tags: arxiv, deep-learning

    We describe the new field of mathematical analysis of deep learning. This field emerged around a list of research questions that were not answered within the classical framework of learning...

    Pathways Language Model (PaLM): Scaling to 540 Billion Pa...

    ai.googleblog.com   (2022-04-08)

    tags: deep-learning

    Posted by Sharan Narang and Aakanksha Chowdhery, Software Engineers, Google Research In recent years, large neural networks trained for language un...

    Autoencoders (AE) — A Smart Way to Process Your Data Usin...

    link.medium.com   (2022-04-02)

    tags: autoencoders, deep-learning

    What is an Autoencoder, and how to build one in Python?

    NVIDIA NeRF AI Renders Amazingly Realistic 3D Scenes From...

    hothardware.com   (2022-03-26)

    tags: deep-learning, image-generation, machine-vision

    It takes a human being around 0.1 to 0.4 seconds to blink. In even less time, an AI-based inverse rendering process developed by NVIDIA can generate a 3D scene from 2D photos.

    AI Virtual Assistant Technology Guide 2022

    dev.to   (2022-03-21)

    tags: chatbots, deep-learning, machine-learning, nlp

    They can help you get an appointment or order a pizza, find the best ticket deals and bring your...

    Autoencoders: From Vanilla to Variational

    towardsdatascience.com   (2022-03-15)

    tags: autoencoders, deep-learning, gans

    Because GANs are not all you need

    A Comprehensive Benchmark of Deep Learning Libraries on M...

    arxiv.org   (2022-02-20)

    tags: arxiv, deep-learning, mobile

    Machine Learning Algorithms Cheat Sheet — Accel.AI

    www.accel.ai   (2022-02-20)

    tags: algorithms-math, deep-learning, machine-learning

    Machine learning is a subfield of artificial intelligence (AI) and computer science that focuses on using data and algorithms to mimic the way people learn, progressively improving its accuracy. This way, Machine Learning is one of the most interesting methods in Computer Science these days, and it'

    scikit-and-tensorflow-workbooks/ch14-Recurrent-NNs.ipynb ...

    github.com   (2022-01-17)

    tags: deep-learning, rnns

    based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks

    scikit-and-tensorflow-workbooks/ch15-autoencoders.ipynb a...

    github.com   (2022-01-16)

    tags: autoencoders, deep-learning

    based on "Hands-On Machine Learning with Scikit-Learn & TensorFlow" (O'Reilly, Aurelien Geron) - bjpcjp/scikit-and-tensorflow-workbooks

    Deep Learning Interviews: Hundreds of fully solved job in...

    arxiv.org   (2022-01-16)

    tags: deep-learning, interviewing

    The second edition of Deep Learning Interviews is home to hundreds of fully-solved problems, from a wide range of key topics in AI. It is designed to both rehearse interview or exam specific...

    Curating a Dataset from Raw Images and Videos

    link.medium.com   (2022-01-16)

    tags: datasets, deep-learning, machine-vision

    Best-practices to follow when building datasets from large pools of image and video data and tools that make it straightforward.

    Detecting Twenty-thousand Classes using Image-level Super...

    arxiv.org   (2022-01-12)

    tags: arxiv, deep-learning, machine-vision

    Current object detectors are limited in vocabulary size due to the small scale of detection datasets. Image classifiers, on the other hand, reason about much larger vocabularies, as their datasets...

    Ten Lessons From Three Generations Shaped Google’s TPUv4i...

    www.gwern.net   (2022-01-05)

    tags: deep-learning, semiconductors, tpu

    [1909.10140] A new coefficient of correlation

    arxiv.org   (2021-12-27)

    tags: deep-learning

    Is it possible to define a coefficient of correlation which is (a) as simple as the classical coefficients like Pearson's correlation or Spearman's correlation, and yet (b) consistently estimates...

    Low-Power AI Startup Eta Compute Delivers First Commercia...

    spectrum.ieee.org   (2021-12-14)

    tags: deep-learning, semiconductors

    The firm pivoted away from riskier spiking neural networks using a new power management scheme

    PyTorch vs TensorFlow in 2023

    www.assemblyai.com   (2021-12-14)

    tags: deep-learning, machine-learning, paperswithcode, pytorch, tensorflow

    Should you use PyTorch vs TensorFlow in 2023? This guide walks through the major pros and cons of PyTorch vs TensorFlow, and how you can pick the right framework.

    Machine-Learning-Tokyo/Interactive_Tools: Interactive Too...

    github.com   (2021-12-13)

    tags: deep-learning, machine-learning, programming, visualization

    Interactive Tools for Machine Learning, Deep Learning and Math - Machine-Learning-Tokyo/Interactive_Tools

    Under The Hood Of Google’s TPU2 Machine Learning Clusters

    www.nextplatform.com   (2021-12-11)

    tags: deep-learning, semiconductors, tpu

    As we previously reported, Google unveiled its second-generation TensorFlow Processing Unit (TPU2) at Google I/O last week. Google calls this new

    3D Stacking Could Boost GPU Machine Learning

    www.nextplatform.com   (2021-12-08)

    tags: deep-learning, gpus, interconnects, semiconductor-memory, semiconductors

    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

    HPC Technique Propels Deep Learning at Scale

    www.hpcwire.com   (2021-12-08)

    tags: deep-learning

    Researchers from Baidu’s Silicon Valley AI Lab (SVAIL) have adapted a well-known HPC communication technique to boost the speed and scale of their neural network training and now they are […]

    Analysis and Comparison of Performance and Power Consumpt...

    hgpu.org   (2021-12-08)

    tags: cpus, deep-learning, fpgas, gpus, tpu

    In this work, we analyze the performance of neural networks on a variety of heterogenous platforms. We strive to find the best platform in terms of raw benchmark performance, performance per watt a…

    pylabel-project/pylabel: Python library for computer visi...

    github.com   (2021-12-08)

    tags: deep-learning, labeling

    Python library for computer vision labeling tasks. The core functionality is to translate bounding box annotations between different formats-for example, from coco to yolo. - GitHub - pylabel-proj...

    Tearing Apart Google’s TPU 3.0 AI Coprocessor

    www.nextplatform.com.cdn.ampproject.org   (2021-12-07)

    tags: deep-learning, tpu

    Google did its best to impress this week at its annual IO conference. While Google rolled out a bunch of benchmarks that were run on its current Cloud TPU

    First In-Depth Look at Google’s TPU Architecture

    www.nextplatform.com   (2021-12-07)

    tags: deep-learning, semiconductors, tpu

    Four years ago, Google started to see the real potential for deploying neural networks to support a large number of new services. During that time it was

    Survey paper on Deep Learning on GPUs

    hgpu.org   (2021-12-04)

    tags: deep-learning, gpus

    The rise of deep-learning (DL) has been fuelled by the improvements in accelerators. GPU continues to remain the most widely used accelerator for DL applications. We present a survey of architectur…

    How to make your own deep learning accelerator chip!

    towardsdatascience.com   (2021-12-03)

    tags: deep-learning, semiconductors

    Currently there are more than 100 companies all over the world building ASIC’s (Application specific integrated circuit) or SOC’s (System…

    GPU Computing for Data Science

    www.slideshare.net   (2021-12-03)

    tags: deep-learning, gpus

    GPU Computing for Data Science - Download as a PDF or view online for free

    Vivienne Sze · Efficient Processing of Deep Neural Networ...

    slideslive.com   (2021-12-03)

    tags: deep-learning, semiconductors

    This tutorial describes methods to enable efficient processing for deep neural networks (DNNs), which are used in many AI applications including computer vision, speech recognition, robotics, etc....

    louisfb01/best_AI_papers_2021: A curated list of the late...

    github.com   (2021-12-03)

    tags: arxiv, deep-learning, paperswithcode

    A curated list of the latest breakthroughs in AI (in 2021) by release date with a clear video explanation, link to a more in-depth article, and code. - louisfb01/best_AI_papers_2021

    https://blog.riseml.com/comparing-google-tpuv2-against-nv...

    blog.riseml.com   (2021-12-02)

    tags: deep-learning, gpus, semiconductors

    http://research.baidu.com/bringing-hpc-techniques-deep-le...

    research.baidu.com   (2021-12-01)

    tags: deep-learning, gpus

    Memory at the Core of New Deep Learning Research Chip

    www.nextplatform.com   (2021-12-01)

    tags: deep-learning, semiconductor-memory, semiconductors

    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.

    Four Deep Learning Papers to Read in December 2021

    towardsdatascience.com   (2021-11-29)

    tags: deep-learning, paperswithcode

    From Sensory Substitution to Decision Transformers, Persistent Evolution Strategies and Sharpness-Aware Minimization

    AI-Based Image Compression: The State of the Art

    towardsdatascience.com   (2021-11-29)

    tags: deep-learning, image-compression

    An overview of some of the leading libraries and frameworks out there

    Transformers

    e2eml.school   (2021-11-29)

    tags: deep-learning, transformers

    AI-Based Image Compression: The State of the Art

    link.medium.com   (2021-11-28)

    tags: deep-learning, image-compression

    An overview of some of the leading libraries and frameworks out there

    MedMNIST v2 Dataset | Papers With Code

    paperswithcode.com   (2021-10-29)

    tags: datasets, deep-learning, machine-learning

    MedMNIST v2 is a large-scale MNIST-like collection of standardized biomedical images, including 12 datasets for 2D and 6 datasets for 3D. All images are pre-processed into 28 x 28 (2D) or 28 x 28 x 28 (3D) with the corresponding classification labels, so that no background knowledge is required for users. Covering primary data modalities in biomedical images, MedMNIST v2 is designed to perform classification on lightweight 2D and 3D images with various data scales (from 100 to 100,000) and diverse tasks (binary/multi-class, ordinal regression and multi-label). The resulting dataset, consisting of 708,069 2D images and 10,214 3D images in total, could support numerous research / educational purposes in biomedical image analysis, computer vision and machine learning. Description and image from: MedMNIST v2: A Large-Scale Lightweight Benchmark for 2D and 3D Biomedical Image Classification Each subset keeps the same license as that of the source dataset. Please also cite the corresponding paper of source data if you use any subset of MedMNIST.

    Applications and Techniques for Fast Machine Learning in ...

    arxiv.org   (2021-10-29)

    tags: arxiv, deep-learning, machine-learning

    In this community review report, we discuss applications and techniques for fast machine learning (ML) in science -- the concept of integrating power ML methods into the real-time experimental...

    An Introduction to PyTorch Lightning

    www.exxactcorp.com   (2021-10-17)

    tags: deep-learning, machine-learning, pytorch

    PyTorch Lightning has opened many new possibilities in deep learning and machine learning with a high level interface that makes it quicker to work with PyTorch.

    HRNet explained: Human Pose Estimation, Semantic Segmenta...

    towardsdatascience.com   (2021-10-07)

    tags: deep-learning, machine-vision, pose-estimation, semantic-segmentation

    Revealing whats behind the state-of-the art algorithm HRNet

    graviraja/MLOps-Basics

    github.com   (2021-10-01)

    tags: deep-learning, devops, machine-learning, programming

    Carl-McBride-Ellis/Compendium-of-free-ML-reading-resources

    github.com   (2021-09-24)

    tags: machine-learning, deep-learning, books, algorithms-math, github

    Compendium of free ML reading resources.

    Laion-400M: open-source dataset of 400M image-text pairs

    laion.ai   (2021-09-14)

    tags: datasets, deep-learning

    GPT-4 Will Have 100 Trillion Parameters — 500x the Size o...

    towardsdatascience.com   (2021-09-11)

    tags: chatbots, deep-learning

    Are there any limits to large neural networks?

    An Introduction to AI Story Generation

    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.

    Object Detection Algorithms and Libraries - neptune.ai

    neptune.ai   (2021-08-24)

    tags: deep-learning, machine-vision, object-detection

    A guide on object detection algorithms and libraries that covers use cases, technical details, and offers a look into modern applications.

    10 Computer Vision Terms Everyone Must Know About!

    towardsdatascience.com   (2021-08-22)

    tags: algorithms-math, deep-learning, machine-vision

    The ten essential computer vision terminologies that everyone should learn to become more proficient at computer vision with sample codes

    Researchers Create 'Master Faces' to Bypass Facial Recogn...

    www.vice.com   (2021-08-12)

    tags: deep-learning, machine-vision

    According to the paper, their findings imply that facial recognition systems are “extremely vulnerable.”

    Papers with Code - Paper with Code Newsletter

    paperswithcode.com   (2021-07-20)

    tags: deep-learning, machine-learning, paperswithcode

    Papers With Code highlights trending Machine Learning research and the code to implement it.

    PyMOL | pymol.org

    pymol.org   (2021-07-18)

    tags: biology, deep-learning, programming, python, visualization

    HOG(Histogram of Oriented Gradients)

    towardsdatascience.com   (2021-07-17)

    tags: deep-learning, machine-learning, machine-vision

    deepmind/alphafold: Open source code for AlphaFold.

    github.com   (2021-07-17)

    tags: biology, deep-learning, exercise-health-medicine

    Open source code for AlphaFold.

    GPT-J-6B: 6B JAX-Based Transformer – Aran Komatsuzaki

    arankomatsuzaki.wordpress.com   (2021-07-05)

    tags: deep-learning, transformers

    Summary: We have released GPT-J-6B, 6B JAX-based (Mesh) Transformer LM (Github).GPT-J-6B performs nearly on par with 6.7B GPT-3 (or Curie) on various zero-shot down-streaming tasks.You can try out …

    variational autoencoders at DuckDuckGo

    duckduckgo.com   (2021-07-03)

    tags: autoencoders, deep-learning, variational

    DuckDuckGo. Privacy, Simplified.

    The Methods Corpus | Papers With Code

    paperswithcode.com   (2021-06-29)

    tags: deep-learning, machine-learning, paperswithcode

    2284 methods • 143838 papers with code.

    Face Detection Explained: State-of-the-Art Methods and Be...

    www.datasciencecentral.com   (2021-06-26)

    tags: deep-learning, face-recognition, machine-learning, machine-vision

    Same or Different? The Question Flummoxes Neural Networks...

    www.quantamagazine.org   (2021-06-26)

    tags: deep-learning, machine-learning, machine-vision

    For all their triumphs, AI systems can’t seem to generalize the concepts of “same” and “different.” Without that, researchers worry, the quest to create truly intelligent machines may be hopeless.

    A Look at Baidu’s Industrial-Scale GPU Training Architecture

    www.nextplatform.com   (2021-06-26)

    tags: deep-learning, gpus, semiconductors

    Like its U.S. counterpart, Google, Baidu has made significant investments to build robust, large-scale systems to support global advertising programs. As

    Tenstorrent Wormhole Analysis – A Scale Out Architecture ...

    semianalysis.com   (2021-06-26)

    tags: deep-learning, semiconductors

    What Happens When Multipliers No Longer Define AI Acceler...

    www.nextplatform.com   (2021-06-24)

    tags: deep-learning, gpus, linear-algebra, semiconductors

    Current custom AI hardware devices are built around super-efficient, high performance matrix multiplication. This category of accelerators includes the

    A Guide to Genetic ‘Learning’ Algorithms for Optimization

    link.medium.com   (2021-06-23)

    tags: algorithms-math, deep-learning, image-generation

    Reconstructing Images using Reinforcement Learning and Genetic Algorithms

    Introduction - Hugging Face NLP Course

    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.

    Rltheorybook ajks

    rltheorybook.github.io   (2021-06-21)

    tags: deep-learning, reinforcement-learning

    New Machine Learning Gems for Ruby

    ankane.org   (2021-06-20)

    tags: deep-learning, machine-learning, programming, ruby

    In August, I set out to improve the machine learning ecosystem for Ruby and wasn’t sure where it would go. Over the next 5 months, I ended up...

    2106

    arxiv.org   (2021-06-15)

    tags: deep-learning, transformers

    Wu Dao 2.0: A Monster of 1.75 Trillion Parameters | by Al...

    towardsdatascience.com   (2021-06-07)

    tags: chatbots, deep-learning, nlp

    BAAI conference presented Wu Dao 2.0. The most powerful AI to date.

    NielsRogge/Transformers-Tutorials: This repository contai...

    email.mg2.substack.com   (2021-06-03)

    tags: deep-learning, transformers

    This repository contains demos I made with the Transformers library by HuggingFace. - NielsRogge/Transformers-Tutorials

    Sentiment Analysis — Comparing 3 Common Approaches: Naive...

    towardsdatascience.com   (2021-05-31)

    tags: deep-learning, machine-learning, nlp, sentiment-analysis

    Sentiment Analysis, or Opinion Mining, is a subfield of NLP (Natural Language Processing) that aims to extract attitudes, appraisals, opinions, and emotions from text. Inspired by the rapid migration…

    Introduction to Object Detection Model Evaluation

    towardsdatascience.com   (2021-05-29)

    tags: deep-learning, machine-learning, object-detection

    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…

    10 Must Read ML Blog Posts

    elvissaravia.substack.com   (2021-05-29)

    tags: deep-learning, machine-learning

    A collection of high-impact machine learning blog posts.

    The Unreasonable Effectiveness of Recurrent Neural Networks

    karpathy.github.io   (2021-05-29)

    tags: deep-learning, rnns

    Musings of a Computer Scientist.

    http://www.wildml.com/2015/11/understanding-convolutional...

    www.wildml.com   (2021-05-29)

    tags: convolutions, deep-learning, nlp

    Language Models

    veredshwartz.blogspot.com   (2021-05-29)

    tags: deep-learning, language-linguistics

    natural language processing, nlp, machine learning, computer science

    Understanding LSTM Networks -- colah's blog

    colah.github.io   (2021-05-29)

    tags: deep-learning

    Deep Learning: Our Miraculous Year 1990-1991

    people.idsia.ch   (2021-05-29)

    tags: deep-learning

    In 2020-21, we celebrate that many of the basic ideas behind the Deep Learning Revolution were published three decades ago within fewer than 12 months in our "Annus Mirabilis" 1990-91

    An Overview Of Deep Learning

    lilianweng.github.io   (2021-05-29)

    tags: deep-learning

    Attention and Memory in Deep Learning and NLP – WildML

    www.wildml.com   (2021-05-29)

    tags: deep-learning, nlp

    The Illustrated Transformer – Jay Alammar – Visualizing m...

    jalammar.github.io   (2021-05-29)

    tags: deep-learning, transformers

    Discussions: Hacker News (65 points, 4 comments), Reddit r/MachineLearning (29 points, 3 comments) Translations: Arabic, Chinese (Simplified) 1, Chinese (Simplified) 2, French 1, French 2, Italian, Japanese, Korean, Persian, Russian, Spanish 1, Spanish 2, Vietnamese Watch: MIT’s Deep Learning State of the Art lecture referencing this post Featured in courses at Stanford, Harvard, MIT, Princeton, CMU and others In the previous post, we looked at Attention – a ubiquitous method in modern deep learning models. Attention is a concept that helped improve the performance of neural machine translation applications. In this post, we will look at The Transformer – a model that uses attention to boost the speed with which these models can be trained. The Transformer outperforms the Google Neural Machine Translation model in specific tasks. The biggest benefit, however, comes from how The Transformer lends itself to parallelization. It is in fact Google Cloud’s recommendation to use The Transformer as a reference model to use their Cloud TPU offering. So let’s try to break the model apart and look at how it functions. The Transformer was proposed in the paper Attention is All You Need. A TensorFlow implementation of it is available as a part of the Tensor2Tensor package. Harvard’s NLP group created a guide annotating the paper with PyTorch implementation. In this post, we will attempt to oversimplify things a bit and introduce the concepts one by one to hopefully make it easier to understand to people without in-depth knowledge of the subject matter. 2020 Update: I’ve created a “Narrated Transformer” video which is a gentler approach to the topic: A High-Level Look Let’s begin by looking at the model as a single black box. In a machine translation application, it would take a sentence in one language, and output its translation in another.

    DatasetGAN

    nv-tlabs.github.io   (2021-05-24)

    tags: datasets, deep-learning

    Understanding Transformers, the machine learning model be...

    thenextweb.com   (2021-05-22)

    tags: chatbots, deep-learning, nlp, transformers

    How this novel neural network architecture changes the way we analyze complex data types, and powers revolutionary models like GPT-3 and BERT.

    Pytorchvideo a deep learning library for video understanding

    ai.facebook.com   (2021-05-19)

    tags: deep-learning, python, pytorch, video

    Google details new AI accelerator chips

    venturebeat.com   (2021-05-19)

    tags: deep-learning, semiconductors, tpu

    Google detailed TPUv4 at Google I/O 2021. They're accelerator chips that deliver high performance on AI workloads.

    milvus - An open source embedding vector similarity searc...

    github.com   (2021-05-18)

    tags: deep-learning, search

    A cloud-native vector database, storage for next generation AI applications - milvus-io/milvus

    How Transformers work in deep learning and NLP: an intuit...

    theaisummer.com   (2021-05-18)

    tags: deep-learning, nlp, transformers

    An intuitive understanding on Transformers and how they are used in Machine Translation. After analyzing all subcomponents one by one such as self-attention and positional encodings , we explain the principles behind the Encoder and Decoder and why Transformers work so well

    Causal ML for Data Science: Deep Learning with Instrument...

    towardsdatascience.com   (2021-05-18)

    tags: deep-learning, machine-learning

    Combining data science and econometrics for an introduction to the DeepIV framework, including a full Python code tutorial.

    Algorithm-Assisted Inventory Curation

    multithreaded.stitchfix.com   (2021-05-15)

    tags: clothes, collecting-curation, deep-learning, fashion, machine-learning, recommenders

    Building the raw materials for personalization at scale

    untitled - HyperRec.pdf

    acsweb.ucsd.edu   (2021-05-13)

    tags: deep-learning, fpgas, recommenders

    11 Ways To Reduce AI Energy Consumption

    semiengineering.com   (2021-05-13)

    tags: deep-learning, semiconductor-memory, semiconductors

    Pushing AI to the edge requires new architectures, tools, and approaches.

    Geometric Deep Learning: Grids, Groups, Graphs, Geodesics...

    t.co   (2021-05-12)

    tags: books, deep-learning, geography

    The last decade has witnessed an experimental revolution in data science and machine learning, epitomised by deep learning methods. Indeed, many high-dimensional learning tasks previously thought...

    Projects

    opensource.facebook.com   (2021-05-09)

    tags: deep-learning, machine-learning, programming

    Find out about all of the projects of Meta Open Source.

    Top 5 Python libraries for Computer vision

    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...

    Beginner guide to Variational Autoencoders (VAE) with PyT...

    towardsdatascience.com   (2021-05-03)

    tags: autoencoders, deep-learning, pytorch

    This blog post is part of a mini-series that talks about the different aspects of building a PyTorch Deep Learning project using Variational Autoencoders. In Part 1, we looked at the variational…

    Hopfield Networks is All You Need | hopfield-layers

    ml-jku.github.io   (2021-05-03)

    tags: deep-learning, hopfield

    Blog post

    jsbroks/coco-annotator: :pencil2: Web-based image segment...

    github.com   (2021-05-02)

    tags: deep-learning, machine-vision

    :pencil2: Web-based image segmentation tool for object detection, localization, and keypoints - jsbroks/coco-annotator

    CPU-based algorithm trains deep neural nets up to 15 time...

    techxplore.com   (2021-04-09)

    tags: cpus, deep-learning, gpus, machine-learning

    Rice University computer scientists have demonstrated artificial intelligence (AI) software that runs on commodity processors and trains deep neural networks 15 times faster than platforms based on graphics ...

    State of the art NLP at scale with RAPIDS, HuggingFace an...

    medium.com   (2021-04-04)

    tags: dask, deep-learning, gpus, nlp, nvidia

    See how to build end-to-end NLP pipelines in a fast and scalable way on GPUs — from feature engineering to inference.

    The Dying ReLU Problem, Clearly Explained

    towardsdatascience.com   (2021-03-30)

    tags: activations, deep-learning

    Keep your neural network alive by understanding the downsides of ReLU

    Reinforcement learning: The next great AI tech moving fro...

    venturebeat.com   (2021-03-30)

    tags: deep-learning, reinforcement-learning

    Reinforcement learning (RL) is a powerful type of AI technology that can learn strategies to optimally control large, complex systems.

    When are Neural Networks more powerful than Neural Tangen...

    offconvex.github.io   (2021-03-26)

    tags: deep-learning

    Algorithms off the convex path.

    Curious about Variational Autoencoders (VAEs)? Start Here.

    towardsdatascience.com   (2021-03-25)

    tags: autoencoders, deep-learning

    In recent years, GANs (generative adversarial networks) have been all the rage in the field of deep-learning generative models, leaving…

    AI-Controlled F-16s Are Now Working As A Team In DARPA's ...

    www.thedrive.com   (2021-03-23)

    tags: deep-learning, military-warfare

    The dogfighting AI DARPA is developing is set to make the challenging migration from a synthetic environment to the real world soon.

    PyTorch Lightning Documentation — PyTorch Lightning 1.3.0...

    pytorch-lightning.readthedocs.io   (2021-03-19)

    tags: deep-learning, pytorch

    New AI tool detects Deepfakes by analyzing light reflecti...

    thenextweb.com   (2021-03-14)

    tags: deep-learning, deepfakes, gans, machine-vision

    Computer scientists from the University at Buffalo used the method to successfully detect Deepfakes taken from This Person Does Not Exist.

    [R] Deep Generative Modelling: A Comparative Review of VA...

    www.reddit.com   (2021-03-10)

    tags: deep-learning

    340 votes, 28 comments. If anyone wants to brush up on recent methods in EBMs, Normalizing Flows, GANs, VAEs, and Autoregressive models, I just…

    Deep Nostalgia AI brings your photos to life just like in...

    www.fastcompany.com   (2021-03-07)

    tags: deep-learning, machine-vision, video

    Deep Nostalgia AI brings your photos to life just like in the Harry Potter movies.

    How to Use Roboflow and Streamlit to Visualize Object Det...

    link.medium.com   (2021-03-03)

    tags: deep-learning, machine-vision, object-detection

    Building an app for blood cell count detection.

    GPT-3: We’re at the very beginning of a new app ecosystem

    venturebeat.com   (2021-02-27)

    tags: chatbots, deep-learning, nlp

    The NLP application ecosystem is in its earliest stages, and it's not yet clear whether GPT-3 or a different model will be the foundation.

    An Idea From Physics Helps AI See in Higher Dimensions

    getpocket.com   (2021-02-22)

    tags: deep-learning, spatial

    The laws of physics stay the same no matter one’s perspective. Now this idea is allowing computers to detect features in curved and higher-dimensional space.

    [1902.04615] Gauge Equivariant Convolutional Networks and...

    arxiv.org   (2021-02-22)

    tags: deep-learning, geography

    The principle of equivariance to symmetry transformations enables a theoretically grounded approach to neural network architecture design. Equivariant networks have shown excellent performance and...

    An overview of synthetic data types and generation methods

    www.kdnuggets.com   (2021-02-22)

    tags: deep-learning, machine-learning, synthetic-data

    Synthetic data can be used to test new products and services, validate models, or test performances because it mimics the statistical property of production data. Today you'll find different types of structured and unstructured synthetic data.

    Diving into different GAN architectures

    towardsdatascience.com   (2021-02-13)

    tags: deep-learning, gans

    Introduction

    Error Backpropagation Learning Algorithm

    deepai.org   (2021-02-11)

    tags: deep-learning, machine-learning

    The error backpropagation learning algorithm is a supervised learning technique for neural networks that calculates the gradient of descent for weighting different variables.

    Why you should always use feature embeddings with structu...

    towardsdatascience.com   (2021-02-11)

    tags: deep-learning, feature-engineering, machine-learning

    A simple technique for boosting accuracy on ANY model you use

    Data Science & AI Glossary | DeepAI

    deepai.org   (2021-02-11)

    tags: deep-learning, glossaries, machine-learning

    The data science and artificial intelligence terms you need while reading the latest research

    Achieving High-Quality Search and Recommendation Results ...

    developer.nvidia.com   (2021-02-05)

    tags: deep-learning, nlp, recommenders, search

    Speech and natural language processing (NLP) have become the foundation for most of the AI development in the enterprise today, as textual data represents a significant portion of unstructured content.

    Math | Obviously Awesome

    medium.com   (2021-02-04)

    tags: activations, deep-learning

    Activation functions are functions which take an input signal and convert it to an output signal. Activation functions introduce…

    [1605.09782v6] Adversarial Feature Learning

    arxiv.org   (2021-02-04)

    tags: adversarial, deep-learning, feature-engineering

    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...

    Adversarial | Papers With Code

    paperswithcode.com   (2021-02-04)

    tags: adversarial, deep-learning

    Browse 31 tasks • 61 datasets • 57

    Math | Obviously Awesome

    medium.com   (2021-02-04)

    tags: activations, deep-learning

    Recently, a colleague of mine asked me a few questions like “why do we have so many activation functions?”, “why is that one works better…

    Math | Obviously Awesome

    paperswithcode.com   (2021-02-04)

    tags: activations, deep-learning

    Activation functions are functions that we apply in neural networks after (typically) applying an affine transformation combining weights and input features. They are typically non-linear functions. The rectified linear unit, or ReLU, has been the most popular in the past decade, although the choice is architecture dependent and many alternatives have emerged in recent years. In this section, you will find a constantly updating list of activation functions.

    Curve Circuits

    distill.pub   (2021-02-03)

    tags: deep-learning

    Reverse engineering the curve detection algorithm from InceptionV1 and reimplementing it from scratch.

    Text2Gestures: A Transformer-Based Network for Generating...

    hgpu.org   (2021-01-31)

    tags: deep-learning, gestures

    We present Text2Gestures, a transformer-based learning method to interactively generate emotive full-body gestures for virtual agents aligned with natural language text inputs. Our method generates…

    TT-Rec: Tensor Train Compression for Deep Learning Recomm...

    arxiv.org   (2021-01-30)

    tags: deep-learning, recommenders

    The memory capacity of embedding tables in deep learning recommendation models (DLRMs) is increasing dramatically from tens of GBs to TBs across the industry. Given the fast growth in DLRMs, novel...

    General Methods | Papers With Code

    paperswithcode.com   (2021-01-27)

    tags: deep-learning, machine-learning

    Browse 1109 deep learning methods for General.

    Cross-Topic Argument Mining: Learning How to Classify Texts

    towardsdatascience.com   (2021-01-27)

    tags: classification, deep-learning, nlp, text

    Classifying cross-topic natural language texts based on their argumentative structure using deep learning

    A concept in psychology is helping AI to better navigate ...

    www.technologyreview.com   (2021-01-24)

    tags: affordance, deep-learning, neurology

    The concept: When we look at a chair, regardless of its shape and color, we know that we can sit on it. When a fish is in water, regardless of its location, it knows that it can swim. This is known as the theory of affordance, a term coined by psychologist James J. Gibson. It…

    Hardware for Deep Learning. Part 4: ASIC

    blog.inten.to   (2021-01-16)

    tags: deep-learning, machine-learning, semiconductors

    Reinforcement Learning Explained Visually (Part 6): Polic...

    towardsdatascience.com   (2021-01-15)

    tags: deep-learning, reinforcement-learning

    A Gentle Guide to the REINFORCE algorithm, in Plain English

    Algorithms for Decision Making | Hacker News

    news.ycombinator.com   (2021-01-13)

    tags: books, deep-learning, machine-learning

    Model Compression: A Look into Reducing Model Size

    towardsdatascience.com   (2021-01-10)

    tags: deep-learning, machine-learning, model-compression, tensorflow

    Why is Model Compression important?  A significant problem in the arms race to produce more accurate models is complexity, which leads to…

    Deep Learning Systems: Algorithms, Compilers, and Process...

    deeplearningsystems.ai   (2021-01-07)

    tags: books, deep-learning

    None

    Papers with Code 2020 Review

    medium.com   (2021-01-02)

    tags: deep-learning, paperswithcode

    Papers with Code indexes various machine learning artifacts — papers, code, results — to facilitate discovery and comparison. Using this…

    Pocket - Anchor Boxes — The key to quality object detection

    medium.com   (2021-01-02)

    tags: deep-learning, object-detection

    If you have ever had to tinker with anchor boxes, you were probably frustrated, confused and saying to yourself, “There must be another…

    Anchor Boxes — The key to quality object detection

    towardsdatascience.com   (2021-01-02)

    tags: deep-learning, object-detection

    A recent article came out comparing public cloud providers’ face detection APIs. I was very surprised to see all of the detectors fail to…

    Applications of Deep Neural Networks 575 page free book&n...

    www.datasciencecentral.com   (2020-12-25)

    tags: books, deep-learning, python, tensorflow

    Browse the State-of-the-Art in Machine Learning | Papers ...

    paperswithcode.com   (2020-12-22)

    tags: deep-learning, pose-estimation

    **Pose Estimation** is a computer vision task where the goal is to detect the position and orientation of a person or an object. Usually, this is done by predicting the location of specific keypoints like hands, head, elbows, etc. in case of Human Pose Estimation. A common benchmark for this task is [MPII Human Pose](https://paperswithcode.com/sota/pose-estimation-on-mpii-human-pose) ( Image credit: [Real-time 2D Multi-Person Pose Estimation on CPU: Lightweight OpenPose](https://github.com/Daniil-Osokin/lightweight-human-pose-estimation.pytorch) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-22)

    tags: deep-learning, dimentionality-reduction

    Dimensionality reduction is the task of reducing the dimensionality of a dataset. ( Image credit: [openTSNE](https://github.com/pavlin-policar/openTSNE) )

    Methodology | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: bayes, deep-learning

    Bayesian Inference is a methodology that employs Bayes Rule to estimate parameters (and their full posterior).

    Methodology | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, transfer-learning

    **Transfer Learning** is a machine learning technique where a model trained on one task is re-purposed and fine-tuned for a related, but different task. The idea behind transfer learning is to leverage the knowledge learned from a pre-trained model to solve a new, but related problem. This can be useful in situations where there is limited data available to train a new model from scratch, or when the new task is similar enough to the original task that the pre-trained model can be adapted to the new problem with only minor modifications. ( Image credit: [Subodh Malgonde](https://medium.com/@subodh.malgonde/transfer-learning-using-tensorflow-52a4f6bcde3e) )

    Methodology | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, representation-learning

    **Representation Learning** is a process in machine learning where algorithms extract meaningful patterns from raw data to create representations that are easier to understand and process. These representations can be designed for interpretability, reveal hidden features, or be used for transfer learning. They are valuable across many fundamental machine learning tasks like [image classification](/task/image-classification) and [retrieval](/task/image-retrieval). Deep neural networks can be considered representation learning models that typically encode information which is projected into a different subspace. These representations are then usually passed on to a linear classifier to, for instance, train a classifier. Representation learning can be divided into: - **Supervised representation learning**: learning representations on task A using annotated data and used to solve task B - **Unsupervised representation learning**: learning representations on a task in an unsupervised way (label-free data). These are then used to address downstream tasks and reducing the need for annotated data when learning news tasks. Powerful models like [GPT](/method/gpt) and [BERT](/method/bert) leverage unsupervised representation learning to tackle language tasks. More recently, [self-supervised learning (SSL)](/task/self-supervised-learning) is one of the main drivers behind unsupervised representation learning in fields like computer vision and NLP. Here are some additional readings to go deeper on the task: - [Representation Learning: A Review and New Perspectives](/paper/representation-learning-a-review-and-new) - Bengio et al. (2012) - [A Few Words on Representation Learning](https://sthalles.github.io/a-few-words-on-representation-learning/) - Thalles Silva ( Image credit: [Visualizing and Understanding Convolutional Networks](https://arxiv.org/pdf/1311.2901.pdf) )

    Object Tracking | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, machine-vision

    **Object tracking** is the task of taking an initial set of object detections, creating a unique ID for each of the initial detections, and then tracking each of the objects as they move around frames in a video, maintaining the ID assignment. State-of-the-art methods involve fusing data from RGB and event-based cameras to produce more reliable object tracking. CNN-based models using only RGB images as input are also effective. The most popular benchmark is OTB. There are several evaluation metrics specific to object tracking, including HOTA, MOTA, IDF1, and Track-mAP. ( Image credit: [Towards-Realtime-MOT ](https://github.com/Zhongdao/Towards-Realtime-MOT) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, image-retrieval

    **Image Retrieval** is a fundamental and long-standing computer vision task that involves finding images similar to a provided query from a large database. It's often considered as a form of fine-grained, instance-level classification. Not just integral to image recognition alongside [classification](/task/image-classification) and [detection](/task/image-detection), it also holds substantial business value by helping users discover images aligning with their interests or requirements, guided by visual similarity or other parameters. ( Image credit: [DELF](https://github.com/tensorflow/models/tree/master/research/delf) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, machine-learning

    **Zero-shot learning (ZSL)** is a model's ability to detect classes never seen during training. The condition is that the classes are not known during supervised learning. Earlier work in zero-shot learning use attributes in a two-step approach to infer unknown classes. In the computer vision context, more recent advances learn mappings from image feature space to semantic space. Other approaches learn non-linear multimodal embeddings. In the modern NLP context, language models can be evaluated on downstream tasks without fine tuning. Benchmark datasets for zero-shot learning include [aPY](/dataset/apy), [AwA](/dataset/awa2-1), and [CUB](/dataset/cub-200-2011), among others. ( Image credit: [Prototypical Networks for Few shot Learning in PyTorch ](https://github.com/orobix/Prototypical-Networks-for-Few-shot-Learning-PyTorch) ) Further readings: - [Zero-Shot Learning -- A Comprehensive Evaluation of the Good, the Bad and the Ugly](https://paperswithcode.com/paper/zero-shot-learning-a-comprehensive-evaluation) - [Zero-Shot Learning in Modern NLP](https://joeddav.github.io/blog/2020/05/29/ZSL.html) - [Zero-Shot Learning for Text Classification](https://amitness.com/2020/05/zero-shot-text-classification/)

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: anomalies-outliers, deep-learning

    **Anomaly Detection** is a binary classification identifying unusual or unexpected patterns in a dataset, which deviate significantly from the majority of the data. The goal of anomaly detection is to identify such anomalies, which could represent errors, fraud, or other types of unusual events, and flag them for further investigation. [Image source]: [GAN-based Anomaly Detection in Imbalance Problems](https://paperswithcode.com/paper/gan-based-anomaly-detection-in-imbalance)

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, machine-learning

    **Few-Shot Learning** is an example of meta-learning, where a learner is trained on several related tasks, during the meta-training phase, so that it can generalize well to unseen (but related) tasks with just few examples, during the meta-testing phase. An effective approach to the Few-Shot Learning problem is to learn a common representation for various tasks and train task specific classifiers on top of this representation. Source: [Penalty Method for Inversion-Free Deep Bilevel Optimization ](https://arxiv.org/abs/1911.03432)

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, depth-estimation

    **Depth Estimation** is the task of measuring the distance of each pixel relative to the camera. Depth is extracted from either monocular (single) or stereo (multiple views of a scene) images. Traditional methods use multi-view geometry to find the relationship between the images. Newer methods can directly estimate depth by minimizing the regression loss, or by learning to generate a novel view from a sequence. The most popular benchmarks are KITTI and NYUv2. Models are typically evaluated according to a RMS metric. Source: [DIODE: A Dense Indoor and Outdoor DEpth Dataset ](https://arxiv.org/abs/1908.00463)

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, face-recognition

    **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) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning

    **Action Recognition** is a computer vision task that involves recognizing human actions in videos or images. The goal is to classify and categorize the actions being performed in the video or image into a predefined set of action classes. In the video domain, it is an open question whether training an action classification network on a sufficiently large dataset, will give a similar boost in performance when applied to a different temporal task or dataset. The challenges of building video datasets has meant that most popular benchmarks for action recognition are small, having on the order of 10k videos. Please note some benchmarks may be located in the [Action Classification](https://paperswithcode.com/task/action-classification) or [Video Classification](https://paperswithcode.com/task/video-classification) tasks, e.g. Kinetics-400.

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, denoising

    **Denoising** is a task in image processing and computer vision that aims to remove or reduce noise from an image. Noise can be introduced into an image due to various reasons, such as camera sensor limitations, lighting conditions, and compression artifacts. The goal of denoising is to recover the original image, which is considered to be noise-free, from a noisy observation. ( Image credit: [Beyond a Gaussian Denoiser](https://arxiv.org/pdf/1608.03981v1.pdf) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, super-resolution

    **Super-Resolution** is a task in computer vision that involves increasing the resolution of an image or video by generating missing high-frequency details from low-resolution input. The goal is to produce an output image with a higher resolution than the input image, while preserving the original content and structure. ( Credit: [MemNet](https://github.com/tyshiwo/MemNet) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: autonomous-driving, deep-learning

    Autonomous driving is the task of driving a vehicle without human conduction. Many of the state-of-the-art results can be found at more general task pages such as [3D Object Detection](https://paperswithcode.com/task/3d-object-detection) and [Semantic Segmentation](https://paperswithcode.com/task/semantic-segmentation). (Image credit: [Exploring the Limitations of Behavior Cloning for Autonomous Driving](https://arxiv.org/pdf/1904.08980v1.pdf))

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: data-augmentation, deep-learning

    Data augmentation involves techniques used for increasing the amount of data, based on different modifications, to expand the amount of examples in the original dataset. Data augmentation not only helps to grow the dataset but it also increases the diversity of the dataset. When training machine learning models, data augmentation acts as a regularizer and helps to avoid overfitting. Data augmentation techniques have been found useful in domains like NLP and computer vision. In computer vision, transformations like cropping, flipping, and rotation are used. In NLP, data augmentation techniques can include swapping, deletion, random insertion, among others. Further readings: - [A Survey of Data Augmentation Approaches for NLP](https://paperswithcode.com/paper/a-survey-of-data-augmentation-approaches-for) - [A survey on Image Data Augmentation for Deep Learning](https://journalofbigdata.springeropen.com/articles/10.1186/s40537-019-0197-0) ( Image credit: [Albumentations](https://github.com/albumentations-team/albumentations) )

    Computer Vision | Papers With Code

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, domain-adaptation

    **Domain Adaptation** is the task of adapting models across domains. This is motivated by the challenge where the test and training datasets fall from different data distributions due to some factor. Domain adaptation aims to build machine learning models that can be generalized into a target domain and dealing with the discrepancy across domain distributions. Further readings: - [A Brief Review of Domain Adaptation](https://paperswithcode.com/paper/a-brief-review-of-domain-adaptation) ( Image credit: [Unsupervised Image-to-Image Translation Networks](https://arxiv.org/pdf/1703.00848v6.pdf) )

    Browse the State-of-the-Art in Machine Learning | Papers ...

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, image-generation

    **Image Generation** (synthesis) is the task of generating new images from an existing dataset. - **Unconditional generation** refers to generating samples unconditionally from the dataset, i.e. $p(y)$ - **[Conditional image generation](/task/conditional-image-generation)** (subtask) refers to generating samples conditionally from the dataset, based on a label, i.e. $p(y|x)$. In this section, you can find state-of-the-art leaderboards for **unconditional generation**. For conditional generation, and other types of image generations, refer to the subtasks. ( Image credit: [StyleGAN](https://github.com/NVlabs/stylegan) )

    Browse the State-of-the-Art in Machine Learning | Papers ...

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, object-detection

    **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) )

    Browse the State-of-the-Art in Machine Learning | Papers ...

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, image-classification

    **Image Classification** is a fundamental task in vision recognition that aims to understand and categorize an image as a whole under a specific label. Unlike [object detection](/task/object-detection), which involves classification and location of multiple objects within an image, image classification typically pertains to single-object images. When the classification becomes highly detailed or reaches instance-level, it is often referred to as [image retrieval](/task/image-retrieval), which also involves finding similar images in a large database. Source: [Metamorphic Testing for Object Detection Systems ](https://arxiv.org/abs/1912.12162)

    Browse the State-of-the-Art in Machine Learning | Papers ...

    paperswithcode.com   (2020-12-21)

    tags: deep-learning, semantic-segmentation

    **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) )

    Everything Product People Need to Know About Transformers...

    towardsdatascience.com   (2020-12-19)

    tags: deep-learning

    Or, How to Act Like You Know About the Biggest AI Development since CNNs

    https://lionbridge.ai/articles/everything-you-need-to-kno...

    lionbridge.ai   (2020-12-18)

    tags: deep-learning, object-detection, vision

    A Beginner’s Guide to Use BERT for the First Time

    towardsdatascience.com   (2020-12-18)

    tags: bert, deep-learning, nlp

    From predicting single sentence to fine-tuning using custom dataset to finding the best hyperparameter configuration.

    Favorites

    towardsdatascience.com   (2020-12-18)

    tags: deep-learning, entity-resolution, vision

    Source normalization

    All Personal Feeds

    towardsdatascience.com   (2020-12-18)

    tags: deep-learning, entity-resolution, vision

    Candidate pair generation and initial match scoring

    Practical Guide to Entity Resolution — part 5

    towardsdatascience.com   (2020-12-18)

    tags: deep-learning, entity-resolution, vision

    Match scoring iteration

    Farewell RNNs, Welcome TCNs

    towardsdatascience.com   (2020-12-18)

    tags: deep-learning

    How Temporal Convolutional Networks are moving in favor of Sequence Modeling — Stock Trend Prediction.

    Semantic hand segmentation using Pytorch

    towardsdatascience.com   (2020-12-18)

    tags: deep-learning, pytorch, vision

    Semantic segmentation is the task of predicting the class of each pixel in an image. This problem is more difficult than object detection…

    A version of the BERT language model that’s 20 times as fast

    www.amazon.science   (2020-12-10)

    tags: bert, deep-learning, nlp

    Determining the optimal architectural parameters reduces network size by 84% while improving performance on natural-language-understanding tasks.

    storytelling arxiv paperswithcode at DuckDuckGo

    duckduckgo.com   (2020-12-10)

    tags: deep-learning, ideas, storytelling

    DuckDuckGo. Privacy, Simplified.

    YOLO v4 or YOLO v5 or PP-YOLO? Which should I use?

    towardsdatascience.com   (2020-12-10)

    tags: deep-learning, vision

    What are these new YOLO releases in 2020? How do they differ? Which one should I use?

    AI system for high precision recognition of hand gestures

    www.sciencedaily.com   (2020-12-10)

    tags: deep-learning, machine-learning, vision

    Scientists have developed an Artificial Intelligence (AI) system that recognises hand gestures by combining skin-like electronics with computer vision.

    10 Invaluable Tips & Tricks for Building Successful Neura...

    towardsdatascience.com   (2020-11-30)

    tags: deep-learning

    Bringing structure to an unstructured task

    Introduction to Federated Learning

    www.kdnuggets.com   (2020-11-29)

    tags: deep-learning, federated-learning

    Federated learning means enabling on-device training, model personalization, and more. Read more about it in this article.

    5 Million Faces — Free Image Datasets for Facial Recognit...

    lionbridge.ai   (2020-11-29)

    tags: datasets, deep-learning, vision

    The Ultimate Guide to Transfer Learning

    towardsdatascience.com   (2020-11-09)

    tags: deep-learning

    What is Transfer Learning? Where can I use it? Why should I use it? How can I use it? Read On to find out!

    An Intuitive Guide to Auto-Encoders: Theory, Code and Vis...

    towardsdatascience.com   (2020-11-09)

    tags: deep-learning

    Using Auto-Encoders to gain insight into data

    Periodic Table of Deep Learning Patterns / Via DataCamp

    www.reddit.com   (2020-11-03)

    tags: deep-learning, glossaries

    443K subscribers in the learnmachinelearning community. A subreddit dedicated to learning machine learning

    Reinforcement Learning — An Introduction | Chapter 1

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Computer Vision Recipes: Best Practices and Examples

    www.kdnuggets.com   (2020-11-03)

    tags: deep-learning, vision

    This is an overview of a great computer vision resource from Microsoft, which demonstrates best practices and implementation guidelines for a variety of tasks and scenarios.

    AI researchers use heartbeat detection to identify deepfa...

    venturebeat.com   (2020-11-03)

    tags: deep-learning, deepfakes

    AI researchers are using heartbeat detection to identify deepfake videos and even to figure out what kind of generative model created a deepfake.

    Yolo v5 Object Detection Tutorial

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning, object-detection, vision

    How to set up and train a Yolo v5 Object Detection model?

    QRNN: A Potential Competitor to the Transformer

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Training Faster RNNs with Quasi-RNN

    High-Performance, Billion-Scale Similarity Search | by Pa...

    medium.com   (2020-11-03)

    tags: deep-learning, gsi, search

    In Part 1 of this series, we introduced the concept of embedding vectors. In Part 2, we discussed how embedding vectors can be used in…

    Papers with Code arXiv = Reproducible, Organized Research

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Through a joint collaboration, Papers with Code now provides category classification and code references for articles in the arXiv…

    Deep Learning's Most Important Ideas - A Brief Historical...

    dennybritz.com   (2020-11-03)

    tags: deep-learning

    GPT-3, transformers and the wild world of NLP

    towardsdatascience.com   (2020-11-03)

    tags: chatbots, deep-learning, nlp

    A review of 20+ deep learning NLP models and how to use them well

    Image Annotation for Computer Vision | CloudFactory

    info.cloudfactory.com   (2020-11-03)

    tags: deep-learning, vision

    Machine learning is often fueled by image data. In this guide, learn the basics about image annotation, common techniques, and key workforce considerations.

    The Most Complete Guide to PyTorch for Data Scientists

    mlwhiz.com   (2020-11-03)

    tags: deep-learning, pytorch

    PyTorch has sort of became one of the de facto standards for creating Neural Networks now, and I love its interface.

    Which GPUs to get for deep learning

    timdettmers.com   (2020-11-03)

    tags: deep-learning, gpus

    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.

    End to End Pipeline for setting up Multiclass Image Class...

    mlwhiz.com   (2020-11-03)

    tags: deep-learning, vision

    In this post, we’ll create an end to end pipeline for image multiclass classification using Pytorch.This will include training the model, putting the model’s results in a form that can be shown to business partners, and functions to help deploy the model easily. As an added feature we will look at Test Time Augmentation using Pytorch also.

    AlphaGo Zero Explained In One Diagram

    medium.com   (2020-11-03)

    tags: deep-learning

    One infographic that explains how Reinforcement Learning, Deep Learning and Monte Carlo Search Trees are used in AlphaGo Zero.

    AI Papers to Read in 2020

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Reading suggestions to keep you up-to-date with the latest and classic breakthroughs in AI and Data Science

    AI devs created a lean, mean, GPT-3-beating machine that ...

    thenextweb.com   (2020-11-03)

    tags: bert, chatbots, deep-learning, nlp

    AI researchers from the Ludwig Maximilian University (LMU) of Munich have developed a bite-sized text generator capable of besting OpenAI’s state of the art GPT-3 using only a tiny fraction of its parameters. GPT-3 is a monster of an AI sys

    AI Democratization in the Era of GPT-3

    thegradient.pub   (2020-11-03)

    tags: bert, deep-learning, nlp

    What does Microsoft getting an "exclusive license" to GPT-3 mean for the future of AI democratization?

    Reinforcement Learning frameworks

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Proximal Policy Optimization using RLlib-Ray

    An Intuitive Guide to LSTMs

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    by creating them from scratch

    Understanding Transformers, the Data Science Way

    www.kdnuggets.com   (2020-11-03)

    tags: deep-learning

    Read this accessible and conversational article about understanding transformers, the data science way — by asking a lot of questions that is.

    Autoencoders: Overview of Research and Applications

    towardsdatascience.com   (2020-11-03)

    tags: deep-learning

    Which kinds of autoencoders exist and what are their applications?

    How to cluster images based on visual similarity

    towardsdatascience.com   (2020-11-02)

    tags: clustering, deep-learning, vision

    Use a pre-trained neural network for feature extraction and cluster images using K-means.

    Novel object captioning surpasses human performance on be...

    www.microsoft.com   (2020-11-02)

    tags: deep-learning, object-detection, vision

    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.

    5 Articles to Understand Generative Adversarial Networks

    towardsdatascience.com   (2020-11-02)

    tags: deep-learning

    Get up to date on one of the most promising Deep Learning technologies there is right now

    Hacked Billboards can Make Teslas See 'Phantom Objects' a...

    www.newsweek.com   (2020-11-02)

    tags: deep-learning, deepfakes, vision

    Tesla's Autopilot system relies on vision rather than LIDAR, which means it can be tricked by messages on billboards and projections created by hackers.

    New AI Inferencing Records - IEEE Spectrum

    spectrum.ieee.org   (2020-10-31)

    tags: deep-learning, semiconductors

    Nvidia tops MLPerf records again, consortium adds benchmarks to measure mobile

    Machine Learning Attack Series: Image Scaling Attacks · w...

    embracethered.com   (2020-10-31)

    tags: deep-learning, vision

    Su17kgm7y t

    t.co   (2020-09-24)

    tags: audio, deep-learning

    Amazon team adds key programming frameworks to Dive into ...

    www.amazon.science   (2020-09-19)

    tags: deep-learning

    With PyTorch and TensorFlow incorporated, the authors hope to gain a wider audience.

    Self-Organizing Maps for Dimension Reduction, Data Visual...

    towardsdatascience.com   (2020-09-19)

    tags: deep-learning

    Self-Organizing Maps for Dimension Reduction, Data Visualization, and Clustering

    Oil Storage Tank’s Volume Occupancy On Satellite Imagery ...

    towardsdatascience.com   (2020-09-02)

    tags: deep-learning, vision

    Recognition of Oil Storage Tanks in satellite images using the Yolov3 object detection model from scratch using Tensorflow 2.x and…

    New Approaches to Object Detection

    towardsdatascience.com   (2020-09-02)

    tags: deep-learning, vision

    A brief introduction to CenterNet (Objects as Points), TTFNet and their implementation in TensorFlow 2.2+.

    11 Essential Neural Network Architectures, Visualized & E...

    towardsdatascience.com   (2020-08-10)

    tags: deep-learning

    Standard, Recurrent, Convolutional, & Autoencoder Networks

    Where We See Shapes, AI Sees Textures | Quanta Magazine

    www.quantamagazine.org   (2020-08-10)

    tags: deep-learning, vision

    To researchers’ surprise, deep learning vision algorithms often fail at classifying images because they mostly take cues from textures, not shapes.

    YOLOv5 is Here: State-of-the-Art Object Detection at 140 FPS

    blog.roboflow.ai   (2020-06-24)

    tags: deep-learning, vision

    Less than 50 days after the release YOLOv4, YOLOv5 improves accessibility for realtime object detection. June 29, YOLOv5 has released the first official version of the repository. We wrote a new deep dive on YOLOv5. June 12, 8:08 AM CDT Update: In response to to community feedback, we have

    12 Main Dropout Methods : Mathematical and Visual Ex...

    towardsdatascience.com   (2020-06-24)

    tags: deep-learning

    Deep Dive into DNNs, CNNs, and RNNs Dropout Methods for Regularization, Monte Carlo Uncertainty, and Model Compression

    Image Augmentation Mastering: 15 Techniques and Useful Fu...

    towardsdatascience.com   (2020-06-24)

    tags: deep-learning, vision

    Smooth python codes to augment your image datasets by yourself.

    Curve Detectors

    distill.pub   (2020-06-17)

    tags: deep-learning, vision

    Part one of a three part deep dive into the curve neuron family.

    Implementing Deep Convolutional Generative Adversarial Ne...

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning

    How I Generated New Images from Random Data using DCGAN

    6 GAN Architectures You Really Should Know

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning

    Complete Architectural Details of all EfficientNet Models

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning

    Let’s dive deep into the architectural details of all the different EfficientNet Models and find out how they differ from each other.

    Data Augmentation in YOLOv4

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning, object-detection, vision

    State of the art modeling with image data augmentation and management

    Virtual Background in Webcam with Body Segmentation Techn...

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning, vision

    Webcam background change is not limited to Zoom now, I just did it in the browser with tensorflow.js body-pix model

    Classification of Brain MRI as Tumor/Non Tumor

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning, vision

    Image Segmentation With 5 Lines 0f Code

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning, images, vision

    Computer vision is evolving on a daily basis. Popular computer vision techniques such as image classification and object detection have been used extensively to solve a lot of computer vision…

    Illustrated Guide to Transformer

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning

    A component by component breakdown analysis

    Transformers for Multilabel Classification

    towardsdatascience.com   (2020-06-01)

    tags: deep-learning

    BERT, XLNet, RoBERTa, etc.

    AI Paper Recommendations from Experts

    blog.re-work.co   (2020-05-21)

    tags: deep-learning

    We reached out to further members of the AI community for their recommendations of papers which everyone should be reading! All of the cited papers are free to access and cover a range of topics from some incredible minds.

    Evolution of Language Models: N-Grams, Word Embeddings, A...

    towardsdatascience.com   (2020-05-20)

    tags: deep-learning, nlp

    This post collates research on the advancements of Natural Language Processing (NLP) over the years.

    Understanding Associative Embedding

    towardsdatascience.com   (2020-05-19)

    tags: algorithms-math, deep-learning, machine-learning, vision

    An elegant method to group predictions without labeling

    AI and Efficiency

    openai.com   (2020-05-19)

    tags: benchmarks, deep-learning

    We’re releasing an analysis showing that since 2012 the amount of compute needed to train a neural net to the same performance on ImageNet classification has been decreasing by a factor of 2 every 16 months. Compared to 2012, it now takes 44 times less compute to train a neural network to the level of AlexNet (by contrast, Moore’s Law would yield an 11x cost improvement over this period). Our results suggest that for AI tasks with high levels of recent investment, algorithmic progress has yielded more gains than classical hardware efficiency.

    Complete guide to machine learning and deep learning in r...

    towardsdatascience.com   (2020-05-16)

    tags: deep-learning, machine-learning, prodmgmt, retail

    The stores aren’t dead yet

    AI for 3D Generative Design

    blog.insightdatascience.com   (2020-05-15)

    tags: deep-learning

    Making the design process faster and more efficient by generating 3D objects from natural language descriptions.

    facebookresearch/faiss: A library for efficient similarit...

    github.com   (2020-05-15)

    tags: deep-learning

    A library for efficient similarity search and clustering of dense vectors. - facebookresearch/faiss

    Master the COCO Dataset for Semantic Image Segmentation

    towardsdatascience.com   (2020-05-15)

    tags: deep-learning, vision

    Explore and manipulate the COCO image dataset for Semantic Image Segmentation with PyCoco, Tensorflow Keras Python libraries

    Master the COCO Dataset for Semantic Image Segmentation

    towardsdatascience.com   (2020-05-15)

    tags: deep-learning, vision

    Create a data generator and train your model on the COCO image dataset for Semantic Image Segmentation with PyCoco, Tensorflow Keras py

    3D Photography Inpainting: Exploring Art with AI.

    towardsdatascience.com   (2020-05-15)

    tags: art, deep-learning

    Usage of the new model, with examples and Colab Notebook.

    Python Libraries for Natural Language Processing - Toward...

    towardsdatascience.com   (2020-04-28)

    tags: deep-learning, nlp, python

    An Overview Of popular python libraries for Natural Language Processing

    https://towardsdatascience.com/google-open-sources-simclr...

    towardsdatascience.com   (2020-04-27)

    tags: deep-learning, vision

    Deploy Tensorflow Object Detection API on Kubernetes with...

    towardsdatascience.com   (2020-04-26)

    tags: deep-learning, object-detection

    In this article we’ll serve the Tensorflow Object Detection API with Flask, Dockerize the Application and deploy it on Kubernetes.

    [R] Suprise: Exponentially increasing Learning Rate for D...

    www.reddit.com   (2020-04-26)

    tags: deep-learning

    Paper: https://arxiv.org/abs/1910.07454 Blog Post: http://www.offconvex.org/2020/04/24/ExpLR1/ "We report experiments that state-of-the-art networks…

    OpenAI Open Sources Microscope and the Lucid Library to V...

    www.kdnuggets.com   (2020-04-24)

    tags: deep-learning, visualization

    The new tools shows the potential of data visualizations for understanding features in a neural network.

    Stacked Auto-encoder as a Recommendation System for Movie...

    towardsdatascience.com   (2020-04-24)

    tags: deep-learning, machine-learning, recommenders

    Introduction on Stacked Auto-encoder and Technical Walk-through on Model Creation using Pytorch

    The Cost of Training NLP Models: A Concise Overview

    arxiv.org   (2020-04-24)

    tags: deep-learning, nlp

    We review the cost of training large-scale language models, and the drivers of these costs. The intended audience includes engineers and scientists budgeting their model-training experiments, as...

    RecSys Series Part 5: Neural Matrix Factorization for Col...

    towardsdatascience.com   (2020-04-24)

    tags: deep-learning, machine-learning, recommenders

    Bringing Neural Architecture into Recommendations

    Google says new AI models allow for ‘nearly instantaneous...

    www.theverge.com   (2020-04-23)

    tags: climate-weather, deep-learning

    AI looks well-suited for short-term weather forecasts

    How robots can adapt to new tasks — quickly

    www.amazon.science   (2020-04-23)

    tags: deep-learning, robotics

    New approach to meta-reinforcement learning minimizes the need for costly interactions with the environment.

    Topic Modeling Articles with NMF

    towardsdatascience.com   (2020-04-19)

    tags: deep-learning, nlp

    Extracting topics is a good unsupervised data-mining technique to discover the underlying relationships between texts. There are many…

    Build an app to generate photorealistic faces using Tenso...

    www.kdnuggets.com   (2020-04-19)

    tags: deep-learning, streamlit, tensorflow

    We’ll show you how to quickly build a Streamlit app to synthesize celebrity faces using GANs, Tensorflow, and st.cache.

    Some shirts hide you from cameras—but will anyone wear them?

    arstechnica.com   (2020-04-17)

    tags: deep-learning, public-policy, vision

    It’s theoretically possible to become invisible to cameras. But can it catch on?

    Limitations of Graph Neural Networks

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, graphs

    Reading between the lines of the latest advancements in GML.

    50 Deep Learning Interview Questions

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, interviewing

    NLP — BERT & Transformer - Jonathan Hui - Medium

    medium.com   (2020-04-01)

    tags: bert, deep-learning

    Google published an article “Understanding searches better than ever before” and positioned BERT as one of the most important updates to…

    Test Your Skills: 26 (More) Data Science Interview Questi...

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, interviewing

    Statistics, Algorithms, Deep Learning, NLP, & Data Organization

    Object Detection using YoloV3 and OpenCV

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, object-detection, vision

    An Introduction to Object Detection with YoloV3 for beginners

    Image Data Labelling and Annotation — Everything you need...

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, labeling, vision

    Learn about different types of annotations, annotation formats and annotation tools

    nandinib1999/object-detection-yolo-opencv: Object Detecti...

    github.com   (2020-04-01)

    tags: deep-learning, object-detection, opencv, vision

    Object Detection using Yolo V3 and OpenCV .

    TLDR This - Article Summarizer & Online Text Summarizing ...

    tldrthis.com   (2020-04-01)

    tags: deep-learning, nlp

    TLDR This is a Free online text summarizing tool that automatically condenses long articles, documents, essays, or papers into key summary paragraphs using state-of-the-art AI.

    Matrix Factorization as a Recommender System

    towardsdatascience.com   (2020-04-01)

    tags: algorithms-math, deep-learning, machine-learning

    An Explanation and Implementation of Matrix Factorization

    google-research/bert: TensorFlow code and pre-trained mod...

    github.com   (2020-04-01)

    tags: bert, deep-learning, nlp

    TensorFlow code and pre-trained models for BERT.

    The Illustrated BERT, ELMo, and co. (How NLP Cracked Tran...

    jalammar.github.io   (2020-04-01)

    tags: bert, deep-learning, nlp

    Discussions: Hacker News (98 points, 19 comments), Reddit r/MachineLearning (164 points, 20 comments) Translations: Chinese (Simplified), French 1, French 2, Japanese, Korean, Persian, Russian, Spanish 2021 Update: I created this brief and highly accessible video intro to BERT The year 2018 has been an inflection point for machine learning models handling text (or more accurately, Natural Language Processing or NLP for short). Our conceptual understanding of how best to represent words and sentences in a way that best captures underlying meanings and relationships is rapidly evolving. Moreover, the NLP community has been putting forward incredibly powerful components that you can freely download and use in your own models and pipelines (It’s been referred to as NLP’s ImageNet moment, referencing how years ago similar developments accelerated the development of machine learning in Computer Vision tasks).

    Jay Alammar – Visualizing machine learning one concept at...

    jalammar.github.io   (2020-04-01)

    tags: bert, deep-learning

    Visualizing machine learning one concept at a time.

    Disrupting Deepfakes: Adversarial Attacks on Image Transl...

    github.com   (2020-04-01)

    tags: deep-learning, vision

    🔥🔥Defending Against Deepfakes Using Adversarial Attacks on Conditional Image Translation Networks - natanielruiz/disrupting-deepfakes

    Building an Image-Taking Interface Application for Your I...

    towardsdatascience.com   (2020-04-01)

    tags: deep-learning, vision

    Explore the Real-World Applications of Your Model

    Brain Tumor Detection using Mask R-CNN

    www.kdnuggets.com   (2020-04-01)

    tags: deep-learning, vision

    Mask R-CNN has been the new state of the art in terms of instance segmentation. Here I want to share some simple understanding of it to give you a first look and then we can move ahead and build our model.

    Object detection & Face recognition algorithms

    towardsdatascience.com   (2020-03-30)

    tags: deep-learning

    Convolutional Neural Networks-Part 2: Detailed convolutional architectures enabling object-detection and face-recognition algorithms.

    Big data's biggest secret: Hyperparameter tuning

    www.oreilly.com   (2020-03-30)

    tags: deep-learning

    The toughest part of machine learning with Spark isn't what you think it is.

    Benchmark Work | Benchmarks MLCommons

    mlperf.org   (2020-03-30)

    tags: benchmarks, deep-learning

    MLCommons ML benchmarks help balance the benefits and risks of AI through quantitative tools that guide responsible AI development.

    How to Get Beautiful Results with Neural Style Transfer

    towardsdatascience.com   (2020-03-30)

    tags: deep-learning

    A deep dive into the tricks that make Neural Style Transfer work

    Spatial Transformer Network

    deepai.org   (2020-03-30)

    tags: deep-learning

    A spatial transformer network is a specialized type of convoluted neural network, or CNN, used to improve the clarity of an object in an image.

    Why BERT Fails in Commercial Environments - Intel AI

    www.intel.ai   (2020-03-24)

    tags: deep-learning, nlp

    Using Snorkel For Multi-Label Annotation.

    towardsdatascience.com   (2020-03-18)

    tags: deep-learning, labeling, programming

    How to use snorkel’s multi-class implementation to create multi-labels

    Researchers detail TrojAI, a framework for hardening AI m...

    venturebeat.com   (2020-03-18)

    tags: adversarial, deep-learning

    In a preprint paper, researchers at Johns Hopkins detail TrojAI, a framework for hardening AI models against adversarial attacks.

    Hyper-Parameter Optimization: A Review of Algorithms and ...

    arxiv.org   (2020-03-16)

    tags: algorithms-math, deep-learning, machine-learning

    Since deep neural networks were developed, they have made huge contributions to everyday lives. Machine learning provides more rational advice than humans are capable of in almost every aspect of...

    Getting started with the NVIDIA Jetson Nano - PyImageSearch

    www.pyimagesearch.com   (2020-03-11)

    tags: deep-learning, gpus, semiconductors

    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.

    fastai/README.md at master · fastai/fastai

    github.com   (2020-03-09)

    tags: deep-learning, programming

    The fastai deep learning library.

    Over 150 of the Best Machine Learning, NLP, and Python Tu...

    medium.com   (2020-03-09)

    tags: deep-learning, machine-learning, nlp

    By popular demand, I’ve updated this article with the latest tutorials from the past 12 months. Check it out here

    Learning to See Transparent Objects

    ai.googleblog.com   (2020-03-09)

    tags: deep-learning, vision

    Posted by Shreeyak Sajjan, Research Engineer, Synthesis AI and Andy Zeng, Research Scientist, Robotics at Google Optical 3D range sensors, like R...

    Easy Image Dataset Augmentation with TensorFlow - KDnuggets

    www.kdnuggets.com   (2020-03-09)

    tags: deep-learning, images, tensorflow

    What can we do when we don't have a substantial amount of varied training data? This is a quick intro to using data augmentation in TensorFlow to perform in-memory image transformations during model training to help overcome this data impediment.

    MIT Technology Review on LinkedIn: A little-known AI meth...

    www.linkedin.com   (2020-03-09)

    tags: deep-learning, federated-learning

    This little-known method could very well be the answer to the greatest obstacle facing artificial intelligence's adoption in health care. (from March)

    Dissecting The Transformer

    www.topbots.com   (2020-03-09)

    tags: deep-learning

    We saw how attention works and how it improved neural machine translation systems (see the previous blogpost), we are going to unveil the secrets behind the power of the most famous NLP models nowadays (a.k.a BERT and friends), the transformer. In this second part, we are going to dive into the details of this architecture with the aim of […]

    Deep Learning Algorithms - The Complete Guide | AI Summer

    theaisummer.com   (2020-03-09)

    tags: deep-learning

    All the essential Deep Learning Algorithms you need to know including models used in Computer Vision and Natural Language Processing

    The Mechanics of Attention Mechanism

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    TLDR: This is basically about converting the original attention paper by Yoshua Bengio’s group to flowcharts. Check the last diagram…

    Deep Transfer Learning for Image Classification

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    A step-by-step tutorial from data import to accuracy evaluation

    Vincent Boucher on LinkedIn: #transformer #bert #nlp

    www.linkedin.com   (2020-03-09)

    tags: bert, deep-learning, nlp

    Pre-training SmallBERTa - A tiny model to train on a tiny dataset An end to end colab notebook that allows you to train your own LM (using HuggingFace…

    CompressionVAE — A Powerful and Versatile Alternative to ...

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    Introducing a fast, easy to use, deep learning based dimensionality reduction tool

    A Journey Into Reinforcement Learning — Temporal-Differen...

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    Optimizing value functions by bootstrapping through experience.

    Q-Learning

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    An early breakthrough in reinforcement learning  —  Off-policy Temporal-Difference control methods

    Quick Introduction to Sentiment Analysis

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning, nlp, sentiment-analysis

    What is sentiment analysis, how to perform it, and how it can help your business.

    Variational Autoencoders

    towardsdatascience.com   (2020-03-09)

    tags: deep-learning

    VAE and where to find them

    Transformers

    towardsdatascience.com   (2020-02-19)

    tags: deep-learning

    Transformers are a type of neural network architecture that have been gaining popularity. Transformers were recently used by OpenAI in…

    Altmetric – Top 100 articles – 2019

    www.altmetric.com   (2020-02-19)

    tags: deep-learning

    What research caught the public imagination in 2019? Check out our annual list of papers with the most attention.

    Dive Really Deep into YOLO v3: A Beginner’s Guide

    www.reddit.com   (2020-02-19)

    tags: deep-learning, vision

    443K subscribers in the learnmachinelearning community. A subreddit dedicated to learning machine learning

    Reformer: The Efficient Transformer

    ai.googleblog.com   (2020-02-19)

    tags: deep-learning

    Posted by Nikita Kitaev, Student Researcher, UC Berkeley and Łukasz Kaiser, Research Scientist, Google Research Understanding sequential data — s...

    How to train a new language model from scratch using Tran...

    huggingface.co   (2020-02-19)

    tags: deep-learning, nlp

    We’re on a journey to advance and democratize artificial intelligence through open source and open science.

    A neural net solves the three-body problem 100 million ti...

    www.technologyreview.com   (2020-02-19)

    tags: deep-learning

    Machine learning provides an entirely new way to tackle one of the classic problems of applied mathematics.

    Focal Loss for Dense Object Detection

    ieeexplore.ieee.org   (2020-02-19)

    tags: deep-learning, object-detection

    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.

    Mask R-CNN

    ieeexplore.ieee.org   (2020-02-19)

    tags: deep-learning

    We present a conceptually simple, flexible, and general framework for object instance segmentation. Our approach efficiently detects objects in an image while simultaneously generating a high-quality segmentation mask for each instance. The method, called Mask R-CNN, extends Faster R-CNN by adding a branch for predicting an object mask in parallel with the existing branch for bounding box recognition. Mask R-CNN is simple to train and adds only a small overhead to Faster R-CNN, running at 5 fps. Moreover, Mask R-CNN is easy to generalize to other tasks, e.g., allowing us to estimate human poses in the same framework. We show top results in all three tracks of the COCO suite of challenges, including instance segmentation, bounding-box object detection, and person keypoint detection. Without bells and whistles, Mask R-CNN outperforms all existing, single-model entries on every task, including the COCO 2016 challenge winners. We hope our simple and effective approach will serve as a solid baseline and help ease future research in instance-level recognition. Code has been made available at: https://github.com/facebookresearch/Detectron.

    Feature Boosting Network For 3D Pose Estimation

    ieeexplore.ieee.org   (2020-02-19)

    tags: boosting, deep-learning, pose-estimation

    In this paper, a feature boosting network is proposed for estimating 3D hand pose and 3D body pose from a single RGB image. In this method, the features learned by the convolutional layers are boosted with a new long short-term dependence-aware (LSTD) module, which enables the intermediate convolutional feature maps to perceive the graphical long short-term dependency among different hand (or body) parts using the designed Graphical ConvLSTM. Learning a set of features that are reliable and discriminatively representative of the pose of a hand (or body) part is difficult due to the ambiguities, texture and illumination variation, and self-occlusion in the real application of 3D pose estimation. To improve the reliability of the features for representing each body part and enhance the LSTD module, we further introduce a context consistency gate (CCG) in this paper, with which the convolutional feature maps are modulated according to their consistency with the context representations. We evaluate the proposed method on challenging benchmark datasets for 3D hand pose estimation and 3D full body pose estimation. Experimental results show the effectiveness of our method that achieves state-of-the-art performance on both of the tasks.

    Table Detection and Extraction Using Deep Learning

    nanonets.com   (2020-02-19)

    tags: deep-learning, text, vision

    Extract table from image with Nanonets table detection OCR. Learn OCR table Deep Learning methods to detect tables in images or PDF documents.

    2020 Guide to Synthetic Media | Paperspace Blog

    blog.paperspace.com   (2020-02-19)

    tags: deep-learning, deepfakes

    From deepfakes and virtual celebrities to "fake news," we'll cover popular cases of media synthesis and the research publications detailing how it's done.

    Turing-NLG: A 17-billion-parameter language model by Micr...

    www.microsoft.com   (2020-02-19)

    tags: deep-learning, nlp

    This figure was adapted from a similar image published in DistilBERT. Turing Natural Language Generation (T-NLG) is a 17 billion parameter language model by Microsoft that outperforms the state of the art on many downstream NLP tasks. We present a demo of the model, including its freeform generation, question answering, and summarization capabilities, to academics […]

    Large Scale Adversarial Representation Learning

    www.kdnuggets.com   (2020-02-19)

    tags: adversarial, deep-learning

    Understanding GauGAN Part 1 | Paperspace Blog

    blog.paperspace.com   (2020-02-19)

    tags: deep-learning

    In this article we explain what GauGANs are, and how their architecture and objective functions work. This is part of a series on Nvidia GauGANs.

    Luminovo - Deep Learning Toolset.pdf - Google Drive

    drive.google.com   (2020-02-19)

    tags: deep-learning, programming

    Serving GPT-2 in Google Cloud Platform

    medium.com   (2020-02-16)

    tags: deep-learning, nlp

    A CloudOps Journey

    An End to End Introduction to GANs using Keras - MLWhiz

    mlwhiz.com   (2019-12-23)

    tags: adversarial, deep-learning, gans

    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.

    Semantic Segmentation — Popular Architectures

    towardsdatascience.com   (2019-12-23)

    tags: deep-learning

    Doing cool things with data!

    Automatic Text Summarization in a Nutshell - KDnuggets

    www.kdnuggets.com   (2019-12-23)

    tags: deep-learning, text

    Marketing scientist Kevin Gray asks Dr. Anna Farzindar of the University of Southern California about Automatic Text Summarization and the various ways it is used.

    5 Techniques to Prevent Overfitting in Neural Networks

    www.kdnuggets.com   (2019-12-14)

    tags: deep-learning

    In this article, I will present five techniques to prevent overfitting while training neural networks.

    The Neural Network Zoo - The Asimov Institute

    www.asimovinstitute.org   (2019-12-14)

    tags: deep-learning, dictionary

    With new neural network architectures popping up every now and then, it’s hard to keep track of them all. Knowing all the abbreviations being thrown around (DCIGN, BiLSTM, DCGAN, anyone?) can be a bit overwhelming at first. So I decided to compose a cheat sheet containing many of those architectures. Most of these are neural networks, some are completely […]

    Neural Networks 201: All About Autoencoders

    www.kdnuggets.com   (2019-12-14)

    tags: autoencoders, deep-learning

    Autoencoders can be a very powerful tool for leveraging unlabeled data to solve a variety of problems, such as learning a "feature extractor" that helps build powerful classifiers, finding anomalies, or doing a Missing Value Imputation.

    Research Guide: Model Distillation Techniques for Deep Le...

    heartbeat.fritz.ai   (2019-12-14)

    tags: compression-encoding, deep-learning

    Knowledge distillation is a model compression technique whereby a small network (student) is taught by a larger trained neural network (teacher). The smaller network is trained to behave like the large neural network. This enables the deployment of such models… Continue reading Research Guide: Model Distillation Techniques for Deep Learning

    Workflow Tools for Model Pipelines

    towardsdatascience.com   (2019-12-14)

    tags: deep-learning, machine-learning, programming

    Chapter 5 excerpt of “Data Science in Production”

    Computing Receptive Fields of Convolutional Neural Networks

    distill.pub   (2019-12-14)

    tags: deep-learning

    Detailed derivations and open-source code to analyze the receptive fields of convnets.

    The 5 Algorithms for Efficient Deep Learning Inference on...

    heartbeat.fritz.ai   (2019-12-14)

    tags: deep-learning, mobile

    With recent developments in deep learning, neural networks are getting larger and larger. For example, in the ImageNet recognition challenge, the winning model, from 2012 to 2015, increased in size by 16 times. And in just one year, for Baidu’s… Continue reading The 5 Algorithms for Efficient Deep Learning Inference on Small Devices

    Demystifying Object Detection and Instance Segmentation f...

    towardsdatascience.com   (2019-12-14)

    tags: deep-learning, object-detection

    Easy Explanation!!! I tried

    MrSyee/pg-is-all-you-need: Policy Gradient is all you nee...

    github.com   (2019-12-14)

    tags: deep-learning, policy-gradients

    Policy Gradient is all you need! A step-by-step tutorial for well-known PG methods. - MrSyee/pg-is-all-you-need

    Imaging technique spots colorectal tumors with 100% accuracy

    www.futurity.org   (2019-12-14)

    tags: deep-learning, exercise-health-medicine

    A new method that provides accurate, real-time, computer-aided diagnosis of colorectal cancer identified tumors with 100% accuracy in a new pilot study.

    Powerful computer vision algorithms are now small enough ...

    www.technologyreview.com   (2019-11-24)

    tags: deep-learning, mobile, vision

    Researchers have shrunk state-of-the-art computer vision models to run on low-power devices. Growing pains: Visual recognition is deep learning’s strongest skill. Computer vision algorithms are analyzing medical images, enabling self-driving cars, and powering face recognition. But training models to recognize actions in videos has grown increasingly expensive. This has fueled concerns about the technology’s carbon…

    Looking at the Fundamentals of Reinforcement Learning

    jfpettit.github.io   (2019-11-07)

    tags: deep-learning, reinforcement-learning

    Research Guide: Advanced Loss Functions for Machine Learn...

    www.kdnuggets.com   (2019-11-07)

    tags: deep-learning, machine-learning

    This guide explores research centered on a variety of advanced loss functions for machine learning models.

    Federated Machine Learning - Collaborative Machine Learni...

    www.datasciencecentral.com   (2019-10-18)

    tags: deep-learning, federated-learning

    Adit Deshpande – CS Undergrad at UCLA ('19)

    adeshpande3.github.io   (2019-09-23)

    tags: deep-learning

    Engineering at Forward | UCLA CS '19

    Learning the Differences between Softmax and Sigmoid for ...

    dev.to   (2019-08-30)

    tags: activations, deep-learning, image-classification

    Week Two - 100 Days of Code Challenge

    Keras Mask R-CNN - PyImageSearch

    www.pyimagesearch.com   (2019-08-30)

    tags: deep-learning, vision

    In this tutorial you will learn how to use Keras, Mask R-CNN, and Deep Learning for instance segmentation (both with and without a GPU).

    Deep Learning: Which Loss and Activation Functions should...

    medium.com   (2019-08-30)

    tags: activations, deep-learning

    The purpose of this post is to provide guidance on which combination of final-layer activation function and loss function should be used in…

    Scaling Jupyter notebooks with Kubernetes and Tensorflow

    learnk8s.io   (2019-08-29)

    tags: deep-learning, devops, kubernetes, tensorflow

    In this article, you will explore how you can leverage Kubernetes, Tensorflow and Kubeflow to scale your models without having to worry about scaling the infrastructure.

    Computer Vision for Beginners: Part 4

    medium.com   (2019-08-29)

    tags: deep-learning, vision

    Contour detection and having a little bit of fun

    Open Questions about Generative Adversarial Networks

    distill.pub   (2019-08-29)

    tags: adversarial, deep-learning

    What we'd like to find out about GANs that we don't know yet.

    YOLO: Real-Time Object Detection

    pjreddie.com   (2019-08-29)

    tags: deep-learning, vision

    You only look once (YOLO) is a state-of-the-art, real-time object detection system.

    Text Analytics

    monkeylearn.com   (2019-08-29)

    tags: deep-learning, nlp, sentiment-analysis

    Medallia's text analytics software tool provides actionable insights via customer and employee experience sentiment data analysis from reviews & comments.

    Generative Adversarial Networks - The Story So Far

    blog.floydhub.com   (2019-08-28)

    tags: adversarial, deep-learning, gans

    Word2vec: fish music = bass | graceavery

    graceavery.com   (2019-08-20)

    tags: deep-learning, nlp

    Nvidia’s GauGAN has been used to create 500,000 images

    venturebeat.com   (2019-08-05)

    tags: adversarial, deep-learning, gans, image-generation

    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.

    One-Shot Learning: Learning More with Less Data

    blog.floydhub.com   (2019-08-03)

    tags: deep-learning, machine-learning

    A 2019 guide to Human Pose Estimation with Deep Learning

    blog.nanonets.com   (2019-04-18)

    tags: deep-learning, pose-estimation

    Graph neural networks: a review of methods and applicatio...

    blog.acolyer.org   (2019-03-12)

    tags: deep-learning, graphs

    Is it a Duck or a Rabbit? For Google Cloud Vision, it dep...

    www.reddit.com   (2019-03-10)

    tags: deep-learning, images

    27K votes, 533 comments. 21M subscribers in the dataisbeautiful community. DataIsBeautiful is for visualizations that effectively convey information…

    vdumoulin/conv_arithmetic: A technical report on convolut...

    github.com   (2018-11-06)

    tags: algorithms-math, deep-learning

    A technical report on convolution arithmetic in the context of deep learning - vdumoulin/conv_arithmetic

    Financial Services

    www.ayasdi.com   (2018-10-28)

    tags: deep-learning, topology

    Learn how SymphonyAI’s financial crime prevention solutions quickly deploy to uncover your risks, improve investigations, and transform your operations.

    Truly, neurally, deeply

    www.knowablemagazine.org   (2018-10-28)

    tags: deep-learning, exercise-health-medicine, neurology

    Scientists are developing AI systems called deep neural nets that can read medical images and detect disease — with astonishing efficiency

    When Recurrent Models Don't Need to be Recurrent

    offconvex.github.io   (2018-08-31)

    tags: deep-learning, rnns

    Algorithms off the convex path.

    One Deep Learning Benchmark to Rule Them All

    www.nextplatform.com   (2018-08-30)

    tags: benchmarks, deep-learning

    Over the last few years we have detailed the explosion in new machine learning systems with the influx of novel architectures from deep learning chip

    https://blog.statsbot.co/data-structures-related-to-machi...

    blog.statsbot.co   (2018-06-08)

    tags: deep-learning

    Slaney2008-LSHTutorial.pdf

    www.slaney.org   (2018-06-08)

    tags: deep-learning

    Neural networks for algorithmic trading. Multimodal and m...

    becominghuman.ai   (2018-06-08)

    tags: deep-learning

    Here we are again! We already have four tutorials on financial forecasting with artificial neural networks where we compared different…

    A Gentle Introduction to RNN Unrolling - MachineLearningM...

    machinelearningmastery.com   (2018-06-08)

    tags: deep-learning, rnns

    Recurrent neural networks are a type of neural network where the outputs from previous time steps are fed as input to the current time step. This creates a network graph or circuit diagram with cycles, which can make it difficult to understand how information moves through the network. In this post, you will discover the concept of unrolling or unfolding…

    The Matrix Calculus You Need For Deep Learning

    parrt.cs.usfca.edu   (2018-06-08)

    tags: deep-learning, linear-algebra

    Most of us last saw calculus in school, but derivatives are a critical part of machine learning, particularly deep neural networks, which are trained by optimizing a loss function. This article is an attempt to explain all the matrix calculus you need in order to understand the training of deep neural networks. We assume no math knowledge beyond what you learned in calculus 1, and provide links to help you refresh the necessary math where needed.

    agnusmaximus/Word2Bits: Quantized word vectors that take ...

    github.com   (2018-06-08)

    tags: deep-learning, nlp, text

    Quantized word vectors that take 8x-16x less space than regular word vectors - agnusmaximus/Word2Bits

    LouieYang/deep-photo-styletransfer-tf: Tensorflow (Python...

    github.com   (2018-06-08)

    tags: deep-learning, vision

    Tensorflow (Python API) implementation of Deep Photo Style Transfer - LouieYang/deep-photo-styletransfer-tf

    Deep Voice 3: Scaling Text-to-Speech with Convolutional S...

    t.co   (2018-06-08)

    tags: audio, deep-learning

    We present Deep Voice 3, a fully-convolutional attention-based neural text-to-speech (TTS) system. Deep Voice 3 matches state-of-the-art neural speech synthesis systems in naturalness while...

    How to build a deep learning model in 15 minutes – tech-a...

    tech.instacart.com   (2018-06-08)

    tags: deep-learning

    An open source framework for configuring, building, deploying and maintaining deep learning models in Python.

    Generative Adversarial Networks (GANs): Engine and Applic...

    www.datasciencecentral.com   (2018-06-08)

    tags: deep-learning, gans

    Generative adversarial networks (GANs) are a class of neural networks that are used in unsupervised machine learning. They help to solve such tasks as image generation from descriptions, getting high resolution images from low resolution ones, predicting which drug could treat a certain disease, retrieving images that contain a given pattern, etc. Our team asked… Read More »Generative Adversarial Networks (GANs): Engine and Applications

    Learning to write programs that generate images

    deepmind.com   (2018-06-08)

    tags: deep-learning, image-generation, vision

    Through a human’s eyes, the world is much more than just the images reflected in our corneas. For example, when we look at a building and admire the intricacies of its design, we can appreciate...

    Introducing Similarity Search at Flickr | code.flickr.com

    code.flickr.net   (2018-05-30)

    tags: deep-learning, machine-learning

    kjw0612/awesome-rnn: Recurrent Neural Network - A curated...

    github.com   (2018-05-27)

    tags: deep-learning, rnns

    Recurrent Neural Network - A curated list of resources dedicated to RNN - kjw0612/awesome-rnn

    Cambricon, Makers of Huawei's Kirin NPU IP, Build A Big A...

    www.anandtech.com   (2018-05-27)

    tags: deep-learning, semiconductors

    Topic: computer-vision

    github.com   (2018-05-12)

    tags: deep-learning, vision

    GitHub is where people build software. More than 100 million people use GitHub to discover, fork, and contribute to over 420 million projects.

    AutonomousDrivingCookbook/AirSimE2EDeepLearning at master...

    github.com   (2018-05-12)

    tags: autonomous-driving, deep-learning

    Scenarios, tutorials and demos for Autonomous Driving - microsoft/AutonomousDrivingCookbook

    Adit Deshpande – CS Undergrad at UCLA ('19)

    adeshpande3.github.io   (2018-05-12)

    tags: deep-learning

    Engineering at Forward | UCLA CS '19

    Tearing Apart Google’s TPU 3.0 AI Coprocessor

    www-nextplatform-com.cdn.ampproject.org   (2018-05-12)

    tags: deep-learning, semiconductors

    Google did its best to impress this week at its annual IO conference. While Google rolled out a bunch of benchmarks that were run on its current Cloud TPU

    LightTag is a text annotation platform for data scientist...

    techcrunch.com   (2018-05-11)

    tags: deep-learning, machine-learning, text

    LightTag, a newly launched startup from a former NLP researcher at Citi, has built a "text annotation platform" designed to assist data scientists who

    Google Announces 8x Faster TPU 3.0 For AI, Machine Learni...

    www.extremetech.com   (2018-05-10)

    tags: deep-learning, semiconductors

    Google's new TPUs are here -- and they're quite a bit faster than last year's model.

    10 Command Line Recipes for Deep Learning on Amazon Web S...

    machinelearningmastery.com   (2018-04-10)

    tags: aws, deep-learning, linux

    Running large deep learning processes on Amazon Web Services EC2 is a cheap and effective way to learn and develop models. For just a few dollars you can get access to tens of gigabytes of RAM, tens of CPU cores, and multiple GPUs. I highly recommend it. If you are new to EC2 or the Linux command line, there are…

    Baidu Apollo Releases Massive Self-driving Dataset; Teams...

    medium.com   (2018-03-18)

    tags: datasets, deep-learning

    Baidu this Thursday announced the release of ApolloScape, billed as the world’s largest open-source dataset for autonomous driving…

    Baidu’s voice cloning AI can swap genders and remove accents

    thenextweb.com   (2018-03-01)

    tags: audio, deep-learning

    China's tech titan Baidu just upgraded Deep Voice. The voice-cloning AI now works faster than ever and can swap a speaker's gender or change their accent.

    1703.09039.pdf

    arxiv.org   (2018-02-21)

    tags: deep-learning

    Choosing the right activation function in a neural network

    opendatascience.com   (2018-02-12)

    tags: activations, deep-learning

    Stay up-to-date on the latest data science and AI news in the worlds of artificial intelligence, machine learning, deep learning, implementation, and more.

    Facebook open sources Detectron – Facebook Research

    research.fb.com   (2018-02-06)

    tags: deep-learning

    Region of interest pooling explained

    blog.deepsense.ai   (2018-02-02)

    tags: deep-learning, vision

    Dive into our detailed explanation of what is Region of Interest (RoI) Pooling in deep learning. Enhance your skills. Discover more now!

    One model to learn them all

    blog.acolyer.org   (2018-01-12)

    tags: deep-learning

    The 3 Tricks That Made AlphaGo Zero Work

    medium.com   (2018-01-12)

    tags: deep-learning

    There were many advances in Deep Learning and AI in 2017, but few generated as much publicity and interest as DeepMind’s AlphaGo Zero. This…

    Deep-Learning-Papers-Reading-Roadmap/README.md at master ...

    github.com   (2017-12-27)

    tags: deep-learning

    Deep Learning papers reading roadmap for anyone who are eager to learn this amazing tech! - floodsung/Deep-Learning-Papers-Reading-Roadmap

    Train your deep model faster and sharper — two novel tech...

    hackernoon.com   (2017-12-27)

    tags: deep-learning

    6 Deep Learning Techniques They Never Taught You In School

    www.mensxp.com   (2017-12-27)

    tags: deep-learning

    They can really help you

    https://blog.openai.com/openai-baselines-ppo/

    blog.openai.com   (2017-12-27)

    tags: deep-learning

    machine learning benchmarks - Google Search

    www.google.com   (2017-12-27)

    tags: benchmarks, deep-learning

    An Intuitive Guide to Deep Network Architectures

    www.kdnuggets.com   (2017-12-27)

    tags: deep-learning, glossaries

    How and why do different Deep Learning models work? We provide an intuitive explanation for 3 very popular DL models: Resnet, Inception, and Xception.

    Gentle Introduction to Generative Long Short-Term Memory ...

    machinelearningmastery.com   (2017-12-27)

    tags: deep-learning

    The Long Short-Term Memory recurrent neural network was developed for sequence prediction. In addition to sequence prediction problems. LSTMs can also be used as a generative model In this post, you will discover how LSTMs can be used as generative models. After completing this post, you will know: About generative models, with a focus on generative models for text called…

    A Gentle Introduction to Exploding Gradients in Neural Ne...

    machinelearningmastery.com   (2017-12-18)

    tags: deep-learning, gradients

    Exploding gradients are a problem where large error gradients accumulate and result in very large updates to neural network model weights during training. This has the effect of your model being unstable and unable to learn from your training data. In this post, you will discover the problem of exploding gradients with deep artificial neural networks. After completing this post,…

    How Adversarial Attacks Work

    blog.ycombinator.com   (2017-11-11)

    tags: adversarial, deep-learning, gans

    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

    wiseodd/generative-models: Collection of generative model...

    github.com   (2017-11-11)

    tags: deep-learning, pytorch, tensorflow

    Collection of generative models, e.g. GAN, VAE in Pytorch and Tensorflow. - wiseodd/generative-models

    Machine Learning: Handbag Brand and Color Detection using...

    technology.condenast.com   (2017-11-08)

    tags: deep-learning, ecommerce, machine-learning, vision

    awesome-deep-learning-papers/README.md at master · terryu...

    github.com   (2016-12-26)

    tags: deep-learning

    The most cited deep learning papers.

    Semiconductor Engineering .:. Making Waves In Deep Learning

    semiengineering.com   (2016-10-12)

    tags: deep-learning, gpus, semiconductors

    Making Waves in Deep Learning How deep learning applications will map onto a chip.

    AI & ML Projects with Python

    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.


    -->
    webdev (all)
    categories:
    tags: webdev 
    date: 28 Mar 2025
    slug:raindrop-webdev-all
    frontendmasters.com   (2024-02-29)

    tags: webdev

    Frontend Masters Guides Description

    Creating CSS masonry-style layouts

    dev.to   (2023-03-22)

    tags: css, webdev

    Written by Nwani Victory✏️ When designing a page with content overflowing the viewport, an indirect...

    Mastering CSS Flexbox: From Basics to Advanced Techniques

    dev.to   (2023-02-18)

    tags: css, webdev

    Introduction Are you tired of using tables, floats, and other traditional CSS layout...

    Putting Gears In Motion: Animating Cars With HTML And SVG

    www.smashingmagazine.com   (2023-02-17)

    tags: animation, html, svg, webdev

    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!

    Easy SVG Customization And Animation: A Practical Guide

    smashingmagazine.com   (2023-02-17)

    tags: animation, svg, webdev

    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.

    SVG — Smashing Magazine

    www.smashingmagazine.com   (2023-02-17)

    tags: animation, svg, webdev

    Smashing Magazine — front-end, UX and design for front-end engineers and designers

    76 CSS Cards

    freefrontend.com   (2023-02-15)

    tags: css, ui-ux, webdev

    Welcome to our collection of CSS cards! In this comprehensive compilation, we have gathered a wide range of free HTML and CSS card code examples from various reputable sources, including CodePen, GitHub, and other valuable resources.

    Relearn CSS layout

    every-layout.dev   (2023-02-13)

    tags: css, webdev

    Web Design & Development Toolkit

    toolkit.addy.codes   (2023-02-12)

    tags: programming, webdev

    Discover hundreds of web design & development resources in this carefully curated collection.

    Npm vs Yarn: What Should you use for managing packages in...

    dev.to   (2023-02-11)

    tags: javascript, npm, packages, programming, webdev, yarn

    Both npm (Node Package Manager) and Yarn are popular package managers for JavaScript projects,...

    How To Build A Magazine Layout With CSS Grid Areas

    smashingmagazine.com   (2023-02-10)

    tags: css, webdev

    Web development, especially what you can do with CSS, has become increasingly complex. With the added capabilities of CSS Grid, it is now possible to achieve layouts that look like they were laid out by hand. Let’s tackle a practical example of how to do something like that.

    Native CSS masonry layout | pawelgrzybek.com

    pawelgrzybek.com   (2023-02-10)

    tags: css, webdev

    A masonry type of layout, one of the biggest obsessions of UX designers, is finally coming to CSS. Style popularized by Pinterest, where elements fill the vertical gaps instead of being aligned to the row axis.

    Visual design rules you can safely follow every time

    anthonyhobday.com   (2023-02-07)

    tags: css, design, ui-ux, webdev

    Sticky Notes with CSS3

    dev.to   (2023-02-07)

    tags: css, webdev

    What is a sticky notes with css3, How do you make a sticky notes with css3? Sticky Notes with CSS3...

    Using Curl to make REST API requests | Linuxize

    linuxize.com   (2023-02-04)

    tags: curl, devops, linux, programming, webdev

    In this article, we're going to discuss how to use Curl to interact with RESTful APIs. Curl is a command-line utility for transferring data from or to a remote server.

    Google Arts & Culture

    artsandculture.google.com   (2023-02-04)

    tags: culture, programming, webdev

    Google Arts & Culture features content from over 2000 leading museums and archives who have partnered with the Google Cultural Institute to bring the world's treasures online.

    5 Node.js Tools to Learn in 2023

    blog.appsignal.com   (2023-02-01)

    tags: nodejs, programming, webdev

    Check out 5 Node.js tools that can help boost your productivity in 2023.

    7 Open-Source Log Management Tools that you may consider ...

    dev.to   (2023-01-31)

    tags: analytics, logging, programming, webdev

    Effective log management is a fundamental aspect of maintaining and troubleshooting today's complex...

    CSS Named Colors: Groups, Palettes, Facts, & Fun

    dev.to   (2023-01-26)

    tags: color, css, webdev

    Note: Due to publishing limitations, the groups of colors in this post are inserted as images. For...

    10 Essential Design System Components

    www.uxpin.com   (2023-01-24)

    tags: design-patterns, ui-ux, webdev

    Learn about design system components. Deepen your knowledge of atomic design and see how you can use it for product design. Enjoy!

    Level Up Your CSS Skills With The :has() Selector

    www.smashingmagazine.com   (2023-01-24)

    tags: css, webdev

    The CSS relational selector :has() offers what was previously impossible without JavaScript. Let’s explore some magical powers that :has brings.

    The Top Five Static Site Generators (SSGs) for 2023 —&nbs...

    dev.to   (2023-01-17)

    tags: programming, static-sites, webdev

    There’s no shortage of static site generators (SSGs) to choose from, though I’ve limited the below...

    What if writing tests was a joyful experience?

    blog.janestreet.com   (2023-01-13)

    tags: best-practices, rubyonrails, webdev

    At Jane Street we use a pattern/library called “expect tests” thatmakes test-writing feel like a REPL session, or like exploratoryprogramming in a Jupyter no...

    Animation Techniques with anime.js: Timing, Easing, and K...

    dev.to   (2023-01-01)

    tags: animation, javascript, webdev

    Welcome to the second tutorial in this series on animating with anime.js! In the previous post,...

    An Ultimate Guide On Sizing, Spacing, Grids And Layout In...

    www.smashingmagazine.com   (2022-12-30)

    tags: html, ui-ux, webdev

    A grid is like invisible glue that holds a design together. Even when elements are physically separated from each other, something invisible connects them together. Grids help designers to build better products by tying different design elements together to achieve effective hierarchy, alignment and consistency, with little effort. If executed properly, your designs will appear thoughtful and organized. In this article Nick Babich aims to give you a good understanding of grid systems, what they are, and how they can be applied to your design process. Understanding how to use grids will come from practical experience.

    InnerHTML vs. InnerText vs. TextContent: A Guide | Built In

    builtin.com   (2022-12-23)

    tags: html, javascript, webdev

    InnerHTML, innerText and textContent can each help to manipulate JavaScript code, but they contain subtle differences. Here’s what to know

    How to design almost any UI element (list of ~58 articles...

    dev.to   (2022-12-23)

    tags: design-patterns, ui-ux, webdev

    Buttons. 7 Basic Rules for Button Design by @101babich Button Design Cheatsheet for...

    UTM Parameters Best Practices & Intro | Rafflecopter

    blog.rafflecopter.com   (2022-12-21)

    tags: html, http, webdev

    Do you know where your site traffic comes from? Which of your campaigns drives the most traffic? Let's investigate UTM parameters best practices.

    When to use gRPC vs GraphQL - Stack Overflow

    itr-links.stackoverflow.email   (2022-12-10)

    tags: graphql, graphs, webdev

    Counting unique visitors without using cookies, UIDs or f...

    notes.normally.com   (2022-11-30)

    tags: webdev

    Building a web analytics service without cookies poses a tricky problem: How do you distinguish unique visitors?

    Build Your Own Web Server With Ruby - RubyGuides

    www.rubyguides.com   (2022-11-08)

    tags: ruby, web-servers, webdev

    Have you ever built your own web server with Ruby? We already have many servers, like: Puma Thin Unicorn But I think this is a great learning exercise

    Making a DNS query in Ruby from scratch

    jvns.ca   (2022-11-07)

    tags: dns, ruby, web-crawlers, webdev

    Introducing Turbopack: Rust-based successor to Webpack – ...

    vercel.com   (2022-10-26)

    tags: bundling, programming, webdev, webpack

    Introducing Turbopack, the Rust-based successor to Webpack.

    Security Best Practices for Your Rails Application

    blog.appsignal.com   (2022-10-05)

    tags: rubyonrails, security, webdev

    Ensure your Rails application stays secure by following some best practices and habits.

    The Thorny Problem of Keeping the Internet’s Time

    www.newyorker.com   (2022-10-02)

    tags: goodreads, webdev

    An obscure software system synchronizes the network’s clocks. Who will keep it running?

    GIFs Without the .gif: The Most Performant Image and Vide...

    css-tricks.com   (2022-09-30)

    tags: html, images, video, webdev

    So you want an auto-playing looping video without sound? In popular vernacular this is the very meaning of the word GIF. The word has stuck around but the

    25 Free Tools to Test Your Website

    www.practicalecommerce.com   (2022-09-27)

    tags: devops, programming, search, webdev

    This all-new update to our popular resource includes tools to evaluate page speed, security, accessibility, regulatory compliance, code, and more.

    Render: Awesome alternative for Heroku

    dev.to   (2022-09-22)

    tags: devops, heroku, programming, webdev

    Heroku will stop offering its free tiers this November, leaving developers to choose other...

    Finding an Image on a Web Page | TestComplete Documentation

    support.smartbear.com   (2022-09-20)

    tags: images, web-scraping, webdev

    Create and run automated tests for desktop, web and mobile (Android and iOS) applications (.NET, C#, Visual Basic .NET, C++, Java, Delphi, C++Builder, Intel C++ and many others).

    Accessibility UX Best Practices – 8 Tactics for Web Design

    www.uxpin.com   (2022-09-14)

    tags: design-patterns, ui-ux, webdev

    Learn 8 accessibility hacks that will make your website suitable for a variety of users, including those who have certain challenges.

    rack/rack

    github.com   (2022-09-09)

    tags: programming, rack, ruby, webdev

    A modular Ruby web server interface.

    TIL: You Can Access A User's Camera with Just HTML

    austingil.com   (2022-09-08)

    tags: cameras, html, webdev

    The HTML capture attribute is interesting because it allows you to activate a user's camera with just HTML. This article covers it in more depth.

    The Realities And Myths Of Contrast And Color — Smashing ...

    www.smashingmagazine.com   (2022-09-08)

    tags: color, neurology, ui-ux, webdev

    In this article, Andrew Somers, a 35-year veteran of the Hollywood film and television industry, shares his experience about the hard-fought battles and lessons learned designing for illuminated presentations.

    gchq/CyberChef: The Cyber Swiss Army Knife - a web app fo...

    github.com   (2022-09-05)

    tags: devops, programming, security, webdev

    The Cyber Swiss Army Knife - a web app for encryption, encoding, compression and data analysis - gchq/CyberChef

    CyberChef

    cyberchef.org   (2022-09-05)

    tags: algorithms-math, programming, webdev

    The Cyber Swiss Army Knife - a web app for encryption, encoding, compression and data analysis

    Infinite Scrolling: When to Use It, When to Avoid It

    www.nngroup.com   (2022-09-05)

    tags: keywords-ppc-seo, webdev

    Infinite scrolling minimizes interaction costs and increases user engagement, but it isn’t a good fit for every website. For some, pagination or a Load More button will be a better solution.

    Heroku no longer offers free service, what's the best alt...

    dev.to   (2022-08-30)

    tags: devops, heroku, webdev

    Heroku was such a simple and free experience to host side project and start developing. What is the...

    Heroku no longer offers free service, what's the best alt...

    dev.to   (2022-08-30)

    tags: devops, heroku, webdev

    Heroku was such a simple and free experience to host side project and start developing. What is the...

    Free Alternatives to Heroku

    dev.to   (2022-08-30)

    tags: devops, heroku, webdev

    Given the recent news about Heroku bringing an end to free dynos and PostgreSQL databases, what other...

    Top 10 JavaScript Frameworks to Use in 2022

    dev.to   (2022-08-29)

    tags: javascript, webdev

    Introduction Being a multi-paradigm language, JavaScript maintains programming styles...

    Genome Color Tool

    www.genomecolor.space   (2022-08-22)

    tags: color, ui-ux, webdev

    Web site created using create-react-app

    10 ways to speed up JavaScript loading

    dev.to   (2022-08-19)

    tags: javascript, webdev

    In many modern websites, there is a lot of JavaScript. In fact, according to the HTTP Archive, the...

    Kits | Foundation 6

    get.foundation   (2022-08-05)

    tags: css, html, webdev

    Building a Web server in Bash, part I - sockets

    dev.to   (2022-08-01)

    tags: bash, programming, web-servers, webdev

    Have you ever wondered how a Web server works under the hood? Moreover, would you be willing to...

    Router Security

    routersecurity.org   (2022-07-30)

    tags: devops, security, webdev

    Router Security Home Page

    Build Your Own Web Framework – Vercel

    vercel.com   (2022-07-30)

    tags: javascript, webdev

    Build your own web framework that deploys to edge and serverless infrastructure.

    Test Your Product On A Crappy Laptop | CSS-Tricks

    css-tricks.com   (2022-07-29)

    tags: analytics, devops, prodmgmt, webdev

    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

    vs. : How To Choose The Right One — Smashing Magazine

    www.smashingmagazine.com   (2022-07-29)

    tags: html, webdev

    In this article, Olushuyi explores a mental model that helps you decide between the `` and `` elements when writing documents. You will explore how grouping content affects accessibility and how you can make it all count for users.

    Productivity Tips And Tools For A More Efficient Workflow...

    www.smashingmagazine.com   (2022-07-27)

    tags: programming, webdev

    Who doesn’t love a good timesaver? In this post, we compiled useful productivity tips and tools that help you speed up routine tasks, enhance your development workflow, and stay organized.

    Emoji Kitchen Browser

    emoji.supply   (2022-07-26)

    tags: emojis, webdev

    Browse thousands of delightful Emoji Kitchen combinations, available in Gboard for Android.

    The Magical Use of Uncommon Labels Fieldset and Legend

    dev.to   (2022-07-26)

    tags: html, webdev

    How to use Fieldset and Legend to create an amazing border effect.

    Introduction to TCP and Sockets

    www.scottklement.com   (2022-07-20)

    tags: programming, webdev

    Scaling Engineering Teams via RFCs: Writing Things Down

    blog.pragmaticengineer.com   (2022-07-18)

    tags: best-practices, execution, webdev

    I have recently been talking at small and mid-size companies, sharing engineering best practices I see us use at Uber, which I would recommend any tech company adopt as they are growing. The one topic that gets both the most raised eyebrows, as well the most "aha!" moments is the

    Eye-Catching Typography To Get More Leads

    www.noupe.com   (2022-07-06)

    tags: design, fonts-typography, webdev

    Noupe passionately delivers stylish and dynamic news for designers and Web developers across the globe on all subjects of design; ranging from CSS, Photography, JavaScript, Web design, Graphics, Typography and much more.

    Learn the Python Anvil Framework

    pythonanvil.com   (2022-07-05)

    tags: programming, python, webdev

    3 Best Website Uptime Monitoring Tools 

    www.webdesignerdepot.com   (2022-07-04)

    tags: devops, programming, webdev

    One way to achieve this is by employing uptime and downtime monitoring tools. Why Is Website Uptime Monitoring Important? An uptime monitoring solution can help you prevent or reduce these losses. Thus, you must employ a dependable tool that detects downtime or any interruptions related to your…

    Bootstrap CSS is still the sh*t. But we can make it better.

    dev.to   (2022-07-01)

    tags: css, design-patterns, webdev

    Bootstrap is an amazing CSS framework for those who struggle with design, css, or need to build...

    Hotjar: Website Heatmaps & Behavior Analytics Tools

    www.hotjar.com   (2022-06-23)

    tags: programming, ui-ux, webdev

    The next best thing to sitting beside someone browsing your site. See where they click, ask what they think, and learn why they drop off. Get started for free.

    Hacker News

    webauthn.guide   (2022-06-23)

    tags: authentication, design-patterns, ui-ux, webdev

    An introduction to Web Authentication (WebAuthn), the new API that can replace passwords with strong authentication.

    Dans Tools - Online tools for users and developers.

    www.danstools.com   (2022-06-22)

    tags: programming, webdev

    Perfect CTA Placement: Above-The-Fold Vs. Below-The-Fold

    www.webdesignerdepot.com   (2022-06-21)

    tags: design-patterns, ecommerce, html, webdev

    Should You Place a CTA Above the Fold? Experts in the design and digital marketing world have frequently claimed that if you want to get the best results with a CTA , you need to place it above the fold. Just look at this landing page from Lyft, for instance, you immediately see what you need to do…

    6 In-demand Marketing Skills for Your Design CV

    www.noupe.com   (2022-06-21)

    tags: css, design, design-patterns, fonts-typography, keywords-ppc-seo, programming, ui-ux, webdev

    In today’s tech-savvy world, being a great designer is not all about being a whiz at tools such as Adobe Photoshop and Adobe Illustrator. The job is

    You’re not still using “Read More” are you?

    blog.prototypr.io   (2022-06-21)

    tags: design, design-patterns, ui-ux, webdev

    It’s probably not the first time you’ve heard that using links like “Read More” or “Click Here” is bad practice. This topic has been…

    13 Tips on How to Crawl a Website Without Getting Blocked

    dev.to   (2022-06-14)

    tags: web-scraping, webdev

    It’s not a secret that businesses and individuals use web scrapers to collect public data from...

    21 Examples of Pricing Pages in Web Design

    webdesignledger.com   (2022-06-13)

    tags: ecommerce, pricing, prodmgmt, webdev

    Find a good available .com domain | Derek Sivers

    sive.rs   (2022-06-13)

    tags: keywords-ppc-seo, search, webdev

    The attacker’s toolkit: Ransomware-as-a-service

    venturebeat.com   (2022-06-12)

    tags: malware, webdev

    In recent years, threat actors have begun collaborating in a ransomware-as-a-service (RaaS) model to infiltrate organizations.

    8 CSS Snippets That Demonstrate the Power of Shadow Effects

    speckyboy.com   (2022-06-12)

    tags: css, webdev

    A collection of useful code snippets that demonstrate the usefulness and what you can fully achieve with CSS shadow effects.

    15 Beautiful Color Gradients using CSS

    dev.to   (2022-06-12)

    tags: color, css, design, webdev

    👋, I am here with another list. In this post I have enlisted 15 aesthetic color gradients using CSS...

    10 Surprising Things You Didn't Know About HTTP | Web Dev...

    webdevguild.com   (2022-06-11)

    tags: http, webdev

    HTTP is a staple of the web, but that doesn't mean it doesn't have some secrets.

    gRPC vs. REST: Getting Started With the Best API Protocol...

    www.toptal.com   (2022-06-11)

    tags: http, webdev

    Discover gRPC's fresh, new approach to web communication.

    Write HTML Right

    lofi.limo   (2022-06-11)

    tags: html, webdev

    Even with a lot of help from a good text editor, writing HTML can be a drag. Nice documents end up as tag-swamps with little bits of content perched atop hills of tabs. Editing them becomes a test of patience and we get sick at the thought of having to look at our once-loved text. It doesn't have to be like this! There's a lightweight, easygoing way to write HTML that's been around since the beginning of the web.

    #HEXWORDS

    hexwords.netlify.app   (2022-06-09)

    tags: color, css, webdev

    Style Tiles

    styletil.es   (2022-06-04)

    tags: design, ui-ux, webdev

    A Style Tile is a design deliverable consisting of fonts, colors and interface elements that communicates the evolution of a visual brand for the web. Learn how to use them here.

    4 technical SEO issues auditing tools won’t show you

    searchengineland.com   (2022-06-01)

    tags: analytics, keywords-ppc-seo, webdev

    Here are four of the top technical SEO issues that your auditing tools won't show you and how to find them.

    Bundler: The best way to manage a Ruby application's gems

    bundler.io   (2022-05-30)

    tags: bundler, programming, rubyonrails, webdev

    Markdown Tutorial Using Rails app

    www.bacancytechnology.com   (2022-05-30)

    tags: markdown, programming, ruby, rubyonrails, webdev

    In this markdown tutorial using rails app learn a step-by-step process to add Markdown support to the Rails app using Redcarpet and Coderay gems.

    Magical SVG Techniques

    smashingmagazine.com   (2022-05-29)

    tags: programming, svg, visualization, webdev

    Smart SVG techniques, from generative SVG grids to SVG paths with masks, grainy SVG gradients, cut-out effects and fractional SVG stars. Let’s look at some magical SVG techniques that you can use right away.

    Staticman: Overview

    staticman.net   (2022-05-29)

    tags: jekyll, programming, webdev

    I bring user-generated content to static sites

    gztchan/awesome-design: 🌟 Curated design resources from a...

    github.com   (2022-05-28)

    tags: design, programming, ui-ux, webdev

    🌟 Curated design resources from all over the world. - gztchan/awesome-design

    An in-depth SVG tutorial

    flaviocopes.com   (2022-05-28)

    tags: svg, visualization, webdev

    SVG is an awesome and incredibly powerful image format. This tutorial gives you an overview of SVG by explaining all you need to know in a simple way

    Deploy app servers close to your users · Fly

    fly.io   (2022-05-20)

    tags: cloud, programming, webdev

    The Future of Search Is Boutique | Future

    future.a16z.com   (2022-05-18)

    tags: keywords-ppc-seo, search, webdev

    The way to improve search is not to mimic Google, but instead to build boutique search engines that index, curate, and organize things in new ways.

    webglfundamentals.org

    webglfundamentals.org   (2022-05-17)

    tags: webdev

    Learn WebGL from the ground up. No magic

    CSS Tips - Marko Denic - Web Developer

    markodenic.com   (2022-05-12)

    tags: css, design, webdev

    CSS tips and tricks you will not see in most tutorials.

    Total number of Websites - Internet Live Stats

    www.internetlivestats.com   (2022-05-05)

    tags: webdev

    How many websites are there on the Web? Number of websites by year and growth from 1991 to 2016. Historical count and popular websites starting from the first website until today. Charts, real time counter, and interesting info.

    https://social.techcrunch.com/2022/04/23/seo-scammers-buy...

    social.techcrunch.com   (2022-05-03)

    tags: devops, keywords-ppc-seo, webdev

    Creating Style Guides

    alistapart.com   (2022-04-15)

    tags: ui-ux, webdev

    A style guide, also referred to as a pattern library, is a living document that details the front-end code for all the elements and modules of a website or application. It also documents the site’s…

    Jacob Errington | Roll your own Ngrok with Nginx, Letsenc...

    jerrington.me   (2022-04-09)

    tags: devops, ngrok, ssh, web-servers, webdev

    Seriously, stop using RSA | Trail of Bits Blog

    blog.trailofbits.com   (2022-04-03)

    tags: algorithms-math, crypto, webdev

    Here at Trail of Bits we review a lot of code. From major open source projects to exciting new proprietary software, we’ve seen it all. But one common denominator in all of these systems is that fo…

    Tao of Node - Design, Architecture & Best Practices | Ale...

    alexkondov.com   (2022-03-27)

    tags: javascript, nodejs, webdev

    One of the main benefits of JavaScript is that it runs both in the browser and the server. As an engineer you need to master a single language and your skills…

    This browser you've never heard of is now worth a billion...

    www.techradar.com   (2022-03-27)

    tags: browsers, malware, webdev

    Island is among the fastest companies to reach unicorn status

    8 CSS & JavaScript Snippets for Creating Cool Card UI Hov...

    speckyboy.com   (2022-03-23)

    tags: css, javascript, ui-ux, webdev

    From bold transformations to simple highlights, we share some fantastic CSS & JavaScript card UI hover effect snippets.

    What Is Nix and Why You Should Use It

    serokell.io   (2022-03-23)

    tags: webdev, packages

    Learn how the Nix package manager can help you make the development process more efficient and simpler.

    Amazing Resources for Web Developers

    dev.to   (2022-03-22)

    tags: color, css, html, programming, webdev

    Found amazing resources which will save you tons of time as a web developer👇 1. 10015...

    Browser-in-the-Browser Attack Can Trick Even Savvy Users

    it.slashdot.org   (2022-03-22)

    tags: malware, security, webdev

    RunaCapital/awesome-oss-alternatives: Awesome list of ope...

    github.com   (2022-03-16)

    tags: programming, webdev

    Awesome list of open-source startup alternatives to well-known SaaS products 🚀 - RunaCapital/awesome-oss-alternatives

    The Catalog of Design Patterns

    refactoring.guru   (2022-03-14)

    tags: design-patterns, ui-ux, webdev

    The catalog of design patterns grouped by intent, complexity, and popularity. The catalog contains all classic design patterns and several architectural patterns.

    Using Personal Access Tokens with GIT and GitHub - Edgoad...

    www.edgoad.com   (2022-02-28)

    tags: github, tokens, webdev

    Scheduling Tasks and Threads | Web Browser Engineering

    browser.engineering   (2022-02-20)

    tags: browsers, webdev

    IRA Design by Creative Tim

    iradesign.io   (2022-02-18)

    tags: images, programming, webdev

    Build your own amazing illustrations.

    Smashing Newsletter

    mailchi.mp   (2022-02-13)

    tags: css, design, html, webdev

    Security Risks On Rails: Misconfiguration and Unsafe Inte...

    dev.to   (2022-01-31)

    tags: rubyonrails, security, webdev

    This article was originally written by Diogo Souza on the Honeybadger Developer Blog. In the third...

    Why Japanese Web Design Is So… Different

    randomwire.com   (2022-01-29)

    tags: css, design, html, language-linguistics, webdev

    Ultimate UI/UX glossary to speak same language with desig...

    www.softformance.com   (2022-01-26)

    tags: glossaries, ui-ux, webdev

    Building a dream UI/UX design for your app is very much about communication with your design team. Here is a list of 57 essential terms.

    Never use the word “User” in your code

    codewithoutrules.com   (2022-01-23)

    tags: design, security, ui-ux, webdev

    You’re six months into a project when you realize a tiny, simple assumption you made at the start was completely wrong. And now you need to fix the problem while keeping the existing system running—with far more effort than it would’ve taken if you’d just gotten it right in the first place. Today I’d like to tell you about one common mistake, a single word that will cause you endless trouble. I am speaking, of course, about “users”. There are two basic problems with this word: “User” is almost never a good description of your requirements. “User” encourages a fundamental security design flaw. The concept “user” is dangerously vague, and you will almost always be better off using more accurate terminology.

    2013 04 12 package managers an introducto

    codylindley.com   (2022-01-23)

    tags: command-line, javascript, npm, programming, webdev

    320 free resources for learning fullstack, frontend and b...

    dev.to   (2022-01-20)

    tags: programming, webdev

    You only need this post to become a Developer because this post has nearly unlimited amount of every...

    When 0748 Means “Go Die": The Secret Messages Inside Chin...

    newrepublic.com   (2022-01-17)

    tags: language-linguistics, webdev

    URLs like 4008-517-517.com mean a lot more than they appear.

    Front-End Performance Checklist 2021 (PDF, Apple Pages, M...

    www.smashingmagazine.com   (2022-01-17)

    tags: css, html, ui-ux, webdev

    Let’s make 2021... fast! An annual front-end performance checklist, with everything you need to know to create fast experiences on the web today, from metrics to tooling and CSS/JavaScript techniques.

    10 Tips for Building a Visual Language

    www.webdesignerdepot.com   (2022-01-17)

    tags: design, language-linguistics, ui-ux, webdev

    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,…

    Front-End Performance Checklist 2021 (PDF, Apple Pages, M...

    www.smashingmagazine.com   (2022-01-17)

    tags: css, html, javascript, ui-ux, webdev

    Let’s make 2021... fast! An annual front-end performance checklist, with everything you need to know to create fast experiences on the web today, from metrics to tooling and CSS/JavaScript techniques.

    Understanding Webpacker in Rails 6 | Road to Rails 6

    prathamesh.tech   (2022-01-17)

    tags: javascript, rubyonrails, webdev, webpacker

    Starting with Rails 6, Webpacker is the default JavaScript compiler. It means that all the JavaScript code will be handled by Webpacker instead of the old assets pipeline aka Sprockets. Webpacker is different from asset pipeline in terms of philosophy as well as implementation. In this blog post, we will

    https://hixonrails.com/ruby-on-rails-tutorials/ruby-on-ra...

    hixonrails.com   (2022-01-17)

    tags: ruby, rubyonrails, webdev

    gitleaks/gitleaks: Protect and discover secrets using Git...

    github.com   (2022-01-17)

    tags: git, programming, security, webdev

    Protect and discover secrets using Gitleaks 🔑.

    Perf tooling

    www.perf-tooling.today   (2022-01-17)

    tags: devops, webdev

    phanan/htaccess

    github.com   (2022-01-17)

    tags: devops, web-servers, webdev

    ✂A collection of useful .htaccess snippets.

    Some ways DNS can break

    jvns.ca   (2022-01-17)

    tags: dns, webdev

    grab/front-end-guide: 📚 Study guide and introduction to t...

    github.com   (2022-01-16)

    tags: programming, webdev

    📚 Study guide and introduction to the modern front end stack. - grab/front-end-guide

    Front-end Developer Handbook 2019 - Learn the entire Java...

    frontendmasters.com   (2022-01-16)

    tags: css, design, html, javascript, webdev

    A guide for front-end developers to equip themselves with latest learning resources and development tools in front-end engineering.

    Front-End Developer Handbook 2018 - Learn the entire Java...

    frontendmasters.com   (2022-01-16)

    tags: css, html, javascript, webdev

    A guide for front-end developers to equip themselves with latest learning resources and development tools in front-end engineering.

    Serverless: Zero-Friction Serverless Apps On AWS Lambda &...

    serverless.com   (2022-01-16)

    tags: webdev

    Easily build auto-scaling, low-overhead applications on AWS Lambda, API Gateway, DynamoDB, and other managed services with the Serverless Framework.

    Progressive Web Apps: Going Offline | Google for Developers

    developers.google.com   (2022-01-16)

    tags: webdev

    20 Chrome Extensions for Web Design

    www.practicalecommerce.com   (2022-01-16)

    tags: programming, webdev

    Here is a list of Chrome extensions for design. There are tools to find the right font, develop color palettes, discover and create inspirational images, customize graphics, measure elements, and analyze your pages as well as your competitors'.

    dexteryy/spellbook-of-modern-webdev: A Big Picture, Thesa...

    github.com   (2022-01-16)

    tags: webdev

    A Big Picture, Thesaurus, and Taxonomy of Modern JavaScript Web Development - dexteryy/spellbook-of-modern-webdev

    https://simplesecurity.sensedeep.com/web-developer-securi...

    simplesecurity.sensedeep.com   (2022-01-16)

    tags: security, webdev

    7 Practical Tips for Cheating at Design

    medium.com   (2022-01-16)

    tags: css, fonts-typography, ui-ux, webdev

    Improving your designs with tactics instead of talent.

    Coolors - The super fast color palettes generator!

    coolors.co   (2022-01-16)

    tags: color, ui-ux, webdev

    Generate or browse beautiful color combinations for your designs.

    The WebSocket Handbook: learn about the technology behind...

    ably.com   (2022-01-15)

    tags: webdev, websockets

    Learn about the core building blocks of the WebSocket technology and discover the benefits of event-driven architectures with WebSockets.

    RFC7540

    httpwg.org   (2022-01-13)

    tags: http, webdev

    Hypertext Transfer Protocol Version 2 (HTTP/2)

    HTTP Status Codes Glossary

    httpstatuses.com   (2022-01-13)

    tags: http, webdev

    Wondering what an HTTP status code means? Browse this list of HTTP status codes for definitions and code references.

    Progressive Web Apps | web.dev

    developers.google.com   (2022-01-12)

    tags: webdev

    Servers for Hackers

    serversforhackers.com   (2022-01-12)

    tags: devops, web-servers, webdev

    What programmers need to know about servers.

    Water.css

    kognise.github.io   (2022-01-12)

    tags: css, webdev

    A drop-in collection of CSS styles to make simple websites like this just a little bit nicer.

    https://httpsecurityreport.com/best_practice.html

    httpsecurityreport.com   (2022-01-12)

    tags: http, security, webdev

    This tool confuses Google's ad network to protect your pr...

    www.technologyreview.com   (2022-01-12)

    tags: adtech-adwords, advertising-commercials, webdev

    Current privacy laws don’t shield people from the pervasive surveillance of Big Tech. Guerrilla tactics are all we’ve got.

    Ask HN: Good open source alternatives to Google Analytics...

    news.ycombinator.com   (2022-01-12)

    tags: analytics, devops, webdev

    15 awesome CSS animation libraries you need to know.

    dev.to   (2022-01-11)

    tags: animation, css, webdev

    Transitions from one CSS style configuration to another can be animated using CSS animations. A style...

    5 UX Tricks You Must Know in 2022

    dev.to   (2022-01-09)

    tags: css, ui-ux, webdev

    Do you have what it takes to be an outstanding UX Developer in 2022? Add these tricks to your arsenal...

    How we handle 80TB and 5M page views a month for under $400

    blog.polyhaven.com   (2022-01-07)

    tags: devops, web-hosting, webdev

    How the heck do we run a massively popular website and asset resource while being funded primarily by donations?

    5 Best Practices for Securing SSH

    goteleport.com   (2022-01-06)

    tags: devops, ssh, webdev

    This article explores 5 SSH best practices you should observe to boost the security of your infrastructure.

    An Introduction to DNS Terminology, Components, and Conce...

    www.digitalocean.com   (2022-01-04)

    tags: dns, webdev

    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…

    CSS Object Model (CSSOM) - Web APIs | MDN

    developer.mozilla.org   (2022-01-04)

    tags: browsers, css, webdev

    The CSS Object Model is a set of APIs allowing the manipulation of CSS from JavaScript. It is much like the DOM, but for the CSS rather than the HTML. It allows users to read and modify CSS style dynamically.

    The HTML5 test - How well does your browser support HTML5?

    html5test.com   (2022-01-02)

    tags: html, webdev

    The HTML5 test score is an indication of how well your browser supports the upcoming HTML5 standard and related specifications. How well does your browser support HTML5?

    Let’s Build A Web Server. Part 3.

    ruslanspivak.com   (2022-01-02)

    tags: web-servers, webdev

    “We learn most when we have to invent” —Piaget In Part 2 you created a minimalistic WSGI server that could handle basic HTTP GET requests. And I asked you a question, “How can you make your server handle more than one request at a time?” In this article you will …

    This Page is Designed to Last: A Manifesto for Preserving...

    jeffhuang.com   (2022-01-02)

    tags: webdev

    A Practical Guide to SVGs on the web

    svgontheweb.com   (2021-12-26)

    tags: svg, webdev

    Crawling - The Most Underrated Hack by @ttunguz

    tomtunguz.com   (2021-12-26)

    tags: web-scraping, webdev

    It’s been a little while since I traded code with anyone. But a few weeks ago, one of our entrepreneurs-in-residence, Javier, who joined Redpoint from VMWare, told me about a Ruby gem called Mechanize that makes it really easy to crawl websites, particularly those with username/password logins. In about 30 minutes I had a working LinkedIn crawler built, pulling the names of new followers, new LinkedIn connections and LinkedIn status updates.

    Chrome DevTools | Chrome for Developers

    developers.google.com   (2021-12-26)

    tags: browsers, webdev

    Debug and optimize your web applications with Chrome DevTools.

    Modern CSS Explained For Dinosaurs

    medium.com   (2021-12-26)

    tags: css, webdev

    CSS is strangely considered both one of the easiest and one of the hardest languages to learn as a web developer. It’s certainly easy…

    JavaScript Glossary | Codecademy

    www.codecademy.com   (2021-12-26)

    tags: javascript, webdev

    Programming reference for JavaScript.

    CSS Reference

    cssreference.io   (2021-12-26)

    tags: css, webdev

    CSS Reference is a free visual guide to CSS. It features the most popular properties, and explains them with illustrated and animated examples.

    Responsive images - Learn web development | MDN

    developer.mozilla.org   (2021-12-26)

    tags: browsers, images, webdev

    That's a wrap for responsive images — we hope you enjoyed playing with these new techniques. As a recap, there are two distinct problems we've been discussing here:

    Drawing to the Screen | Web Browser Engineering

    browser.engineering   (2021-12-23)

    tags: browsers, webdev

    Useful UX Guidelines, Tools And Resources

    www.smashingmagazine.com   (2021-12-23)

    tags: programming, ui-ux, webdev

    A meaningful user experience is what can set your site apart from others. But what makes an experience truly meaningful? And how to achieve that? The tools, tips, and resources in this post not only help you to come up with a UX strategy that works for you and your team but also to circumvent potential UX pitfalls.

    UX Tools

    uxtools.co   (2021-12-23)

    tags: programming, ui-ux, webdev

    Product design mastery in one weekly e-mail. Practical lessons, resources and news in just 5 minutes a week.

    HTTP Toolkit

    httptoolkit.tech   (2021-12-23)

    tags: http, programming, webdev

    Beautiful, cross-platform & open-source tools for debugging, testing and building with HTTP(S), on Windows, Linux & Mac.

    Gulp: A Web Developer's Secret Weapon for Maximizing Site...

    www.toptal.com   (2021-12-17)

    tags: css, javascript, programming, webdev

    When dealing with web-based projects that run in the production environment, being able to build and deploy changes quickly is a top priority. However, repetitive processes such as building front-end assets, when not automated, can be prone to critical errors. In this article, Toptal Freelance Software Engineer A...

    Web Components - Web APIs | MDN

    developer.mozilla.org   (2021-12-17)

    tags: webdev

    Web Components is a suite of different technologies allowing you to create reusable custom elements — with their functionality encapsulated away from the rest of your code — and utilize them in your web apps.

    URL Standard

    url.spec.whatwg.org   (2021-12-17)

    tags: webdev

    The Web Platform: Browser technologies

    platform.html5.org   (2021-12-17)

    tags: browsers, html, webdev

    New tool: Mess with DNS!

    jvns.ca   (2021-12-16)

    tags: dns, webdev

    Quick Start | Hugo

    gohugo.io   (2021-12-16)

    tags: hugo, programming, webdev

    Learn to create a Hugo site in minutes.

    Werner's Nomenclature of Colours

    www.c82.net   (2021-12-15)

    tags: color, webdev

    A recreation of the original 1821 color guidebook with new cross references, photographic examples, and posters designed by Nicholas Rougeux

    41 Best SEO Tools in 2024 (Free & Paid)

    backlinko.com   (2021-12-15)

    tags: keywords-ppc-seo, programming, webdev

    These tools have helped my site get 600k+ visits per month. (Most of which came from SEO) The best part? All of these tools work GREAT in 2024.

    Get Firefox browser — Mozilla (US)

    www.mozilla.org   (2021-12-14)

    tags: browsers, webdev

    Choose from Desktop, iOS, Android, or let us email you a mobile download link.

    75 Web Animation Tools You Have to Try

    www.webdesignerdepot.com   (2021-12-13)

    tags: animation, webdev

    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,…

    Tools QA - Page Not Found

    www.toolsqa.com   (2021-12-13)

    tags: programming, webdev

    A short and simple guide to Babel

    flaviocopes.com   (2021-12-13)

    tags: programming, webdev

    Babel is an awesome entry in the Web Developer toolset. It's an awesome tool, and it’s been around for quite some time, but nowadays almost every JavaScript developer relies on it, and this will continue going on, because Babel is now indispensable and has solved a big problem for everyone.

    CodeSandbox: Instant Cloud Development Environments

    codesandbox.io   (2021-12-13)

    tags: programming, webdev

    CodeSandbox is a cloud development platform that empowers developers to code, collaborate and ship projects of any size from any device in record time.

    Connect the Web With WebSockets

    code.tutsplus.com   (2021-12-13)

    tags: webdev, websockets

    WebSockets make it possible to have interactive, two-way communication sessions between the user's browser and a server. With this API, you can receive event-driven messages without having to poll...

    How JavaScript works: memory management + how to handle 4...

    blog.sessionstack.com   (2021-12-13)

    tags: javascript, webdev

    A few weeks ago we started a series aimed at digging deeper into JavaScript and how it actually works: we thought that by knowing the…

    Hacking Your Webpage's Head Tags for Speed and Profit

    www.speedshop.co   (2021-12-13)

    tags: html, webdev

    One of the most important parts of any webpage's performance is the content and organization of the head element. We'll take a deep dive on some easy optimiz...

    Introduction · Front-end Developer Handbook 2017

    frontendmasters.gitbooks.io   (2021-12-13)

    tags: programming, webdev

    Complete Intro to Computer Science Course by Brian Holt |...

    frontendmasters.com   (2021-12-13)

    tags: programming, webdev

    Learn our computer science intro course and understand Algorithms and Big O Analysis, Recursion, Sorting, Data Structures, AVL Trees, and more.

    A Comprehensive Guide to Font Loading Strategies—zachleat...

    www.zachleat.com   (2021-12-13)

    tags: fonts-typography, webdev

    A post by Zach Leatherman (zachleat)

    Creating Web Icons with SVG Online Class | LinkedIn Learn...

    www.lynda.com   (2021-12-13)

    tags: svg, webdev

    Get crisper, smaller web graphics with SVG. Learn three different methods to implement SVG web icons on websites and in WordPress themes.

    https://www.godaddy.com/garage/what-is-a-gravatar/

    www.godaddy.com   (2021-12-13)

    tags: webdev

    The Basics of Web Application Security

    martinfowler.com   (2021-12-13)

    tags: devops, security, webdev

    Security is both very important and often under-emphasized. While many targeted techniques help, there are some basic clean code habits which every developer can and should be doing

    Welcome to Netlify

    docs.netlify.com   (2021-12-12)

    tags: cloud, netlify, webdev

    Learn how to build fast and reliable web experiences with our enterprise-ready composable platform.

    I want to… - WebAssembly

    webassembly.org   (2021-12-11)

    tags: webassembly, webdev

    pasztor.at

    pasztor.at   (2021-12-11)

    tags: cdns, webdev

    This domain may be for sale!

    What is a Domain Name? - Learn web development | MDN

    developer.mozilla.org   (2021-12-11)

    tags: dns, webdev

    Domain names are a key part of the Internet infrastructure. They provide a human-readable address for any web server available on the Internet.

    How We Used WebAssembly To Speed Up Our Web App By 20X (C...

    www.smashingmagazine.com   (2021-12-11)

    tags: webassembly, webdev

    WebAssembly is a new language that runs in the browser alongside JavaScript. In this article, Robert Aboukhalil explores how you can speed up web applications by replacing slow JavaScript calculations with compiled WebAssembly. This is a case study on using WebAssembly to speed up a data analysis web tool. To that end, Robert will take an existing tool written in C that performs the same computations, compile it to WebAssembly, and use it to replace slow JavaScript calculations.

    Markdown Cheatsheet

    github.com   (2021-12-11)

    tags: markdown, webdev

    Google Chrome, Firefox, and Thunderbird extension that lets you write email in Markdown and render it before sending. - adam-p/markdown-here

    A Beginner’s Guide To Progressive Web Apps — Smashing Mag...

    www.smashingmagazine.com   (2021-12-11)

    tags: webdev

    PWAs take advantage of the latest technologies to combine the best of web and mobile apps. Think of it as a website built using web technologies but that acts and feels like an app. In this article, Kevin Farrugia will look into recent advancements in the browser and the opportunities you, as developers, have to build a new generation of web apps. This is merely an appetizer for progressive web apps. You could do a lot more to create that app-like experience users are looking for, whether by supporting push notifications with the Push API, making the app re-engageable, or using IndexedDB and background syncing to improve the offline experience.

    The Illustrated TLS 1.2 Connection

    tls.ulfheim.net   (2021-12-07)

    tags: webdev

    Every byte of a TLS connection explained and reproduced

    DNS doesn't "propagate"

    jvns.ca   (2021-12-06)

    tags: dns, webdev

    Converting and Optimizing Images From the Command Line | ...

    css-tricks.com   (2021-11-29)

    tags: bash, images, webdev

    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

    5 Useful and Interesting Web Animation Libraries

    dev.to   (2021-11-28)

    tags: animation, javascript, programming, webdev

    Introduction Libraries help us to code faster through their predefined classes for...

    Remix | Remix Docs Home

    remix.run   (2021-11-23)

    tags: webdev

    11 A/B Testing Tools to Optimize Conversions

    www.practicalecommerce.com   (2021-11-17)

    tags: a-b, analytics, ecommerce, programming, webdev

    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.

    The Complete CSS Tags Reference - CSS Cheatsheet

    dev.to   (2021-11-09)

    tags: css, html, webdev

    If you are using CSS for frontend web development, you may be interested in this article. The gist of...

    Minification of CSS and JavaScript

    dev.to   (2021-11-03)

    tags: css, javascript, programming, webdev

    Minification is the process of deleting unneeded or redundant data from a resource without altering...

    Web Browser Engineering

    browser.engineering   (2021-10-21)

    tags: browsers, webdev

    17 Useful UX and UI Design Tools

    www.practicalecommerce.com   (2021-09-28)

    tags: programming, ui-ux, webdev

    User experience and user interface tools can help with every stage of website and mobile-app design — from early whiteboard brainstorming to testing your prototype with end-users. Here is a list of useful UX and UI design tools.

    How to use htmlq to extract content from HTML files on Li...

    www.cyberciti.biz   (2021-09-08)

    tags: json, linux, programming, webdev

    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.

    Meet the Self-Hosters, Taking Back the Internet One Serve...

    www.vice.com   (2021-09-02)

    tags: devops, programming, webdev

    Tired of Big Tech monopolies, a community of hobbyists is taking their digital lives off the cloud and onto DIY hardware that they control.

    58% of Hacker News, Reddit and tech-savvy audiences block...

    plausible.io   (2021-08-31)

    tags: analytics, webdev

    Is Google Analytics still useful and how accurate are its stats? How much data is missing from Google Analytics due to adblockers and privacy-friendly browsers?

    The most underused browser feature | Frank's blog

    frankgroeneveld.nl   (2021-08-28)

    tags: browsers, webdev

    A great feature that is available in almost every browser allows you to reject the cookie consent popup.

    A huge list of web design tools

    dev.to   (2021-08-07)

    tags: design, programming, webdev

    This is a very big list of Web Design tools for designers. If you want improve your skills and be a...

    10 Super easy CSS Shapes for beginners

    dev.to   (2021-08-05)

    tags: css, design, webdev

    Hello there, In this post we will be talking about creating basic shapes in HTML & CSS. Many...

    60 Awesome UI and UX resources for Developers and Designe...

    dev.to   (2021-08-03)

    tags: design, programming, ui-ux, webdev

    Yearning organizers, genuine solopreneurs, and sprouting visual creators all need a convincing...

    Free for dev - list of software (SaaS, PaaS, IaaS, etc.)

    dev.to   (2021-07-27)

    tags: devops, programming, webdev

    Content by github.com/ripienaar/free-for-dev Contributors:...

    No, we don’t use Kubernetes

    ably.com   (2021-07-20)

    tags: devops, docker, kubernetes, webdev

    “No, we don’t use Kubernetes”. That always gets raised eyebrows... so we decided to write about our reasoning behind this cloud architecture decision.

    A deep dive into ARIA

    dev.to   (2021-07-13)

    tags: webdev

    Have you heard about ARIA attributes but don’t really understand what they are, or how to use them?...

    Top 6 Ethical Hacking Tools

    dev.to   (2021-07-07)

    tags: devops, linux, malware, programming, webdev

    1. Kali Linux Kali Linux is the most used Ethical Hacking distro available, it is provided with...

    How to poison the data that Big Tech uses to surveil you

    www.technologyreview.com   (2021-06-24)

    tags: adtech-adwords, advertising-commercials, webdev

    Algorithms are meaningless without good data. The public can exploit that to demand change.

    Improving The Performance Of An Online Store (Case Study)

    smashingmagazine.com   (2021-06-03)

    tags: css, design, ecommerce, fonts-typography, javascript, prodmgmt, webdev

    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.

    The Cost of Cloud, a Trillion Dollar Paradox | Andreessen...

    a16z.com   (2021-05-30)

    tags: cloud, webdev

    The pressure the cloud puts on margins can start to outweigh the benefits you scale and growth slows. Understand how much market cap is being suppressed by the cloud to help inform the decision-making framework on managing infrastructure as companies scale.

    15 Advanced CSS Techniques To Master In 2021

    dev.to   (2021-05-27)

    tags: css, design, webdev

    CSS is used to describe how HTML elements should be presented on the web page. CSS can not only...

    30 ? Awesome CSS Animation Resources

    dev.to   (2021-05-24)

    tags: animation, css, webdev

    Here is the list of awesome CSS animation resources that will help you to animate components quickly...

    CSS Flexbox in 5 Minutes

    dev.to   (2021-05-24)

    tags: css, design, webdev

    What is CSS Flexbox CSS Flexbox is a one-dimensional layout module that can be used to mak...

    13 eCommerce Site Search Strategies to Boost Revenue from...

    www.noupe.com   (2021-05-07)

    tags: keywords-ppc-seo, prodmgmt, search, webdev

    Let's be clear about something right at the start: If you're not optimizing your site search to convert more visitors into buyers, you're missing out on

    Advanced YAML Syntax Cheatsheet

    dev.to   (2021-05-07)

    tags: webdev, yaml

    YAML (YAML Ain’t Markup Language) is a data serialization language used to create key-value pair conf...

    Two awesome card hover effects you never seen before.

    dev.to   (2021-05-04)

    tags: css, webdev

    1 I suggest you to view demo in full new window. Click on top right most button to vi...

    15 amazing CSS tips and tricks you should know

    dev.to   (2021-05-01)

    tags: css, webdev

    This article was originally published at: https://www.blog.duomly.com/12-css-tips-and-tricks-which-he...

    12 Simple CSS Hover Effects

    dev.to   (2021-05-01)

    tags: css, webdev

    Here is the list of 12 simple beginner level CSS menu button hover animation, it use simple CSS anim...

    My current HTML boilerplate - Manuel Matuzović

    www.matuzo.at   (2021-04-30)

    tags: css, html, programming, webdev

    Every element I use for the basic structure of a HTML document, with explanations why.

    CSRF, CORS, and HTTP Security Headers Demystified

    blog.vnaik.com   (2021-04-30)

    tags: http, security, webdev

    Lessons I learned from achieving a 99.99% platform uptime

    dev.to   (2021-04-27)

    tags: devops, webdev

    Voice123 is the first (and arguably foremost) open marketplace for voice actors. Today, Voice123 ha...

    http://www.datasciencecentral.com/xn/detail/6448529:BlogP...

    www.datasciencecentral.com   (2021-04-24)

    tags: aws, devops, programming, webdev

    Phishing Tests Are Necessary. But They Don’t Need to Be E...

    hbr.org   (2021-04-02)

    tags: devops, security, webdev

    Although phishing tests can be helpful to protect users, using questionable tactics has the potential for harming relationships between a company and its employees. The authors suggest that managers avoid this damage by employing phishing tests with three criteria: Test teams, not individuals; don’t embarrass anyone; and gamify and reward.

    Dark patterns, the tricks websites use to make you say ye...

    www.vox.com   (2021-04-02)

    tags: ui-ux, webdev

    How design can manipulate and coerce you online

    Nyxt

    nyxt.atlas.engineer   (2021-03-22)

    tags: browsers, programming, webdev

    15 Psychology Principles Every Designer Should Know

    www.webdesignerdepot.com   (2021-03-18)

    tags: design, ui-ux, webdev

    As a web designer, you’re not really in the business of building websites that your clients will love. I know that may seem counterintuitive, but think about how vast the differences often are between your clients’ personal aesthetics and what actually works to turn visitors into customers.

    Baserow: Open source online database tool

    baserow.io   (2021-03-14)

    tags: databases, programming, webdev

    Discover Baserow, the open-source no-code platform for building databases and applications. No code or technical skills needed. Start creating for free today!

    Jon Lai on Twitter: "The best apps today are games in dis...

    twitter.com   (2021-03-14)

    tags: behaviors, games, webdev

    Thread 👇 — Jon Lai (@Tocelot)

    Free prototyping tool for web & mobile apps - Justinmind

    www.justinmind.com   (2021-03-11)

    tags: programming, webdev, wireframes

    Easily create web and mobile app prototypes and wireframes with Justinmind UI prototyping tool. It's FREE. Start prototyping now!

    Free for developers

    free-for.dev   (2021-02-24)

    tags: programming, webdev

    Developers and Open Source authors now have a massive amount of services offering free tiers, but it can be hard to find them all to make informed decisions.

    HTML Boilerplates

    htmlboilerplates.com   (2021-02-19)

    tags: html, programming, webdev

    Build and download your HTML boilerplate for free.

    11 Easy UI Design Tips for Web Devs

    dev.to   (2021-02-17)

    tags: ui-ux, webdev

    Whilst learning web development, most of us don’t have much design experience or access to a UI desig...

    NoCodeAPI – The easiest way to connect APIs without code

    nocodeapi.com   (2021-02-13)

    tags: apis, programming, webdev

    NoCode API is a great place to experiment with APIs and interact with them, without the need to setup servers and infrastructures. It gets the work done, reliable.

    Learn Enough Custom Domains to Be Dangerous | Learn Enoug...

    www.learnenough.com   (2021-02-13)

    tags: devops, dns, webdev

    Custom domains for websites, web apps, and email

    SVG Repo - Free SVG Vectors and Icons

    www.svgrepo.com   (2021-02-12)

    tags: images, programming, svg, webdev

    Free Vectors and Icons in SVG format. ✅ Download free mono or multi color vectors for commercial use. Search in 500.000+ Free SVG Vectors and Icons.

    WHOIS Lookup - Domain Lookup and Availability Checker | D...

    www.domain.com   (2021-02-12)

    tags: dns, webdev

    Use our WHOIS lookup tool to search available domain names or current domain owners. Start your search today!

    Hacker News

    supunkavinda.blog   (2021-02-06)

    tags: disqus, webdev

    Explore the lesser-known Disqus Dark Web realm. Discover its workings, potential risks, and effective safety measures to navigate it securely.

    rss - reddit.com

    www.reddit.com   (2021-02-05)

    tags: rss, webdev

    The original subreddit, now archived.

    Why I Still Use RSS | atthislink

    atthis.link   (2021-02-05)

    tags: programming, rss, webdev

    Thinking about how we can make computing better.

    Building an Advanced Fingerprinting Detector AI

    cujo.com   (2021-01-30)

    tags: browsers, webdev

    Here is how you can build an advanced AI fingerprinter detector by refining it to take the dynamic behavior of JavaScript files into account.

    Online HTML To YAML Converter

    bfotool.com   (2021-01-30)

    tags: html, jekyll, programming, webdev, yaml

    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.

    6 Web Scraping Tools That Make Collecting Data A Breeze |...

    towardsdatascience.com   (2021-01-29)

    tags: programming, web-scraping, webdev

    The first step of any data science project is data collection.

    Top Developer Tools of 2020

    stackshare.io   (2021-01-28)

    tags: programming, webdev

    Scrape the Web at Scale With the scrapestack API

    code.tutsplus.com   (2021-01-27)

    tags: programming, web-scraping, webdev

    Introduction to Web Scraping Businesses need better information to target and reach wider audiences. They get this information by scraping the web for content from social media platforms,...

    17 Free Design Tools for 2021

    www.practicalecommerce.com   (2021-01-21)

    tags: design, programming, webdev

    We update our rundown of free design tools every year. This 2022 installment includes apps for web design, logos, fonts, color palettes, photo and video resources, and much more.

    isarisariver/webdev: A collection of helpful resources fo...

    github.com   (2021-01-13)

    tags: webdev

    A collection of helpful resources for web development. - isarisariver/webdev

    The Ultimate Guide to Web Performance ? - DEV Community ?...

    dev.to   (2020-12-18)

    tags: webdev

    There's so many ways to speed up your site. Don't you wish every web performance tip was in one place...

    DevOps Roadmap: Learn to become a DevOps Engineer or SRE

    roadmap.sh   (2020-12-18)

    tags: programming, webdev

    Learn to become a modern DevOps engineer by following the steps, skills, resources and guides listed in our community-driven roadmap.

    Finding Your Way With Domain Mapping

    www.webdesignerdepot.com   (2020-12-18)

    tags: webdev

    It’s no secret that having a custom domain name is an essential piece of any company’s branding strategy. While there are a myriad of hosting plans available that offer domains like your company.webhost.com, making the shift from one of those to simply yourcompany.com is an important step.

    Periodic table of the web's APIs

    wwwperiodictable.surge.sh   (2020-12-13)

    tags: webdev

    17 Tools I Can’t Design Without

    www.webdesignerdepot.com   (2020-08-11)

    tags: programming, webdev

    I think of a creative practice as a combination of an approach (a design philosophy) and a series of techniques (craft skills); a good tool facilitates a technique, which in turn supports an approach.It wasn’t until I sat down to write a list of tools I can’t design without, that I realized just…

    2020 Chrome Extension Performance Report | DebugBear

    www.debugbear.com   (2020-06-16)

    tags: browsers, javascript, webdev

    A look at how Chrome extensions affect CPU usage, page rendering, and browser memory consumption.

    The 2019 Web Almanac

    almanac.httparchive.org   (2020-06-01)

    tags: webdev

    The Web Almanac is an annual state of the web report combining the expertise of the web community with the data and trends of the HTTP Archive.

    Extract Data from Website to Excel Automatically

    www.datasciencecentral.com   (2020-04-01)

    tags: web-scraping, webdev

    Holy sheet: Here’s how to grab a web page’s data with Goo...

    thenextweb.com   (2020-03-31)

    tags: web-scraping, webdev

    You don’t need any coding skills to scrape data from websites.

    Google’s new treatment of nofollow links

    searchengineland.com   (2020-02-28)

    tags: browsers, webdev

    Here’s what you need to be aware of as Google begins viewing nofollow links as a hint for crawling and indexing.

    Show HN: Userbase – Add user accounts and persistence to ...

    userbase.com   (2020-02-19)

    tags: programming, webdev

    Create secure and private web apps using only static JavaScript, HTML, and CSS.

    ImageOptim — better Save for Web

    imageoptim.com   (2020-02-19)

    tags: images, webdev

    A free app that makes images load faster and take less disk space, without sacrificing quality. Removes private EXIF data from photos and improves compression.

    TinyPNG – Your account dashboard

    tinypng.com   (2020-02-19)

    tags: images, webdev

    Web Scraping with a Headless Browser: A Puppeteer Tutoria...

    www.datasciencecentral.com   (2020-02-19)

    tags: webdev

    Web development has moved at a tremendous pace in the last decade with a lot of frameworks coming in for both backend and frontend development. Websites have become smarter and so have the underlying frameworks used in developing them. All these advancements in web development have led to the development of the browsers themselves too.  Most… Read More »Web Scraping with a Headless Browser: A Puppeteer Tutorial

    Gitter

    gitter.im   (2020-01-12)

    tags: programming, webdev

    Front-end technologies

    glossarytech.com   (2019-12-31)

    tags: css, html, javascript, webdev

    The front-end is everything involved with what the user sees, including design and some languages like HTML and CSS.

    Bizcoder - Optimizing for the Speed of Light

    www.bizcoder.com   (2019-12-29)

    tags: apis, http, webdev

    You might be wondering what on earth I am talking about but this is something I see API developers getting confused about regularly.

    Here’s why the internet will always have enough space for...

    thenextweb.com   (2019-12-23)

    tags: http, webdev

    It seems that every five years, news emerges that the digital sky is falling in. Back in 2010 and 2015, rumors spread that the internet would soon run out of IP addresses. Now, the regulator of Europe’s internet domains has predicted that t

    The Growth Stacks of 2019 - Segment Tech Stack

    stackshare.io   (2019-12-23)

    tags: programming, webdev

    Google Analytics, Amazon S3, New Relic, Twilio, and HubSpot are some of the popular tools that The Growth Stacks of 2019 uses. Learn more about the Language, Utilities, DevOps, and Business Tools in Segment's Tech Stack.

    Top 5 amazing tools for every web developer

    dev.to   (2019-12-23)

    tags: webdev

    Top five tools for all web developers to increase their productivity and product quality!

    https://docs.simpleanalytics.com/uniques

    docs.simpleanalytics.com   (2019-12-23)

    tags: analytics, programming, webdev

    How tracking pixels work - Julia Evans

    jvns.ca   (2019-12-23)

    tags: analytics, webdev

    Why databases use ordered indexes but programming uses ha...

    www.evanjones.ca   (2019-12-14)

    tags: databases, webdev

    23 Free Web Design Tools from Fall 2019

    www.practicalecommerce.com   (2019-12-11)

    tags: programming, webdev

    Free resources from the design community can add value to your ecommerce site. Here is a list of new web tools and design elements from fall 2019. There are designer and developer apps, coding resources, color tools, fonts, and more. All of these tools are free, though some also offer premium versions.

    sindresorhus/awesome: Curated list of awesome lists

    github.com   (2019-08-30)

    tags: webdev

    😎 Awesome lists about all kinds of interesting topics - sindresorhus/awesome

    4 Design Patterns In Web Development

    dev.to   (2019-08-23)

    tags: webdev

    Right now, you're code is using some kind of design pattern. There are 23 official ones, but a few of them show up almost every day in web development. Here are 4 of the most commonly used design patterns in web development.

    I’m Not a Good Web Developer, I’m Just Good at Googling T...

    www.dev-diaries.com   (2019-06-24)

    tags: productivity-gtd, webdev

    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...

    Zdog · Round, flat, designer-friendly pseudo-3D engine fo...

    zzz.dog   (2019-06-02)

    tags: javascript, programming, webdev

    Round, flat, designer-friendly pseudo-3D engine for canvas and SVG

    LisaDziuba/Awesome-Design-Tools: The best design tools fo...

    github.com   (2019-05-14)

    tags: design, programming, webdev

    The best design tools and plugins for everything 👉 - goabstract/Awesome-Design-Tools

    Dash ? – plotly – Medium

    medium.com   (2019-02-20)

    tags: dash, programming, python, webdev

    Create Reactive Web Apps in pure Python

    Make your site’s pages instant in 1 minute

    instant.page   (2019-02-13)

    tags: webdev

    And improve your conversion rate by 1%

    Performance Tuning - Tips & Tricks - NGINX

    www.nginx.com   (2019-02-12)

    tags: devops, web-servers, webdev

    Ghost sites, domain spoofing, fake apps: A guide to knowi...

    digiday.com   (2019-01-31)

    tags: adtech-adwords, advertising-commercials, webdev

    Digital ad fraud is a volume game. Here’s a primer on how to spot the core techniques used to generate CPM fraud.

    How Much Internet Traffic Is Fake? Turns Out, a Lot of It...

    it.slashdot.org   (2018-12-31)

    tags: webdev

    Long-time Slashdot reader AmiMoJo shared this article from New York magazine: In late November, the Justice Department unsealed indictments against eight people accused of fleecing advertisers of $36 million in two of the largest digital ad-fraud operations ever uncovered... Hucksters infected 1.7 m...

    Everything you should know about certificates and PKI but...

    smallstep.com   (2018-12-24)

    tags: crypto, devops, webdev

    Certificates and public key infrastructure (PKI) are hard. No shit, right? I know a lot of smart people who''ve avoided this particular rabbit hole. Eventually, I was forced to learn this stuff because of what it enables: PKI lets you define a system cryptographically. It''s universal and vendor-neutral yet poorly documented. This is the missing manual.

    The Power of Web Components - Mozilla Hacks - the Web dev...

    hacks.mozilla.org   (2018-11-17)

    tags: browsers, webdev

    Web Components comprises a set of standards that enable user-defined HTML elements. These elements can go in all the same places as traditional HTML. Despite the long standardization process, the ...

    Cloudflare Registrar: what happens when you register a do...

    blog.cloudflare.com   (2018-10-07)

    tags: dns, webdev

    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.

    The AT Protocol

    atproto.com   (2018-09-24)

    tags: webdev

    netdev day 1: IPsec!

    jvns.ca   (2018-07-13)

    tags: security, webdev

    Web Caching Explained by Buying Milk at the Supermarket

    dev.to   (2018-07-01)

    tags: caching, webdev

    This visual explanation will help you understand all the common ways to implement caching

    Using React, Firebase, and Ant Design to Quickly Prototyp...

    nrempel.com   (2018-06-08)

    tags: firebase, reactjs, webdev

    In this guide I will show you how to use Firebase, React, and Ant Design as building blocks to build functional, high-fidelity web applications. To illustrate this, we’ll go through an example of building a todo list app. These days, there are so many tools available for web development

    Prettier · Opinionated Code Formatter

    prettier.io   (2018-06-08)

    tags: programming, webdev

    Opinionated Code Formatter

    Browser Extensions I Actually Use - The Media Temple Blog

    mediatemple.net   (2018-05-27)

    tags: browsers, webdev

    I'm a web developer and blogger. These are the browser extensions that I actually use right now.

    Fade to Grey: Will Headless Browsers Kill Web Design?

    www.noupe.com   (2018-03-12)

    tags: browsers, webdev

    Is the browser as we know it today a phase-out model? Can we use the web without it? The answer to the second question is a clear yes. Will headles...

    A Comprehensive Website Planning Guide (Part 3)

    www.smashingmagazine.com   (2018-03-08)

    tags: webdev

    Planning is essential for most businesses and organizations. Unfortunately, when it comes to websites there is often a failure to plan properly or at all. This guide aims to change that.  Always remember that a good website isn't a one-time event, but rather an extensible communications tool. Once you've built a great website, keep the momentum going. Devote resources to regular maintenance, and check in with your site visitors regularly to identify areas for improvement.

    Build a fast, secured and free static site in less than t...

    fillmem.com   (2018-02-21)

    tags: hugo, ruby, webdev

    Best Social Media Image Size Chart 2018

    www.hypebot.com   (2017-12-28)

    tags: images, webdev

    It's impossible to remember the required size of images uploaded to Facebook, Twitter and other social media sites. To end your confusion, we offer the Best Social Media Size Chart. Continue reading

    The what and how of Web Push

    dev.to   (2017-12-27)

    tags: webdev

    Native apps have had the privilege of being able to send engaging and timely content to their users for a while. The web is closely following.

    When to Track on the Client vs. Server

    segment.com   (2017-12-27)

    tags: analytics, webdev

    When deciding whether to track users on the server or on the client, there are many gotchas and factors to consider. Here is a short guide with pros and cons of each.

    Anvil: Web Apps with Nothing but Python

    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.

    12 Terminal Commands Every Web Developer Should Know Abou...

    tutorialzine.com   (2017-08-21)

    tags: linux, webdev

    A collection of Unix commands that will greatly improve your web dev workflow.


    -->
    ecommerce (all)
    categories:
    tags: ecommerce 
    date: 28 Mar 2025
    slug:raindrop-ecommerce-all
    www.fastcompany.com   (2025-03-24)

    tags: collecting-curation, ecommerce

    Rimowa's pre-owned suitcases look well-worn. And many consumers see these dents and scratches as a badge of honor.

    Ecommerce and the Secondhand Boom

    www.practicalecommerce.com   (2025-03-23)

    tags: ecommerce, clothes, retail

    Culture, marketplaces, and economics contribute to consumer demand for used clothing. Merchants can benefit.

    Buy All This, Look Rich

    www.thecut.com   (2025-02-22)

    tags: ecommerce, fashion, clothes

    How Quince, the one-stop shop for everything from cashmere sweaters to caviar, seduced a generation of jaded shoppers.

    ISO 8583: The language of credit cards — Increase

    increase.com   (2024-12-19)

    tags: ecommerce, payments

    Discover the inner workings of ISO 8583, the global standard for credit card transaction messaging. Learn how it powers payment processing across networks and explore its structure, fields, and real-world applications.

    20+ Best Coupon & Voucher Print Templates – Speckyboy

    speckyboy.com   (2024-12-08)

    tags: ecommerce, design

    A collection of professional and easy-to-customize coupon and voucher print templates. We have templates for Photoshop, InDesign, Illustrator, and Figma.

    Build Your Own Ecommerce Platform in 2025

    www.practicalecommerce.com   (2024-12-08)

    tags: ecommerce

    Advances in composable commerce allow even smaller merchants to pick and choose the right apps for their businesses.

    Returns Are a Headache. More Retailers Are Saying, Just ‘...

    www.nytimes.com   (2024-11-18)

    tags: retail, ecommerce, returns

    In a survey, nearly 60 percent of retailers said they had policies that refund customers for items that aren’t financially viable to send back.

    I tried every email marketing tool — these are the best (...

    www.sitebuilderreport.com   (2024-11-17)

    tags: email, marketing, ecommerce

    After 14 years with MailChimp, I decided to switch. I researched the top 26 email marketing tools to find a replacement and here’s what I discovered.

    4 Payment Processing Pitfalls to Avoid

    www.practicalecommerce.com   (2024-10-28)

    tags: ecommerce

    Industry pros cite common merchant mistakes that jeopardize processor relationships and damage a business.

    SEO for Ecommerce Product Pages

    www.practicalecommerce.com   (2024-10-19)

    tags: ecommerce, seo

    The content on a product page determines its search engine visibility. Here are five content tactics for better product page rankings.

    The Surprising Psychology That Makes Starbucks’ Pumpkin S...

    www.choicehacking.com   (2024-10-17)

    tags: ecommerce, scarcity, rituals

    I have a confession to make - I’m a huge Starbucks fan. I know in some of your eyes that might make me basic or tacky or “very American,” but it’s the truth. I grew up watching Friends and Frasier and both shows made the idea of going to a “coffee shop” seem like an

    Why China’s Small Merchants Are Checking Out of Mega Shop...

    www.sixthtone.com   (2024-06-19)

    tags: china, ecommerce

    Frustrated by high return rates and dwindling profits, small merchants are questioning the long-term viability of discount-driven shopping festivals. Some are even opting out and returning to more traditional business models.

    Background Enhancement Tool Turns Any Photo Into a Studio...

    innovation.ebayinc.com   (2024-06-05)

    tags: ecommerce, images

    eBay’s new AI-powered feature makes it simple for sellers to create beautiful listings that reflect their brand and help grow their business.

    Streamlining E-commerce: Leveraging Entity Resolution for...

    towardsdatascience.com   (2024-05-28)

    tags: ecommerce, entity-resolution, prodmgmt

    How Google figures out the price of a product across websites

    12 Tools for Generating Hashtags

    www.practicalecommerce.com   (2024-05-28)

    tags: ecommerce, hashtags

    Need more from social media campaigns? Try high-performing hashtags.

    Amazon Marketplace Fears

    www.practicalecommerce.com   (2024-05-27)

    tags: ecommerce, logistics-shipping, prodmgmt

    Amazon's marketplace accounts for most of the revenue for thousands of merchants. Therein lies the fear.

    How Four Brothers Allegedly Fleeced $19 Million From Amazon

    getpocket.com   (2024-04-30)

    tags: ecommerce, fraud

    Over the course of two years, four brothers allegedly swindled Amazon out of at least $19 million using $94 toothbrushes and other expensive goods.

    Exclusive | Inside Amazon’s Secret Operation to Gather In...

    www.wsj.com   (2024-04-18)

    tags: ecommerce, prodmgmt, spycraft

    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.

    25 Best Event Ticketing Stores Compared | In-Depth Review...

    knoji.com   (2024-04-16)

    tags: ecommerce, tickets

    10 New Ecommerce Books for Spring 2024

    www.practicalecommerce.com   (2024-04-01)

    tags: books, ecommerce

    This installment of our quarterly rundown includes titles on digital marketing, team development, content marketing, AI, launching a startup, and more.

    Algorithms can aid price collusion, even if no humans act...

    www.theverge.com   (2024-03-30)

    tags: ecommerce, pricing

    The DOJ and FTC weighed in on a case about hotel pricing.

    How to Get Started: Investigating Payment Gateways Online

    www.bellingcat.com   (2024-03-29)

    tags: ecommerce, finance, spycraft

    Investigating the financial transactions of an organisation can reveal details about its connections and funding. Here's a quick guide on how to do it.

    Lessons from More Than 1,000 E-Commerce Pricing Tests

    hbr.org   (2024-03-19)

    tags: analytics, ecommerce, pricing, prodmgmt

    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.

    Guide to Marketplace Payment Processing

    dev.to   (2024-03-17)

    tags: authentication, ecommerce, payments

    By Mdu Sibisi One of the biggest challenges for modern e-commerce and fintech developers is building...

    Nigerian businesses increasingly skip traditional banks a...

    restofworld.org   (2024-03-08)

    tags: africa, ecommerce

    Moniepoint’s payment machines have become ubiquitous across Nigeria. But the company faces competition from Chinese-backed OPay.

    Why the worst users come from referral programs, free tri...

    andrewchen.com   (2024-02-29)

    tags: affiliates, ecommerce, gamification, pricing

    Tools to Export Google’s SERPs

    www.practicalecommerce.com   (2024-02-29)

    tags: analytics, ecommerce, seo

    Knowing the URLs in search engine result pages leads to further analysis, such as referring domains, page authority, word count, and more.

    Email Delivery, Explained

    www.practicalecommerce.com   (2024-02-29)

    tags: ecommerce, email

    The best email offers are meaningless if recipients never see them. Here's how to ensure messages reach inboxes.

    12 Apps for Creating, Editing Videos

    www.practicalecommerce.com   (2024-02-20)

    tags: ecommerce, video

    Sophisticated videos require only a smartphone and an app. Here's an update to our long-running resource of tools to create, edit, and transform videos.

    Privacy Tactics Complicate Ecommerce Marketing

    www.practicalecommerce.com   (2024-02-03)

    tags: browsers, ecommerce

    Eliminating URL tracking parameters forces marketers to find other attribution methods.

    How an Ugly Single-Page Website Makes $5,000 a Month with...

    medium.com   (2024-01-23)

    tags: affiliates, ecommerce, ideas, marketing

    No need to create a fancy and modern website with hundreds of pages to make money online.

    ChatGPT Prompts for Customer Personas

    www.practicalecommerce.com   (2024-01-23)

    tags: chatgpt, ecommerce, prodmgmt, search

    Identify and target personas of keywords, competitors, Reddit discussions, and more.

    ‘Let’s Go Shopping (LGS)’ Dataset: A Large-Scale Public D...

    www.marktechpost.com   (2024-01-17)

    tags: datasets, ecommerce, machine-vision, prodmgmt

    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

    9 strategies for removing negative content from the web

    searchengineland.com   (2024-01-16)

    tags: controversy, ecommerce, search

    Here are ways to remove webpages and online posts harmful to your brand – from privacy claims and copyright notices to legal measures.

    19 Open Source Ecommerce Platforms

    www.practicalecommerce.com   (2024-01-01)

    tags: ecommerce, prodmgmt

    Open-source platforms are flexible, composable, and highly customizable. Here's the all-new update to our longstanding list.

    What is RGSP? Google’s Randomized Generalized Second-Pric...

    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.

    Comparing 4 Image-to-text AI Tools

    www.practicalecommerce.com   (2023-10-13)

    tags: ecommerce, image-to-text

    Drop a photo into an AI vision technology tool and receive product descriptions, social media captions, and more. We test four leading providers.

    The all-out revolt against Knitting.com helps explain boy...

    qz.com   (2023-10-03)

    tags: behaviors, ecommerce, fanclubs-fandom

    The knitting world rose up against corporate ownership—and displayed the power of online communities

    Burning money on paid ads for a dev tool – what we've lea...

    posthog.com   (2023-09-29)

    tags: analytics, ecommerce, marketing

    Since starting PostHog in 2020, we’ve learned a bunch about what does and doesn’t work when it comes to marketing to engineers . Paid ads is a…

    Your Followers are not Your Fans

    open.substack.com   (2023-09-27)

    tags: analytics, ecommerce, music

    Using data provided by Vivid Seats and Instagram, I learned that social media clout isn't all it's cracked up to be.

    ACH vs. Wire Transfers: Which Is Right for You?

    nanonets.com   (2023-09-08)

    tags: ecommerce, finance, payments

    Automate complex business processes with Nanonets' intelligent automation AI. Draw actionable insights from unstructured data across multiple sources.

    eBay rolls out a tool that generates product listings fro...

    techcrunch.com   (2023-09-07)

    tags: ecommerce, machine-vision, object-detection, prodmgmt

    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.

    There are more than 4 types of search intent

    searchengineland.com   (2023-08-18)

    tags: ecommerce, keywords-ppc-seo

    Explore user motivations, intent categories, and tactics to create SEO content that resonates and converts.

    11 free tools for PPC campaign management

    searchengineland.com   (2023-08-14)

    tags: analytics, ecommerce, keywords-ppc-seo, prodmgmt

    These tools can help you analyze PPC competitors, track search trends or design ad creative – all without spending a dime.

    Four Types of Ecommerce Merchandising That Business Owner...

    www.retailtechnologyreview.com   (2023-08-06)

    tags: ecommerce, prodmgmt

    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.

    Inside the Delirious Rise of ‘Superfake’ Handbags (Publis...

    www.nytimes.com   (2023-05-31)

    tags: ecommerce, fakes

    Can you tell the difference between a $10,000 Chanel bag and a $200 knockoff? Almost nobody can, and it’s turning luxury fashion upside down.

    ChatGPT Prompts for Text Analysis

    www.practicalecommerce.com   (2023-05-28)

    tags: chatgpt, ecommerce, keywords-ppc-seo, prompt-engineering

    ChatGPT can generate usable content. But it can also analyze existing content — articles, descriptions — and suggest improvements for SEO and social media.

    Use ‘Look Inside’ to Sell More Products

    www.practicalecommerce.com   (2023-05-25)

    tags: ecommerce, packaging, prodmgmt

    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.

    10 SEO challenges faced by fast-growing SaaS companies

    searchengineland.com   (2023-05-18)

    tags: ecommerce, keywords-ppc-seo

    When done right, SEO efforts can reduce SaaS customer acquisition costs and maximize marketing ROI dramatically.

    11 Product Labels for Max Conversions

    www.practicalecommerce.com   (2023-05-08)

    tags: copywriting, ecommerce, marketing

    Paraphrasing technical product details into easy-to-understand labels drives ecommerce conversions. Here's how, with examples.

    Thrift shops thrive when disorder is balanced with high s...

    phys.org   (2023-05-02)

    tags: collecting-curation, ecommerce, prodmgmt

    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 ...

    eBay’s Blazingly Fast Billion-Scale Vector Similarity Engine

    tech.ebayinc.com   (2023-05-02)

    tags: ecommerce, machine-learning, search, vector-databases

    The Similarity Engine's use cases include item-to-item similarity for text and image modality and user-to-item personalized recommendations based on a user’s historical behavior data.

    The Future of Ecommerce: How a Product Becomes a Purchase

    a16z.com   (2023-03-24)

    tags: discovery, ecommerce, marketing, prodmgmt, search

    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,...

    10 Best Practices for Ecommerce Checkout Design

    dev.to   (2023-03-22)

    tags: ecommerce, prodmgmt

    Optimizing your ecommerce checkout process is crucial to reduce cart abandonment rates, as it affects...

    China’s Digital Landscape in 2020 | KAWO 科握

    kawo.com   (2023-03-20)

    tags: advertising-commercials, china, ecommerce, marketing

    A comprehensive overview of the China social media landscape in 2020 - know how to navigate and help marketing teams achieve success in Chinese social!

    How 20 years of Google’s AdSense changed the internet

    www.fastcompany.com   (2023-03-10)

    tags: adtech-adwords, advertising-commercials, ecommerce, prodmgmt

    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.

    Target Just Announced Something Brilliant That Amazon Can...

    inc.com   (2023-03-10)

    tags: ecommerce, prodmgmt, returns

    Make it easy for your customers to do business with you.

    9 Ways to Grow Repeat Buyers

    www.practicalecommerce.com   (2023-02-22)

    tags: ecommerce, ui-ux

    Repeat customers are the lifeblood of successful ecommerce stores. Here are helpful tips for encouraging buyers for the long term.

    20 Free Ecommerce Icon Sets

    www.practicalecommerce.com   (2023-02-22)

    tags: ecommerce, icons

    Professional icons can engage shoppers and assist in navigation, checkout, and more. Here's our all-new update of ecommerce icons for most every need.

    Tools to Create, Optimize Meta Descriptions

    www.practicalecommerce.com   (2023-02-16)

    tags: ecommerce, keywords-ppc-seo, prodmgmt, programming

    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.

    Building a Recommender System for Amazon Products with Py...

    towardsdatascience.com   (2023-02-10)

    tags: ecommerce, python, recommenders

    I built a recommender system for Amazon’s electronics category

    Shopping for Apparel in an Online World: UI/UX Design for...

    www.toptal.com   (2023-02-10)

    tags: clothes, ecommerce, machine-vision, ui-ux

    How AR and VR are reshaping apparel e-commerce.

    Welcome to the Shoppy Shop

    clicks.getpocket.com   (2023-01-30)

    tags: ecommerce, prodmgmt

    Why does every store suddenly look the same?

    3 Flaws of Cost-plus Pricing - Practical Ecommerce

    www.practicalecommerce.com   (2023-01-22)

    tags: ecommerce, pricing, prodmgmt

    Cost-plus pricing on the surface seems straightforward. But then market forces intervene.

    Why Everything at Walgreens Is Suddenly Behind Plastic

    www.curbed.com   (2023-01-21)

    tags: ecommerce, theft

    The recent spike in shoplifting is both overblown and real. And almost everyone is profiting from it (including you).

    15 Press Release Distribution Services

    www.practicalecommerce.com   (2023-01-17)

    tags: ecommerce, marketing

    Spreading the word on product launches, updates, and collaborations is difficult. Press releases can help, especially when distributed to targeted media outlets.

    Hacker News

    news.ycombinator.com   (2023-01-07)

    tags: ecommerce, payments, prodmgmt

    Ultimate Guide on Working with Suppression Lists

    www.noupe.com   (2022-12-28)

    tags: ecommerce, email, marketing

    Email suppression lists are a powerful tool that every email marketer should use. Since suppression lists allow keeping your sending reputation and email

    9 UX Learnings From the World's Best Ecommerce Site

    dev.to   (2022-12-18)

    tags: ecommerce, ui-ux

    Ecommerce websites require great user experience (UX) to achieve the reason for which they’re...

    9 Best Ecommerce UX Practices From the World's Best Ecomm...

    medusajs.com   (2022-12-17)

    tags: best-practices, ecommerce, ui-ux

    Discover the 9 best ecommerce UX practices from the world's top B2B ecommerce sites that made the top of HackerNews as the best ecommerce site.

    An eCommerce Guide To Accepting International Payments

    www.retailtechnologyreview.com   (2022-12-13)

    tags: ecommerce, payments

    By Anna Smith, freelance writer.Pursuing global markets can be a thrilling and significant step for your business. However, it’d be best to establish a secure and proficient means for accepting payments internationally. The best worldwide payment method for your eCommerce will differ depending on the location or country of your customers.

    Where Does All the Cardboard Come From? I Had to Know. (P...

    www.nytimes.com   (2022-12-05)

    tags: ecommerce, packaging, supply-chain

    Entire forests and enormous factories running 24/7 can barely keep up with demand. This is how the cardboard economy works.

    Basically everything on Amazon has become an ad

    www.vox.com   (2022-11-15)

    tags: advertising-commercials, ecommerce, prodmgmt

    Inside the under-the-radar business that makes more money than Amazon Prime.

    A Complete Taxonomy of Internet Chum - The Awl

    www.theawl.com   (2022-10-29)

    tags: adtech-adwords, advertising-commercials, behaviors, ecommerce, prodmgmt

    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 ...

    GoodwillFinds.com gives shoppers more reasons to feel goo...

    retailwire.com   (2022-10-05)

    tags: ecommerce, prodmgmt, retail

    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?

    Subscriptions are out, refills are in.

    bluepnume.medium.com   (2022-09-18)

    tags: ecommerce, prodmgmt, subscriptions

    Everything these days is a subscription. And honestly, on reflection, subscriptions are complete horseshit.

    Multi-Objective Ranking for Promoted Auction Items

    tech.ebayinc.com   (2022-09-13)

    tags: auctions, ecommerce, machine-learning, prodmgmt

    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.

    PPC management for e-commerce: 28 tools to explore

    searchengineland.com   (2022-09-10)

    tags: ecommerce, keywords-ppc-seo, prodmgmt, programming

    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.

    Locations product recommendations

    jilt.com   (2022-08-30)

    tags: ecommerce, recommenders, reputation

    7 useful Excel formulas and functions for PPC

    searchengineland.com   (2022-08-24)

    tags: analytics, ecommerce, excel, keywords-ppc-seo, prodmgmt

    Use these tips to quickly analyze performance data and identify high-impact PPC optimizations that will move the needle.

    Elevate Your E-commerce Journey With Animated UX Microint...

    www.toptal.com   (2022-08-17)

    tags: ecommerce, prodmgmt, ui-ux

    Microinteraction best practices that improve e-commerce UX.

    5 Amazon product listing optimization must-haves

    searchengineland.com   (2022-08-05)

    tags: analytics, ecommerce, keywords-ppc-seo, prodmgmt

    Amazon will continue to be highly competitive. Want to be successful? Optimize your product listings to the fullest with these tips.

    Retail’s ‘Dark Side’: As Inventory Piles Up, Liquidation ...

    www.nytimes.com   (2022-08-01)

    tags: ecommerce, retail

    Consumers are buying fewer discretionary goods and returning more. To clear their shelves, retailers are selling to liquidators at steep discounts.

    Site taxonomy for SEO: A straightforward guide

    searchengineland.com   (2022-08-01)

    tags: ecommerce, keywords-ppc-seo

    In this guide: learn why website taxonomy is fundamental to SEO success and how to optimize site taxonomies.

    The Details of Shopify’s Massive Q2 2022 Loss

    www.practicalecommerce.com   (2022-07-31)

    tags: ecommerce, shopify

    Having posted a massive $1.2 billion loss in Q2 2022, Shopify effectively reset its financial outlook. Longtime contributor and analyst Marcia Kaplan looks at the details.

    Why is it so hard to give Google money?

    paulbutler.org   (2022-07-27)

    tags: custsvc, ecommerce

    How Paper Catalogs Remain Relevant in a Digital Age

    hbr.org   (2022-07-19)

    tags: catalogs, ecommerce, marketing, prodmgmt

    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.

    Getting 200% More Actionable Feedback from Customers that...

    www.extendslogic.com   (2022-07-19)

    tags: analytics, churn, ecommerce

    Getting useful cancellation feedback from customers is tough. The problem is that once people have canceled, they’re no longer engaged and will rarely spend the time to give you feedback. One of the best things I’ve ever done to combat this with Bidsketch was to add a mandatory freeform text field that says: Please help… Continue reading Getting 200% More Actionable Feedback from Customers that Cancel →

    Email Marketing Metrics, Part 1: The Basics

    www.practicalecommerce.com   (2022-07-19)

    tags: ecommerce, email

    Email marketing is cost effective and typically has a high return on investment. But over the years, email marketing has changed. Measuring the

    Piracy Doubled My App Sales

    danielamitay.com   (2022-07-19)

    tags: ecommerce, piracy, prodmgmt

    Where Should We Build a Mall? The Formation of Market Str...

    hbswk.hbs.edu   (2022-07-19)

    tags: ecommerce, retail

    This research by Doug J. Chung, Kyoungwon Seo, and Reo Song bprovides a rigorous, yet practical, framework to understand and evaluate why retail stores join a shopping mall and how their decisions affect mall revenue.

    How to Price Shipping and Handling Fees

    www.practicalecommerce.com   (2022-07-18)

    tags: ecommerce, pricing, prodmgmt, supply-chain

    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.

    How Darknet Sellers Build Trust

    nautil.us   (2022-07-18)

    tags: behaviors, ecommerce, trust

    The Amazon for drug dealing is built around user reviews.

    How a Preview Image Increased a Landing Page's Conversion...

    searchenginewatch.com   (2022-07-18)

    tags: behaviors, ecommerce, friction-traction, images

    Using Google’s new “Google Experiments” for A/B testing confirmed a hypothesis that a landing page with a preview image will have a higher conversion rate than a landing page without the preview image. Here’s how you can conduct your own test.

    From Forever 21 to Online Shopping, Why Fast Fashion Is S...

    www.theatlantic.com   (2022-07-18)

    tags: behaviors, coolness-desire-envy, ecommerce, fashion

    Research shows that the brain finds pleasure in the pursuit of inexpensive things, and high-street chains and online retailers sites alike are cashing in.

    Ecommerce a Crucial Industry in the Pandemic; 7 Ways to E...

    www.practicalecommerce.com   (2022-07-18)

    tags: ecommerce

    Online stores will become increasingly crucial in the coming weeks. What follows are seven measures to keep your ecommerce business afloat and ease the burden of operating with limited resources.

    Anatomy Of A Pirate

    www.businessinsider.com   (2022-07-18)

    tags: ecommerce, music, piracy

    How to Build an Amazon Affiliate Website - 2024 Guide - M...

    makeawebsitehub.com   (2022-07-18)

    tags: affiliates, ecommerce, keywords-ppc-seo, marketing, prodmgmt

    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

    Advanced list building

    jilt.com   (2022-07-18)

    tags: ecommerce, email, prodmgmt

    http://spyrestudios.com/30-faq-webpage-layouts-with-effec...

    spyrestudios.com   (2022-07-18)

    tags: design-patterns, ecommerce, faqs

    http://larslofgren.com/growth/7-rules-for-

    larslofgren.com   (2022-07-18)

    tags: a-b, ecommerce

    http://www.gkogan.co/blog/ugly-ad-saved-business/

    www.gkogan.co   (2022-07-18)

    tags: advertising-commercials, ecommerce

    Should merchants accept Bitcoin?

    www.practicalecommerce.com   (2022-07-18)

    tags: bitcoin, ecommerce

    I was recently asked if ecommerce merchants should accept Bitcoin. My answer is a resounding “yes.” I can think of only a few minor downsides and many

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-07-18)

    tags: ecommerce, marketing, packaging, prodmgmt

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    ALERT!!

    upstreamcommerce.com   (2022-07-18)

    tags: ecommerce, pricing

    New Job Opportunity

    https://lionbridge.ai/datasets/24-best-ecommerce-retail-d...

    lionbridge.ai   (2022-07-18)

    tags: datasets, ecommerce, machine-learning

    15 Tools to Optimize Ecommerce Images

    www.practicalecommerce.com   (2022-07-18)

    tags: ecommerce, images, programming

    Does your website have an acceptable load time? Images usually account for most of the downloadable bytes on a page. Optimizing your images can yield a

    The State of SaaS Pricing [Infographic] - OpenView

    labs.openviewpartners.com   (2022-07-18)

    tags: ecommerce, pricing

    After surveying more than 1,000 software executives about their SaaS pricing habits, we've uncovered some alarming gaps. View the results here.

    Brand Bidding Techniques: Smart Ways To Use Typos & URLs ...

    searchengineland.com   (2022-07-18)

    tags: adtech-adwords, brandmgmt, ecommerce, keywords-ppc-seo

    Finding the right mix of keywords is as much science as it is good common sense. When it comes to your brand, there are typo and URL derivation techniques

    How Etsy Crafted an E-Commerce Comeback

    fortune.com   (2022-07-18)

    tags: ecommerce

    To survive competition from e-commerce giants, the handmade-goods retailer had to persuade its quirky community to get just a teensy bit corporate.

    All Markets Are Not Created Equal: 10 Factors To Consider...

    abovethecrowd.com   (2022-07-17)

    tags: ecommerce, platforms, prodmgmt

    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…

    Catalogs & Wishbooks

    christmas.musetechnical.com   (2022-07-07)

    tags: catalogs, ecommerce, prodmgmt

    336 Vintage Christmas Catalogs & Holiday Wish Books with 302,605 total catalog pages from Sears, Montgomery Ward and JCPenney over the years.

    What Makes Shoppers Click? A Lesson in E-Commerce Consume...

    conversionsciences.com   (2022-07-06)

    tags: behaviors, ecommerce, retail

    Consumers have access to all kinds of buyer information on-line. So what is it that makes them click?

    275 Free, Responsive Email Templates

    www.practicalecommerce.com   (2022-07-05)

    tags: ecommerce, email

    Whether you’re sending a newsletter, welcome message, product announcement, or holiday greetings, there are plenty of customizable email templates to match your brand and design on any device. Here is a list of responsive email templates.

    Five Questions Companies Should Ask Before Making an Inno...

    hbr.org   (2022-07-05)

    tags: due-diligence, ecommerce, marketing, packaging, prodmgmt

    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 […]

    45 Tools to Generate Content, for Ecommerce

    www.practicalecommerce.com   (2022-07-05)

    tags: blogging, ecommerce, programming

    Content marketing is the technique of creating and sharing content — blog posts, images, videos — to attract and retain customers. Generating relevant and

    12 Innovative Mobile Payment Apps

    www.practicalecommerce.com   (2022-07-05)

    tags: ecommerce, mobile, writing

    Paying with a smartphone is easier than ever. Innovative mobile payment apps are providing consumers with new ways to exchange money with peers, purchase

    http://www.postaffiliatepro.com/blog/the-ultimate-list-of-

    www.postaffiliatepro.com   (2022-07-05)

    tags: affiliates, ecommerce, prodmgmt

    Why Your eCommerce Business Should Have a Pop-Up Shop

    readwrite.com   (2022-07-05)

    tags: ecommerce, prodmgmt, retail

    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

    Asking Users to Complete Tough Mudders to Use Your Product

    www.tomtunguz.com   (2022-07-05)

    tags: blockchain, ecommerce, prodmgmt

    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?

    Buy Till You Die: Understanding Customer Lifetime Value

    towardsdatascience.com   (2022-07-05)

    tags: ecommerce, metrics, prodmgmt

    The BG/NBD model explained.

    Could This Be The End Of Hidden Ticket Charges For Concer...

    music3point0.com   (2022-07-04)

    tags: ecommerce, music, pricing

    Hidden ticket charges and more have been outlawed in New York State thanks to new legislature that just passed.

    1980 Sears Spring Summer Catalog, Page 729 - Catalogs & W...

    christmas.musetechnical.com   (2022-07-04)

    tags: catalogs, ecommerce, history, pricing, retail

    1980 Sears Spring Summer Catalog, Page 729

    Cross-chain Deals and Adversarial Commerce

    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...

    aynuriev.com - aynuriev Resources and Information.

    aynuriev.com   (2022-06-28)

    tags: ecommerce, payments

    aynuriev.com is your first and best source for all of the information you’re looking for. From general topics to more of what you would expect to find here, aynuriev.com has it all. We hope you find what you are searching for!

    Ahrefs—Marketing Intelligence Tools Powered by Big Data.

    ahrefs.com   (2022-06-28)

    tags: ecommerce, keywords-ppc-seo, programming

    Unlock data to make effective decisions across digital marketing. SEO, content marketing, PPC, digital PR, and more.

    16 Tools to Manage Your Reputation

    www.practicalecommerce.com   (2022-06-28)

    tags: ecommerce, prodmgmt, reputation

    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.

    Namechk - Username and Domain Name Checker - Search All D...

    namechk.com   (2022-06-28)

    tags: ecommerce, naming

    There are 351 million registered domain names and counting. Every day, thousands more are registered. Since domain names can only be used by one company or

    Applying Luxury Principles to Ecommerce Design

    www.nngroup.com   (2022-06-27)

    tags: brandmgmt, ecommerce, luxury, prodmgmt

    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.

    Neil Patel's Digital Marketing Blog

    blog.kissmetrics.com   (2022-06-25)

    tags: ecommerce, prodmgmt

    Your #1 resource for digital marketing tips, trends, and strategy to help you build a successful online business.

    Using cohort analysis to improve retention

    blog.intercom.com   (2022-06-25)

    tags: churn, cohorts, ecommerce

    It’s no good acquiring customers for $10, if they only stick around for a month or two. Your retention can be visualized much easier by doing a cohort analysis, a technique widely used in medicine. Here's some tips top get started.

    Infographic: 26 Ideas For Split Testing Your Search Ads

    searchengineland.com   (2022-06-25)

    tags: a-b, ecommerce, keywords-ppc-seo

    If you want to always be closing, then you need to always be testing, a long-standing mantra (and title of a popular book) in the search marketing space.

    Scale campaigns and conversions with ease

    unbounce.com   (2022-06-25)

    tags: ecommerce, landing-pages, programming

    Unbounce has everything you need to optimize for conversion.

    https://blog.retargeter.com/retargeting/a-brief-introduction

    blog.retargeter.com   (2022-06-25)

    tags: ecommerce, retargeting

    https://searchenginewatch.com/sew/how-to/2216887/an-18tip...

    searchenginewatch.com   (2022-06-25)

    tags: checklists, ecommerce

    http://www.ecreativeworks.com/blog/2015/04/07/why-you-sho...

    www.ecreativeworks.com   (2022-06-24)

    tags: copywriting, ecommerce

    What are some top strategies for conversion optimization?

    www.quora.com   (2022-06-23)

    tags: ecommerce, optimization

    Answer has been deleted

    I sell onions on the Internet - Deep South Ventures

    www.deepsouthventures.com   (2022-06-23)

    tags: agriculture, ecommerce

    Vidalia Onions to be exact. They’re classified as a sweet onion, and because of their mild flavor (they don’t make your eyes tear up), some folks can eat them like an apple. Most of my customers do. During a phone order one season – 2018 I believe – a customer shared this story where he ... Read more

    Video Tools Archives

    www.practicalecommerce.com   (2022-06-23)

    tags: ecommerce, prodmgmt, programming, video

    The Outlandish Story Of Ollie’s: A $5 Billion Retail Empi...

    www.forbes.com   (2022-06-23)

    tags: ecommerce, retail

    Ollie’s is very possibly the only company in America whose brick-and-mortar stores are not just surviving but thriving.

    13 Platforms for Shoppable Video

    www.practicalecommerce.com   (2022-06-23)

    tags: ecommerce, prodmgmt, video

    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.

    The Best SaaS Landing page examples I’ve seen (+ their se...

    www.cortes.design   (2022-06-23)

    tags: design, ecommerce

    SaaS Landing page inspiration is usually "pretty" but not conversion/result driven so in this article, I compiled the best SaaS Landing pages examples I've seen and broke-down their secrets for conversions!

    Twitter partners with Shopify to bring merchants' product...

    techcrunch.com   (2022-06-22)

    tags: ecommerce, prodmgmt, shopify, twitter

    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

    7 Reasons to Consider USPS Flat Rate Shipping

    www.practicalecommerce.com   (2022-06-22)

    tags: ecommerce, supply-chain

    Merchants in North America have many carrier choices for delivering goods to customers. The U.S. Postal Service's flat-rate shipping boxes can save money in certain instances. We compare prices in this post.

    Perfect CTA Placement: Above-The-Fold Vs. Below-The-Fold

    www.webdesignerdepot.com   (2022-06-21)

    tags: design-patterns, ecommerce, html, webdev

    Should You Place a CTA Above the Fold? Experts in the design and digital marketing world have frequently claimed that if you want to get the best results with a CTA , you need to place it above the fold. Just look at this landing page from Lyft, for instance, you immediately see what you need to do…

    6 Email Triggers for Max Conversions

    www.practicalecommerce.com   (2022-06-21)

    tags: analytics, ecommerce, email, prodmgmt

    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.

    Success with Google Shopping, Part 1: Getting Started

    www.practicalecommerce.com   (2022-06-15)

    tags: ecommerce

    Google Shopping ads appear in search results as pictures above or alongside the text-based ads and organic listings. But unlike text-based ads, Shopping

    https://www.matthewbarby.com/how-to-build-an-email-list/

    www.matthewbarby.com   (2022-06-13)

    tags: ecommerce, email

    Packaging Inserts: Types and How To Create Yours (2024) -...

    www.shopify.com   (2022-06-13)

    tags: churn, ecommerce, packaging, physical-products, prodmgmt

    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.

    What Is a Transactional Email? Types and Best Practices (...

    www.shopify.com   (2022-06-13)

    tags: ecommerce, email, marketing

    Dive into the world of transactional emails and their importance for ecommerce stores. Learn the types and best practices, with examples, in this guide.

    21 Examples of Pricing Pages in Web Design

    webdesignledger.com   (2022-06-13)

    tags: ecommerce, pricing, prodmgmt, webdev

    Luxury marketing search strategy, Part 2: Strategies and ...

    www.searchenginewatch.com   (2022-06-13)

    tags: ecommerce, keywords-ppc-seo, luxury

    Marketing for luxury goods is a highly competitive space. Here's a full guide of how to craft SEO strategies and tactics to maximize those results.

    Why You’re Never Really Happy With the Things You Buy Any...

    getpocket.com   (2022-06-12)

    tags: ecommerce, pricing, prodmgmt, retail

    Constant bargain hunting makes us value all the wrong things about shopping.

    AdWords: 3 Ways to Find Negative Keywords

    www.practicalecommerce.com   (2022-06-12)

    tags: ecommerce, keywords-ppc-seo

    Inside every AdWords account there is a report that shows the exact words (a "query") that searchers typed into Google before clicking on a specific ad.

    Product Descriptions: 17 Fresh Writing Angles

    www.practicalecommerce.com   (2022-06-12)

    tags: copywriting, ecommerce, prodmgmt

    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.

    Digital Advertising Platform for Brands and Agencies | Ad...

    www.adroll.com   (2022-06-12)

    tags: ecommerce, prodmgmt

    Boost brand awareness, increase site visitors, and drive conversions with personalized advertising. AdRoll's been trusted by 140,000+ brands for over 15 years.

    Why there are so many online mattress-in-a-box companies

    www.curbed.com   (2022-06-07)

    tags: ecommerce

    Some industry insiders estimate there are as many as 100 brands selling compressed foam mattresses online.

    Past Behavior Does Not Determine Future Purchases | TechC...

    techcrunch.com   (2022-06-07)

    tags: churn, ecommerce, prodmgmt

    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?

    https://www.blossom.co/blog/5-smart-ways-to-resurrect-you...

    www.blossom.co   (2022-06-07)

    tags: churn, ecommerce, prodmgmt

    Design

    www.fastcodesign.com   (2022-06-07)

    tags: brandmgmt, ecommerce, prodmgmt

    Find the latest Design news from Fast company. See related business and technology articles, photos, slideshows and videos.

    Rithum: End-to-End E-commerce Solutions for Brands & Reta...

    www.channeladvisor.com   (2022-06-02)

    tags: ecommerce, prodmgmt, programming

    CommerceHub and ChannelAdvisor are now united as Rithum. We empower top brands, suppliers, and retailers with durable, profitable e-commerce solutions.

    Getting Started with Google Tag Manager, for Ecommerce

    www.practicalecommerce.com   (2022-05-28)

    tags: ecommerce, keywords-ppc-seo

    Many websites lose reporting from one of their marketing or analytics platforms. The culprit is usually the removal of tags during updates to the sites. Tags are critical for ecommerce merchants. But they add clutter to websites. That's the purpose of Google Tag Manager — to manage tags and contain them in a single JavaScript snippet on all pages.

    SEO: Product Descriptions Are a Blind Spot for Ecommerce ...

    www.practicalecommerce.com   (2022-05-28)

    tags: ecommerce, keywords-ppc-seo, prodmgmt

    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.

    13 marketing automation tools that can help you boost you...

    dataconomy.com   (2022-05-27)

    tags: analytics, ecommerce, keywords-ppc-seo, marketing, prodmgmt, programming

    The way we live our lives has an impact on our work. Long lists of typical chores may turn your

    When Keyword Poaching Pays Off

    hbr.org   (2022-05-20)

    tags: analytics, ecommerce, keywords-ppc-seo, marketing, prodmgmt

    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.

    How Keyword Clustering Powers SEO

    www.practicalecommerce.com   (2022-05-19)

    tags: analytics, ecommerce, keywords-ppc-seo

    Keyword lists for SEO are often cluttered and seemingly endless. "Clustering" can help by grouping keywords by a common modifier.

    Spot the difference: the invincible business of counterfe...

    www.theguardian.com   (2022-05-13)

    tags: brandmgmt, ecommerce, fashion

    The long read: Selling cheap fakes of a successful product makes horribly good business sense. Is there any way to stop it?

    3 Keyword Tools for Search Intent

    www.practicalecommerce.com   (2022-05-12)

    tags: ecommerce, keywords-ppc-seo, prodmgmt, programming

    Optimizing content for organic rankings requires knowing how Google will interpret searchers' intent — informational, commercial, or navigational.

    Fast, Cheap, and Out of Control: Inside Shein’s Sudden Rise

    www.wired.com   (2022-05-09)

    tags: clothes, ecommerce, fashion, prodmgmt

    The Chinese company has become a fast-fashion juggernaut by appealing to budget-conscious Gen Zers. But its ultralow prices are hiding unacceptable costs.

    How Sephora “sucks” all my money through great UX and psy...

    uxdesign.cc   (2022-04-11)

    tags: ecommerce, ui-ux

    My girlfriends always complain to me that Sephora is like a black hole that sucks up all their money. Some of my girlfriends even have to…

    Improving Shopping Recommendations for Customers Through ...

    tech.ebayinc.com   (2022-04-07)

    tags: ecommerce, machine-learning, prodmgmt, recommenders

    Under the new machine learning model, buyers are recommended items that are more aligned to their shopping interests on eBay.

    E-commerce giants didn't deliver. So these islanders buil...

    restofworld.org   (2022-04-03)

    tags: ecommerce, supply-chain

    Local couriers are making online delivery possible in French Polynesia's 118 atolls and islands in the Pacific Ocean.

    How One Website Exploited Amazon S3 to Outrank Everyone o...

    blog.usejournal.com   (2022-03-16)

    tags: ecommerce, keywords-ppc-seo, marketing

    Quick Intro to the World of SEO, Affiliate Marketing, and Amazon S3

    The Sales Sandwich by @ttunguz

    www.tomtunguz.com   (2022-02-19)

    tags: analytics, ecommerce, prodmgmt, sales-salesmgmt

    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.

    Here’s what actually happens to all your online shopping ...

    restofworld.org   (2022-02-18)

    tags: ecommerce, prodmgmt, supply-chain

    Ordering clothes from Chinese fast-fashion brands like Shein is easy. Sending them back is a lot more complicated

    How to Build an Ecommerce Keyword List

    www.practicalecommerce.com   (2022-02-10)

    tags: ecommerce, keywords-ppc-seo, prodmgmt

    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.

    Shopify and the Power of Platforms

    stratechery.com   (2022-02-10)

    tags: aggregation, ecommerce, platforms, shopify

    It is all but impossible to beat an Aggregator head-on, as Walmart is trying to do with Amazon. The solution instead is to build a platform like Shopify.

    233 Mobile ‘Billing Address’ Examples – Baymard Institute

    baymard.com   (2022-02-08)

    tags: design-patterns, ecommerce, mobile, ui-ux

    Shopify SEO Guide: How to increase organic traffic to you...

    searchengineland.com   (2022-02-06)

    tags: ecommerce, keywords-ppc-seo, shopify

    Everything a merchant needs to know about optimizing their Shopify site, from basic SEO capabilities to apps, technical SEO challenges and beyond.

    We Analyzed The Top 7,000 Websites in 22 Industries. Here...

    neilpatel.com   (2022-01-31)

    tags: adtech-adwords, ecommerce, keywords-ppc-seo

    We analyzed 7,000+ websites with reviews of more than 4 stars on Trustpilot. Here are some SEO factors we noticed they had in common.

    257 Mobile ‘Category Page’ Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    1024 ‘Search Results Page’ Design Examples – Baymard Inst...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, search, ui-ux

    330 Mobile ‘Delivery & Shipping Methods’ Examples – Bayma...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    18,000+ E-Commerce Design Examples Organized Across 62 Pa...

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    Every single one of the 18,000+ screenshots is annotated with highlights of UX “violations” and “adherences” (i.e. what the page design does well from a UX perspective, and what it does poorly).

    450 Mobile ‘Payment’ Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    250 Top E-Commerce Sites Ranked by User Experience Perfor...

    baymard.com   (2022-01-29)

    tags: ecommerce, ui-ux

    See the ranked UX performance of the 250 leading e-commerce sites in the US and Europe. The chart summarizes 50,000+ UX performance ratings.

    159 ‘Store Pickup’ Design Examples – Baymard Institute

    baymard.com   (2022-01-29)

    tags: design-patterns, ecommerce, ui-ux

    272 Mobile ‘Receipt’ Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    188 ‘Cross-Sells’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    887 ‘Cart’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    1118 ‘Payment’ Design Examples – Baymard Institute

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    973 ‘Customer Info & Address’ Design Examples – Baymard I...

    baymard.com   (2022-01-23)

    tags: design-patterns, ecommerce, ui-ux

    UX Guidelines for Ecommerce Product Pages

    www.nngroup.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Customers shopping online rely on product pages to decide what to buy. Help them by answering questions, enabling comparison, providing reviews, and facilitating the purchase process.

    7 Ecommerce UX Tips That Drive Sales :: UXmatters

    www.uxmatters.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Web magazine about user experience matters, providing insights and inspiration for the user experience community

    UX Guidelines for Ecommerce Homepages, Category Pages, an...

    www.nngroup.com   (2022-01-17)

    tags: ecommerce, ui-ux

    Streamline users’ path to products by providing clear, differentiating product information at all levels — from the homepage to product listing pages.

    Instant gratification: The neuroscience of impulse buying

    bigthink.com   (2021-12-25)

    tags: behaviors, ecommerce, retail

    Our brains did not evolve to shop on Amazon.

    Product Photography, Part 14: Optimizing for Speed, Search

    www.practicalecommerce.com   (2021-11-29)

    tags: ecommerce, images, prodmgmt

    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.

    From Street Fashion to Online – How to Set-up an E-commer...

    retail-focus.co.uk   (2021-11-29)

    tags: ecommerce

    These days, online shopping is a massive industry. In 2020, with the COVID-19 pandemic in full swing, online retailers earned over $4.2 trillion from just over two billion shoppers. Overall, the industry grew by about 25 percent, and the trend doesn’t seem to be slowing.  So, if you’re trying to sell products (e.g., clothing), the […]

    11 A/B Testing Tools to Optimize Conversions

    www.practicalecommerce.com   (2021-11-17)

    tags: a-b, analytics, ecommerce, programming, webdev

    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.

    The “ghost stores” of Instagram

    www.vox.com   (2021-11-03)

    tags: dropshipping, ecommerce, prodmgmt

    That cute dress you bought off Instagram could be found on Shein, AliExpress, or Amazon for much cheaper.

    The Emergence of B2B Raw Material Marketplaces

    www.practicalecommerce.com   (2021-09-26)

    tags: ecommerce, platforms, prodmgmt

    Business-to-business marketplaces are among ecommerce's leading growth trends, yet many industries remain under-served, especially for raw materials.

    Why Amazon really built a new warehouse on the U.S.-Mexic...

    restofworld.us20.list-manage.com   (2021-09-14)

    tags: ecommerce, supply-chain

    The fulfillment center in Tijuana is a symbol of how the pandemic has changed the way the world shops.

    Why payment apps that thrive in India struggle to succeed...

    restofworld.org   (2021-08-31)

    tags: ecommerce, finance, prodmgmt

    One fintech veteran from India found out the hard way why “Mexicans love cash.”

    Six emerging trends in product packaging

    retailtechinnovationhub.com   (2021-07-25)

    tags: ecommerce, packaging, prodmgmt

    In the modern business world, there are several businesses releasing similar products into the market.

    16 Tools to Manage Your Reputation

    www.practicalecommerce.com   (2021-07-20)

    tags: ecommerce, prodmgmt, reputation

    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.

    Why do we buy what we buy?

    www.vox.com   (2021-07-17)

    tags: behaviors, coolness-desire-envy, ecommerce

    A sociologist on why people buy too many things.

    Policy Pages, Done Well, Enhance a Brand

    www.practicalecommerce.com   (2021-07-07)

    tags: custsvc, ecommerce, prodmgmt

    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.

    The life cycle of a viral product

    www.vox.com   (2021-07-07)

    tags: ecommerce, prodmgmt, tiktok

    The video app is causing products to blow up — and flame out — faster than ever.

    Improving The Performance Of An Online Store (Case Study)

    smashingmagazine.com   (2021-06-03)

    tags: css, design, ecommerce, fonts-typography, javascript, prodmgmt, webdev

    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.

    Boxes, trucks and bikes

    www.ben-evans.com   (2021-05-29)

    tags: analytics, ecommerce, prodmgmt

    Should we still be talking about online and offline retail, or about trucks versus boxes versus bikes?

    3 Keys for High-converting Product Descriptions

    www.practicalecommerce.com   (2021-05-21)

    tags: copywriting, ecommerce, prodmgmt

    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.

    Theoretical Understandings of Product Embedding for E-com...

    arxiv.org   (2021-05-09)

    tags: ecommerce, labeling, machine-learning, prodmgmt

    Evaluating Search Algorithms

    shopify.engineering   (2021-04-02)

    tags: ecommerce, keywords-ppc-seo, machine-learning, prodmgmt, search

    The three-step framework Shopify's Data Science & Engineering team built for evaluating new search algorithms.

    Here’s Why Your Ecommerce Subscriptions Aren’t Selling

    www.practicalecommerce.com   (2021-03-30)

    tags: ecommerce, packaging, prodmgmt

    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

    A company you’ve never heard of that’s secretly everywhere

    thehustle.co   (2021-03-26)

    tags: ecommerce

    How Shopify Payments Work: All You Want To Know?

    www.noupe.com   (2021-03-22)

    tags: ecommerce, prodmgmt, shopify

    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

    What I wish I knew before building a Shopify App

    ma.ttias.ch   (2021-03-21)

    tags: ecommerce, prodmgmt, shopify

    If Your iPhone Charger Blows Up, It May Be a Fake Sold on...

    www.bloomberg.com   (2021-03-18)

    tags: ecommerce

    A simple, daily gesture like charging an iPhone turned into a life-threatening task for Andrea Stroppa, a cybersecurity researcher. The charger that exploded after he borrowed it from a friend, Stroppa discovered, was a counterfeit Apple Inc. product bought through an unofficial channel on Instagram.

    11 TikTok Video Ideas for Merchants

    www.practicalecommerce.com   (2021-03-02)

    tags: ecommerce, prodmgmt, tiktok, video

    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.

    Buyer beware: Massive experiment shows why ticket sellers...

    newsroom.haas.berkeley.edu   (2021-02-23)

    tags: analytics, ecommerce, pricing, prodmgmt

    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

    860 - Purchase order change

    www.ibm.com   (2021-02-22)

    tags: ecommerce

    IBM Documentation.

    How A Retail Chain Without A Website Powered Through The ...

    www.npr.org   (2021-02-18)

    tags: ecommerce, pricing, prodmgmt, retail

    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.

    The art and science of SaaS pricing: True usage-based pri...

    venturebeat.com   (2021-01-10)

    tags: ecommerce, pricing, prodmgmt

    Usage-based pricing can be incredibly powerful, particularly in cases where the SaaS solution handles the flow of money.

    The art and science of SaaS pricing: Finding the right mo...

    venturebeat.com   (2021-01-10)

    tags: ecommerce, pricing, prodmgmt

    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.

    How Amazon’s Business Practices Harm American Consumers: ...

    medium.com   (2021-01-06)

    tags: ecommerce, prodmgmt

    Why Amazon Needs a Competitor and Why Walmart Ain’t It

    Looks vs. Results: My ugly ad got 150% more clicks than a...

    www.gkogan.co   (2021-01-04)

    tags: advertising-commercials, ecommerce, prodmgmt

    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

    The Top Affiliate Marketing Networks

    neilpatel.com   (2021-01-02)

    tags: affiliates, ecommerce, marketing, prodmgmt

    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.

    5 e-commerce tips for businesses in 2021

    www.retailtechnologyreview.com   (2020-12-26)

    tags: ecommerce

    By Rob van den Heuvel, CEO at Sendcloud. If there’s one thing 2020 has taught us, it is the art of adaptability. As we knock on the door of 2021, the next stage of transition is upon us.

    16 Tools to Sell Products on Pinterest

    www.practicalecommerce.com   (2020-12-25)

    tags: ecommerce, images, pinterest, programming

    Pinterest provides tools to help merchants promote and sell products. Here is a list of tools for creating shops, product catalogs, ad campaigns, live events, and more.

    How to Start a Shopify Store in Just 5 Simple Steps

    socialoracle.app   (2020-12-18)

    tags: ecommerce, shopify

    Lessons from Running a Sale that Earned 3 Month's Profit ...

    www.coryzue.com   (2020-12-10)

    tags: ecommerce, marketing, prodmgmt

    Tips on running successful Black Friday sales for creators and Indie Hackers

    The 11 Best Dropshipping Tools

    neilpatel.com   (2020-11-20)

    tags: dropshipping, ecommerce, prodmgmt

    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.

    As its ecosystem grows, companies are becoming reliant on...

    digiday.com   (2020-11-13)

    tags: ecommerce, prodmgmt

    Read more in the DTC Briefing, a weekly Modern Retail column about the biggest challenges and trends facing the DTC startup world.

    'Growing two times faster than the rest of the market': I...

    digiday.com   (2020-11-10)

    tags: ecommerce, fashion, prodmgmt

    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).

    A Guide to Behavioral Segmentation Marketing

    neilpatel.com   (2020-11-06)

    tags: ecommerce, prodmgmt, retargeting

    What is behavioral marketing? Here's how email marketing, demographics, and upsells can be used to monitor and act on customer behavior.

    Improving complementary-product recommendations

    www.amazon.science   (2020-11-03)

    tags: ecommerce, machine-learning, recommenders

    New modeling approach increases accuracy of recommendations by an average of 7%.

    Managing your product feeds to thrive in a new retail lan...

    www.retaildive.com   (2020-11-03)

    tags: ecommerce, prodmgmt, rss

    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.

    4 Payment Methods to Integrate for the Holidays

    www.practicalecommerce.com   (2020-11-03)

    tags: ecommerce, prodmgmt

    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.

    6 methods for touch-free and remote payments

    www.retaildive.com   (2020-11-03)

    tags: ecommerce, prodmgmt

    Checking out should be easier, especially now.

    14 Tools to Sell on Facebook and Instagram

    www.practicalecommerce.com   (2020-11-03)

    tags: ecommerce, prodmgmt

    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.

    How Shopify Reduced Storefront Response Times with a Rewr...

    engineering.shopify.com   (2020-08-20)

    tags: devops, ecommerce, rubyonrails

    The First Steps in Adding Ecommerce to a Brick-and-mortar...

    www.practicalecommerce.com   (2020-08-02)

    tags: ecommerce, prodmgmt

    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.

    Is Your Chip Card Secure? Much Depends on Where You Bank

    krebsonsecurity.com   (2020-08-02)

    tags: ecommerce

    Chip-based credit and debit cards are designed to make it infeasible for skimming devices or malware to clone your card when you pay for something by dipping the chip instead of swiping the stripe. But a recent series of malware…

    10 Best Ecommerce Platforms Compared & Rated For 2020

    www.ecommerceceo.com   (2020-07-26)

    tags: ecommerce, platforms, prodmgmt

    Our top ecommerce builders are based on objective performance data, feature set & value. Check out ecommerce platforms now.

    10 Marketplaces to Buy and Sell Ecommerce Sites

    www.practicalecommerce.com   (2020-06-23)

    tags: ecommerce, prodmgmt

    A ecosystem of buyers, sellers, and brokers creates a thriving M&A market for digital businesses.

    Amazon’s New Competitive Advantage: Putting Its Own Produ...

    www.propublica.org   (2020-06-08)

    tags: ecommerce, prodmgmt

    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.

    Using K-Means to detect changes in a retail store | Towar...

    towardsdatascience.com   (2020-06-01)

    tags: ecommerce, machine-learning, retail

    Unsupervised techniques to identify changes in the behavior

    Platforms in an Aggregator World

    stratechery.com   (2020-05-27)

    tags: ecommerce, shopify

    Facebook Shops are good for Shopify merchants, but bad for Shopify; the answer is to push more into the real world.

    How ceramics brand East Fork transitioned to a pre-sale o...

    www.modernretail.co   (2020-05-15)

    tags: ecommerce, prodmgmt, retail

    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.

    Web Monetization - The Ecosystem

    dev.to   (2020-05-14)

    tags: ecommerce, prodmgmt

    Greetings, everyone. This post begins a series on Web Monetization and serves to document my learning...

    AliExpress - Online Shopping for Popular Electronics, Fas...

    www.aliexpress.com   (2020-05-02)

    tags: dropshipping, ecommerce, prodmgmt

    AliExpress lets you unlock top brands' bestselling electronics, clothing, homewares, toys, sporting equipment, auto parts and more so you can live better for less.

    ‘It’s bullshit’: Inside the weird, get-rich-quick world o...

    www.wired.co.uk   (2020-05-01)

    tags: dropshipping, ecommerce, prodmgmt

    In Bali, western immigrants are selling products they've never handled, from countries they've never visited, to consumers they've never met

    Introducing the Periodic Table of Digital Commerce Marketing

    searchengineland.com   (2020-03-09)

    tags: ecommerce, marketing, prodmgmt

    Packing an astonishing amount of information into an easy-to-digest visual, it's well worth the download.

    Wayfair is all in on logistics

    www.supplychaindive.com   (2020-02-29)

    tags: ecommerce, prodmgmt, supply-chain

    Executives insist 2020 is the year Wayfair's logistics investments will show their worth.

    An elegy for cash: the technology we might never replace

    www.technologyreview.com   (2020-02-19)

    tags: ecommerce

    Cash is gradually dying out. Will we ever have a digital alternative that offers the same mix of convenience and freedom?

    Unnamed and Unsurveilled

    thebaffler.com   (2020-02-19)

    tags: ecommerce, goodreads

    Craigslist feels like an island in the slipstream, evidence of an online past where improvisation and commonality superseded hierarchy and standard practices.

    Why Restoration Hardware Sends Catalogs the Size of a Tod...

    www.theatlantic.com   (2020-02-19)

    tags: advertising-commercials, ecommerce, marketing, retail

    The surprising persistence of the mail-order business

    A Guide to Payment Tokens for Ecommerce

    www.practicalecommerce.com   (2020-01-27)

    tags: ecommerce

    Innovation in electronic payments has always balanced risk and convenience. Generally, a payment method that's convenient for consumers is risky for merchants. The use of "tokens" can reduce that risk by protecting credit card details.

    The economics of unused gift cards

    thehustle.co   (2020-01-05)

    tags: behaviors, ecommerce

    Every year, Americans spend billions of dollars on gift cards. But what happens to the money when the gift cards go unused?

    7 eCommerce trends to watch in 2020 and beyond

    jilt.com   (2019-12-31)

    tags: ecommerce

    vumaasha/Atlas: Atlas: A Dataset and Benchmark for E-comm...

    github.com   (2019-12-23)

    tags: clothes, datasets, ecommerce, fashion, machine-learning

    Atlas: A Dataset and Benchmark for E-commerce Clothing Product Categorization - vumaasha/Atlas

    How to use returns to build customer loyalty

    www.supplychaindive.com   (2019-12-23)

    tags: custsvc, ecommerce, prodmgmt

    Returns are on the rise – here’s what you can do to make it your competitive advantage.

    The Best E-Commerce Fulfillment Services for 2019 | PCMag...

    www.pcmag.com   (2019-12-23)

    tags: ecommerce, supply-chain

    An online shopping cart and catalog is only the first step in e-commerce retail success. Once the customer buys, you need to get them their wares quickly and efficiently. That's where fulfillment services come in and we take a close look at ten of the top players.

    Study of Over 11,000 Online Stores Finds 'Dark Patterns' ...

    tech.slashdot.org   (2019-12-23)

    tags: ecommerce, ui-ux

    A large-scale academic study that analyzed more than 53,000 product pages on more than 11,000 online stores found widespread use of user interface "dark patterns" -- practices meant to mislead customers into making purchases based on false or misleading information. from a report: The study -- prese...

    Stripe CLI

    stripe.com   (2019-12-23)

    tags: command-line, ecommerce

    The Stripe CLI is a developer tool that helps you build, test, and manage your Stripe integration right from the terminal.

    The 7 psychological triggers to boost your eCommerce stor...

    jilt.com   (2019-12-23)

    tags: behaviors, ecommerce, triggers

    7 Fantastic eCommerce Product Videos and The Lessons They...

    www.noupe.com   (2019-12-23)

    tags: ecommerce, video

    Due to availability and ease of use, eCommerce companies have all but taken most markets by storm, becoming the preferred purchase alternative for

    Hacks, Methods and Tools to Keyword Research for eCommerc...

    t.co   (2019-12-23)

    tags: adtech-adwords, ecommerce, prodmgmt

    Learn the exact way that I perform keyword research that generates profitable, scalable ROI for eCommerce stores.

    Prime Power: How Amazon Squeezes the Businesses Behind It...

    www.nytimes.com   (2019-12-21)

    tags: ecommerce, goodreads

    Twenty years ago, Amazon opened its storefront to anyone who wanted to sell something. Then it began demanding more out of them.

    Crossed Stitches

    getpocket.com   (2019-11-28)

    tags: ecommerce, goodreads, startups

    Beverly Pennington was a Pinterest-perfect entrepreneur whose patchwork quilts—made from people’s most treasured T-shirts—found thousands of devotees all over the country. But when the quilts stopped coming, leaving the shirts in limbo, her customers pieced together a plan to fight back.

    People Are Confused About the Usefulness of Buying Fancy ...

    getpocket.com   (2019-10-27)

    tags: behaviors, ecommerce, luxury

    Why luxury goods don't impress, but repel.

    23 Twitter Feeds for Ecommerce Merchants to Follow

    www.practicalecommerce.com   (2019-09-10)

    tags: ecommerce

    Here is a list of Twitter feeds for online merchants to follow. Most feeds are from individuals although a few are from application platforms. The feeds are separated into ecommerce, marketing, and design categories.

    Meet the man keeping America's dead malls alive

    theweek.com   (2019-09-08)

    tags: ecommerce, marketing, retail

    Is there hope for our once-beloved social and commercial centers?

    Free Shipping — Real Life

    reallifemag.com   (2019-08-31)

    tags: ecommerce, prodmgmt, supply-chain

    Delivery robots will redefine the meaning of every object they transport

    'Shoppable billboards': DTC retailers say physical stores...

    digiday.com   (2019-08-31)

    tags: advertising-commercials, ecommerce

    DTC brands credit physical stores with boosting their online sales.

    Are subscription services viable for independent retailers?

    www.retaildive.com   (2019-08-31)

    tags: ecommerce

    Small, local retailers are vying for a piece of the market and find a focused approach builds customer loyalty.

    Shopping Cart or Wishlist? Saving Products for Later in E...

    www.nngroup.com   (2019-08-30)

    tags: ecommerce, prodmgmt, bookmarks

    On ecommerce sites, saving shopping-cart items for possible later purchase must be discoverable and low-effort.

    Buyer UX ecommerce Benchmarking

    docs.google.com   (2019-08-30)

    tags: benchmarks, ecommerce, prodmgmt, ui-ux

    Buyer Experience Benchmarking of 5 Top eCommerce Sites Dec 2018 Ken Leaver

    How to Display Taxes, Fees, and Shipping Charges on Ecomm...

    www.nngroup.com   (2019-08-30)

    tags: ecommerce, prodmgmt

    Unexpected service fees and special-delivery costs should be disclosed early in the shopping process to avoid losing customers.

    Applying Discounts and Promotions on Ecommerce Websites

    www.nngroup.com   (2019-08-29)

    tags: ecommerce, pricing, prodmgmt

    Coupons and other discounts should be easy to apply and shopping carts should clearly display how the total was affected by the promotion.

    How to Respond to a Copyright Infringement Notice

    www.practicalecommerce.com   (2019-08-29)

    tags: ecommerce, legal

    Copyright infringement is a serious issue that could cost a business as much as $150,000 per instance. If your business receives an infringement notice, take it seriously. Aim to settle if, in fact, infringement occurred.

    How to Negotiate the Price of a Pricey Premium Domain

    www.entrepreneur.com   (2019-08-29)

    tags: ecommerce, pricing, prodmgmt

    Buying a domain at the asking price? That's like buying a used car at the asking price. Doing your homework pays off.

    https://t.co/5oaFLodGNL?ssr=true

    t.co   (2019-08-29)

    tags: behaviors, ecommerce, luxury, prodmgmt

    Is your E-commerce Store performing poorly? – Here are es...

    www.noupe.com   (2019-08-29)

    tags: ecommerce

    When setting up an e-commerce store, the majority of the entrepreneurs usually assume things will automatically work out, and they will start making good

    4 Online Merchandising Hacks to Increase Profits

    www.practicalecommerce.com   (2019-08-29)

    tags: ecommerce, prodmgmt, retail

    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.

    Beginner’s Guide to Product Qualified Leads (PQLs)

    labs.openviewpartners.com   (2019-08-29)

    tags: ecommerce, leadgen-leadmgmt, prodmgmt

    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.

    Non-standard Product Images Can Spur Sales

    www.practicalecommerce.com   (2019-08-23)

    tags: ecommerce, images

    Quality product photos are crucial to selling online. Since they cannot physically touch an item, shoppers need to see all the core details. To maximize sales of a product, though, you need multiple types of images — beyond studio shots. Here are three types of non-standard photos that encourage sales.

    SEO Checklist for Website Redesigns and Replatforms

    www.practicalecommerce.com   (2019-08-20)

    tags: ecommerce, keywords-ppc-seo, marketing

    Major website redesigns and replatforms can kill organic search traffic. Use this checklist to minimize the impact.

    Useful (and Useless) Mobile Ecommerce Metrics

    www.practicalecommerce.com   (2019-08-20)

    tags: ecommerce, mobile

    In my experience, there are a few "cuts" of data that matter more for mobile than for desktop. Conversely, there are a handful of traditional metrics from desktops that are not as important on mobile or potentially difficult to optimize.

    How SaaS Products Ascend the “Trust Pyramid”

    openviewpartners.com   (2019-08-20)

    tags: ecommerce, prodmgmt, trust

    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.

    8-step SEO Crawl Audit for Ecommerce

    www.practicalecommerce.com   (2019-08-20)

    tags: ecommerce, keywords-ppc-seo

    Your site won’t rank if search engine bots can’t crawl it. And hidden doors that don’t impact human visitors can lock bots out. Use these eight steps to ensure search bots can access all of your ecommerce site.

    Amazon is a boring retailer — Benedict Evans

    www.ben-evans.com   (2019-08-09)

    tags: ecommerce, platforms, prodmgmt, retail

    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.

    Free SaaS tools for companies on a budget (and a pre-form...

    canny.io   (2019-07-25)

    tags: ecommerce, prodmgmt, programming

    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.

    7 Gaps in Google Analytics That Require Additional Tools

    www.practicalecommerce.com   (2019-06-23)

    tags: analytics, ecommerce, prodmgmt

    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.

    The inherent value of identifiable store traffic

    www.retaildive.com   (2019-05-29)

    tags: ecommerce, prodmgmt, retail

    Many attributes of the customer journey are very predictable and can be planned for to create and convert inbound store footfall.

    Buy Me a Coffee

    buymeacoffee.com   (2019-05-12)

    tags: behaviors, ecommerce, programming

    Buy Me a Coffee is the best way for creators and artists to accept support and membership from their fans.

    Amazon and Target race to revolutionize the cardboard shi...

    www.fastcompany.com   (2019-05-08)

    tags: ecommerce, packaging, prodmgmt

    The box has never looked better.

    The Case for Optimizing Image Performance

    www.practicalecommerce.com   (2019-04-16)

    tags: ecommerce, images

    For ecommerce, pictures can showcase products, inspire customers, and boost conversion rates. For web performance, however, pictures can hurt page load

    SEO: Tell Google Which Pages Not to Crawl

    www.practicalecommerce.com   (2019-03-08)

    tags: ecommerce, keywords-ppc-seo

    The typical goal of search engine optimization is to have your site's pages show up on a Google results page in answer to a query. But there are pages that should not be included in search results. Removing them from Google's index might actually increase search engine traffic.

    https://t.co/3rDmZUD0NV?ssr=true

    t.co   (2019-02-15)

    tags: ecommerce

    Laundry detergent or boxed wine? How e-commerce is changi...

    www.supplychaindive.com   (2019-02-05)

    tags: ecommerce, packaging, prodmgmt

    Manufacturers are developing two packaging designs for the same product: those destined for the retail shelf and those sent directly to consumers.

    ‘They offered us everything but the kitchen sink’: DTC br...

    digiday.com   (2019-01-26)

    tags: ecommerce

    Amazon wants the customer that buys DTC brands, and it’s offering incentives for that to happen like specialized shipping packages or financial investments.

    StoreKing lures Amazon by connecting the dots of rural India

    asia.nikkei.com   (2019-01-22)

    tags: ecommerce

    Network of mom-and-pop shops brings e-commerce to up to 800m consumers

    Untuckit is using Amazon to offload older styles

    digiday.com   (2019-01-22)

    tags: clothes, ecommerce, prodmgmt

    Untuckit is using Amazon to offload older styles -- preferring the marketplace as an alternative over the traditional outlet store.

    We wasted $50K on Google Ads so you don’t have to

    www.indiehackers.com   (2019-01-16)

    tags: advertising-commercials, analytics, ecommerce

    Connect with developers sharing the strategies and revenue numbers behind their companies and side projects.

    How PopSockets Prospered after Leaving Amazon

    www.practicalecommerce.com   (2019-01-13)

    tags: ecommerce, prodmgmt, startups

    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.

    3 Strategies to Fulfill Like Amazon

    www.practicalecommerce.com   (2019-01-13)

    tags: ecommerce, supply-chain

    We can be certain that Amazon is spending millions to improve and optimize its shipping processes. In this post, I'll describe three strategies to fulfill like Amazon, even if you have a fraction of its scale and infrastructure.

    “Secret” Google Playbook Shows How to Improve Ecommerce S...

    www.searchenginejournal.com   (2018-12-31)

    tags: ecommerce

    Google published a strategy book that's a gold mine of data driven tips for increasing sales.

    Shopify App Store: Ecommerce App Marketplace

    apps.shopify.com   (2018-12-22)

    tags: ecommerce, platforms, prodmgmt, shopify

    Shopify App Store: customize your online store and grow your business with Shopify-approved apps for marketing, store design, fulfillment, and more.

    ‘It’s their moat’: How Shopify built an $800 million part...

    digiday.com   (2018-12-21)

    tags: ecommerce, platforms, prodmgmt

    Shopify is partnering with a network of more than 20,000 app developers and agency partners to build profitable businesses.

    25 Ecommerce A/B Testing Ideas For Your 5 Top Store Pages

    sumo.com   (2018-11-26)

    tags: a-b, analytics, ecommerce, prodmgmt

    The biggest question in ecommerce A/B testing is not “how.”

    Why the Sharing Economy Has Come to Apparel

    www.adweek.com   (2018-11-13)

    tags: clothes, ecommerce, prodmgmt

    Express and Ann Taylor are just two of several established retailers that have launched clothing rental subscriptions in recent months.

    Success with Google Shopping, Part 3: Merchant Center Setup

    www.practicalecommerce.com   (2018-11-03)

    tags: ecommerce

    Google Shopping ads can deliver many prospects to an ecommerce site. The ads can appear for precise keyword searches — such as a product make and model — making them effective in matching products to buyers. This is the third article in my "Success with Google Shopping" serious.

    How to Market a Seemingly Boring Industry in a Unique Way...

    www.adweek.com   (2018-09-21)

    tags: advertising-commercials, ecommerce

    Sometimes the outrageous, bizarre route is best.

    5 ways to avoid duplicate content and indexing issues on ...

    searchengineland.com   (2018-09-03)

    tags: ecommerce

    Before a page can rank well, it needs to be crawled and indexed. Contributor Manish Dudharejia shares five tips to give your pages the best chance of getting indexed in the search results.

    eCommerce 101: Understanding Shopping Cart Abandonment [w...

    www.toptal.com   (2018-08-23)

    tags: ecommerce, prodmgmt

    An illuminating infographic highlights 10 e-commerce pain points that ruin the user experience and lead to shopping cart abandonment.

    Service as a SKU | Andreessen Horowitz

    a16z.com   (2018-08-21)

    tags: ecommerce, ideas, prodmgmt

    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...

    What PopSugar learned from selling products through text ...

    digiday.com   (2018-08-13)

    tags: ecommerce, marketing, mobile, prodmgmt

    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.

    The Real Benefit of Amazon Reviews

    www.practicalecommerce.com   (2018-07-05)

    tags: custsvc, ecommerce, prodmgmt, reviews

    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

    15 Tools for Animation

    www.practicalecommerce.com   (2018-06-13)

    tags: animation, ecommerce, programming

    If you’re interested in creating content to promote your product or service, think about making a cartoon. Producing animation has several advantages over

    Strategy & Implementation of Third-Party Connections in P...

    medium.learningbyshipping.com   (2018-06-05)

    tags: apis, ecommerce, prodmgmt

    Building a product that connects to multiple third-party products is a common approach — an annotated twitter thread exploring strategic…

    51 Examples of Growth Hacking Strategies & Techniques Fro...

    johnmcelborough.com   (2018-06-04)

    tags: analytics, ecommerce, growth-hacks

    Learn how the world's fastest growing companies have hacked their way to success with innovative products, viral promotions and ingenious marketing campaigns. [6500 words]

    10 ways to offer shoppers a discount

    www.practicalecommerce.com   (2018-05-30)

    tags: ecommerce, pricing, prodmgmt

    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.

    9 Tips to Manage Out-of-stock Inventory

    www.practicalecommerce.com   (2018-05-28)

    tags: ecommerce, supply-chain

    Sometimes even the most-prepared retailers sell out of popular items. How these inventory shortages are communicated on an ecommerce website may impact

    Why Online Retailers Should Hide Their Best Discounts

    hbswk.hbs.edu   (2018-05-08)

    tags: ecommerce, pricing

    Online retailers should take a tip from brick-and-mortar stores: shove your best deals to the back of the store. Research by Thales Teixeira and Donald Ngwe.

    Indie Hackers: Work Together to Build Profitable Online B...

    www.indiehackers.com   (2018-05-07)

    tags: ecommerce, growth-hacks, keywords-ppc-seo, prodmgmt

    Connect with developers sharing the strategies and revenue numbers behind their companies and side projects.

    Why sell barbells?

    www.practicalecommerce.com   (2018-05-04)

    tags: ecommerce, prodmgmt

    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,

    Comparing A/B and Multivariate Testing

    www.practicalecommerce.com   (2018-01-24)

    tags: a-b, analytics, ecommerce

    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.

    Inside Flipkart’s monster-cruncher: how it gleans insight...

    www.techinasia.com   (2017-11-27)

    tags: ecommerce, machine-learning

    Amazon’s systematic approach

    www.mckinsey.com   (2017-11-24)

    tags: ecommerce, prodmgmt

    Amazon turned an event into a blockbuster. Here’s a roadmap for retailers who want to replicate its success.

    4 Marketing Lessons from Opening a Brick-and-mortar Store

    www.practicalecommerce.com   (2017-11-15)

    tags: ecommerce, prodmgmt, retail

    Lessons learned from opening a brick-and-mortar retail store may apply to online merchants, providing insights about promoting products, driving sales,

    Machine Learning: Handbag Brand and Color Detection using...

    technology.condenast.com   (2017-11-08)

    tags: deep-learning, ecommerce, machine-learning, vision

    Locking A Loophole

    tedium.co   (2017-09-24)

    tags: ecommerce, deminimus, public-policy

    The Biden administration’s push to close an obscure loophole on imports highlights just how disruptive the Temu model really is.

    How Not To Sort By Average Rating – Evan Miller

    www.evanmiller.org   (2017-08-31)

    tags: analytics, ecommerce

    Users are rating items on your website. How do you know what the highest-rated items are?


    -->