Back to all Blog Posts

Web Scraping 101 in Python with Requests & BeautifulSoup

  • Coding
  • Python
31. July 2019
·

Team statworx

Intro

Information is everywhere online. Unfortunately, some of it is hard to access programmatically. While many websites offer an API, they are often expensive or have very strict rate limits, even if you’re working on an open-source and/or non-commercial project or product.

That’s where web scraping can come into play. Wikipedia defines web scraping as follows:

Web scraping, web harvesting, or web data extraction data scraping used for extracting data from websites. Web scraping software may access the World Wide Web directly using the Hypertext Transfer Protocol [HTTP], or through a web browser.

“Web scraping” wikipedia.org

In practice, web scraping encompasses any method allowing a programmer to access the content of a website programmatically, and thus, (semi-) automatically.

Here are three approaches (i.e. Python libraries) for web scraping which are among the most popular:

  1. Sending an HTTP request, ordinarily via Requests, to a webpage and then parsing the HTML (ordinarily using BeautifulSoup) which is returned to access the desired information. Typical Use Case: Standard web scraping problem, refer to the case study.
  2. Using tools ordinarily used for automated software testing, primarily Selenium, to access a websites‘ content programmatically. Typical Use Case: Websites which use Javascript or are otherwise not directly accessible through HTML.
  3. Scrapy, which can be thought of as more of a general web scraping framework, which can be used to build spiders and scrape data from various websites whilst minimizing repetition. Typical Use Case: Scraping Amazon Reviews.

While you could scrape data using any other programming language as well, Python is commonly used due to its ease of syntax as well as the large variety of libraries available for scraping purposes in Python.

After this short intro, this post will move on to some web scraping ethics, followed by some general information on the libraries which will be used in this post. Lastly, everything we have learned so far will be applied to a case study in which we will acquire the data of all companies in the portfolio of Sequoia Capital, one of the most well-known VC firms in the US. After checking their website and their robots.txt, scraping Sequoia’s portfolio seems to be allowed; refer to the section on robots.txt and the case study for details on how I went about determining this.

In the scope of this blog post, we will only be able to have a look at one of the three methods above. Since the standard combination of Requests + BeautifulSoup is generally the most flexible and easiest to pick up, we will give it a go in this post. Note that the tools above are not mutually exclusive; you might, for example, get some HTML text with Scrapy or Selenium and then parse it with BeautifulSoup.

Web Scraping Ethics

One factor that is extremely relevant when conducting web scraping is ethics and legality. I’m not a lawyer, and specific laws tend to vary considerably by geography anyway, but in general web scraping tends to fall into a grey area, meaning it is usually not strictly prohibited, but also not generally legal (i.e. not legal under all circumstances). It tends to depend on the specific data you are scraping.

In general, websites may ban your IP address anytime you are scraping something they don’t want you to scrape. We here at statworx don’t condone any illegal activity and encourage you to always check explicitly when you’re not sure if it’s okay to scrape something. For that, the following section will come in handy.

Understanding robots.txt

The robot exclusion standard is a protocol which is read explicitly by web crawlers (such as the ones used by big search engines, i.e. mostly Google) and tells them which parts of a website may be indexed by the crawler and which may not. In general, crawlers or scrapers aren’t forced to follow the limitations set forth in a robots.txt, but it would be highly unethical (and potentially illegal) to not do so.

The following shows an example robots.txt file taken from Hackernews, a social newsfeed run by YCombinator which is popular with many people in startups.

User-Agent: *
Disallow: /x?
Disallow: /vote?
Disallow: /reply?
Disallow: /submitted?
Disallow: /submitlink?
Disallow: /threads?
Crawl-delay: 30


The Hackernews robots.txt specifies that all user agents (thus the * wildcard) may access all URLs, except the URLs that are explicitly disallowed. Because only certain URLs are disallowed, this implicitly allows everything else. An alternative would be to exclude everything and then explicitly specify only certain URLs which can be accessed by crawlers or other bots.

Also, notice the crawl delay of 30 seconds which means that each bot should only send one request every 30 seconds. It is good practice, in general, to let your crawler or scraper sleep in regular (rather large) intervals since too many requests can bring down sites down, even when they come from human users.

When looking at the robots.txt of Hackernews, it is also quite logical why they disallowed some specific URLs: They don’t want bots to pose as users by for example submitting threads, voting or replying. Anything else (e.g. scraping threads and their contents) is fair game, as long as you respect the crawl delay. This makes sense when you consider the mission of Hackernews, which is mostly to disseminate information. Incidentally, they also offer an API that is quite easy to use, so if you really needed information from HN, you would just use their API.

Refer to the Gist below for the robots.txt of Google, which is (obviously) much more restrictive than that of Hackernews. Check it out for yourself, since it is much longer than shown below, but essentially, no bots are allowed to perform a search on Google, specified on the first two lines. Only certain parts of a search are allowed, such as „about“ and „static“. If there is a general URL which is disallowed, it is overwritten if a more specific URL is allowed (e.g. the disallowing of /search is overridden by the more specific allowing of /search/about).

User-Agent: * 
Disallow: /x?
Disallow: /vote?
Disallow: /reply?
Disallow: /submitted?
Disallow: /submitlink?
Disallow: /threads?
Crawl-delay: 30


Moving on, we will take a look at the specific Python packages which will be used in the scope of this case study, namely Requests and BeautifulSoup.

Requests

Requests is a Python library used to easily make HTTP requests. Generally, Requests has two main use cases, making requests to an API and getting raw HTML content from websites (i.e., scraping).

Whenever you send any type of request, you should always check the status code (especially when scraping), to make sure your request was served successfully. You can find a useful overview of status codes here. Ideally, you want your status code to be 200 (meaning your request was successful). The status code can also tell you why your request was not served, for example, that you sent too many requests (status code 429) or the infamous not found (status code 404).

Use Case 1: API Requests

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import datetime
import requests
KEY = "YOUR_KEY_HERE"
date = datetime.datetime.now().strftime("%Y%m%d")
BASE_REQUEST = (
"https://api.nytimes.com/svc/search/v2/articlesearch.json"
)
payload = {
"api-key": KEY,
"begin_date": date,
"end_date": date,
"q": "Donald Trump"
}
r = requests.get(BASE_REQUEST, param=payload)
if r.status_code == 200:
print(r.json())
view raw requests_api.py hosted with ❤ by GitHub

The Gist above shows a basic API request directed to the NYT API. If you want to replicate this request on your own machine, you have to first create an account at the NYT Dev page and then assign the key you receive to the KEY constant.

The data you receive from a REST API will be in JSON format, which is represented in Python as a dict data structure. Therefore, you will still have to „parse“ this data a bit before you actually have it in a table format which can be represented in e.g. a CSV file, i.e. you have to select which data is relevant for you.

Use Case 2: Scraping

The following lines request the HTML of Wikipedia’s page on web scraping. The status code attribute of the Response object contains the status code related to the request.

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import requests
r = requests.get(
'https://en.wikipedia.org/wiki/Web_scraping')
if r.status_code == 200:
print(r.text)

After executing these lines, you still only have the raw HTML with all tags included. This is usually not very useful, since most of the time when scraping with Requests, we are looking for specific information and text only, as human readers are not interested in HTML tags or other markups. This is where BeautifulSoup comes in.

BeautifulSoup

BeautifulSoup is a Python library used for parsing documents (i.e. mostly HTML or XML files). Using Requests to obtain the HTML of a page and then parsing whichever information you are looking for with BeautifulSoup from the raw HTML is the quasi-standard web scraping „stack“ commonly used by Python programmers for easy-ish tasks.

Going back to the Gist above, parsing the raw HTML returned by Wikipedia for the web scraping site would look similar to the below.

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import requests
from bs4 import BeautifulSoup
r = requests.get(
'https://en.wikipedia.org/wiki/Web_scraping')
if r.status_code == 200:
soup: bs4.BeautifulSoup = BeautifulSoup(r.content, "html.parser")
for headline in soup.find_all("span", {"class": "mw-headline"}):
print(headline.text)
view raw bs4.py hosted with ❤ by GitHub

In this case, BeautifulSoup extracts all headlines, i.e. all headlines in the Contents section at the top of the page. Try it out for yourself!

As you can see below, you can easily find the class attribute of an HTML element using the inspector of any web browser.

Figure 1: Finding HTML elements on Wikipedia using the Chrome inspector.

This kind of matching is (in my opinion), one of the easiest ways to use BeautifulSoup: You simply specify the HTML tag (in this case, span) and another attribute of the content which you want to find (in this case, this other attribute is class). This allows you to match arbitrary sections of almost any webpage. For more complicated matches, you can also use regular expressions (REGEX).

Once you have the elements, from which you would like to extract the text, you can access the text by scraping their text attribute.

Inspector

As a short interlude, it's important to give a brief introduction to the Dev tools in Chrome (they are available in any browser, I just chose to use Chrome), which allows you to use the inspector, that gives you access to a websites HTML and also lets you copy attributes such as the XPath and CSS selector. All of these can be helpful or even necessary in the scraping process (especially when using Selenium). The workflow in the case study should give you a basic idea of how to work with the Inspector. For more detailed information on the Inspector, the official Google website linked above contains plenty of information.

Figure 2: Chrome Inspector on Wikipedia.

Figure 2 shows the basic interface of the Inspector in Chrome.

Sequoia Capital Case Study

I actually first wanted to do this case study with the New York Times, since they have an API and thus the results received from the API could have been compared to the results from scraping. Unfortunately, most news organizations have very restrictive robots.txt, specifically not permitting searching for articles. Therefore, I decided to scrape the portfolio of one of the big VC firms in the US, Sequoia, since their robots.txt is permissive and I also think that startups and the venture capital scene are very interesting in general.

Robots.txt

First, let’s have a look at Sequoia’s robots.txt:

User-agent: *
Allow: /
Disallow: /bd
Disallow: /buildstatus
Disallow: /resume

Luckily, they permit access of various kinds – except three URLs, which is fine for our purposes. We will still build in a crawl delay of 15-30 seconds between each request.

Next, let's scope out the actual data which we are trying to scrape. We are interested in the portfolio of Sequoia, so https://www.sequoiacap.com/companies/ is the URL we are after.

Figure 3: Sequoia’s portfolio.

The companies are nicely laid out in a grid, making them pretty easy to scrape. Upon clicking, the page shows the details of each company. Also, notice how the URL changes in Figure 4 when clicking on a company! This is important for Requests especially.

Figure 4: Detail page on one of Sequoia’s portfolio companies.

Let's aim for collecting the following basic information on each company and outputting them as a CSV file:

  • Name of the company
  • URL of the company
  • Description
  • Milestones
  • Team
  • Partner

If any of this information is not available for a company, we will simply append the string "NA" instead.

Time to start inspecting!

Scraping Process

Company Name

Upon inspecting the grid it looks like the information on each company is contained within a div tag with the class companies _company js-company. Thus we should just be able to look for this combination with BeautifulSoup.

Figure 5: Grid structure of each company.

This still leaves us with all the other information missing though, meaning we have to somehow access the detail page of each company. Notice how in Figure 5 above, each company div has an attribute called data-url. For 100 Thieves, for example, onclick has the value /companies/100-thieves/. That's just what we need!

Now, all we have to do is to append this data-URL attribute for each company to the base URL (which is just https://www.sequoiacap.com/) and now we can send yet another request to access the detail page of each company.

So let's write some code to first get the company name and then send another request to the detail page of each company: I will write code interspersed with text here. For a full script, check my Github.

First of all, we take care of all the imports and set up any variables we might need. We also send our first request to the base URL which contains the grid with all companies and instantiates a BeautifulSoup parser.

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import random
import re
import sys
import time
import bs4
import numpy as np
import pandas as pd
import requests
from bs4 import BeautifulSoup
def delay() -> None:
time.sleep(random.uniform(15, 30))
return None
base: str = "https://www.sequoiacap.com/companies/"
content: dict = {
"name": [],
"url": [],
"description": [],
"milestones": [],
"team": [],
"partner": []
}
delay()
r: requests.Response = requests.get(base)
soup: bs4.BeautifulSoup = BeautifulSoup(r.content, "html.parser")
view raw setup.py hosted with ❤ by GitHub

After we have taken care of basic bookkeeping and setup the dictionary in which we want to scrape the data, we can start working on the actual scraping, first parsing the class shown in Figure 5. As you can see in Figure 5, once we have selected the div tag with the matching class, we have to go to its first div child and then select its text, which then contains the name of the company.

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
for company in soup.find_all(
"div", {"class": "companies _company js-company"}
):
# Parse company name.
name = company.div.text
# Send request to the detail company page
# and parse it using BeautifulSoup.
r = requests.get("https://www.sequoiacap.com" + company["data-url"])
detailed_soup = BeautifulSoup(r.content, "html.parser")
view raw main_page.py hosted with ❤ by GitHub

On the detail page, we have basically everything we wanted. Since we already have the name of the company, all we still need are URL, description, milestones, team and the respective partner from Sequoia.

Company URL

For the URL, we should just be able to find elements by their class and then select the first element, since it seems like the website is always the first social link. You can see the inspector view in Figure 6.

Figure 6: The first social link ordinarily contains the company URL.

But wait – what if there are no social links or the company website is not provided? In the case that the website is not provided, but a social media page is, we will simply consider this social media link the company's de facto website. If there are no social links provided at all, we have to append an NA. This is why we check explicitly for the number of objects found because we cannot access the href attribute of a tag that doesn't exist. An example of a company without a URL is shown in Figure 7.

Figure 7: Company without social links.
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Parse company url.
url = detailed_soup.find_all("a", {"class": "social-link"})["href"]
if len(url) == 0:
url = "NA"
else:
url = detailed_soup.find("a", {"class": "social-link"})["href"]
view raw url.py hosted with ❤ by GitHub


Company description

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Parse company description
description = detailed_soup.find_all(
"div", {"class": "company-holder _body-copy -grey-dark"})
if len(description) == 0:
description = "NA"
else:
description = detailed_soup.find(
"div", {"class": "company-holder _body-copy -grey-dark"}
).p.text
view raw description.py hosted with ❤ by GitHub

As you can see in Figure 8, the p tag containing the company description does not have any additional identifiers, therefore we are forced to first access the div tag above it and then go down to the p tag containing the description and selecting its text attribute.

Figure 8: Company description.

Milestones, Team & Partner(s)

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Parse company milestones.
milestones = detailed_soup.find_all(text="Milestones")
if len(milestones) <= 1:
milestones = "NA"
else:
milestones = (
detailed_soup.find(text="Milestones")
.parent.parent.ul.text
.strip().replace("\n", "|")
)
# Parse company founders / team members.
team = detailed_soup.find_all(text="Team")
if len(team) <= 1:
team = "NA"
else:
team = (
detailed_soup.find(text="Team")
.parent.parent.ul.text
.strip().replace("\n", "|")
)
# Parse Sequoia partner responsible for the company.
partner = detailed_soup.find_all(text=re.compile("^Partners?"))</td> </tr> <tr> <td id="file-milestones_team_partner-py-L29" class="blob-num js-line-number js-blob-rnum" data-line-number="29"></td> <td id="file-milestones_team_partner-py-LC29" class="blob-code blob-code-inner js-file-line"> if len(partner) &lt;= 1:</td> </tr> <tr> <td id="file-milestones_team_partner-py-L30" class="blob-num js-line-number js-blob-rnum" data-line-number="30"></td> <td id="file-milestones_team_partner-py-LC30" class="blob-code blob-code-inner js-file-line"> partner = "NA"</td> </tr> <tr> <td id="file-milestones_team_partner-py-L31" class="blob-num js-line-number js-blob-rnum" data-line-number="31"></td> <td id="file-milestones_team_partner-py-LC31" class="blob-code blob-code-inner js-file-line"> else:</td> </tr> <tr> <td id="file-milestones_team_partner-py-L32" class="blob-num js-line-number js-blob-rnum" data-line-number="32"></td> <td id="file-milestones_team_partner-py-LC32" class="blob-code blob-code-inner js-file-line"> partner = (</td> </tr> <tr> <td id="file-milestones_team_partner-py-L33" class="blob-num js-line-number js-blob-rnum" data-line-number="33"></td> <td id="file-milestones_team_partner-py-LC33" class="blob-code blob-code-inner js-file-line"> detailed_soup.find(text=re.compile("^Partners?"))
.parent.parent.ul.text
.strip().replace("\n", "|")
)


For the last three elements, they are all located in the same structure and can thus be accessed in the same manner. We will simply match the text of their parent element and then work our way down from there.

Since the specific text elements do not have good identifying characteristics, we match the text of their parent element. Once we have the text, we go up two levels, by using the parent attribute. This brings us to the div tag belonging to this specific category (e.g. Milestones or Team). Now all that is left to do is go down to the ul tag containing the actual text we are interested in and getting its text.

Figure 9: Combining a text match with the parent attributes allows the acquisition of text without proper identifying characteristics.

One issue with using text match is the fact that only exact matches are found. This matters in cases where the string you are looking for might differ slightly between pages. As you can see in Figure 10, this applies to our case study here for the text Partner. If a company has more than one Sequoia partner assigned to it, the string is "Partners" instead of "Partner". Therefore we use a REGEX when searching for the partner element to get around this.

Figure 10: Exact string matching can lead to problems if there are minor differences in between HTML pages.

Last but not least, it is not guaranteed that all the elements we want (i.e. Milestones, Team, and Partner) are in fact available for each company. Thus before actually selecting the element, we first find all elements matching the string and then check the length. If there are no matching elements, we append NA, otherwise, we get the requisite information.

For a partner, there is always one element, thus we assume no partner information is available if there are one or fewer elements. I believe the reason that one element matching partner always shows up is the "Filter by Partner" option shown in Figure 11. As you can see, scraping often requires some iterating to find some potential issues with your script.

Figure 11: Filter by partner option.

Writing to disk

To wrap up, we append all the information corresponding to a company to the list it belongs to within our dictionary. Then we convert this dictionary into a pandas DataFrame before writing it to disk.

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Append all data belonging to this company
# to the content dictionary.
content["name"].append(name)
content["url"].append(url)
content["description"].append(description)
content["milestones"].append(milestones)
content["team"].append(team)
content["partner"].append(partner)
delay()
# Write scraped data to disk.
df: pd.DataFrame = pd.DataFrame(content)
df = df.replace("", np.nan).fillna(value="NA")
df.to_csv("../01_data/requests_output.csv",
index=False,
sep=";",
encoding="utf-8")
view raw cleanup.py hosted with ❤ by GitHub

Success! We just collected all of Seqouia's portfolio companies and information on them.

* Well, all on their website at least, I believe they have their own respective sites for e.g. India and Israel.

Let's have a look at the data we just scraped:

name url description milestones team partner
100 Thieves https://www.100thieves.com/ 100 Thieves (“Hundred Thieves”) is a Los Angeles; CA-based lifestyle; apparel; and esports organization founded by former Call of Duty world champion and YouTube sensation Matthew "Nadeshot" Haag. The brand has teams competing in League of Legends; Fortnite; Call of Duty; and Clash Royale. 100 Thieves earned first place in the North America League of Legends Championship Series (NALCS) Spring Regular Season and represented North America at the 2018 World Championships in South Korea. They are the fastest growing esports channel on YouTube. Founded 2016; Partnered 2018 Matthew Haag; John Robinson Stephanie Zhan
23andMe https://www.23andme.com/ 23andMe is the leading personal genetics company dedicated to helping individuals understand their own genetic information through DNA analysis technologies and web-based interactive tools. The company is a web-based service that helps consumers understand what their DNA says about their health; traits and ancestry. Founded 2006; Partnered 2017 Anne Wojcicki Roelof Botha
[24]7.ai https://www.247.ai/ [24]7.ai helps businesses attract and retain customers; and make it possible to create a personalized; predictive and effortless customer experience. Founded 2000; Partnered 2003 Shanmugam "Nags" Nagarajan; P V Kannan Michael Moritz
ActionIQ http://www.actioniq.co/ ActionIQ is developing the next generation of distributed data engines. It lives in the cloud; manages itself; and scales to billions of historical events. It utilizes latest hardware trends; massive parallelism and computes results orders of magnitude faster than state-of-the-art databases. Founded 2014; Partnered 2014 Tasso Argyros; David Todrin Doug Leone
Against Gravity https://www.againstgrav.com/ Against Gravity is an augmented and virtual reality software company. Founded 2016; Partnered 2016 Nick Fajt; Cameron Brown; Bilal Orhan; Dan Kroymann; John Bevis; Josh Wehrly Stephanie Zhan
AgilOne http://www.agilone.com AgileOne bridges the gap between big data; consumer insights and execution into one solution for marketers. Founded 2005; Partnered 2011 Omer Artun Bryan Schreier
Airbnb http://www.airbnb.com One of the first companies to usher in the sharing economy; Airbnb connects people around the world with unique homes and unforgettable experiences. Founded 2007; Partnered 2009 Nathan Blecharczyk; Brian Chesky; Joe Gebbia Alfred Lin; Michael Abramson
AirStrip http://www.airstriptech.com Airstrip Technologies developed medical software to deliver real time; critical patient data to the mobile devices of those who need it most. Founded 2004; Partnered 2010 Cameron Powell; Alan Portela; Trey Moore Michael Dixon
Ameritox http://www.ameritox.com Ameritox is the nation’s leader in pain medication monitoring; offering laboratory services and practice management tools to help clinicians coordinate and optimize the care of chronic pain patients. Founded 1996; Partnered 2007 A. Scott Walton NA
Amplitude https://amplitude.com/ Amplitude helps product teams rapidly build digital products that work better for the customer and grow their business. Founded 2012; Partnered 2018 NA Pat Grady; Sonya Huang
App Annie http://www.appannie.com App Annie helps businesses do "The Math Behind the App Stores" with rankings; analytics; and market intelligence for all the leading app stores. Founded 2010; Partnered 2013 Bertrand Schmitt Omar Hamoui
Armis https://armis.com/ Armis is the first agentless; enterprise-class security platform to address the new threat landscape of unmanaged and IoT devices. Our mission is to let companies adopt these new types of connected devices without fear of compromise by cyber attack. Founded 2015; Partnered 2015 Yevgeny Dibrov; Nadir Izrael Gili Raanan; Carl Eschenbach; Sonya Huang
Assurex Health http://www.assurexhealth.com Assurex Health helps physicians determine the right medication for patients; using pharmacogenomics—the study of the genetic factors that influence an individual's response to drug treatments. Founded 2006; Partnered 2011; Acquired 2016 James S. Burns; Gina Drosos; Donald Wright NA
Athelas https://athelas.com/ Instant; at-home blood diagnostics for oncology care. Founded 2016; Partnered 2016 Tanay Tandon; Deepika Bodapati Alfred Lin; Liu Jiang
Aurora https://aurora.tech/ Aurora is catalyzing the self-driving revolution by solving today’s most complex AI; automation and engineering challenges. Founded 2016; Partnered 2019 Chris Urmson; Sterling Anderson; Drew Bagnell Carl Eschenbach; Amy Sun
Barefoot Networks http://barefootnetworks.com/ As Ethernet switch chips rise in demand; Barefoot Networks is innovating new ways to compete in the promising market by offering bare-metal switching to networking companies. Founded 2013; Partnered 2014; Acquired 2019 Martin Izzard Bill Coughran
Berkeley Lights https://www.berkeleylights.com/ Berkeley Lights has brought to market a novel technology for single cell identification; measurement and manipulation aiming to revolutionize biopharma; diagnostics and life science research. Founded 2011; Partnered 2015 Eric Hobbs Michael Moritz
Bird https://www.bird.co/ Bird is an electric vehicle sharing company dedicated to bringing affordable; environmentally-friendly transportation solutions to communities across the world. It provides a fleet of shared electric scooters that can be accessed via smartphones. Birds give people looking to take a short journey across town or down that "last-mile" from the subway or bus to their destination in a way that does not pollute the air or add to traffic. Founded 2017; Partnered 2018 Travis VanderZanden Roelof Botha; Andrew Reed
Blue Danube Systems http://www.bluedanubelabs.com Blue Danube Systems designed a mobile wireless solution that significantly and cost-effectively increases network capacity and enhances quality of service. Founded 2006; Partnered 2013 Mark Pinto Bill Coughran
BridgeBio https://bridgebio.com/ BridgeBio finds; develops; and delivers breakthrough medicines for genetic diseases. They have built a portfolio of more than 15 transformative drugs ranging from pre-clinical to late stage development in multiple therapeutic areas including genetic dermatology; oncology; cardiology; neurology; endocrinology; renal disease; and ophthalmology. The company’s focus on scientific excellence and rapid execution aims to translate today's discoveries into tomorrow's medicines. Founded 2014; Partnered 2018 Neil Kumar Roelof Botha; Michael Dixon
Brud http://www.http://www.brud.fyi Brud is a transmedia studio that creates digital character driven story worlds. Partnered 2016 Trevor McFedries; Sara DeCou Stephanie Zhan
Carbon http://carbon3d.com/ Through a process called “light extrusion;” Carbon is transforming 3D printing—moving beyond basic prototyping to 3D manufacturing and delivering previously impossible materials at over 100 times the speed. Founded 2013; Partnered 2013 Joe DeSimone; Rob Schoeben; Craig Carlson; Alex Ermoshkin; Jason Rolland Jim Goetz
CEGX http://www.cambridge-epigenetix.com/ Cambridge Epigenetix (CEGX) aims to change the way medicine is practised by reducing several routine and important diagnostic screening tests to a simple blood draw using the power of epigenetics. Epigenetics is the way genes are switched on or off (“expressed”); without altering the genes themselves; due to the presence of small chemicals around DNA or its surrounding proteins. Partnered 2015 Dr Jason Mellad Roelof Botha
Charlotte Tilbury http://www.charlottetilbury.com/us/ Founded by world renown make-up artist Charlotte Tilbury; Charlotte Tilbury Beauty is revolutionizing make-up with easy to choose; easy to use and easy to gift skincare and color products. Founded 2013; Partnered 2017 Charlotte Tilbury Michael Moritz
Chartboost http://www.chartboost.com Founded by game developers and data geeks; Chartboost builds technology for people just like them; so they can turn their mobile games into successful businesses. Founded 2011; Partnered 2012 Maria Alegre; Sean Fannan Jim Goetz; Michael Abramson
Citizen http://www.citizen.com/ Citizen’s mission is to ‘Protect the World.’ Today; they do that through a free mobile application that keeps people safe and informed about local crime and incidents in their area. Founded 2015; Partnered 2017 Andrew Frame; JD Maresco; Luis Samaniego Mike Vernal
Clari http://clari.com/ Clari makes selling just about anything easier by combining data science; advanced analytics; mobile and cloud technology. Founded 2012; Partnered 2012 Venkat P Rangan; Andy Byrne Aaref Hilaly
Clever http://clever.com Schools call Clever a game changer because it makes using a school's technology faster and simpler for teachers and students. Founded 2012; Partnered 2013 Tyler Bosmeny; Dan Carroll; Rafael Garcia Bryan Schreier
Clickatell http://www.clickatell.com In 2000; Clickatell was founded to address a need in South Africa for an SMS provider that could enable the sending of multiple texts to different countries from a single website. Founded 2000; Partnered 2007 Pieter De Villiers; Casper De Villiers; Patrick Lawson NA
Clover Health https://cloverhealth.com/ Clover Health is a unique health insurance plan focused on driving down costs and producing improved health outcomes. Clover uses sophisticated analytics and custom software to direct their own clinical staff to proactively fill in gaps in the care of their members. Clover has a proven model they're scaling out. Founded 2014; Partnered 2015 Vivek Garipalli; Kris Gale Michael Dixon
Clutter https://www.clutter.io Clutter helps relieve stress from major life events. The company's full-service storage service allows consumers to safely and affordably store their belongings without lifting a finger. Founded 2013; Partnered 2015 Ari Mir; Brian Thomas Omar Hamoui
Cobalt Robotics https://cobaltrobotics.com/ Cobalt’s Security Service combines advances in autonomous cars; machine learning; anomaly detection; and 2-way telepresence. This allows a remote guard to be in many locations at once— providing high-level human intelligence; rapid situational awareness; real-time responsiveness; and perfect accountability. Founded 2016; Partnered 2018 Travis Deyle; Erik Schluntz Alfred Lin
Cohesity http://www.cohesity.com/ Cohesity is in the business of building and selling the next generation of secondary storage appliances. Founded 2013; Partnered 2013 Mohit Aron Bill Coughran; Carl Eschenbach
Comprehend http://www.comprehend.com Comprehend Systems creates SaaS tools that help understand; explore; and analyze data across multiple; disparate data sources. Comprehend Systems' first product; Comprehend Clinical; was created to improve and accelerate clinical trials to bring new; safer treatments to market sooner. Founded 2010; Partnered 2013 Rick Morrison; Jud Gardner Michael Dixon
Confluent https://www.confluent.io/ Confluent was founded by the team that built Apache Kafka™ at LinkedIn and that scaled Kafka to accommodate over 1 trillion messages per day – covering everything happening in a company. Founded 2014; Partnered 2017 Jay Kreps; Neha Narkhede; Jun Rao Matthew Miller
Crew https://crewapp.com/ Crew is a messaging app that's geared towards workers who don't sit in front of a computer for work. Similar to how Slack has helped workers in the information economy; Crew provides a single way for employees and managers to communicate using the phones they already have. Founded 2015; Partnered 2016 Daniel Leffel; Broc Miramontes NA
Cumulus Networks http://www.cumulusnetworks.com Cumulus Networks enables high-capacity networks and architectures that are affordable and easy to deploy. Founded 2009; Partnered 2013 JR Rivers; Nolan Leake NA
Dashlane https://www.dashlane.com/ Dashlane simplifies and secures your digital identity across all platforms and devices. The Dashlane app automatically fills and stores passwords; personal data; and payment details and includes a suite of tools to help you manage; monitor; and protect your digital identity. Available in 11 languages and trusted by 11+ million people in 180 countries; it's the complete; global solution for living safely and seamlessly online. Founded 2009; Partnered 2019 Emmanuel Schalit; Guillaume Maron; Jean Guillou Jim Goetz; Sonya Huang
Dia&Co https://www.dia.com/ Dia&Co an online shopping experience for women who wear size 14+. The company's flagship product is a personal styling service that allows customers to shop from the comfort of their homes. By developing a new kind of relationship with customers; Dia is resolving decades of inefficiencies in plus-size shopping. Founded 2014; Partnered 2016 Nadia Boujarwah; Lydia Gilbert Alfred Lin; Jess Lee
Docker http://www.docker.com Docker is pioneering the “containerization” of apps within the enterprise. It is built on an open source platform for developers of distributed applications. Founded 2010; Partnered 2014 Ben Golub; Solomon Hykes Matthew Miller; Bill Coughran
Domino Data Lab https://www.dominodatalab.com/ Domino was founded by three veterans of the finance industry; to help leading organizations develop better medicines; grow more productive crops; build better cars; or simply recommend the best song to play next. Their mission is to help data scientists across industries develop and deploy ideas faster with collaborative; reusable; reproducible analysis. Founded 2016; Partnered 2016 Nick Elprin; Chris Yang; Matthew Granade Bryan Schreier
DoorDash http://www.doordash.com Founded in 2013 in a dorm room at Stanford; DoorDash began with a mission to deliver local products to people online. Founded 2013; Partnered 2014 Tony Xu; Stanley Tang; Andy Fang Alfred Lin; Michael Abramson
Drawbridge http://drawbridge.com/ Drawbridge is the leader in identity resolution that helps customer-obsessed companies connect; unify; and supercharge their data to deliver unparalleled experiences with unmatched clarity. Drawbridge uses large-scale AI and machine learning technologies to build democratized solutions for identity to power martech; customer experience; and security applications. Founded 2010; Partnered 2010; Acquired 2019 Kamakshi Sivaramakrishnan Jim Goetz
Drift https://www.drift.com/ Drift is the world’s leading conversational marketing platform. Founded 2014; Partnered 2017 David Cancel; Elias Torres Pat Grady
Druva http://www.druva.com/ Druva is a leading provider of continuous data protection and disaster recovery solutions. Founded 2007; Partnered 2010 Jaspreet Singh Shailendra Singh
Elevate http://elevateapp.com Elevate is a new type of cognitive training tool designed to build communication and analytical skills. Founded 2014; Partnered 2012 Jesse Pickard Bryan Schreier
Embark Trucks https://embarktrucks.com/ Embark Trucks is developing self-driving semi trucks. Their team is made up of robotics specialists with deep expertise in artificial intelligence; machine learning; and real-world deployment of advanced technology. Embark Trucks' autonomous fleet leverages this leading technology to help address rising shipping costs due to the shortage of drivers for long-haul trips. Founded 2016; Partnered 2018 Alex Rodrigues; Brandon Moak Pat Grady
Ethos https://www.getethos.com/ Ethos is a next generation life insurance company that transforms the policy-buying experience by making it self-serve and instantaneous; whether online or on mobile. Founded 2016; Partnered 2017 Peter Colis; Lingke Wang Roelof Botha; Stephanie Zhan
Evernote http://www.evernote.com Evernote brings your life's work together in one digital workspace for storing and sharing. As one workspace that lives across your phone; tablet; and computer; Evernote is the place you write free from distraction; collect information; find what you need; and present your ideas to the world. Founded 2007; Partnered 2010 Phil Libin; Chris O'Neill; Stepan Pachikov Roelof Botha
Everwise https://www.geteverwise.com/ Everwise exists to solve an acute challenge – providing highly motivated professionals with the opportunities they uniquely need to be successful throughout their careers. Founded 2013; Partnered 2015 Ian Gover; Colin Schiller; Michael Bergelson NA
Faire https://www.faire.com/ Faire is revolutionizing the way retailers shop for their stores by taking all the pain out of the buying process. Store owners can come to Faire to get product recommendations from hundreds of brands all in one place. Founded 2016; Partnered 2017 Max Rhodes; Daniel Perito; Marcel Cortes Alfred Lin
Figma https://www.figma.com/ Figma is the first web-based collaborative design tool. Multiple people can jump in a file at the same time; so they can design; prototype; copy code and gather feedback all in one place. Figma has simplified the design process for teams of designers; developers; product managers; marketers and others at thousands of companies including Uber; Square; Twitter and GitHub. Founded 2012; Partnered 2019 Dylan Field; Evan Wallace Andrew Reed
Front https://frontapp.com/ Front redefines work communication with the first shared inbox for teams. By unifying email; customer communication channels; and apps in one delightful platform; Front helps teams collaborate transparently; and work faster and better together. Founded 2013; Partnered 2017 Mathilde Collin; Laurent Perrin Bryan Schreier; Andrew Reed
GameFly http://gamefly.com GameFly uses a monthly subscription model for game consoles and handhelds that saves gamers the hassle of finding and playing games that don't appeal to them. Founded 2002; Partnered 2002 Sean Spector; Dave Hodess Michael Moritz
GenEdit http://www.genedit.com/ GenEdit was founded to transform the delivery of gene therapies and enable the next generation of non-viral; gene editing-based therapeutics. GenEdit’s technology platform solves current delivery challenges by systematically screening its proprietary nanoparticle library and providing safer and efficient delivery to target tissues. GenEdit’s proprietary nanoparticles has broad applicability including the development of CRISPR-based therapeutics and gene therapy products for a wide range of genetic diseases. Founded 2016; Partnered 2016 Kunwoo Lee; Hyo Min Park; Niren Murthy Roelof Botha
Glossier https://www.glossier.com/ Founded in 2014; Glossier Inc. is building the future beauty company in collaboration with its customers. With products inspired by the people who use them and a mission to give voice through beauty; Glossier celebrates individuality and personal choice. Founded 2014; Partnered 2019 Emily Weiss Michael Abramson; Sonya Huang
Good Eggs http://www.goodeggs.com Good Eggs makes it easy for busy people to eat well at home by curating a marketplace full of the best local; organic produce; sustainable meat and fish; and delicious grocery staples. Founded 2011; Partnered 2013 Bentley Hall; Alon Salant Bryan Schreier
Graphcore https://www.graphcore.ai/ Graphcore has designed a new processor specifically for machine learning - the intelligence processing unit (IPU) to let innovators create next generation machine intelligence. Founded 2016; Partnered 2017 Nigel Toon; Simon Knowles Matthew Miller; Bill Coughran; Stephanie Zhan
Hayneedle http://www.hayneedle.com A collection of online stores that offers the largest selection of great specialty products at prices that fit within most any budget. Starting out as hammocks.com; Hayneedle has grown to become the one of the world’s largest home furnishings online retailers. Founded 2002; Partnered 2006 Doug Nielsen; Mark Hasebroock NA
Health Catalyst http://www.healthcatalyst.com Health Catalyst redefined analytics for hospitals and how they handle data unique to medicine. By determining normal data modeling was not the best fit for medical offices; Health Catalyst identified a crucial starting point for improving healthcare. Founded 2008; Partnered 2011 Daniel Burton; Steve Barlow; Brent Dover Michael Dixon
Hearsay Systems https://hearsaysystems.com Hearsay helps modernize traditional sales organizations by getting them tuned into social media. Founded 2009; Partnered 2010 Clara Shih; Steve Garrity Bryan Schreier
HireVue http://www.hirevue.com HireVue provides a video intelligence platform that utilizes video interviewing and pre-hire assessment to help global enterprises gain a competitive advantage in the modern talent marketplace to deliver a transformational hiring process. Founded 2004; Partnered 2013 Kevin Parker; Loren Larsen Matthew Miller
Houseparty https://joinhouse.party/ Houseparty allows users to quickly jump into “parties” of up to 8 people simultaneously; creating drop-in-drop-out style video chats between any friends who are online at the same time. Founded 2012; Partnered 2016; Acquired 2019 Ben Rubin; Itai Danino; Sima Sistani Mike Vernal
Houzz http://www.houzz.com A marketplace of homeowners and home professionals; Houzz is the best way to get inspired; discover products and to find and collaborate with the perfect architect; designer or contractor. Founded 2009; Partnered 2011 Adi Tatarko; Alon Cohen Alfred Lin
Inside.com http://www.inside.com/ Inside.com changes the way we read news on mobile devices by offering a short; engaging jump-off point into a curated feed of timely articles from reputable publications. Founded 2007; Partnered 2006 Jason Calacanis Roelof Botha
Instacart http://instacart.com Instacart seeks to build the best way for people anywhere in the world to shop for groceries and have them delivered instantly. Founded 2012; Partnered 2013 Apoorva Mehta; Max Mullen; Brandon Leonardo Michael Moritz; Alfred Lin; Michael Abramson
IPG http://www.ipg.com/ IPG collaborates with health plans in partnership with providers; physicians; manufacturers and patients to develop market-based solutions that deliver tangible value in the implantable Device Benefit Management space. Founded 2004; Partnered 2010 Vince Coppola Michael Dixon
Ironclad https://ironcladapp.com/ Ironclad builds contract solutions for creating; automating and tracking contracts; empowering legal teams to do more legal work; less paperwork. Founded 2014; Partnered 2018 Jason Boehmig; Cai GoGwilt Jess Lee
Jawbone http://www.jawbone.com A pioneer in Bluetooth technology; Jawbone makes discreet; wireless wearable devices. Founded 1999; Partnered 2007 Hosain Rahman; Alex Asseily NA
Kahuna http://www.usekahuna.com/ Kahuna invented the world’s first customer engagement engine dedicated to targeting and delighting customers of all demographics. Founded 2012; Partnered 2014 Adam Marchick; Jacob Taylor Omar Hamoui
Kenshoo http://www.kenshoo.com Kenshoo is the global leader in agile marketing; developing award-winning technology that powers digital marketing campaigns for nearly half of the Fortune 50 and all 10 top global ad agency networks. Founded 2006; Partnered 2007 Yoav Izhar-Prato; Alon Sheafer; Nir Cohen Shmil Levy
Kiwi http://www.kiwiup.com Kiwi saw a gap in the amount of games being developed for Android as an opportunity to excel and create entertainment apps built for the entire gaming market. Founded 2011; Partnered 2011 Omar Siddiqui; Shvetank Jain Alfred Lin; Omar Hamoui
Klarna http://www.klarna.com Klarna gives customers the simplest buying experience and companies amazing checkout rates. Founded 2005; Partnered 2010 Sebastian Siemiatkowski; Victor Jacobsson; Niklas Adalberth Michael Moritz; Michael Abramson
Lattice Engines http://www.lattice-engines.com Lattice is pioneering predictive marketing through intelligent applications and highly specific campaign options that make complex data science easy to use. Founded 2005; Partnered 2011 Shashi Upadhyay Doug Leone
Lifecode http://lifecodehealth.com/ Starting with an oncology focus; Lifecode is committed to improving the lives of patients through interpretation and architecture of genomic medicine. Founded 2011; Partnered 2011 NA NA
LightStep http://lightstep.com/ LightStep is rethinking observability in the emerging world of microservices and high concurrency. LightStep's first product enables developers and devops to trace individual requests through complex systems with incredibly high fidelity. Founded 2015; Partnered 2017 Ben Sigelman; Ben Cronin; Daniel Spoonhower Aaref Hilaly
Lilt https://lilt.com/ Lilt helps companies be first to emerging markets by offering a complete; high-quality solution for enterprise translation. By offering the first machine translation engine that continuously learns from human feedback; Lilt helps enterprises increase translation quality and speed without spiking costs. Founded 2015 Spence Green; John DeNero Bill Coughran; Liu Jiang
Limbix https://www.limbix.com/ Limbix provides Virtual Reality and digital therapeutic tools to help therapists provide more effective mental healthcare. Founded 2016; Partnered 2016 Ben Lewis; Tony Hsieh NA
Luminate http://www.luminatewireless.com/ Luminate enables mobile operators by transforming the ways in which they create networks and services. Founded 2013; Partnered 2013 Murari Srinivasan; Kevin Yu Bill Coughran
Mapillary https://www.mapillary.com/ Mapillary is a passionate community of people who want to make the world accessible to everyone by creating a photo representation of the world. Anyone can join the community and collect street level photos by using simple tools like smartphones or action cameras. Founded 2013; Partnered 2014 Jan Erik Solem Roelof Botha
MarkLogic http://www.marklogic.com Due to the increasing demands of housing big data; MarkLogic provides solutions by offering flexible and extensive databases for enterprises that are easy to integrate; search and manage. Founded 2001; Partnered 2002 Christopher Lindblad; Gary L. Bloom Pat Grady
Maven https://www.mavenclinic.com/ Maven is the only virtual clinic dedicated to women’s and family health. Maven’s platform gives on-demand access to best-in-class women’s and family health specialists; and makes it affordable and easy to get advice; diagnoses; and even prescriptions via video appointments; private messaging; and community-based forums. Maven operates both an on-demand consumer marketplace in addition to its family benefits platform; which offers programs around fertility; adoption; maternity; and return-to-work. Founded 2014; Partnered 2018 Kate Ryder Jess Lee
Medallia http://www.medallia.com Medallia's vision is simple: to create a world where companies are loved by customers and employees alike. Medallia Experience Cloud embeds the pulse of the customer in the organization and empowers employees with the customer data; insights and tools they need to make every experience great. More than 1;000 global brands trust Medallia's SaaS platform; the only enterprise grade platform that can wire the entire organization to systematically drive action and win on customer experience. Medallia has offices in Silicon Valley; New York; London; Paris; Sydney; Buenos Aires; and Tel Aviv. Founded 2001; Partnered 2011 Leslie Stretch; Amy Pressman; Borge Hald Doug Leone; Pat Grady
MetaStable http://metastablecapital.com/ Meta Stable is the first broad-spectrum crypto currency investment fund. Founded 2014; Partnered 2017 Naval Ravikant; Joshua Seims; Lucas Ryan NA
Metaswitch Networks http://www.metaswitch.com Metaswitch is the world’s leading cloud native communications software company. The company develops commercial and open-source software solutions that are constructively disrupting the way that service providers build; scale; innovate and account for communication services. By working with Metaswitch; visionary service providers are realizing the full economic; operational and technology benefits of becoming cloud-based and software-centric. Metaswitch’s award-winning solutions are powering more than 1;000 service providers in today’s global; ultra-competitive and rapidly changing communications marketplace. Founded 1981; Partnered 2008 Martin Lund Jim Goetz; Pat Grady
Mira Labs https://www.mirareality.com/ Mira Labs is a mobile augmented reality company with a mission to enhance the way we interact with technology and each other— starting in the workplace. Their minimalist; untethered AR headset works seamlessly with smartphones to allow users to engage in AR applications without the traditionally high barriers to entry. Founded 2016; Partnered 2017 Ben Taft; Matt Stern; Montana Reed Omar Hamoui
Moovit http://www.moovitapp.com Moovit is the world's largest urban mobility data and analytics company and the #1 transit app. Moovit simplifies your urban mobility all around the world; making getting around town via transit easier and more convenient. By combining information from public transit operators and authorities with live information from the user community; Moovit offers travelers a real-time picture; including the best route for the journey. Founded 2011; Partnered 2013 Nir Erez; Roy Bick Gili Raanan; Alfred Lin
Mu Sigma http://www.mu-sigma.com Mu Sigma provides decision sciences and analytics services to help companies institutionalize data-driven decision making. Founded 2005; Partnered 2011 Dhiraj C. Rajaram Shailendra Singh
Namely http://www.namely.com Namely provides a SaaS HR platform for mid-market companies. Founded 2012; Partnered 2015 Elisa Steele; Graham Younger; Paul Rogers; & Dan Murphy Pat Grady; Andrew Reed
NEXT Trucking https://www.nexttrucking.com/ NEXT Trucking is transforming the 700 billion trucking industry by connecting verified truckers to prescreened shippers through an efficient and transparent online marketplace that utilizes predictive load offering technology and intelligent matching capabilities to factor in preferred routes; rates and additional key touch points.</td> <td>Founded 2015; Partnered 2017</td> <td>Lidia Yan; Elton Chung</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC92" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L92" class="blob-num js-line-number" data-line-number="92"></td> <td>Nimble</td> <td>https://www.nimblerx.com/</td> <td>Nimble is building the largest; most convenient pharmacy in the world. Nimble is a pharmacy platform that enables prescriptions to be delivered the same day as prescribed to patients.</td> <td>Founded 2014; Partnered 2015</td> <td>Talha Sattar</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC93" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L93" class="blob-num js-line-number" data-line-number="93"></td> <td>Noom</td> <td>https://www.noom.com/#/</td> <td>Noom is the behavior change company that's disrupting the wellness industry; providing mobile; psychology-based behavior change programs to help people lose weight and prevent or manage conditions like diabetes and hypertension.</td> <td>Founded 2008; Partnered 2019</td> <td>Saeju Jeong; Artem Petakov</td> <td>Michael Abramson; Amy Sun</td> </tr> <tr id="file-sequoia_portfolio-csv-LC94" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L94" class="blob-num js-line-number" data-line-number="94"></td> <td>Nubank</td> <td>http://www.nubank.com.br</td> <td>With its efficient; transparent; mobile-first approach; Nubank is redefining people’s relationships with money via simple; accessible credit cards and digital banking.</td> <td>Founded 2013; Partnered 2013</td> <td>David Vélez; Edward Wible; Cristina Junqueira</td> <td>Doug Leone; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC95" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L95" class="blob-num js-line-number" data-line-number="95"></td> <td>Numerify</td> <td>http://www.numerify.com</td> <td>Numerify gives companies powerful cloud-based tools to get an unprecedented total view into operational and financial performance; while allowing IT to attain a more compelling front-office presence.</td> <td>Founded 2012; Partnered 2014</td> <td>Gaurav Rewari; Srikant Gokulnatha; Sadanand Sahasrabudhe; Pawan Rewari</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC96" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L96" class="blob-num js-line-number" data-line-number="96"></td> <td>Orbital Insight</td> <td>http://www.orbitalinsight.com</td> <td>Through a technique called deep learning; Orbital Insight harnesses and analyzes satellite imagery; enabling innovation in everything from agricultural development to deforestation policy. </td> <td>Founded 2013; Partnered 2014</td> <td>James Crawford</td> <td>Bill Coughran; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC97" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L97" class="blob-num js-line-number" data-line-number="97"></td> <td>Orchid Labs</td> <td>https://www.orchid.com/</td> <td>Orchid Labs Inc. is an open-source project committed to ending surveillance and censorship on the internet. The Orchid protocol uses an overlay network built upon the existing internet; which is driven by a peer-to-peer tokenized bandwidth exchange; creating a more inclusive; liberated internet. Orchid Labs was founded in 2017 by Stephen Bell; Brian J. Fox; Gustav Simonsson; Dr. Steven Waterhouse; and Jay Freeman. Orchid Labs is headquartered in San Francisco; California.</td> <td>Founded 2017; Partnered 2017</td> <td>Stephen​ ​Bell; Brian Fox; Jay Freeman; Gustav Simonsson; Dr. Steven Waterhouse</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC98" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L98" class="blob-num js-line-number" data-line-number="98"></td> <td>Percolate</td> <td>http://www.percolate.com</td> <td>Founded in 2011; Percolate has helped some of the world’s most successful companies launch new platforms and sites by streamlining marketing and social media processes through its pioneering marketing system of record.</td> <td>Founded 2011; Partnered 2014</td> <td>Noah Brier; James Gross</td> <td>Michael Dixon</td> </tr> <tr id="file-sequoia_portfolio-csv-LC99" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L99" class="blob-num js-line-number" data-line-number="99"></td> <td>PicsArt</td> <td>http://picsart.com</td> <td>PicsArt is a social image editing app and creative community. PicsArt makes it easy to step up your photo editing game; remix pictures with friends; make memes and stickers and share your creations with the world. </td> <td>Founded 2011; Partnered 2014</td> <td>Hovhannes Avoyan; Artavazd Mehrabyan</td> <td>Omar Hamoui; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC100" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L100" class="blob-num js-line-number" data-line-number="100"></td> <td>Pocket Gems</td> <td>http://www.pocketgems.com</td> <td>Founded in 2009 Pocket Gems' first products pioneered the free-to-play mobile games industry and have delighted and entertained millions of players. </td> <td>Founded 2009; Partnered 2010</td> <td>Daniel Terry; Harlan Crystal</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC101" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L101" class="blob-num js-line-number" data-line-number="101"></td> <td>Polychain Capital</td> <td>http://polychain.capital/</td> <td>Polychain Capital manages the world's premier blockchain asset hedge fund.</td> <td>Founded 2016; Partnered 2017</td> <td>Olaf Carlson-Wee</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC102" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L102" class="blob-num js-line-number" data-line-number="102"></td> <td>POPSUGAR</td> <td> http://corp.popsugar.com/</td> <td>In 2005; husband and wife duo Lisa and Brian Sugar created the “insanely addictive” website POPSUGAR as a fresh take on the celebrity coverage found on dated newsstands. </td> <td>Founded 2006; Partnered 2006</td> <td>Brian Sugar; Lisa Sugar</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC103" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L103" class="blob-num js-line-number" data-line-number="103"></td> <td>Prosper</td> <td>http://www.prosper.com</td> <td>Prosper empowers people to invest in each other in a way that is financially and socially rewarding. </td> <td>Founded 2006; Partnered 2013</td> <td>Stephan Vermut; Aaron Vermut; Ron Suber</td> <td>Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC104" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L104" class="blob-num js-line-number" data-line-number="104"></td> <td>Quantum Circuits</td> <td>http://quantumcircuits.com/</td> <td>QCI was founded in 2015 by leading physicists with a mission to build the first practical quantum computer. Together with a multi-disciplinary team of engineers; they are reimagining the full stack of quantum computation to offer a truly scalable platform; one that tackles the world's most challenging problems.</td> <td>Founded 2015; Partnered 2017</td> <td>Robert Schoelkopf; Michel Devoret; Luigi Frunzio; Brian Pusch</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC105" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L105" class="blob-num js-line-number" data-line-number="105"></td> <td>Quidd</td> <td>http://quidd.co/</td> <td>Quidd is the leading platform for buying; trading and using premium; rare digital goods. Available for free on iOS and Android devices; the Quidd app enables fans to buy; own and use digital stuff; like stickers; GIFs; cards and toys; to express their fandoms; construct their identities; and have more fun with their favorite things. The best names in entertainment; including Marvel; Game Of Thrones; Rick And Morty; Breaking Bad; and more; are using the Quidd platform to reach new audiences and build new businesses. </td> <td>Founded 2015; Partnered 2017</td> <td>Michael Bramlage; Erich Wood</td> <td>Omar Hamoui</td> </tr> <tr id="file-sequoia_portfolio-csv-LC106" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L106" class="blob-num js-line-number" data-line-number="106"></td> <td>R2 Semiconductor</td> <td>http://www.r2semi.com</td> <td>With modern gadgets demanding more from devices; R2 Semiconductor is reducing power consumption; managing temperature and minimizing space to make room for new tech. </td> <td>Founded 2008; Partnered 2009</td> <td>David Fisher; Larry Burns; Ravi Ramachandran</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC107" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L107" class="blob-num js-line-number" data-line-number="107"></td> <td>Rappi</td> <td>https://www.rappi.com/restaurantes</td> <td>Rappi is an on-demand delivery service.</td> <td>Founded 2015; Partnered 2016</td> <td>Simon Borrero; Sebastian Mejia; Felipe Villamarin</td> <td>Michael Abramson; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC108" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L108" class="blob-num js-line-number" data-line-number="108"></td> <td>Re:store</td> <td>https://www.join-restore.com/</td> <td>Re:store gives direct-to-consumer brands turnkey coworking; fulfillment services; and storefront space to connect with customers in real life. Opening SF 2019.</td> <td>Founded 2017; Partnered 2018</td> <td>Selene Cruz</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC109" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L109" class="blob-num js-line-number" data-line-number="109"></td> <td>reddit</td> <td>http://www.reddit.com</td> <td>With hundred of millions of viewers a month; reddit has become a hub for the web's most popular content from political news to cute animal GIFs—leading it to be called "the front page of the internet".</td> <td>Founded 2005; Partnered 2014</td> <td>Steve Huffman</td> <td>Alfred Lin; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC110" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L110" class="blob-num js-line-number" data-line-number="110"></td> <td>Remix</td> <td>https://www.remix.com/</td> <td>Remix helps local governments plan dramatically better public transit. With a mission to build cities that better serve their communities; Remix is trusted by over 200 cities across four continents. Their software enables urbanists and planners to create transit routes that increase economic opportunity for people of all incomes.</td> <td>Founded 2014; Partnered 2015</td> <td>Sam Hashemi; Tiffany Chu; Dan Getelman; Danny Whalen</td> <td>Aaref Hilaly; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC111" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L111" class="blob-num js-line-number" data-line-number="111"></td> <td>rideOS</td> <td>https://rideos.ai/</td> <td>rideOS builds critical technologies to enable the future of transportation in the self-driving vehicle eco-system.</td> <td>Founded 2017; Partnered 2017</td> <td>Justin Ho; Chris Blumenberg</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC112" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L112" class="blob-num js-line-number" data-line-number="112"></td> <td>Robinhood</td> <td>https://robinhood.com/</td> <td>Robinhood's mission is to democratize America’s financial system. With Robinhood; you can learn to invest in stocks; ETFs; options; and cryptocurrencies commission-free.</td> <td>Founded 2013; Partnered 2018</td> <td>Vlad Tenev; Baiju Bhatt</td> <td>Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC113" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L113" class="blob-num js-line-number" data-line-number="113"></td> <td>Rockset</td> <td>https://www.rockset.com/</td> <td>Rockset’s vision is to build a data-driven future. Rockset provides a serverless search and analytics engine; making it easy to go from data to applications. Developers and data scientists can build live apps and dashboards directly on raw data; without upfront data preparation and complex data pipelines. Rockset is the shortest path from data to apps.</td> <td>Founded 2016; Partnered 2016</td> <td>Venkat Venkataramani; Shruti Bhat; Dhruba Borthakur; Tudor Bosman</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC114" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L114" class="blob-num js-line-number" data-line-number="114"></td> <td>Rylo</td> <td>http://www.rylo.com</td> <td>Rylo is a new kind of camera; powered by groundbreaking software that makes it easy for anyone to shoot; edit; and share incredibly smooth; cinematic video. With 360° capture; breakthrough stabilization; and a simple app for fast editing on-the-go; Rylo produces exceptionally beautiful video every time. Rylo Inc. was founded in 2015 by a team with years of experience from Instagram and Apple. Sequoia first partnered with the team for their Seed round which was also in 2015.</td> <td>Founded 2015; Partnered 2015</td> <td>Alex Karpenko; Chris Cunningham</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC115" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L115" class="blob-num js-line-number" data-line-number="115"></td> <td>Scanntech</td> <td>http://www.scanntech.com</td> <td>Beginning in Uruguay; Scanntech created a way for independent grocery stores to process transactions; run inventory management and sell financial services.</td> <td>Founded 1991; Partnered 2011</td> <td>Raul Polakof</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC116" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L116" class="blob-num js-line-number" data-line-number="116"></td> <td>SecurityScorecard</td> <td>http://www.securityscorecard.com</td> <td>Founder Aleksandr Yampolskiy started SecurityScorecard as a way to protect his business (and vendor partners) from online threats using a patented solution to monitor key risk factors in real-time.</td> <td>Founded 2013; Partnered 2015</td> <td>Aleksandr Yampolskiy; Sam Kassoumeh</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC117" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L117" class="blob-num js-line-number" data-line-number="117"></td> <td>Setter</td> <td>https://setter.com/</td> <td>Setter is the expert for all your home maintenance and repair needs - beginning to end - so you can focus on the things you love and the moments that matter.</td> <td>Partnered 2017</td> <td>Guillaume Laliberte; David Steckel</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC118" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L118" class="blob-num js-line-number" data-line-number="118"></td> <td>Snowflake</td> <td>https://www.snowflake.net/</td> <td>Snowflake started with a clear vision: Make modern data warehousing effective; affordable and accessible to all data users. Because traditional on-premises and cloud solutions struggle at this; Snowflake developed a new product with a built-for-the-cloud architecture that combines the power of data warehousing; the flexibility of big data platforms; the elasticity of the cloud and live data sharing at a fraction of the cost of traditional solutions.</td> <td>Founded 2012; Partnered 2018</td> <td>Bob Muglia; Benoit Dageville; Thierry Cruanes; Marcin Zukowski</td> <td>Pat Grady; Carl Eschenbach</td> </tr> <tr id="file-sequoia_portfolio-csv-LC119" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L119" class="blob-num js-line-number" data-line-number="119"></td> <td>StackRox</td> <td>https://www.stackrox.com/</td> <td>Founded in 2014; StackRox helps enterprises secure their cloud-native applications at scale. StackRox is the industry’s first detection and response platform that defends containers and microservices from new threats. StackRox enables security teams to visualize the container attack surface; expose malicious activity; and stop attacker activity. It combines a new security architecture; machine learning; and protective actions to disrupt attacks in real time and limit their impact. StackRox is the choice of Global 2000 enterprises and backed by Sequoia Capital.</td> <td>Founded 2014; Partnered 2016</td> <td>Ali Golshan; Kamal Shah</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC120" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L120" class="blob-num js-line-number" data-line-number="120"></td> <td>StarkWare</td> <td>https://www.starkware.co/</td> <td>StarkWare Industries commercializes STARK; the zero-knowledge proof protocol. Its full proof stack will improve blockchains' scalability and privacy. </td> <td>Partnered 2018</td> <td>Uri Kolodny; Alessandro Chiesa; Eli Ben Sasson; Michael Riabzev</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC121" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L121" class="blob-num js-line-number" data-line-number="121"></td> <td>Stella &amp; Dot</td> <td>http://stelladot.com</td> <td>Founder Jessica Herrin created Stella &amp; Dot as a way to empower women with an alternative career opportunity—selling jewelry and accessories at home-based trunk shows. The emphasis on quality product; flexibility and style; stand in stark contrast to the majority of home-based businesses.</td> <td>Founded 2004; Partnered 2010</td> <td>Jessica Herrin</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC122" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L122" class="blob-num js-line-number" data-line-number="122"></td> <td>Stemcentrx</td> <td>http://www.stemcentrx.com/</td> <td>Stemcentrx develops therapies that aim to cure and significantly improve survival for cancer patients. They are pioneering new approaches to eliminate cancer stem cells; which initiate and perpetuate tumors.</td> <td>Founded 2008; Partnered 2014</td> <td>Scott Dylla; Brian Slingerland</td> <td>Michael Dixon</td> </tr> <tr id="file-sequoia_portfolio-csv-LC123" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L123" class="blob-num js-line-number" data-line-number="123"></td> <td>Strava</td> <td>http://www.strava.com</td> <td>In 2009; Michael Horvath and Mark Gainey started Strava as a way to feel closer to a team while training. By tracking cycling and running in a social network environment; Strava can be both a GPS tracker of activity and a way for friends to be competitive and encouraging day-to-day.</td> <td>Founded 2009; Partnered 2014</td> <td>Mark Gainey</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC124" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L124" class="blob-num js-line-number" data-line-number="124"></td> <td>Streamlabs</td> <td>http://streamlabs.com</td> <td>Streamlabs allows gamers to take their Twitch streams to a new level. They give people tools that allow them to update recent donators and followers with things like sub-goal counts and more. Streamlabs helps users keep text automatically updated on their streams so they can focus on their stream.</td> <td>Founded 2014; Partnered 2015</td> <td>Ali Moiz; Murtaza Hussain</td> <td>Omar Hamoui</td> </tr> <tr id="file-sequoia_portfolio-csv-LC125" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L125" class="blob-num js-line-number" data-line-number="125"></td> <td>Stripe</td> <td>http://stripe.com</td> <td>Stripe's developer-friendly API simplifies the difficulty in making a commerce site; allowing users to focus on code and design when building their online businesses.</td> <td>Founded 2010; Partnered 2010</td> <td>Patrick Collison; John Collison</td> <td>Michael Moritz; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC126" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L126" class="blob-num js-line-number" data-line-number="126"></td> <td>Sumo Logic</td> <td>http://www.sumologic.com</td> <td>Founded in 2010 by experts in log management; scalable systems; big data and security; Sumo Logic is empowering owners to use machine data to improve their businesses. </td> <td>Founded 2010; Partnered 2014</td> <td>Christian Beedgen; Kumar Saurabh; Ramin Sayar</td> <td>Pat Grady; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC127" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L127" class="blob-num js-line-number" data-line-number="127"></td> <td>Telcare</td> <td>http://www.telcare.com</td> <td>With Telcare's innovative blood glucose device—that measures levels wirelessly and connects to an app—they are pioneering machine to machine (M2M) technology in the medical space.</td> <td>Founded 2008; Partnered 2012</td> <td>Jonathan Javitt</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC128" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L128" class="blob-num js-line-number" data-line-number="128"></td> <td>Tessian</td> <td>https://www.tessian.com/</td> <td>Tessian is constructing a new category of cybersecurity; protecting companies from an unaddressed; critical security risk factor—people. Tessian's Human Layer Security platform uses machine learning to understand human relationships and communication behavior in order to protect businesses from threats executed by people on email.</td> <td>Founded 2013; Partnered 2018</td> <td>Edward Bishop; Thomas Adams; Tim Sadler</td> <td>Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC129" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L129" class="blob-num js-line-number" data-line-number="129"></td> <td>Thanx</td> <td>http://thanx.com/</td> <td>Thanx helps connect brands with their best customers through an automated loyalty; feedback; and marketing platform. Thanx's turnkey loyalty solution for brick-and-mortar merchants allows consumers to get rewarded simply by paying as usual; eliminating the hassles of traditional loyalty offerings; while delivering actionable data and automated campaigns to help merchants grow revenue.</td> <td>Founded 2011; Partnered 2014</td> <td>Zach Goldstein</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC130" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L130" class="blob-num js-line-number" data-line-number="130"></td> <td>The Wing</td> <td>https://www.the-wing.com/</td> <td>The Wing is a network of work and community spaces designed for women with locations in New York; Washington D.C.; and San Francisco founded by Audrey Gelman and Lauren Kassan in 2016. The Wing’s mission is the professional; civic; social; and economic advancement of women through community.</td> <td>Founded 2016; Partnered 2018</td> <td>Audrey Gelman; Lauren Kassan</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC131" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L131" class="blob-num js-line-number" data-line-number="131"></td> <td>ThousandEyes</td> <td>http://www.thousandeyes.com</td> <td>ThousandEyes is an internet performance and digital experience monitoring company that arms everyone—engineers; teams; developers and end users—with instant insights across all connected devices within an organization.</td> <td>Founded 2010; Partnered 2011</td> <td>Mohit Lad; Ricardo Oliveira</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC132" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L132" class="blob-num js-line-number" data-line-number="132"></td> <td>Threads</td> <td>https://threads.com/</td> <td>Threads is a platform designed to make work more inclusive by empowering teams to discuss and make decisions at scale.</td> <td>Founded 2017; Partnered 2017</td> <td>Rousseau Kazi; Suman Venkataswamy</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC133" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L133" class="blob-num js-line-number" data-line-number="133"></td> <td>Thumbtack</td> <td>http://www.thumbtack.com</td> <td>Thumbtack is the easiest and most dependable way to hire the right professional for personal projects. Thumbtack introduces customers to the right professional for them and helps these professionals grow their business.</td> <td>Founded 2009; Partnered 2013</td> <td>Marco Zappacosta; Jonathan Swanson</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC134" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L134" class="blob-num js-line-number" data-line-number="134"></td> <td>Tourlane</td> <td>https://www.tourlane.com/</td> <td>Tourlane connects travelers with handpicked travel experts to organize authentic; customized experiences from Safaris in Tanzania to diving in Galápagos.</td> <td>Partnered 2018</td> <td>Julian Stiefel; Julian Weselek</td> <td>Andrew Reed; Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC135" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L135" class="blob-num js-line-number" data-line-number="135"></td> <td>Trupo</td> <td>https://www.trupo.com/</td> <td>Trupo is an insurtech startup addressing one of the biggest challenges facing the mobile workforce today: episodic income. We're building the first short-term disability insurance designed specifically for freelancers and using it to empower freelancers to protect themselves and each other. </td> <td>Partnered 2017</td> <td>Sara Horowitz; Ann Boger; Christopher Casebeer</td> <td>Alfred Lin; Liu Jiang</td> </tr> <tr id="file-sequoia_portfolio-csv-LC136" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L136" class="blob-num js-line-number" data-line-number="136"></td> <td>Tula Technology</td> <td>http://www.tulatech.com</td> <td>By focusing on fuel-reduction technology and drivability; Tula created the first digital engine. The unique and dynamic skip-fire engine digitizes piston firing to economize fuel when torque is not a priority.</td> <td>Founded 2008; Partnered 2008</td> <td>Dr. Adya Tripathi; Scott Bailey</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC137" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L137" class="blob-num js-line-number" data-line-number="137"></td> <td>TuneIn</td> <td>http://tunein.com</td> <td>TuneIn brings radio back to your fingertips through your smartphone. On-demand functionality for radio allows users to pick from hundreds of thousands of radio stations and millions of programs and podcasts.</td> <td>Founded 2002; Partnered 2010</td> <td>Bill Moore; John Donham</td> <td>Bryan Schreier; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC138" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L138" class="blob-num js-line-number" data-line-number="138"></td> <td>UiPath</td> <td>https://www.uipath.com</td> <td>UiPath designs and develops robotic process automation software.</td> <td>Founded 2005; Partnered 2018</td> <td>Daniel Dines; Marius Tirca</td> <td>Carl Eschenbach; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC139" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L139" class="blob-num js-line-number" data-line-number="139"></td> <td>Unity Technologies</td> <td>http://www.unity3d.com</td> <td>Unity Technologies is the creator of a development platform used to create rich interactive 2D; 3D; VR and AR experiences. Unity's powerful graphics engine and full-featured editor serve as the foundation to develop beautiful games or apps and easily bring them to multiple platforms: mobile devices; home entertainment systems; personal computers; and embedded systems.</td> <td>Founded 2001; Partnered 2009</td> <td>David Helgason; Joachim Ante; John Riccitiello</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC140" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L140" class="blob-num js-line-number" data-line-number="140"></td> <td>Vector</td> <td>https://vectorspacesystems.com/</td> <td>Vector is a disruptive innovator that connects space startups and innovators with affordable and reliable space access. Vector has a BIG vision to reshape the multi-billion launch market and combines dedicated low-cost micro satellites launch (Vector Launch) AND software defined satellites (Galactic Sky) to dramatically increase access and speed to orbit.</td> <td>Founded 2016; Partnered 2016</td> <td>Jim Cantrell; John Garvey; Ken Sunshine; Dr. Eric Besnard</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC141" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L141" class="blob-num js-line-number" data-line-number="141"></td> <td>Veil</td> <td>https://veil.co/</td> <td>Veil is a blockchain-enabled peer-to-peer prediction market and derivatives platform that lets you trade on anything—from cryptocurrency to the Academy Awards. </td> <td>Founded 2018; Partnered 2018</td> <td>Paul Fletcher-Hill; Feridun Mert Celebi; Graham Kaemmer.</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC142" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L142" class="blob-num js-line-number" data-line-number="142"></td> <td>Verkada</td> <td>https://www.verkada.com/</td> <td>Verkada empowers companies to migrate from on-premise security cameras to a cloud-first solution that's accessible anywhere. </td> <td>Partnered 2019</td> <td>Filip Kaliszan; Hans Robertson; James Ren; Benjamin Bercovitz</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC143" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L143" class="blob-num js-line-number" data-line-number="143"></td> <td>Versa Networks</td> <td>http://www.versa-networks.com</td> <td>Versa Networks enables service providers and large enterprises to build next-generation WAN and branch networks based on a broad set of virtualized network functions (VNFs).</td> <td>Founded 2012; Partnered 2012</td> <td>Apurva Mehta; Kumar Mehta</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC144" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L144" class="blob-num js-line-number" data-line-number="144"></td> <td>Whisper</td> <td>http://whisper.sh</td> <td>Whisper; the first anonymous social network; is the best place for people to express themselves; connect with like-minded individuals; and discover the unseen world around them. </td> <td>Founded 2012; Partnered 2013</td> <td>Michael Heyward; Brad Brooks</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC145" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L145" class="blob-num js-line-number" data-line-number="145"></td> <td>Whole Biome</td> <td>https://wholebiome.com/</td> <td>Whole Biome is developing a range of microbiome interventions targeting a variety of human health issues; starting with metabolic diseases; to help improve human health and wellbeing.</td> <td>Founded 2013; Partnered 2017</td> <td>Colleen Cutcliffe; James Bullard; John Eid</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC146" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L146" class="blob-num js-line-number" data-line-number="146"></td> <td>Wonolo</td> <td>https://www.wonolo.com/</td> <td>Wonolo is an on-demand staffing platform that connects companies to job seekers; providing flexible; fulfilling work for all. </td> <td>Founded 2013; Partnered 2017</td> <td>Yong Kim; AJ Brustein; Jeremy Burton</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC147" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L147" class="blob-num js-line-number" data-line-number="147"></td> <td>Zipline</td> <td>http://flyzipline.com/product/</td> <td>More than two billion people lack adequate access to essential medical products; often due to challenging terrain and gaps in infrastructure. Zipline uses drones to deliver needed medical supplies to these areas.</td> <td>Founded 2012; Partnered 2012</td> <td>Keller Rinaudo</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC148" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L148" class="blob-num js-line-number" data-line-number="148"></td> <td>Zum</td> <td>https://ridezum.com/</td> <td>Zūm is building the world's largest and most trusted platform for children's transportation and care; helping parents by providing kids with professional rides to school; and helping schools by offering an alternative to the 40 billion they spend each year on transportation. Founded 2015; Partnered 2017 Ritu Narayan; Vivek Garg Bryan Schreier
3Com http://www.3com.com 3Com was an early provider of network infrastructure products; focusing on deploying Ethernet technology. It achieved a leading market presence in China with significant market share throughout the rest of the world. Founded 1979; Partnered 1982; IPO 1984 Robert Metcalfe; Robert Mao NA
AdMob http://www.admob.com By ignoring carriers and focusing entirely on developers; AdMob created a pay-per click advertising marketplace for mobile apps. Founded 2006; Partnered 2006; Acquired 2010 Omar Hamoui Jim Goetz
Agile Software http://www.agile.com Agile Software provides product content management software solutions for e-supply chains. Founded 1995; Partnered 1996; IPO 1999 Bryan Stolle Michael Moritz
Altiscale https://www.altiscale.com/ Altiscale created the first management service built for Apache Hadoop; an open-source; data storage system. Founded 2012; Partnered 2012; Acquired 2016 Raymond Stata Bill Coughran
AMCC http://www.amcc.com Manufactures high-performance integrated circuits. Founded 1979; Partnered 1987; IPO 1997 NA NA
Amylin http://www.amylin.com Develops a line of diagnostic and therapeutic products for diabetics. Founded 1987; Partnered 1990; IPO 1992 Howard E. Greene; Jr. NA
Appirio http://www.appirio.com Appirio created a cloud-based platform that helps companies find new approaches to their business problems. Founded 2006; Partnered 2008; Acquired 2016 Chris Barbin; Narinder Singh; Glenn Weinstein; Michael O'Brien Jim Goetz
Apple http://www.apple.com Apple revolutionized personal technology with the introduction of the Macintosh in 1984. Apple has repeatedly transformed the way humans interact with computers with the invention of the iPhone; iPod; MacBook; iMac; and more. Founded 1976; Partnered 1978; IPO 1980 Steve Jobs; Steve Wozniak Donald Valentine
Arbor/Hyperion http://www.hyperion.com Developer of a flexible and powerful software engine that allows consolidation and manipulation of spreadsheets. Founded 1981; Partnered 1991; IPO 1995 NA Doug Leone
Aruba http://www.arubanetworks.com Aruba designed Mobility-Defined Networks for large corporations. Founded 2002; Partnered 2002; IPO 2007 Dominic P. Orr; Pankaj Manglik; Keerti Melkote Doug Leone
Aspect Development NA Provides component information system software for electronics manufacturers. Founded 1988; Partnered 1992; Acquired 2000; IPO 1996 Dr. Romesh Wadhwani NA
Aster Data http://www.asterdata.com Fully embeds applications within database engine to enable ultra-fast; deep analysis of massive data sets. Founded 2005; Partnered 2007; Acquired 2011 Tasso S. Argyros; Mayank Bawa; Quentin Gallivan Doug Leone
Atari https://twitter.com/atari Founded in 1972; Atari is the original innovator of video gaming. It owns a portfolio of more than 200 games like Asteroids; Centipede and Pong. Founded 1972; Partnered 1975; Acquired 1976 Nolan Bushnell Donald Valentine
Avanex http://www.avanex.com Producer of fiber optic-based photonic processors; which are designed to increase performance of optical networks. Founded 1997; Partnered 1998; IPO 2000 Simon Cao PhD NA
Barracuda Networks http://www.barracuda.com Barracuda provides security; networking and storage solutions while improving application delivery and network access. Founded 2003; Partnered 2005; IPO 2013 Dean Drako; Michael Perone; Zach Levow Jim Goetz; Matthew Miller
bebop https://www.bebop.co/ bebop builds and supports applications that enable people to seamlessly collaborate and accomplish complex tasks together. Partnered 2015; Acquired 2015 Diane Greene Jim Goetz
Cafepress http://www.cafepress.com Allows people to create; buy; and sell personalized merchandise online using print-on-demand services that reflect their interests. Founded 1999; Partnered 2005; IPO 2012 Fred Edward Durham III; Maheesh Jain Doug Leone
Carbon Black https://www.carbonblack.com/ Carbon Black provides the most complete solution against attacks targeting organizations’ websites and servers; making it easier for companies to see and stop. Founded 2002; Partnered 2012; IPO 2018 Patrick Morley Matthew Miller
CenterRun Software NA CenterRun introduced a product that automates the configuration and deployment of web applications in enterprise data centers from a central console. Founded 2000; Partnered 2001; Acquired 2003 Aaref Hilaly; Mike Schroepfer; Basil Hashem Michael Moritz; Aaref Hilaly
Cisco http://www.cisco.com Cisco was one of the first companies to sell commercially successful routers that support multiple network protocols. Founded 1984; Partnered 1987; IPO 1990 Len Bosack; Sandy Lerner Donald Valentine
Clearwell Systems http://www.symantec.com/theme.jsp?themeid=clearwell-family Clearwell Systems changed the way companies perform electronic discovery in response to litigation; regulatory inquiries; and internal investigations. Founded 2004; Partnered 2005; Acquired 2011 Aaref Hilaly; Venkat P Rangan; Charu Rudrakshi Jim Goetz; Aaref Hilaly
Cortexyme https://www.cortexyme.com/ Cortexyme is a clinical stage pharmaceutical company developing small molecules to alter the course of Alzheimer’s and other degenerative disorders. Cortexyme is targeting a specific; undisclosed infectious pathogen tied to neurodegeneration and chronic inflammation in humans and animal models. The company’s lead compound; COR388; is the subject of an ongoing phase 1b clinical development program. Additional proprietary small molecules are moving forward in preclinical development. Founded 2012; Partnered 2018; IPO 2019 Casey Lynch; Steve Dominy; MD; Kristen Gafric; JD Michael Dixon
Cypress http://www.cypress.com Develops advanced process-CMOS-integrated circuits for microprocessors and microcontrollers. Founded 1982; Partnered 1983; IPO 1986 TJ Rodgers NA
Decolar http://www.decolar.com Decolar was the first site in Brazil to offer a single digital destination for flights; hotels; car and property rentals; amusement park passes and travel packages. Founded 1999; Partnered 2011; IPO 2017 Roberto Souviron Michael Abramson
Dropbox http://www.dropbox.com In 2007 there was nothing like Dropbox. Internet users emailed themselves photos; docs and videos; or saved them to thumb drives. Founded 2007; Partnered 2007; IPO 2018 Drew Houston; Arash Ferdowsi Bryan Schreier
Electronic Arts http://www.ea.com Electronic Arts was a pioneer of the early home computer games industry and was notable for promoting the designers and programmers responsible for its games. Founded 1982; Partnered 1982; IPO 1989 Trip Hawkins; John Riccitiello Donald Valentine
Elevate Credit http://www.elevate.com/ Elevate's products deliver new levels of access; convenience and value to those who need it most. Founded 2014; Partnered 2005; IPO 2017 Kenneth Rees Pat Grady
EndoChoice http://www.endochoice.com Founded in 2008; EndoChoice manufactures and sells technology systems; products; devices and services to specialists treating a wide range of gastrointestinal conditions. Founded 2007; Partnered 2013 Mark Gilreath Michael Dixon; Yoav Shaked
Eventbrite http://www.eventbrite.com Eventbrite was the first site that allowed anyone to find; create and manage an event. Founded 2006; Partnered 2009; IPO 2018 Kevin Hartz; Julia Hartz; Renaud Visage Roelof Botha
FireEye http://www.fireeye.com Founded in 2004; FireEye brought a fresh perspective to network security and malware protection by using a virtual-machine-based security platform rather than slow; physical machines. Founded 2004; Partnered 2004; IPO 2013 David G. DeWalt; Ashar Aziz Bill Coughran
First Republic Bank http://www.firstrepublic.com Provides private banking; private-business banking; real-estate lending and wealth-management services. Founded 1985; Partnered 2010; IPO 2010 James Herbert Michael Moritz; Pat Grady
Flex http://www.flextronics.com Provides contract-manufacturing services to equipment manufacturers. Founded 1969; Partnered 1993; IPO 1994 Mike McNamara Michael Moritz
FutureAdvisor https://futureadvisor.com FutureAdvisor developed a smarter way to manage your stock portfolio. Through its free software; wealth management consultation is now accessible to anyone with a computer. Founded 2010; Partnered 2010; Acquired 2015 Jon Xu; Bo Lu Alfred Lin
GitHub https://www.github.com GitHub has built the system of record for code and has emerged as the de facto standard for software development in today’s world. Founded 2008; Partnered 2015; Acquired 2018 Chris Wanstrath; PJ Hyett Jim Goetz; Andrew Reed
Google http://www.google.com Google’s founders Larry and Sergey sought to organize the world’s information; and make it universally accessible and useful. The result is Google Search; the world’s most popular way to find information on the web. Founded 1998; Partnered 1999; IPO 2004 Sergey Brin; Larry Page Michael Moritz
Green Dot https://www.greendot.com/greendot Largest issuer of reloadable prepaid VISA and MasterCard debit cards. Founded 1999; Partnered 2003; IPO 2010 Steve Streit Michael Moritz
Guardant Health http://www.guardanthealth.com Guardant Health is a leading precision oncology company focused on helping conquer cancer globally through use its proprietary blood tests; vast data sets and advanced analytics. Founded 2012; Partnered 2013; IPO 2018 Helmy Eltoukhy; AmirAli H. Talasaz; Michael Wiley Aaref Hilaly
HubSpot http://www.hubspot.com HubSpot does away with the needle-in-the-haystack approach to targeting consumers; allowing companies to manage the vast variety of marketing tools with one centralized system. Founded 2006; Partnered 2011; IPO 2014 Brian Halligan; Dharmesh Shah Pat Grady; Jim Goetz
Humble Bundle http://www.humblebundle.com Using a pay-what-you-will model; Humble Bundle offers content to gamers while helping indie developers and charities. Founded 2010; Partnered 2011 Jeff Rosen; John Graham Alfred Lin
Infoblox http://www.infoblox.com Delivers Automated Network Control; the fundamental technology that connects end users; devices and networks. Founded 1999; Partnered 2003; IPO 2012 Robert Thomas; Stuart Bailey NA
Inkling http://www.inkling.com Inkling is on a mission to transform the way people work. Founded in 2009; Inkling’s mobile platform brings policies and procedures to life for the deskless worker. Employees today expect to go online to find accurate and compelling information on how to do their job; yet employers still ship paper binders or static PDF and Word files. Enterprises use Inkling to deliver policies and procedures in the form of dynamic documents. These documents behave more like consumer apps and engage the user with videos; interactive simulations; dynamic forms and checklists. Employees rely on Inkling to deliver exceptional customer experiences. Founded 2009; Partnered 2010 Matt MacInnis; Rob Cromwell Bryan Schreier
INS http://www.ins.com Solved networking issues created by customer implementations of multi-vendor and multi-protocol network solutions. Founded 1993; Partnered 1993; Acquired 1999; IPO 1996 NA Doug Leone; Jim Goetz
Instagram http://instagram.com Instagram changed the way we share photos and video with our mobile devices. By packaging easy-to-use photo editing with social media; the company has improved the quality of photography the world over. Founded 2010; Partnered 2012; Acquired 2012 Kevin Systrom; Mike Krieger Roelof Botha; Michael Abramson
Isilon Systems http://www.isilon.com Develops clustered storage systems in data-intensive markets. Founded 2001; Partnered 2002; Acquired 2010; IPO 2006 Sujal Patel; Paul Mikesell NA
Jasper https://www.jasper.com Jasper is a global Internet of Things (IoT) platform. Its SaaS IoT platform enables companies to rapidly and cost-effectively launch; manage; and monetize IoT services on a global scale. Founded 2004; Partnered 2005; Acquired 2016 Jahangir Mohammed; Daniel Collins; Amit Gupta Omar Hamoui; Jim Goetz
Jive http://www.jivesoftware.com Jive has encouraged and enabled enterprises to communicate and collaborate through its pioneering social business software platform. Founded 2001; Partnered 2007; IPO 2011 Bill Lynch; Matt Tucker Jim Goetz; Pat Grady
KAYAK http://www.kayak.com By consolidating search functions for hundreds of travel companies; KAYAK became a one-stop site for booking plane tickets; hotels; cars and travel packages. Founded 2004; Partnered 2005; Acquired 2013; IPO 2012 Steve Hafner; Paul English Michael Moritz
Linear Technology http://www.linear.com Manufacturer of analog-integrated circuits. Founded 1981; Partnered 1981; IPO 1986 Bob Swanson Donald Valentine
LinkedIn http://www.linkedin.com In 2003; LinkedIn launched the social network for professionals; allowing people to connect based on business interactions. Founded 2002; Partnered 2003; IPO 2011 Reid Hoffman; Jeff Weiner Michael Moritz
LitePoint http://www.litepoint.com Tests and analyzes wireless devices through development and manufacturing phases. Founded 2000; Partnered 2007; Acquired 2011 Spiros Bouas; Benny Madsen; Christian Olgaard NA
LSI Logic http://www.lsilogic.com Founded in 1981; LSI Logic created advanced custom semiconductors and software to help companies store and distribute their data more efficiently between data centers; mobile networks and client computers. Founded 1981; Partnered 1981; IPO 1983 Wilf Corrigan; Abhi Y. Talwalkar Donald Valentine
MedExpress http://www.medexpress.com The mission of MedExpress is to provide a one-stop urgent-care option for unscheduled; timely treatment that isn't quite ER-serious. Founded 2001; Partnered 2010; Acquired 2015 Frank Alderman Doug Leone; Michael Dixon
Mellanox http://www.mellanox.com Provider of Ethernet and InfiniBand network switches and host bus adapters. Founded 1999; Partnered 1999; IPO 2007 Eyal Waldman NA
Meraki http://www.meraki.com Meraki offered a complete system of networking products; doing away with market fragmentation; and allowing companies to utilize network connections of the highest speed and quality. Founded 2006; Partnered 2006; Acquired 2012 Sanjit Biswas; John Bicket; Hans Robertson Doug Leone
Merlin Securities Provided prime brokerage software and services to the alternative-investment community. Founded 2004; Partnered 2007; Acquired 2012 Stephan Vermut; Aaron Vermut Pat Grady
Metanautix http://metanautix.com Metanautix created the first data compute engine of its kind; helping companies drill down into complex data across various sources; and visualize it in a way that is easily extractable; regardless of differences in network; structure; format or location. Founded 2012; Partnered 2012; Acquired 2016 Theo Vassilakis Bill Coughran
Microchip Technology http://www.microchip.com Manufacturer of microcontroller; memory; and analog semiconductors. Founded 1987; Partnered 1989; IPO 1993 Steve Sanghi Donald Valentine
MobileIron http://www.mobileiron.com Through a comprehensive line of mobile apps; MobileIron lets IT administrators manage content on mobile devices across a network. Founded 2007; Partnered 2008; IPO 2014 Bob Tinker; Suresh Batchu; Ajay Mishra Aaref Hilaly
MongoDB http://www.mongodb.com/ MongoDB is the leading modern; general purpose database platform; designed to unleash the power of software and data for developers and the applications they build. Founded 2007; Partnered 2010 Eliot Horowitz; Dev Ittycheria; Dwight Merriman Roelof Botha
Natera http://www.natera.com Natera is a genetic testing and diagnostics company that seeks to transform the management of genetic disease through proprietary bioinformatics and molecular technology. Founded 2004; Partnered 2007 Matthew Rabinowitz; Jonathan Sheena Roelof Botha
NetApp http://www.netapp.com Computer storage and network data management company. Founded 1992; Partnered 1994; IPO 1995 Daniel J. Warmenhoven; David Hitz; James Lau Donald Valentine
Netezza http://www.netezza.com Simplifies high-performance analytics for business users. Founded 2000; Partnered 2003; IPO 2007 Jit Saxena Doug Leone
NetScreen NA Offers network/internet security solutions that integrate firewall; VPN encryption and traffic management on a single platform. Founded 1998; Partnered 1998; Acquired 2004; IPO 2001 Feng Deng; Yan Ke NA
Nimble Storage http://www.nimblestorage.com Complex infrastructure creates an app-data gap that disrupts data delivery. Closing the app-data gap requires predicting and preventing barriers to data velocity. Founded 2008; Partnered 2008; IPO 2013 Suresh Vasudevan; Umesh Maheshwari; Varun Mehta Jim Goetz; Matthew Miller
NVIDIA http://www.nvidia.com NVIDIA pioneered the art and science of visual computing. Its invention of the GPU transformed the PC from a tool for productivity into one for creativity and discovery. Founded 1993; Partnered 1993; IPO 1999 Jen-Hsun Huang NA
Okta http://www.okta.com Okta is the foundation for secure connections between people and technology. By harnessing the power of the cloud; Okta allows people to access applications on any device at any time; while still enforcing strong security protections. It integrates directly with an organization’s existing directories and identity systems; as well as 4;000+ applications. Because Okta runs on an integrated platform; organizations can implement the service quickly at large scale and low total cost. Founded 2009; Partnered 2012; IPO 2017 Todd McKinnon; Freddy Kerrest Pat Grady; Matthew Miller
Onyx Pharmaceuticals Biopharmaceutical company engaged in the development and commercialization of innovative therapies for cancer patients. Founded 1992; Partnered 1993; IPO 1996 Frank McCormick NA
OpenDNS http://www.opendns.com OpenDNS is the world’s largest cloud-delivered security platform serving more than 65 million daily users across 160+ countries. Providing a new layer of protection both on and off a company’s network; OpenDNS prevents malicious attacks over any port or protocol. Founded 2006; Partnered 2009 David Ulevitch Pat Grady
Oracle http://www.oracle.com For decades; Oracle has engineered integrated hardware and software systems for business; uniting a disjointed digital landscape and creating solutions for the largest companies in the world. Founded 1977; Partnered 1983; IPO 1986 Larry Ellison Donald Valentine
Palo Alto Networks http://www.paloaltonetworks.com Frustrated with the slow progress of ideas at his employer; Nir Zuk founded Palo Alto Networks to introduce new ways to protect enterprise; government and service providers through better firewalls and stronger network security. Founded 2005; Partnered 2005; IPO 2012 Nir Zuk; Rajiv Batra; Mark McLaughlin Jim Goetz; Carl Eschenbach
PayPal http://www.paypal.com PayPal changed the way we pay for things with its online payment system by letting people pay with their email address. Founded 1999; Partnered 1999; Acquired 2002; IPO 2002 Elon Musk; Max Levchin; Peter Thiel Michael Moritz
Peakstream NA Peakstream provides a software platform for High Performance Computing that unlocks the power of a new generation of processors; from GPUs to multi-core CPUs. Partnered 2005; Acquired 2007 Matthew Papakipos Jim Goetz
Pixelworks Semiconductor company formed to develop; market and sell components for flat panel display products. Founded 1997; Partnered 1998; IPO 2000 Allen Alley NA
PlanGrid http://www.plangrid.com Plangrid’s software brings all your blueprints and construction plans to the cloud; doing away with paper-based markups and getting contractors and architects on the same page for instantaneous collaboration. Founded 2011; Partnered 2014; Acquired 2018 Ralph Gootee; Ryan Sutton-Gee; Tracy Young Doug Leone
PMC-Sierra http://www.pmc-sierra.com Designs; develops; markets and supports high-performance semiconductor networking solutions. Founded 1984; Partnered 1984; IPO 1991 James V. Diller; Robert Lee Bailey Donald Valentine
Progress Software http://www.progress.com Develops; markets; and distributes application development; deployment and management technology. Founded 1981; Partnered 1990; IPO 1991 Joe Alsop NA
Qualtrics http://www.qualtrics.com Qualtrics is a single system of record for all experience data; also called X-data™. Founded 2002; Partnered 2012; Acquired 2018 Ryan Smith; Jared Smith; Scott Smith; Stuart Orgill Bryan Schreier; Pat Grady
Quantenna http://www.quantenna.com Quantenna’s wireless semiconductors improve wifi networks in the home; enterprise and outdoors. Their industry-leading technology is transforming the way HD video and data streams for homes and businesses. Founded 2006; Partnered 2006; IPO 2016 Andrea J. Goldsmith; Sam Heidari Jim Goetz
Rackspace http://www.rackspace.com Provides hosting and cloud computing for businesses. Founded 1998; Partnered 2000; IPO 2008 Graham M. Weston; Lanham Napier; Patrick Condon Doug Leone
Redback Networks Networking system that enables carriers; cable operators and service providers to deploy high-speed internet access. Founded 1996; Partnered 1996; IPO 1999 Gaurav Garg NA
RingCentral http://www.ringcentral.com RingCentral created a cloud-based solution for physical phone systems in the business world; which had become outdated and expensive to maintain. Founded 1998; Partnered 2006; IPO 2013 Vlad Shmunis Doug Leone
Ruckus Wireless http://www.ruckuswireless.com Ruckus Wireless is a pioneer in the wireless infrastructure market; with a focus on building a smarter; more reliable WiFi signal. Founded 2004; Partnered 2002; IPO 2012 Selina Lo; William Kish; Victor Shtrom Jim Goetz
Saba Software http://www.saba.com Saba Software develops; markets and supports a complete web-based self-service application suite. Founded 1997; Partnered 1998; IPO 2000 Bobby Yazdani Michael Moritz
ServiceNow http://www.servicenow.com/ ServiceNow was born because founder Fred Luddy was frustrated that software at home was so useful and fun; yet software at work was so clumsy. Founded 2003; Partnered 2009; IPO 2012 Fred Luddy; Frank Slootman Doug Leone; Pat Grady
SimpliSafe http://simplisafe.com/ SimpliSafe was started to help people live safely with a DIY home security system anyone can use—ending the alarm industry’s grip on consumers with high-priced upgrades and long term contracts. Founded 2006; Partnered 2014; Acquired 2019 Chad Laurans Matthew Miller
Skyhigh Networks http://www.skyhighnetworks.com As more and more industries join the cloud; Skyhigh Networks is helping maintain security and compliance by shining a light on shadow IT. Founded 2011; Partnered 2013 Rajiv Gupta; Sekhar Sarukkai; Kaushik Narayan Aaref Hilaly; Matthew Miller
Skyscanner http://www.skyscanner.com/ Skyscanner is the world's travel search engine; created in 2003 as a way to compare airline fares; after the founder was frustrated having to visit different sites to find the best price. Founded 2001; Partnered 2013 Gareth Williams; Bonamy Grimes Michael Moritz
Sourcefire http://www.sourcefire.com World leader in intelligent security monitoring and threat-management solutions Founded 2001; Partnered 2004; IPO 2007 Martin Roesch; John Burris NA
Springpath http://www.springpathinc.com/ For many companies; data is stuck in silos; but Springpath introduces the first software-only data platform that uses a patent-pending architecture to store; manage and secure data in one place. Founded 2012; Partnered 2012 Krishna Yadappanavar; Mallik Mahalingam Jim Goetz
Square https://www.squareup.com With its combination of intuitive software and beautifully designed hardware; Square is a Swiss army knife for businesses of any size; covering everything from payment and point-of-sale to financial services. Founded 2009; Partnered 2011; IPO 2015 Jack Dorsey; Jim McKelvey Roelof Botha
Sunrun http://www.sunrun.com Sunrun began with the idea that simple; affordable solar power could be a reality for consumers. Ending decades of dependence on power companies; Sunrun has a revolutionary model that allows people to use solar power without actually purchasing and maintaining the panels. Founded 2007; Partnered 2010 Edward Fenster; Lynn Jurich Pat Grady
Symantec http://www.symantec.com Founded in 1982 by computer scientists; Symantec focuses on security and management of data; ensuring both businesses and consumers stay protected against risks. Founded 1982; Partnered 1983; IPO 1989 NA NA
Trulia http://www.trulia.com Trulia is an all-in-one real estate site that gives the local scoop about homes for sale; apartments for rent; neighborhood insights; and real estate markets and trends to help visitors figure out exactly what; where; and when to buy; sell; or rent. Founded 2005; Partnered 2007; IPO 2012 Peter Flint; Sami Inkinen Bryan Schreier
Tumblr http://www.tumblr.com Founded in 2007; Tumblr set out to give creatives a functional; free and versatile way to share their favorite content with an emphasis on visuals and multimedia. Founded 2007; Partnered 2010; Acquired 2013 David Karp Roelof Botha
VA Linux/SourceForge Provider of collaborative software development platform. Founded 1993; Partnered 1998; IPO 1999 NA Doug Leone
Viptela http://www.viptela.com Viptela is transforming how Fortune 500 companies build and secure their end-to-end network infrastructure by simplifying architectures and eliminating needless inefficiencies faced by the enterprise. Founded 2012; Partnered 2012 Amir Khan; Khalid Raza Bill Coughran
Virident Systems http://www.virident.com Builds enterprise-class solutions based on Flash and other storage-class memories. Founded 2006; Partnered 2010; Acquired 2013 Kumar Ganapathy; Vijay Karamcheti; Michael Gustafson NA
Wavefront https://www.wavefront.com/ Wavefront is a hosted platform for ingesting; storing; visualizing and alerting on metric data. It is based on a stream processing approach invented at Google which allows engineers to manipulate metric data with unparalleled power. Founded 2013; Partnered 2014; Acquired 2017 Sam Pullara; Dev Nag; Clement Pang; Durren Shen Bill Coughran
Weebly http://www.weebly.com Founded in 2006; Weebly was the first user-friendly; drag-and-drop website builder. The webhosting service allowed people to easily build personal websites and online portfolios without having to know how to code. Founded 2006; Partnered 2011 David Rusenko; Dan Veltri; Chris Fanini Roelof Botha
WhatsApp http://www.whatsapp.com WhatsApp Messenger is a cross-platform mobile messaging app that allows you to exchange messages without having to pay for SMS usage. By using the same internet data plan that you use for email and web browsing; there is no cost to message and stay in touch with your friends across the globe. Founded 2009; Partnered 2011; Acquired 2014 Brian Acton; Jan Koum Jim Goetz; Michael Abramson
Xoom http://www.xoom.com Founded in 2001; Xoom offers a convenient and cost-effective way to transfer money to other countries. Founded 2001; Partnered 2003; IPO 2013 John Kunze; Kevin Hartz Roelof Botha
Yahoo! http://www.yahoo.com Founded in 1994; Yahoo! began as a guide to the World Wide Web—a web portal with an organized directory of websites. Founded 1994; Partnered 1995; IPO 1996 David Filo; Jerry Yang Michael Moritz
YouTube http://www.youtube.com Since 2005; YouTube has made uploading and sharing videos with family; friends and the entire world completely effortless. Founded 2005; Partnered 2005; Acquired 2006 Chad Hurley; Steve Chen; Jawed Karim Roelof Botha
Zappos http://www.zappos.com/about.zhtml In 1999; Nick Swinmurn founded Zappos.com to improve the shoe-shopping experience through superior product selection and customer service. Founded 1999; Partnered 2004; Acquired 2009 Tony Hsieh; Nick Swinmurn Michael Moritz; Alfred Lin
ZirMed https://public.zirmed.com ZirMed pioneered cloud-based medical claims management; streamlining outdated reimbursement workflows and transforming the way providers manage fee-for-service business performance. Founded 1999; Partnered 2009; Acquired 2017 Thomas W. Butts Doug Leone
Zoom https://zoom.us/ Zoom unifies cloud video conferencing; simple online meetings; group messaging; and a software-defined conference room solution into one easy-to-use platform. Zoom's solution offers the best video; audio; and wireless screen-sharing experience across Windows; Mac; Linux; Chrome OS; iOS; Android; Blackberry; Zoom Rooms; and H.323/SIP room systems. Founded in 2011; Zoom's mission is to make video and web conferencing frictionless. Partnered 2016; IPO 2019 Eric Yuan Carl Eschenbach; Pat Grady
100 Thieves https://www.100thieves.com/ 100 Thieves (“Hundred Thieves”) is a Los Angeles; CA-based lifestyle; apparel; and esports organization founded by former Call of Duty world champion and YouTube sensation Matthew "Nadeshot" Haag. The brand has teams competing in League of Legends; Fortnite; Call of Duty; and Clash Royale. 100 Thieves earned first place in the North America League of Legends Championship Series (NALCS) Spring Regular Season and represented North America at the 2018 World Championships in South Korea. They are the fastest growing esports channel on YouTube. Founded 2016; Partnered 2018 Matthew Haag; John Robinson Stephanie Zhan
23andMe https://www.23andme.com/ 23andMe is the leading personal genetics company dedicated to helping individuals understand their own genetic information through DNA analysis technologies and web-based interactive tools. The company is a web-based service that helps consumers understand what their DNA says about their health; traits and ancestry. Founded 2006; Partnered 2017 Anne Wojcicki Roelof Botha
3Com http://www.3com.com 3Com was an early provider of network infrastructure products; focusing on deploying Ethernet technology. It achieved a leading market presence in China with significant market share throughout the rest of the world. Founded 1979; Partnered 1982; IPO 1984 Robert Metcalfe; Robert Mao NA
[24]7.ai https://www.247.ai/ [24]7.ai helps businesses attract and retain customers; and make it possible to create a personalized; predictive and effortless customer experience. Founded 2000; Partnered 2003 Shanmugam "Nags" Nagarajan; P V Kannan Michael Moritz
ActionIQ http://www.actioniq.co/ ActionIQ is developing the next generation of distributed data engines. It lives in the cloud; manages itself; and scales to billions of historical events. It utilizes latest hardware trends; massive parallelism and computes results orders of magnitude faster than state-of-the-art databases. Founded 2014; Partnered 2014 Tasso Argyros; David Todrin Doug Leone
AdMob http://www.admob.com By ignoring carriers and focusing entirely on developers; AdMob created a pay-per click advertising marketplace for mobile apps. Founded 2006; Partnered 2006; Acquired 2010 Omar Hamoui Jim Goetz
Against Gravity https://www.againstgrav.com/ Against Gravity is an augmented and virtual reality software company. Founded 2016; Partnered 2016 Nick Fajt; Cameron Brown; Bilal Orhan; Dan Kroymann; John Bevis; Josh Wehrly Stephanie Zhan
Agile Software http://www.agile.com Agile Software provides product content management software solutions for e-supply chains. Founded 1995; Partnered 1996; IPO 1999 Bryan Stolle Michael Moritz
AgilOne http://www.agilone.com AgileOne bridges the gap between big data; consumer insights and execution into one solution for marketers. Founded 2005; Partnered 2011 Omer Artun Bryan Schreier
Airbnb http://www.airbnb.com One of the first companies to usher in the sharing economy; Airbnb connects people around the world with unique homes and unforgettable experiences. Founded 2007; Partnered 2009 Nathan Blecharczyk; Brian Chesky; Joe Gebbia Alfred Lin; Michael Abramson
AirStrip http://www.airstriptech.com Airstrip Technologies developed medical software to deliver real time; critical patient data to the mobile devices of those who need it most. Founded 2004; Partnered 2010 Cameron Powell; Alan Portela; Trey Moore Michael Dixon
Altiscale https://www.altiscale.com/ Altiscale created the first management service built for Apache Hadoop; an open-source; data storage system. Founded 2012; Partnered 2012; Acquired 2016 Raymond Stata Bill Coughran
AMCC http://www.amcc.com Manufactures high-performance integrated circuits. Founded 1979; Partnered 1987; IPO 1997 NA NA
Ameritox http://www.ameritox.com Ameritox is the nation’s leader in pain medication monitoring; offering laboratory services and practice management tools to help clinicians coordinate and optimize the care of chronic pain patients. Founded 1996; Partnered 2007 A. Scott Walton NA
Amplitude https://amplitude.com/ Amplitude helps product teams rapidly build digital products that work better for the customer and grow their business. Founded 2012; Partnered 2018 NA Pat Grady; Sonya Huang
Amylin http://www.amylin.com Develops a line of diagnostic and therapeutic products for diabetics. Founded 1987; Partnered 1990; IPO 1992 Howard E. Greene; Jr. NA
App Annie http://www.appannie.com App Annie helps businesses do "The Math Behind the App Stores" with rankings; analytics; and market intelligence for all the leading app stores. Founded 2010; Partnered 2013 Bertrand Schmitt Omar Hamoui
Appirio http://www.appirio.com Appirio created a cloud-based platform that helps companies find new approaches to their business problems. Founded 2006; Partnered 2008; Acquired 2016 Chris Barbin; Narinder Singh; Glenn Weinstein; Michael O'Brien Jim Goetz
Apple http://www.apple.com Apple revolutionized personal technology with the introduction of the Macintosh in 1984. Apple has repeatedly transformed the way humans interact with computers with the invention of the iPhone; iPod; MacBook; iMac; and more. Founded 1976; Partnered 1978; IPO 1980 Steve Jobs; Steve Wozniak Donald Valentine
Arbor/Hyperion http://www.hyperion.com Developer of a flexible and powerful software engine that allows consolidation and manipulation of spreadsheets. Founded 1981; Partnered 1991; IPO 1995 NA Doug Leone
Armis https://armis.com/ Armis is the first agentless; enterprise-class security platform to address the new threat landscape of unmanaged and IoT devices. Our mission is to let companies adopt these new types of connected devices without fear of compromise by cyber attack. Founded 2015; Partnered 2015 Yevgeny Dibrov; Nadir Izrael Gili Raanan; Carl Eschenbach; Sonya Huang
Aruba http://www.arubanetworks.com Aruba designed Mobility-Defined Networks for large corporations. Founded 2002; Partnered 2002; IPO 2007 Dominic P. Orr; Pankaj Manglik; Keerti Melkote Doug Leone
Aspect Development NA Provides component information system software for electronics manufacturers. Founded 1988; Partnered 1992; Acquired 2000; IPO 1996 Dr. Romesh Wadhwani NA
Assurex Health http://www.assurexhealth.com Assurex Health helps physicians determine the right medication for patients; using pharmacogenomics—the study of the genetic factors that influence an individual's response to drug treatments. Founded 2006; Partnered 2011; Acquired 2016 James S. Burns; Gina Drosos; Donald Wright NA
Aster Data http://www.asterdata.com Fully embeds applications within database engine to enable ultra-fast; deep analysis of massive data sets. Founded 2005; Partnered 2007; Acquired 2011 Tasso S. Argyros; Mayank Bawa; Quentin Gallivan Doug Leone
Atari https://twitter.com/atari Founded in 1972; Atari is the original innovator of video gaming. It owns a portfolio of more than 200 games like Asteroids; Centipede and Pong. Founded 1972; Partnered 1975; Acquired 1976 Nolan Bushnell Donald Valentine
Athelas https://athelas.com/ Instant; at-home blood diagnostics for oncology care. Founded 2016; Partnered 2016 Tanay Tandon; Deepika Bodapati Alfred Lin; Liu Jiang
Aurora https://aurora.tech/ Aurora is catalyzing the self-driving revolution by solving today’s most complex AI; automation and engineering challenges. Founded 2016; Partnered 2019 Chris Urmson; Sterling Anderson; Drew Bagnell Carl Eschenbach; Amy Sun
Avanex http://www.avanex.com Producer of fiber optic-based photonic processors; which are designed to increase performance of optical networks. Founded 1997; Partnered 1998; IPO 2000 Simon Cao PhD NA
Barefoot Networks http://barefootnetworks.com/ As Ethernet switch chips rise in demand; Barefoot Networks is innovating new ways to compete in the promising market by offering bare-metal switching to networking companies. Founded 2013; Partnered 2014; Acquired 2019 Martin Izzard Bill Coughran
Barracuda Networks http://www.barracuda.com Barracuda provides security; networking and storage solutions while improving application delivery and network access. Founded 2003; Partnered 2005; IPO 2013 Dean Drako; Michael Perone; Zach Levow Jim Goetz; Matthew Miller
bebop https://www.bebop.co/ bebop builds and supports applications that enable people to seamlessly collaborate and accomplish complex tasks together. Partnered 2015; Acquired 2015 Diane Greene Jim Goetz
Berkeley Lights https://www.berkeleylights.com/ Berkeley Lights has brought to market a novel technology for single cell identification; measurement and manipulation aiming to revolutionize biopharma; diagnostics and life science research. Founded 2011; Partnered 2015 Eric Hobbs Michael Moritz
Bird https://www.bird.co/ Bird is an electric vehicle sharing company dedicated to bringing affordable; environmentally-friendly transportation solutions to communities across the world. It provides a fleet of shared electric scooters that can be accessed via smartphones. Birds give people looking to take a short journey across town or down that "last-mile" from the subway or bus to their destination in a way that does not pollute the air or add to traffic. Founded 2017; Partnered 2018 Travis VanderZanden Roelof Botha; Andrew Reed
Blue Danube Systems http://www.bluedanubelabs.com Blue Danube Systems designed a mobile wireless solution that significantly and cost-effectively increases network capacity and enhances quality of service. Founded 2006; Partnered 2013 Mark Pinto Bill Coughran
BridgeBio https://bridgebio.com/ BridgeBio finds; develops; and delivers breakthrough medicines for genetic diseases. They have built a portfolio of more than 15 transformative drugs ranging from pre-clinical to late stage development in multiple therapeutic areas including genetic dermatology; oncology; cardiology; neurology; endocrinology; renal disease; and ophthalmology. The company’s focus on scientific excellence and rapid execution aims to translate today's discoveries into tomorrow's medicines. Founded 2014; Partnered 2018 Neil Kumar Roelof Botha; Michael Dixon
Brud http://www.http://www.brud.fyi Brud is a transmedia studio that creates digital character driven story worlds. Partnered 2016 Trevor McFedries; Sara DeCou Stephanie Zhan
Cafepress http://www.cafepress.com Allows people to create; buy; and sell personalized merchandise online using print-on-demand services that reflect their interests. Founded 1999; Partnered 2005; IPO 2012 Fred Edward Durham III; Maheesh Jain Doug Leone
Carbon http://carbon3d.com/ Through a process called “light extrusion;” Carbon is transforming 3D printing—moving beyond basic prototyping to 3D manufacturing and delivering previously impossible materials at over 100 times the speed. Founded 2013; Partnered 2013 Joe DeSimone; Rob Schoeben; Craig Carlson; Alex Ermoshkin; Jason Rolland Jim Goetz
Carbon Black https://www.carbonblack.com/ Carbon Black provides the most complete solution against attacks targeting organizations’ websites and servers; making it easier for companies to see and stop. Founded 2002; Partnered 2012; IPO 2018 Patrick Morley Matthew Miller
CEGX http://www.cambridge-epigenetix.com/ Cambridge Epigenetix (CEGX) aims to change the way medicine is practised by reducing several routine and important diagnostic screening tests to a simple blood draw using the power of epigenetics. Epigenetics is the way genes are switched on or off (“expressed”); without altering the genes themselves; due to the presence of small chemicals around DNA or its surrounding proteins. Partnered 2015 Dr Jason Mellad Roelof Botha
CenterRun Software NA CenterRun introduced a product that automates the configuration and deployment of web applications in enterprise data centers from a central console. Founded 2000; Partnered 2001; Acquired 2003 Aaref Hilaly; Mike Schroepfer; Basil Hashem Michael Moritz; Aaref Hilaly
Charlotte Tilbury http://www.charlottetilbury.com/us/ Founded by world renown make-up artist Charlotte Tilbury; Charlotte Tilbury Beauty is revolutionizing make-up with easy to choose; easy to use and easy to gift skincare and color products. Founded 2013; Partnered 2017 Charlotte Tilbury Michael Moritz
Chartboost http://www.chartboost.com Founded by game developers and data geeks; Chartboost builds technology for people just like them; so they can turn their mobile games into successful businesses. Founded 2011; Partnered 2012 Maria Alegre; Sean Fannan Jim Goetz; Michael Abramson
Cisco http://www.cisco.com Cisco was one of the first companies to sell commercially successful routers that support multiple network protocols. Founded 1984; Partnered 1987; IPO 1990 Len Bosack; Sandy Lerner Donald Valentine
Citizen http://www.citizen.com/ Citizen’s mission is to ‘Protect the World.’ Today; they do that through a free mobile application that keeps people safe and informed about local crime and incidents in their area. Founded 2015; Partnered 2017 Andrew Frame; JD Maresco; Luis Samaniego Mike Vernal
Clari http://clari.com/ Clari makes selling just about anything easier by combining data science; advanced analytics; mobile and cloud technology. Founded 2012; Partnered 2012 Venkat P Rangan; Andy Byrne Aaref Hilaly
Clearwell Systems http://www.symantec.com/theme.jsp?themeid=clearwell-family Clearwell Systems changed the way companies perform electronic discovery in response to litigation; regulatory inquiries; and internal investigations. Founded 2004; Partnered 2005; Acquired 2011 Aaref Hilaly; Venkat P Rangan; Charu Rudrakshi Jim Goetz; Aaref Hilaly
Clever http://clever.com Schools call Clever a game changer because it makes using a school's technology faster and simpler for teachers and students. Founded 2012; Partnered 2013 Tyler Bosmeny; Dan Carroll; Rafael Garcia Bryan Schreier
Clickatell http://www.clickatell.com In 2000; Clickatell was founded to address a need in South Africa for an SMS provider that could enable the sending of multiple texts to different countries from a single website. Founded 2000; Partnered 2007 Pieter De Villiers; Casper De Villiers; Patrick Lawson NA
Clover Health https://cloverhealth.com/ Clover Health is a unique health insurance plan focused on driving down costs and producing improved health outcomes. Clover uses sophisticated analytics and custom software to direct their own clinical staff to proactively fill in gaps in the care of their members. Clover has a proven model they're scaling out. Founded 2014; Partnered 2015 Vivek Garipalli; Kris Gale Michael Dixon
Clutter https://www.clutter.io Clutter helps relieve stress from major life events. The company's full-service storage service allows consumers to safely and affordably store their belongings without lifting a finger. Founded 2013; Partnered 2015 Ari Mir; Brian Thomas Omar Hamoui
Cobalt Robotics https://cobaltrobotics.com/ Cobalt’s Security Service combines advances in autonomous cars; machine learning; anomaly detection; and 2-way telepresence. This allows a remote guard to be in many locations at once— providing high-level human intelligence; rapid situational awareness; real-time responsiveness; and perfect accountability. Founded 2016; Partnered 2018 Travis Deyle; Erik Schluntz Alfred Lin
Cohesity http://www.cohesity.com/ Cohesity is in the business of building and selling the next generation of secondary storage appliances. Founded 2013; Partnered 2013 Mohit Aron Bill Coughran; Carl Eschenbach
Comprehend http://www.comprehend.com Comprehend Systems creates SaaS tools that help understand; explore; and analyze data across multiple; disparate data sources. Comprehend Systems' first product; Comprehend Clinical; was created to improve and accelerate clinical trials to bring new; safer treatments to market sooner. Founded 2010; Partnered 2013 Rick Morrison; Jud Gardner Michael Dixon
Confluent https://www.confluent.io/ Confluent was founded by the team that built Apache Kafka™ at LinkedIn and that scaled Kafka to accommodate over 1 trillion messages per day – covering everything happening in a company. Founded 2014; Partnered 2017 Jay Kreps; Neha Narkhede; Jun Rao Matthew Miller
Cortexyme https://www.cortexyme.com/ Cortexyme is a clinical stage pharmaceutical company developing small molecules to alter the course of Alzheimer’s and other degenerative disorders. Cortexyme is targeting a specific; undisclosed infectious pathogen tied to neurodegeneration and chronic inflammation in humans and animal models. The company’s lead compound; COR388; is the subject of an ongoing phase 1b clinical development program. Additional proprietary small molecules are moving forward in preclinical development. Founded 2012; Partnered 2018; IPO 2019 Casey Lynch; Steve Dominy; MD; Kristen Gafric; JD Michael Dixon
Crew https://crewapp.com/ Crew is a messaging app that's geared towards workers who don't sit in front of a computer for work. Similar to how Slack has helped workers in the information economy; Crew provides a single way for employees and managers to communicate using the phones they already have. Founded 2015; Partnered 2016 Daniel Leffel; Broc Miramontes NA
Cumulus Networks http://www.cumulusnetworks.com Cumulus Networks enables high-capacity networks and architectures that are affordable and easy to deploy. Founded 2009; Partnered 2013 JR Rivers; Nolan Leake NA
Cypress http://www.cypress.com Develops advanced process-CMOS-integrated circuits for microprocessors and microcontrollers. Founded 1982; Partnered 1983; IPO 1986 TJ Rodgers NA
Dashlane https://www.dashlane.com/ Dashlane simplifies and secures your digital identity across all platforms and devices. The Dashlane app automatically fills and stores passwords; personal data; and payment details and includes a suite of tools to help you manage; monitor; and protect your digital identity. Available in 11 languages and trusted by 11+ million people in 180 countries; it's the complete; global solution for living safely and seamlessly online. Founded 2009; Partnered 2019 Emmanuel Schalit; Guillaume Maron; Jean Guillou Jim Goetz; Sonya Huang
Decolar http://www.decolar.com Decolar was the first site in Brazil to offer a single digital destination for flights; hotels; car and property rentals; amusement park passes and travel packages. Founded 1999; Partnered 2011; IPO 2017 Roberto Souviron Michael Abramson
Dia&Co https://www.dia.com/ Dia&Co an online shopping experience for women who wear size 14+. The company's flagship product is a personal styling service that allows customers to shop from the comfort of their homes. By developing a new kind of relationship with customers; Dia is resolving decades of inefficiencies in plus-size shopping. Founded 2014; Partnered 2016 Nadia Boujarwah; Lydia Gilbert Alfred Lin; Jess Lee
Docker http://www.docker.com Docker is pioneering the “containerization” of apps within the enterprise. It is built on an open source platform for developers of distributed applications. Founded 2010; Partnered 2014 Ben Golub; Solomon Hykes Matthew Miller; Bill Coughran
Domino Data Lab https://www.dominodatalab.com/ Domino was founded by three veterans of the finance industry; to help leading organizations develop better medicines; grow more productive crops; build better cars; or simply recommend the best song to play next. Their mission is to help data scientists across industries develop and deploy ideas faster with collaborative; reusable; reproducible analysis. Founded 2016; Partnered 2016 Nick Elprin; Chris Yang; Matthew Granade Bryan Schreier
DoorDash http://www.doordash.com Founded in 2013 in a dorm room at Stanford; DoorDash began with a mission to deliver local products to people online. Founded 2013; Partnered 2014 Tony Xu; Stanley Tang; Andy Fang Alfred Lin; Michael Abramson
Drawbridge http://drawbridge.com/ Drawbridge is the leader in identity resolution that helps customer-obsessed companies connect; unify; and supercharge their data to deliver unparalleled experiences with unmatched clarity. Drawbridge uses large-scale AI and machine learning technologies to build democratized solutions for identity to power martech; customer experience; and security applications. Founded 2010; Partnered 2010; Acquired 2019 Kamakshi Sivaramakrishnan Jim Goetz
Drift https://www.drift.com/ Drift is the world’s leading conversational marketing platform. Founded 2014; Partnered 2017 David Cancel; Elias Torres Pat Grady
Dropbox http://www.dropbox.com In 2007 there was nothing like Dropbox. Internet users emailed themselves photos; docs and videos; or saved them to thumb drives. Founded 2007; Partnered 2007; IPO 2018 Drew Houston; Arash Ferdowsi Bryan Schreier
Druva http://www.druva.com/ Druva is a leading provider of continuous data protection and disaster recovery solutions. Founded 2007; Partnered 2010 Jaspreet Singh Shailendra Singh
Electronic Arts http://www.ea.com Electronic Arts was a pioneer of the early home computer games industry and was notable for promoting the designers and programmers responsible for its games. Founded 1982; Partnered 1982; IPO 1989 Trip Hawkins; John Riccitiello Donald Valentine
Elevate http://elevateapp.com Elevate is a new type of cognitive training tool designed to build communication and analytical skills. Founded 2014; Partnered 2012 Jesse Pickard Bryan Schreier
Elevate Credit http://www.elevate.com/ Elevate's products deliver new levels of access; convenience and value to those who need it most. Founded 2014; Partnered 2005; IPO 2017 Kenneth Rees Pat Grady
Embark Trucks https://embarktrucks.com/ Embark Trucks is developing self-driving semi trucks. Their team is made up of robotics specialists with deep expertise in artificial intelligence; machine learning; and real-world deployment of advanced technology. Embark Trucks' autonomous fleet leverages this leading technology to help address rising shipping costs due to the shortage of drivers for long-haul trips. Founded 2016; Partnered 2018 Alex Rodrigues; Brandon Moak Pat Grady
EndoChoice http://www.endochoice.com Founded in 2008; EndoChoice manufactures and sells technology systems; products; devices and services to specialists treating a wide range of gastrointestinal conditions. Founded 2007; Partnered 2013 Mark Gilreath Michael Dixon; Yoav Shaked
Ethos https://www.getethos.com/ Ethos is a next generation life insurance company that transforms the policy-buying experience by making it self-serve and instantaneous; whether online or on mobile. Founded 2016; Partnered 2017 Peter Colis; Lingke Wang Roelof Botha; Stephanie Zhan
Eventbrite http://www.eventbrite.com Eventbrite was the first site that allowed anyone to find; create and manage an event. Founded 2006; Partnered 2009; IPO 2018 Kevin Hartz; Julia Hartz; Renaud Visage Roelof Botha
Evernote http://www.evernote.com Evernote brings your life's work together in one digital workspace for storing and sharing. As one workspace that lives across your phone; tablet; and computer; Evernote is the place you write free from distraction; collect information; find what you need; and present your ideas to the world. Founded 2007; Partnered 2010 Phil Libin; Chris O'Neill; Stepan Pachikov Roelof Botha
Everwise https://www.geteverwise.com/ Everwise exists to solve an acute challenge – providing highly motivated professionals with the opportunities they uniquely need to be successful throughout their careers. Founded 2013; Partnered 2015 Ian Gover; Colin Schiller; Michael Bergelson NA
Faire https://www.faire.com/ Faire is revolutionizing the way retailers shop for their stores by taking all the pain out of the buying process. Store owners can come to Faire to get product recommendations from hundreds of brands all in one place. Founded 2016; Partnered 2017 Max Rhodes; Daniel Perito; Marcel Cortes Alfred Lin
Figma https://www.figma.com/ Figma is the first web-based collaborative design tool. Multiple people can jump in a file at the same time; so they can design; prototype; copy code and gather feedback all in one place. Figma has simplified the design process for teams of designers; developers; product managers; marketers and others at thousands of companies including Uber; Square; Twitter and GitHub. Founded 2012; Partnered 2019 Dylan Field; Evan Wallace Andrew Reed
FireEye http://www.fireeye.com Founded in 2004; FireEye brought a fresh perspective to network security and malware protection by using a virtual-machine-based security platform rather than slow; physical machines. Founded 2004; Partnered 2004; IPO 2013 David G. DeWalt; Ashar Aziz Bill Coughran
First Republic Bank http://www.firstrepublic.com Provides private banking; private-business banking; real-estate lending and wealth-management services. Founded 1985; Partnered 2010; IPO 2010 James Herbert Michael Moritz; Pat Grady
Flex http://www.flextronics.com Provides contract-manufacturing services to equipment manufacturers. Founded 1969; Partnered 1993; IPO 1994 Mike McNamara Michael Moritz
Front https://frontapp.com/ Front redefines work communication with the first shared inbox for teams. By unifying email; customer communication channels; and apps in one delightful platform; Front helps teams collaborate transparently; and work faster and better together. Founded 2013; Partnered 2017 Mathilde Collin; Laurent Perrin Bryan Schreier; Andrew Reed
FutureAdvisor https://futureadvisor.com FutureAdvisor developed a smarter way to manage your stock portfolio. Through its free software; wealth management consultation is now accessible to anyone with a computer. Founded 2010; Partnered 2010; Acquired 2015 Jon Xu; Bo Lu Alfred Lin
GameFly http://gamefly.com GameFly uses a monthly subscription model for game consoles and handhelds that saves gamers the hassle of finding and playing games that don't appeal to them. Founded 2002; Partnered 2002 Sean Spector; Dave Hodess Michael Moritz
GenEdit http://www.genedit.com/ GenEdit was founded to transform the delivery of gene therapies and enable the next generation of non-viral; gene editing-based therapeutics. GenEdit’s technology platform solves current delivery challenges by systematically screening its proprietary nanoparticle library and providing safer and efficient delivery to target tissues. GenEdit’s proprietary nanoparticles has broad applicability including the development of CRISPR-based therapeutics and gene therapy products for a wide range of genetic diseases. Founded 2016; Partnered 2016 Kunwoo Lee; Hyo Min Park; Niren Murthy Roelof Botha
GitHub https://www.github.com GitHub has built the system of record for code and has emerged as the de facto standard for software development in today’s world. Founded 2008; Partnered 2015; Acquired 2018 Chris Wanstrath; PJ Hyett Jim Goetz; Andrew Reed
Glossier https://www.glossier.com/ Founded in 2014; Glossier Inc. is building the future beauty company in collaboration with its customers. With products inspired by the people who use them and a mission to give voice through beauty; Glossier celebrates individuality and personal choice. Founded 2014; Partnered 2019 Emily Weiss Michael Abramson; Sonya Huang
Good Eggs http://www.goodeggs.com Good Eggs makes it easy for busy people to eat well at home by curating a marketplace full of the best local; organic produce; sustainable meat and fish; and delicious grocery staples. Founded 2011; Partnered 2013 Bentley Hall; Alon Salant Bryan Schreier
Google http://www.google.com Google’s founders Larry and Sergey sought to organize the world’s information; and make it universally accessible and useful. The result is Google Search; the world’s most popular way to find information on the web. Founded 1998; Partnered 1999; IPO 2004 Sergey Brin; Larry Page Michael Moritz
Graphcore https://www.graphcore.ai/ Graphcore has designed a new processor specifically for machine learning - the intelligence processing unit (IPU) to let innovators create next generation machine intelligence. Founded 2016; Partnered 2017 Nigel Toon; Simon Knowles Matthew Miller; Bill Coughran; Stephanie Zhan
Green Dot https://www.greendot.com/greendot Largest issuer of reloadable prepaid VISA and MasterCard debit cards. Founded 1999; Partnered 2003; IPO 2010 Steve Streit Michael Moritz
Guardant Health http://www.guardanthealth.com Guardant Health is a leading precision oncology company focused on helping conquer cancer globally through use its proprietary blood tests; vast data sets and advanced analytics. Founded 2012; Partnered 2013; IPO 2018 Helmy Eltoukhy; AmirAli H. Talasaz; Michael Wiley Aaref Hilaly
Hayneedle http://www.hayneedle.com A collection of online stores that offers the largest selection of great specialty products at prices that fit within most any budget. Starting out as hammocks.com; Hayneedle has grown to become the one of the world’s largest home furnishings online retailers. Founded 2002; Partnered 2006 Doug Nielsen; Mark Hasebroock NA
Health Catalyst http://www.healthcatalyst.com Health Catalyst redefined analytics for hospitals and how they handle data unique to medicine. By determining normal data modeling was not the best fit for medical offices; Health Catalyst identified a crucial starting point for improving healthcare. Founded 2008; Partnered 2011 Daniel Burton; Steve Barlow; Brent Dover Michael Dixon
Hearsay Systems https://hearsaysystems.com Hearsay helps modernize traditional sales organizations by getting them tuned into social media. Founded 2009; Partnered 2010 Clara Shih; Steve Garrity Bryan Schreier
HireVue http://www.hirevue.com HireVue provides a video intelligence platform that utilizes video interviewing and pre-hire assessment to help global enterprises gain a competitive advantage in the modern talent marketplace to deliver a transformational hiring process. Founded 2004; Partnered 2013 Kevin Parker; Loren Larsen Matthew Miller
Houseparty https://joinhouse.party/ Houseparty allows users to quickly jump into “parties” of up to 8 people simultaneously; creating drop-in-drop-out style video chats between any friends who are online at the same time. Founded 2012; Partnered 2016; Acquired 2019 Ben Rubin; Itai Danino; Sima Sistani Mike Vernal
Houzz http://www.houzz.com A marketplace of homeowners and home professionals; Houzz is the best way to get inspired; discover products and to find and collaborate with the perfect architect; designer or contractor. Founded 2009; Partnered 2011 Adi Tatarko; Alon Cohen Alfred Lin
HubSpot http://www.hubspot.com HubSpot does away with the needle-in-the-haystack approach to targeting consumers; allowing companies to manage the vast variety of marketing tools with one centralized system. Founded 2006; Partnered 2011; IPO 2014 Brian Halligan; Dharmesh Shah Pat Grady; Jim Goetz
Humble Bundle http://www.humblebundle.com Using a pay-what-you-will model; Humble Bundle offers content to gamers while helping indie developers and charities. Founded 2010; Partnered 2011 Jeff Rosen; John Graham Alfred Lin
Infoblox http://www.infoblox.com Delivers Automated Network Control; the fundamental technology that connects end users; devices and networks. Founded 1999; Partnered 2003; IPO 2012 Robert Thomas; Stuart Bailey NA
Inkling http://www.inkling.com Inkling is on a mission to transform the way people work. Founded in 2009; Inkling’s mobile platform brings policies and procedures to life for the deskless worker. Employees today expect to go online to find accurate and compelling information on how to do their job; yet employers still ship paper binders or static PDF and Word files. Enterprises use Inkling to deliver policies and procedures in the form of dynamic documents. These documents behave more like consumer apps and engage the user with videos; interactive simulations; dynamic forms and checklists. Employees rely on Inkling to deliver exceptional customer experiences. Founded 2009; Partnered 2010 Matt MacInnis; Rob Cromwell Bryan Schreier
INS http://www.ins.com Solved networking issues created by customer implementations of multi-vendor and multi-protocol network solutions. Founded 1993; Partnered 1993; Acquired 1999; IPO 1996 NA Doug Leone; Jim Goetz
Inside.com http://www.inside.com/ Inside.com changes the way we read news on mobile devices by offering a short; engaging jump-off point into a curated feed of timely articles from reputable publications. Founded 2007; Partnered 2006 Jason Calacanis Roelof Botha
Instacart http://instacart.com Instacart seeks to build the best way for people anywhere in the world to shop for groceries and have them delivered instantly. Founded 2012; Partnered 2013 Apoorva Mehta; Max Mullen; Brandon Leonardo Michael Moritz; Alfred Lin; Michael Abramson
Instagram http://instagram.com Instagram changed the way we share photos and video with our mobile devices. By packaging easy-to-use photo editing with social media; the company has improved the quality of photography the world over. Founded 2010; Partnered 2012; Acquired 2012 Kevin Systrom; Mike Krieger Roelof Botha; Michael Abramson
IPG http://www.ipg.com/ IPG collaborates with health plans in partnership with providers; physicians; manufacturers and patients to develop market-based solutions that deliver tangible value in the implantable Device Benefit Management space. Founded 2004; Partnered 2010 Vince Coppola Michael Dixon
Ironclad https://ironcladapp.com/ Ironclad builds contract solutions for creating; automating and tracking contracts; empowering legal teams to do more legal work; less paperwork. Founded 2014; Partnered 2018 Jason Boehmig; Cai GoGwilt Jess Lee
Isilon Systems http://www.isilon.com Develops clustered storage systems in data-intensive markets. Founded 2001; Partnered 2002; Acquired 2010; IPO 2006 Sujal Patel; Paul Mikesell NA
Jasper https://www.jasper.com Jasper is a global Internet of Things (IoT) platform. Its SaaS IoT platform enables companies to rapidly and cost-effectively launch; manage; and monetize IoT services on a global scale. Founded 2004; Partnered 2005; Acquired 2016 Jahangir Mohammed; Daniel Collins; Amit Gupta Omar Hamoui; Jim Goetz
Jawbone http://www.jawbone.com A pioneer in Bluetooth technology; Jawbone makes discreet; wireless wearable devices. Founded 1999; Partnered 2007 Hosain Rahman; Alex Asseily NA
Jive http://www.jivesoftware.com Jive has encouraged and enabled enterprises to communicate and collaborate through its pioneering social business software platform. Founded 2001; Partnered 2007; IPO 2011 Bill Lynch; Matt Tucker Jim Goetz; Pat Grady
Kahuna http://www.usekahuna.com/ Kahuna invented the world’s first customer engagement engine dedicated to targeting and delighting customers of all demographics. Founded 2012; Partnered 2014 Adam Marchick; Jacob Taylor Omar Hamoui
KAYAK http://www.kayak.com By consolidating search functions for hundreds of travel companies; KAYAK became a one-stop site for booking plane tickets; hotels; cars and travel packages. Founded 2004; Partnered 2005; Acquired 2013; IPO 2012 Steve Hafner; Paul English Michael Moritz
Kenshoo http://www.kenshoo.com Kenshoo is the global leader in agile marketing; developing award-winning technology that powers digital marketing campaigns for nearly half of the Fortune 50 and all 10 top global ad agency networks. Founded 2006; Partnered 2007 Yoav Izhar-Prato; Alon Sheafer; Nir Cohen Shmil Levy
Kiwi http://www.kiwiup.com Kiwi saw a gap in the amount of games being developed for Android as an opportunity to excel and create entertainment apps built for the entire gaming market. Founded 2011; Partnered 2011 Omar Siddiqui; Shvetank Jain Alfred Lin; Omar Hamoui
Klarna http://www.klarna.com Klarna gives customers the simplest buying experience and companies amazing checkout rates. Founded 2005; Partnered 2010 Sebastian Siemiatkowski; Victor Jacobsson; Niklas Adalberth Michael Moritz; Michael Abramson
Lattice Engines http://www.lattice-engines.com Lattice is pioneering predictive marketing through intelligent applications and highly specific campaign options that make complex data science easy to use. Founded 2005; Partnered 2011 Shashi Upadhyay Doug Leone
Lifecode http://lifecodehealth.com/ Starting with an oncology focus; Lifecode is committed to improving the lives of patients through interpretation and architecture of genomic medicine. Founded 2011; Partnered 2011 NA NA
LightStep http://lightstep.com/ LightStep is rethinking observability in the emerging world of microservices and high concurrency. LightStep's first product enables developers and devops to trace individual requests through complex systems with incredibly high fidelity. Founded 2015; Partnered 2017 Ben Sigelman; Ben Cronin; Daniel Spoonhower Aaref Hilaly
Lilt https://lilt.com/ Lilt helps companies be first to emerging markets by offering a complete; high-quality solution for enterprise translation. By offering the first machine translation engine that continuously learns from human feedback; Lilt helps enterprises increase translation quality and speed without spiking costs. Founded 2015 Spence Green; John DeNero Bill Coughran; Liu Jiang
Limbix https://www.limbix.com/ Limbix provides Virtual Reality and digital therapeutic tools to help therapists provide more effective mental healthcare. Founded 2016; Partnered 2016 Ben Lewis; Tony Hsieh NA
Linear Technology http://www.linear.com Manufacturer of analog-integrated circuits. Founded 1981; Partnered 1981; IPO 1986 Bob Swanson Donald Valentine
LinkedIn http://www.linkedin.com In 2003; LinkedIn launched the social network for professionals; allowing people to connect based on business interactions. Founded 2002; Partnered 2003; IPO 2011 Reid Hoffman; Jeff Weiner Michael Moritz
LitePoint http://www.litepoint.com Tests and analyzes wireless devices through development and manufacturing phases. Founded 2000; Partnered 2007; Acquired 2011 Spiros Bouas; Benny Madsen; Christian Olgaard NA
LSI Logic http://www.lsilogic.com Founded in 1981; LSI Logic created advanced custom semiconductors and software to help companies store and distribute their data more efficiently between data centers; mobile networks and client computers. Founded 1981; Partnered 1981; IPO 1983 Wilf Corrigan; Abhi Y. Talwalkar Donald Valentine
Luminate http://www.luminatewireless.com/ Luminate enables mobile operators by transforming the ways in which they create networks and services. Founded 2013; Partnered 2013 Murari Srinivasan; Kevin Yu Bill Coughran
Mapillary https://www.mapillary.com/ Mapillary is a passionate community of people who want to make the world accessible to everyone by creating a photo representation of the world. Anyone can join the community and collect street level photos by using simple tools like smartphones or action cameras. Founded 2013; Partnered 2014 Jan Erik Solem Roelof Botha
MarkLogic http://www.marklogic.com Due to the increasing demands of housing big data; MarkLogic provides solutions by offering flexible and extensive databases for enterprises that are easy to integrate; search and manage. Founded 2001; Partnered 2002 Christopher Lindblad; Gary L. Bloom Pat Grady
Maven https://www.mavenclinic.com/ Maven is the only virtual clinic dedicated to women’s and family health. Maven’s platform gives on-demand access to best-in-class women’s and family health specialists; and makes it affordable and easy to get advice; diagnoses; and even prescriptions via video appointments; private messaging; and community-based forums. Maven operates both an on-demand consumer marketplace in addition to its family benefits platform; which offers programs around fertility; adoption; maternity; and return-to-work. Founded 2014; Partnered 2018 Kate Ryder Jess Lee
Medallia http://www.medallia.com Medallia's vision is simple: to create a world where companies are loved by customers and employees alike. Medallia Experience Cloud embeds the pulse of the customer in the organization and empowers employees with the customer data; insights and tools they need to make every experience great. More than 1;000 global brands trust Medallia's SaaS platform; the only enterprise grade platform that can wire the entire organization to systematically drive action and win on customer experience. Medallia has offices in Silicon Valley; New York; London; Paris; Sydney; Buenos Aires; and Tel Aviv. Founded 2001; Partnered 2011 Leslie Stretch; Amy Pressman; Borge Hald Doug Leone; Pat Grady
MedExpress http://www.medexpress.com The mission of MedExpress is to provide a one-stop urgent-care option for unscheduled; timely treatment that isn't quite ER-serious. Founded 2001; Partnered 2010; Acquired 2015 Frank Alderman Doug Leone; Michael Dixon
Mellanox http://www.mellanox.com Provider of Ethernet and InfiniBand network switches and host bus adapters. Founded 1999; Partnered 1999; IPO 2007 Eyal Waldman NA
Meraki http://www.meraki.com Meraki offered a complete system of networking products; doing away with market fragmentation; and allowing companies to utilize network connections of the highest speed and quality. Founded 2006; Partnered 2006; Acquired 2012 Sanjit Biswas; John Bicket; Hans Robertson Doug Leone
Merlin Securities Provided prime brokerage software and services to the alternative-investment community. Founded 2004; Partnered 2007; Acquired 2012 Stephan Vermut; Aaron Vermut Pat Grady
Metanautix http://metanautix.com Metanautix created the first data compute engine of its kind; helping companies drill down into complex data across various sources; and visualize it in a way that is easily extractable; regardless of differences in network; structure; format or location. Founded 2012; Partnered 2012; Acquired 2016 Theo Vassilakis Bill Coughran
MetaStable http://metastablecapital.com/ Meta Stable is the first broad-spectrum crypto currency investment fund. Founded 2014; Partnered 2017 Naval Ravikant; Joshua Seims; Lucas Ryan NA
Metaswitch Networks http://www.metaswitch.com Metaswitch is the world’s leading cloud native communications software company. The company develops commercial and open-source software solutions that are constructively disrupting the way that service providers build; scale; innovate and account for communication services. By working with Metaswitch; visionary service providers are realizing the full economic; operational and technology benefits of becoming cloud-based and software-centric. Metaswitch’s award-winning solutions are powering more than 1;000 service providers in today’s global; ultra-competitive and rapidly changing communications marketplace. Founded 1981; Partnered 2008 Martin Lund Jim Goetz; Pat Grady
Microchip Technology http://www.microchip.com Manufacturer of microcontroller; memory; and analog semiconductors. Founded 1987; Partnered 1989; IPO 1993 Steve Sanghi Donald Valentine
Mira Labs https://www.mirareality.com/ Mira Labs is a mobile augmented reality company with a mission to enhance the way we interact with technology and each other— starting in the workplace. Their minimalist; untethered AR headset works seamlessly with smartphones to allow users to engage in AR applications without the traditionally high barriers to entry. Founded 2016; Partnered 2017 Ben Taft; Matt Stern; Montana Reed Omar Hamoui
MobileIron http://www.mobileiron.com Through a comprehensive line of mobile apps; MobileIron lets IT administrators manage content on mobile devices across a network. Founded 2007; Partnered 2008; IPO 2014 Bob Tinker; Suresh Batchu; Ajay Mishra Aaref Hilaly
MongoDB http://www.mongodb.com/ MongoDB is the leading modern; general purpose database platform; designed to unleash the power of software and data for developers and the applications they build. Founded 2007; Partnered 2010 Eliot Horowitz; Dev Ittycheria; Dwight Merriman Roelof Botha
Moovit http://www.moovitapp.com Moovit is the world's largest urban mobility data and analytics company and the #1 transit app. Moovit simplifies your urban mobility all around the world; making getting around town via transit easier and more convenient. By combining information from public transit operators and authorities with live information from the user community; Moovit offers travelers a real-time picture; including the best route for the journey. Founded 2011; Partnered 2013 Nir Erez; Roy Bick Gili Raanan; Alfred Lin
Mu Sigma http://www.mu-sigma.com Mu Sigma provides decision sciences and analytics services to help companies institutionalize data-driven decision making. Founded 2005; Partnered 2011 Dhiraj C. Rajaram Shailendra Singh
Namely http://www.namely.com Namely provides a SaaS HR platform for mid-market companies. Founded 2012; Partnered 2015 Elisa Steele; Graham Younger; Paul Rogers; & Dan Murphy Pat Grady; Andrew Reed
Natera http://www.natera.com Natera is a genetic testing and diagnostics company that seeks to transform the management of genetic disease through proprietary bioinformatics and molecular technology. Founded 2004; Partnered 2007 Matthew Rabinowitz; Jonathan Sheena Roelof Botha
NetApp http://www.netapp.com Computer storage and network data management company. Founded 1992; Partnered 1994; IPO 1995 Daniel J. Warmenhoven; David Hitz; James Lau Donald Valentine
Netezza http://www.netezza.com Simplifies high-performance analytics for business users. Founded 2000; Partnered 2003; IPO 2007 Jit Saxena Doug Leone
NetScreen NA Offers network/internet security solutions that integrate firewall; VPN encryption and traffic management on a single platform. Founded 1998; Partnered 1998; Acquired 2004; IPO 2001 Feng Deng; Yan Ke NA
NEXT Trucking https://www.nexttrucking.com/ NEXT Trucking is transforming the 700 billion trucking industry by connecting verified truckers to prescreened shippers through an efficient and transparent online marketplace that utilizes predictive load offering technology and intelligent matching capabilities to factor in preferred routes; rates and additional key touch points.</td> <td>Founded 2015; Partnered 2017</td> <td>Lidia Yan; Elton Chung</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC408" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L408" class="blob-num js-line-number" data-line-number="408"></td> <td>Nimble</td> <td>https://www.nimblerx.com/</td> <td>Nimble is building the largest; most convenient pharmacy in the world. Nimble is a pharmacy platform that enables prescriptions to be delivered the same day as prescribed to patients.</td> <td>Founded 2014; Partnered 2015</td> <td>Talha Sattar</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC409" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L409" class="blob-num js-line-number" data-line-number="409"></td> <td>Nimble Storage</td> <td>http://www.nimblestorage.com</td> <td>Complex infrastructure creates an app-data gap that disrupts data delivery. Closing the app-data gap requires predicting and preventing barriers to data velocity.</td> <td>Founded 2008; Partnered 2008; IPO 2013</td> <td>Suresh Vasudevan; Umesh Maheshwari; Varun Mehta</td> <td>Jim Goetz; Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC410" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L410" class="blob-num js-line-number" data-line-number="410"></td> <td>Noom</td> <td>https://www.noom.com/#/</td> <td>Noom is the behavior change company that's disrupting the wellness industry; providing mobile; psychology-based behavior change programs to help people lose weight and prevent or manage conditions like diabetes and hypertension.</td> <td>Founded 2008; Partnered 2019</td> <td>Saeju Jeong; Artem Petakov</td> <td>Michael Abramson; Amy Sun</td> </tr> <tr id="file-sequoia_portfolio-csv-LC411" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L411" class="blob-num js-line-number" data-line-number="411"></td> <td>Nubank</td> <td>http://www.nubank.com.br</td> <td>With its efficient; transparent; mobile-first approach; Nubank is redefining people’s relationships with money via simple; accessible credit cards and digital banking.</td> <td>Founded 2013; Partnered 2013</td> <td>David Vélez; Edward Wible; Cristina Junqueira</td> <td>Doug Leone; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC412" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L412" class="blob-num js-line-number" data-line-number="412"></td> <td>Numerify</td> <td>http://www.numerify.com</td> <td>Numerify gives companies powerful cloud-based tools to get an unprecedented total view into operational and financial performance; while allowing IT to attain a more compelling front-office presence.</td> <td>Founded 2012; Partnered 2014</td> <td>Gaurav Rewari; Srikant Gokulnatha; Sadanand Sahasrabudhe; Pawan Rewari</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC413" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L413" class="blob-num js-line-number" data-line-number="413"></td> <td>NVIDIA</td> <td>http://www.nvidia.com</td> <td>NVIDIA pioneered the art and science of visual computing. Its invention of the GPU transformed the PC from a tool for productivity into one for creativity and discovery.</td> <td>Founded 1993; Partnered 1993; IPO 1999</td> <td>Jen-Hsun Huang</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC414" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L414" class="blob-num js-line-number" data-line-number="414"></td> <td>Okta</td> <td>http://www.okta.com</td> <td>Okta is the foundation for secure connections between people and technology. By harnessing the power of the cloud; Okta allows people to access applications on any device at any time; while still enforcing strong security protections. It integrates directly with an organization’s existing directories and identity systems; as well as 4;000+ applications. Because Okta runs on an integrated platform; organizations can implement the service quickly at large scale and low total cost.</td> <td>Founded 2009; Partnered 2012; IPO 2017</td> <td>Todd McKinnon; Freddy Kerrest</td> <td>Pat Grady; Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC415" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L415" class="blob-num js-line-number" data-line-number="415"></td> <td>Onyx Pharmaceuticals</td> <td></td> <td>Biopharmaceutical company engaged in the development and commercialization of innovative therapies for cancer patients.</td> <td>Founded 1992; Partnered 1993; IPO 1996</td> <td>Frank McCormick</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC416" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L416" class="blob-num js-line-number" data-line-number="416"></td> <td>OpenDNS</td> <td>http://www.opendns.com</td> <td>OpenDNS is the world’s largest cloud-delivered security platform serving more than 65 million daily users across 160+ countries. Providing a new layer of protection both on and off a company’s network; OpenDNS prevents malicious attacks over any port or protocol. </td> <td>Founded 2006; Partnered 2009</td> <td>David Ulevitch</td> <td>Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC417" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L417" class="blob-num js-line-number" data-line-number="417"></td> <td>Oracle</td> <td>http://www.oracle.com</td> <td>For decades; Oracle has engineered integrated hardware and software systems for business; uniting a disjointed digital landscape and creating solutions for the largest companies in the world.</td> <td>Founded 1977; Partnered 1983; IPO 1986</td> <td>Larry Ellison</td> <td>Donald Valentine</td> </tr> <tr id="file-sequoia_portfolio-csv-LC418" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L418" class="blob-num js-line-number" data-line-number="418"></td> <td>Orbital Insight</td> <td>http://www.orbitalinsight.com</td> <td>Through a technique called deep learning; Orbital Insight harnesses and analyzes satellite imagery; enabling innovation in everything from agricultural development to deforestation policy. </td> <td>Founded 2013; Partnered 2014</td> <td>James Crawford</td> <td>Bill Coughran; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC419" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L419" class="blob-num js-line-number" data-line-number="419"></td> <td>Orchid Labs</td> <td>https://www.orchid.com/</td> <td>Orchid Labs Inc. is an open-source project committed to ending surveillance and censorship on the internet. The Orchid protocol uses an overlay network built upon the existing internet; which is driven by a peer-to-peer tokenized bandwidth exchange; creating a more inclusive; liberated internet. Orchid Labs was founded in 2017 by Stephen Bell; Brian J. Fox; Gustav Simonsson; Dr. Steven Waterhouse; and Jay Freeman. Orchid Labs is headquartered in San Francisco; California.</td> <td>Founded 2017; Partnered 2017</td> <td>Stephen​ ​Bell; Brian Fox; Jay Freeman; Gustav Simonsson; Dr. Steven Waterhouse</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC420" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L420" class="blob-num js-line-number" data-line-number="420"></td> <td>Palo Alto Networks</td> <td>http://www.paloaltonetworks.com</td> <td>Frustrated with the slow progress of ideas at his employer; Nir Zuk founded Palo Alto Networks to introduce new ways to protect enterprise; government and service providers through better firewalls and stronger network security.</td> <td>Founded 2005; Partnered 2005; IPO 2012</td> <td>Nir Zuk; Rajiv Batra; Mark McLaughlin</td> <td>Jim Goetz; Carl Eschenbach</td> </tr> <tr id="file-sequoia_portfolio-csv-LC421" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L421" class="blob-num js-line-number" data-line-number="421"></td> <td>PayPal</td> <td>http://www.paypal.com</td> <td>PayPal changed the way we pay for things with its online payment system by letting people pay with their email address. </td> <td>Founded 1999; Partnered 1999; Acquired 2002; IPO 2002</td> <td>Elon Musk; Max Levchin; Peter Thiel</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC422" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L422" class="blob-num js-line-number" data-line-number="422"></td> <td>Peakstream</td> <td>NA</td> <td>Peakstream provides a software platform for High Performance Computing that unlocks the power of a new generation of processors; from GPUs to multi-core CPUs.</td> <td>Partnered 2005; Acquired 2007</td> <td>Matthew Papakipos</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC423" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L423" class="blob-num js-line-number" data-line-number="423"></td> <td>Percolate</td> <td>http://www.percolate.com</td> <td>Founded in 2011; Percolate has helped some of the world’s most successful companies launch new platforms and sites by streamlining marketing and social media processes through its pioneering marketing system of record.</td> <td>Founded 2011; Partnered 2014</td> <td>Noah Brier; James Gross</td> <td>Michael Dixon</td> </tr> <tr id="file-sequoia_portfolio-csv-LC424" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L424" class="blob-num js-line-number" data-line-number="424"></td> <td>PicsArt</td> <td>http://picsart.com</td> <td>PicsArt is a social image editing app and creative community. PicsArt makes it easy to step up your photo editing game; remix pictures with friends; make memes and stickers and share your creations with the world. </td> <td>Founded 2011; Partnered 2014</td> <td>Hovhannes Avoyan; Artavazd Mehrabyan</td> <td>Omar Hamoui; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC425" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L425" class="blob-num js-line-number" data-line-number="425"></td> <td>Pixelworks</td> <td></td> <td>Semiconductor company formed to develop; market and sell components for flat panel display products.</td> <td>Founded 1997; Partnered 1998; IPO 2000</td> <td>Allen Alley</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC426" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L426" class="blob-num js-line-number" data-line-number="426"></td> <td>PlanGrid</td> <td>http://www.plangrid.com</td> <td>Plangrid’s software brings all your blueprints and construction plans to the cloud; doing away with paper-based markups and getting contractors and architects on the same page for instantaneous collaboration.</td> <td>Founded 2011; Partnered 2014; Acquired 2018</td> <td>Ralph Gootee; Ryan Sutton-Gee; Tracy Young</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC427" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L427" class="blob-num js-line-number" data-line-number="427"></td> <td>PMC-Sierra</td> <td>http://www.pmc-sierra.com</td> <td>Designs; develops; markets and supports high-performance semiconductor networking solutions.</td> <td>Founded 1984; Partnered 1984; IPO 1991</td> <td>James V. Diller; Robert Lee Bailey</td> <td>Donald Valentine</td> </tr> <tr id="file-sequoia_portfolio-csv-LC428" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L428" class="blob-num js-line-number" data-line-number="428"></td> <td>Pocket Gems</td> <td>http://www.pocketgems.com</td> <td>Founded in 2009 Pocket Gems' first products pioneered the free-to-play mobile games industry and have delighted and entertained millions of players. </td> <td>Founded 2009; Partnered 2010</td> <td>Daniel Terry; Harlan Crystal</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC429" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L429" class="blob-num js-line-number" data-line-number="429"></td> <td>Polychain Capital</td> <td>http://polychain.capital/</td> <td>Polychain Capital manages the world's premier blockchain asset hedge fund.</td> <td>Founded 2016; Partnered 2017</td> <td>Olaf Carlson-Wee</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC430" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L430" class="blob-num js-line-number" data-line-number="430"></td> <td>POPSUGAR</td> <td> http://corp.popsugar.com/</td> <td>In 2005; husband and wife duo Lisa and Brian Sugar created the “insanely addictive” website POPSUGAR as a fresh take on the celebrity coverage found on dated newsstands. </td> <td>Founded 2006; Partnered 2006</td> <td>Brian Sugar; Lisa Sugar</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC431" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L431" class="blob-num js-line-number" data-line-number="431"></td> <td>Progress Software</td> <td>http://www.progress.com</td> <td>Develops; markets; and distributes application development; deployment and management technology.</td> <td>Founded 1981; Partnered 1990; IPO 1991</td> <td>Joe Alsop</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC432" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L432" class="blob-num js-line-number" data-line-number="432"></td> <td>Prosper</td> <td>http://www.prosper.com</td> <td>Prosper empowers people to invest in each other in a way that is financially and socially rewarding. </td> <td>Founded 2006; Partnered 2013</td> <td>Stephan Vermut; Aaron Vermut; Ron Suber</td> <td>Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC433" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L433" class="blob-num js-line-number" data-line-number="433"></td> <td>Qualtrics</td> <td>http://www.qualtrics.com</td> <td>Qualtrics is a single system of record for all experience data; also called X-data™.</td> <td>Founded 2002; Partnered 2012; Acquired 2018</td> <td>Ryan Smith; Jared Smith; Scott Smith; Stuart Orgill</td> <td>Bryan Schreier; Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC434" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L434" class="blob-num js-line-number" data-line-number="434"></td> <td>Quantenna</td> <td>http://www.quantenna.com</td> <td>Quantenna’s wireless semiconductors improve wifi networks in the home; enterprise and outdoors. Their industry-leading technology is transforming the way HD video and data streams for homes and businesses.</td> <td>Founded 2006; Partnered 2006; IPO 2016</td> <td>Andrea J. Goldsmith; Sam Heidari</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC435" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L435" class="blob-num js-line-number" data-line-number="435"></td> <td>Quantum Circuits</td> <td>http://quantumcircuits.com/</td> <td>QCI was founded in 2015 by leading physicists with a mission to build the first practical quantum computer. Together with a multi-disciplinary team of engineers; they are reimagining the full stack of quantum computation to offer a truly scalable platform; one that tackles the world's most challenging problems.</td> <td>Founded 2015; Partnered 2017</td> <td>Robert Schoelkopf; Michel Devoret; Luigi Frunzio; Brian Pusch</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC436" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L436" class="blob-num js-line-number" data-line-number="436"></td> <td>Quidd</td> <td>http://quidd.co/</td> <td>Quidd is the leading platform for buying; trading and using premium; rare digital goods. Available for free on iOS and Android devices; the Quidd app enables fans to buy; own and use digital stuff; like stickers; GIFs; cards and toys; to express their fandoms; construct their identities; and have more fun with their favorite things. The best names in entertainment; including Marvel; Game Of Thrones; Rick And Morty; Breaking Bad; and more; are using the Quidd platform to reach new audiences and build new businesses. </td> <td>Founded 2015; Partnered 2017</td> <td>Michael Bramlage; Erich Wood</td> <td>Omar Hamoui</td> </tr> <tr id="file-sequoia_portfolio-csv-LC437" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L437" class="blob-num js-line-number" data-line-number="437"></td> <td>R2 Semiconductor</td> <td>http://www.r2semi.com</td> <td>With modern gadgets demanding more from devices; R2 Semiconductor is reducing power consumption; managing temperature and minimizing space to make room for new tech. </td> <td>Founded 2008; Partnered 2009</td> <td>David Fisher; Larry Burns; Ravi Ramachandran</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC438" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L438" class="blob-num js-line-number" data-line-number="438"></td> <td>Rackspace</td> <td>http://www.rackspace.com</td> <td>Provides hosting and cloud computing for businesses.</td> <td>Founded 1998; Partnered 2000; IPO 2008</td> <td>Graham M. Weston; Lanham Napier; Patrick Condon</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC439" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L439" class="blob-num js-line-number" data-line-number="439"></td> <td>Rappi</td> <td>https://www.rappi.com/restaurantes</td> <td>Rappi is an on-demand delivery service.</td> <td>Founded 2015; Partnered 2016</td> <td>Simon Borrero; Sebastian Mejia; Felipe Villamarin</td> <td>Michael Abramson; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC440" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L440" class="blob-num js-line-number" data-line-number="440"></td> <td>Re:store</td> <td>https://www.join-restore.com/</td> <td>Re:store gives direct-to-consumer brands turnkey coworking; fulfillment services; and storefront space to connect with customers in real life. Opening SF 2019.</td> <td>Founded 2017; Partnered 2018</td> <td>Selene Cruz</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC441" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L441" class="blob-num js-line-number" data-line-number="441"></td> <td>Redback Networks</td> <td></td> <td>Networking system that enables carriers; cable operators and service providers to deploy high-speed internet access.</td> <td>Founded 1996; Partnered 1996; IPO 1999</td> <td>Gaurav Garg</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC442" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L442" class="blob-num js-line-number" data-line-number="442"></td> <td>reddit</td> <td>http://www.reddit.com</td> <td>With hundred of millions of viewers a month; reddit has become a hub for the web's most popular content from political news to cute animal GIFs—leading it to be called "the front page of the internet".</td> <td>Founded 2005; Partnered 2014</td> <td>Steve Huffman</td> <td>Alfred Lin; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC443" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L443" class="blob-num js-line-number" data-line-number="443"></td> <td>Remix</td> <td>https://www.remix.com/</td> <td>Remix helps local governments plan dramatically better public transit. With a mission to build cities that better serve their communities; Remix is trusted by over 200 cities across four continents. Their software enables urbanists and planners to create transit routes that increase economic opportunity for people of all incomes.</td> <td>Founded 2014; Partnered 2015</td> <td>Sam Hashemi; Tiffany Chu; Dan Getelman; Danny Whalen</td> <td>Aaref Hilaly; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC444" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L444" class="blob-num js-line-number" data-line-number="444"></td> <td>rideOS</td> <td>https://rideos.ai/</td> <td>rideOS builds critical technologies to enable the future of transportation in the self-driving vehicle eco-system.</td> <td>Founded 2017; Partnered 2017</td> <td>Justin Ho; Chris Blumenberg</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC445" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L445" class="blob-num js-line-number" data-line-number="445"></td> <td>RingCentral</td> <td>http://www.ringcentral.com</td> <td>RingCentral created a cloud-based solution for physical phone systems in the business world; which had become outdated and expensive to maintain. </td> <td>Founded 1998; Partnered 2006; IPO 2013</td> <td>Vlad Shmunis</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC446" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L446" class="blob-num js-line-number" data-line-number="446"></td> <td>Robinhood</td> <td>https://robinhood.com/</td> <td>Robinhood's mission is to democratize America’s financial system. With Robinhood; you can learn to invest in stocks; ETFs; options; and cryptocurrencies commission-free.</td> <td>Founded 2013; Partnered 2018</td> <td>Vlad Tenev; Baiju Bhatt</td> <td>Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC447" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L447" class="blob-num js-line-number" data-line-number="447"></td> <td>Rockset</td> <td>https://www.rockset.com/</td> <td>Rockset’s vision is to build a data-driven future. Rockset provides a serverless search and analytics engine; making it easy to go from data to applications. Developers and data scientists can build live apps and dashboards directly on raw data; without upfront data preparation and complex data pipelines. Rockset is the shortest path from data to apps.</td> <td>Founded 2016; Partnered 2016</td> <td>Venkat Venkataramani; Shruti Bhat; Dhruba Borthakur; Tudor Bosman</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC448" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L448" class="blob-num js-line-number" data-line-number="448"></td> <td>Ruckus Wireless</td> <td>http://www.ruckuswireless.com</td> <td>Ruckus Wireless is a pioneer in the wireless infrastructure market; with a focus on building a smarter; more reliable WiFi signal.</td> <td>Founded 2004; Partnered 2002; IPO 2012</td> <td>Selina Lo; William Kish; Victor Shtrom</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC449" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L449" class="blob-num js-line-number" data-line-number="449"></td> <td>Rylo</td> <td>http://www.rylo.com</td> <td>Rylo is a new kind of camera; powered by groundbreaking software that makes it easy for anyone to shoot; edit; and share incredibly smooth; cinematic video. With 360° capture; breakthrough stabilization; and a simple app for fast editing on-the-go; Rylo produces exceptionally beautiful video every time. Rylo Inc. was founded in 2015 by a team with years of experience from Instagram and Apple. Sequoia first partnered with the team for their Seed round which was also in 2015.</td> <td>Founded 2015; Partnered 2015</td> <td>Alex Karpenko; Chris Cunningham</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC450" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L450" class="blob-num js-line-number" data-line-number="450"></td> <td>Saba Software</td> <td>http://www.saba.com</td> <td>Saba Software develops; markets and supports a complete web-based self-service application suite.</td> <td>Founded 1997; Partnered 1998; IPO 2000</td> <td>Bobby Yazdani</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC451" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L451" class="blob-num js-line-number" data-line-number="451"></td> <td>Scanntech</td> <td>http://www.scanntech.com</td> <td>Beginning in Uruguay; Scanntech created a way for independent grocery stores to process transactions; run inventory management and sell financial services.</td> <td>Founded 1991; Partnered 2011</td> <td>Raul Polakof</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC452" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L452" class="blob-num js-line-number" data-line-number="452"></td> <td>SecurityScorecard</td> <td>http://www.securityscorecard.com</td> <td>Founder Aleksandr Yampolskiy started SecurityScorecard as a way to protect his business (and vendor partners) from online threats using a patented solution to monitor key risk factors in real-time.</td> <td>Founded 2013; Partnered 2015</td> <td>Aleksandr Yampolskiy; Sam Kassoumeh</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC453" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L453" class="blob-num js-line-number" data-line-number="453"></td> <td>ServiceNow</td> <td>http://www.servicenow.com/</td> <td>ServiceNow was born because founder Fred Luddy was frustrated that software at home was so useful and fun; yet software at work was so clumsy.</td> <td>Founded 2003; Partnered 2009; IPO 2012</td> <td>Fred Luddy; Frank Slootman</td> <td>Doug Leone; Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC454" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L454" class="blob-num js-line-number" data-line-number="454"></td> <td>Setter</td> <td>https://setter.com/</td> <td>Setter is the expert for all your home maintenance and repair needs - beginning to end - so you can focus on the things you love and the moments that matter.</td> <td>Partnered 2017</td> <td>Guillaume Laliberte; David Steckel</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC455" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L455" class="blob-num js-line-number" data-line-number="455"></td> <td>SimpliSafe</td> <td>http://simplisafe.com/</td> <td>SimpliSafe was started to help people live safely with a DIY home security system anyone can use—ending the alarm industry’s grip on consumers with high-priced upgrades and long term contracts.</td> <td>Founded 2006; Partnered 2014; Acquired 2019</td> <td>Chad Laurans</td> <td>Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC456" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L456" class="blob-num js-line-number" data-line-number="456"></td> <td>Skyhigh Networks</td> <td>http://www.skyhighnetworks.com</td> <td>As more and more industries join the cloud; Skyhigh Networks is helping maintain security and compliance by shining a light on shadow IT.</td> <td>Founded 2011; Partnered 2013</td> <td>Rajiv Gupta; Sekhar Sarukkai; Kaushik Narayan</td> <td>Aaref Hilaly; Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC457" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L457" class="blob-num js-line-number" data-line-number="457"></td> <td>Skyscanner</td> <td>http://www.skyscanner.com/</td> <td>Skyscanner is the world's travel search engine; created in 2003 as a way to compare airline fares; after the founder was frustrated having to visit different sites to find the best price.</td> <td>Founded 2001; Partnered 2013</td> <td>Gareth Williams; Bonamy Grimes</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC458" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L458" class="blob-num js-line-number" data-line-number="458"></td> <td>Snowflake</td> <td>https://www.snowflake.net/</td> <td>Snowflake started with a clear vision: Make modern data warehousing effective; affordable and accessible to all data users. Because traditional on-premises and cloud solutions struggle at this; Snowflake developed a new product with a built-for-the-cloud architecture that combines the power of data warehousing; the flexibility of big data platforms; the elasticity of the cloud and live data sharing at a fraction of the cost of traditional solutions.</td> <td>Founded 2012; Partnered 2018</td> <td>Bob Muglia; Benoit Dageville; Thierry Cruanes; Marcin Zukowski</td> <td>Pat Grady; Carl Eschenbach</td> </tr> <tr id="file-sequoia_portfolio-csv-LC459" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L459" class="blob-num js-line-number" data-line-number="459"></td> <td>Sourcefire</td> <td>http://www.sourcefire.com</td> <td>World leader in intelligent security monitoring and threat-management solutions</td> <td>Founded 2001; Partnered 2004; IPO 2007</td> <td>Martin Roesch; John Burris</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC460" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L460" class="blob-num js-line-number" data-line-number="460"></td> <td>Springpath</td> <td>http://www.springpathinc.com/</td> <td>For many companies; data is stuck in silos; but Springpath introduces the first software-only data platform that uses a patent-pending architecture to store; manage and secure data in one place.</td> <td>Founded 2012; Partnered 2012</td> <td>Krishna Yadappanavar; Mallik Mahalingam</td> <td>Jim Goetz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC461" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L461" class="blob-num js-line-number" data-line-number="461"></td> <td>Square</td> <td>https://www.squareup.com</td> <td>With its combination of intuitive software and beautifully designed hardware; Square is a Swiss army knife for businesses of any size; covering everything from payment and point-of-sale to financial services.</td> <td>Founded 2009; Partnered 2011; IPO 2015</td> <td>Jack Dorsey; Jim McKelvey</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC462" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L462" class="blob-num js-line-number" data-line-number="462"></td> <td>StackRox</td> <td>https://www.stackrox.com/</td> <td>Founded in 2014; StackRox helps enterprises secure their cloud-native applications at scale. StackRox is the industry’s first detection and response platform that defends containers and microservices from new threats. StackRox enables security teams to visualize the container attack surface; expose malicious activity; and stop attacker activity. It combines a new security architecture; machine learning; and protective actions to disrupt attacks in real time and limit their impact. StackRox is the choice of Global 2000 enterprises and backed by Sequoia Capital.</td> <td>Founded 2014; Partnered 2016</td> <td>Ali Golshan; Kamal Shah</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC463" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L463" class="blob-num js-line-number" data-line-number="463"></td> <td>StarkWare</td> <td>https://www.starkware.co/</td> <td>StarkWare Industries commercializes STARK; the zero-knowledge proof protocol. Its full proof stack will improve blockchains' scalability and privacy. </td> <td>Partnered 2018</td> <td>Uri Kolodny; Alessandro Chiesa; Eli Ben Sasson; Michael Riabzev</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC464" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L464" class="blob-num js-line-number" data-line-number="464"></td> <td>Stella &amp; Dot</td> <td>http://stelladot.com</td> <td>Founder Jessica Herrin created Stella &amp; Dot as a way to empower women with an alternative career opportunity—selling jewelry and accessories at home-based trunk shows. The emphasis on quality product; flexibility and style; stand in stark contrast to the majority of home-based businesses.</td> <td>Founded 2004; Partnered 2010</td> <td>Jessica Herrin</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC465" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L465" class="blob-num js-line-number" data-line-number="465"></td> <td>Stemcentrx</td> <td>http://www.stemcentrx.com/</td> <td>Stemcentrx develops therapies that aim to cure and significantly improve survival for cancer patients. They are pioneering new approaches to eliminate cancer stem cells; which initiate and perpetuate tumors.</td> <td>Founded 2008; Partnered 2014</td> <td>Scott Dylla; Brian Slingerland</td> <td>Michael Dixon</td> </tr> <tr id="file-sequoia_portfolio-csv-LC466" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L466" class="blob-num js-line-number" data-line-number="466"></td> <td>Strava</td> <td>http://www.strava.com</td> <td>In 2009; Michael Horvath and Mark Gainey started Strava as a way to feel closer to a team while training. By tracking cycling and running in a social network environment; Strava can be both a GPS tracker of activity and a way for friends to be competitive and encouraging day-to-day.</td> <td>Founded 2009; Partnered 2014</td> <td>Mark Gainey</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC467" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L467" class="blob-num js-line-number" data-line-number="467"></td> <td>Streamlabs</td> <td>http://streamlabs.com</td> <td>Streamlabs allows gamers to take their Twitch streams to a new level. They give people tools that allow them to update recent donators and followers with things like sub-goal counts and more. Streamlabs helps users keep text automatically updated on their streams so they can focus on their stream.</td> <td>Founded 2014; Partnered 2015</td> <td>Ali Moiz; Murtaza Hussain</td> <td>Omar Hamoui</td> </tr> <tr id="file-sequoia_portfolio-csv-LC468" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L468" class="blob-num js-line-number" data-line-number="468"></td> <td>Stripe</td> <td>http://stripe.com</td> <td>Stripe's developer-friendly API simplifies the difficulty in making a commerce site; allowing users to focus on code and design when building their online businesses.</td> <td>Founded 2010; Partnered 2010</td> <td>Patrick Collison; John Collison</td> <td>Michael Moritz; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC469" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L469" class="blob-num js-line-number" data-line-number="469"></td> <td>Sumo Logic</td> <td>http://www.sumologic.com</td> <td>Founded in 2010 by experts in log management; scalable systems; big data and security; Sumo Logic is empowering owners to use machine data to improve their businesses. </td> <td>Founded 2010; Partnered 2014</td> <td>Christian Beedgen; Kumar Saurabh; Ramin Sayar</td> <td>Pat Grady; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC470" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L470" class="blob-num js-line-number" data-line-number="470"></td> <td>Sunrun</td> <td>http://www.sunrun.com</td> <td>Sunrun began with the idea that simple; affordable solar power could be a reality for consumers. Ending decades of dependence on power companies; Sunrun has a revolutionary model that allows people to use solar power without actually purchasing and maintaining the panels.</td> <td>Founded 2007; Partnered 2010</td> <td>Edward Fenster; Lynn Jurich</td> <td>Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC471" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L471" class="blob-num js-line-number" data-line-number="471"></td> <td>Symantec</td> <td>http://www.symantec.com</td> <td>Founded in 1982 by computer scientists; Symantec focuses on security and management of data; ensuring both businesses and consumers stay protected against risks.</td> <td>Founded 1982; Partnered 1983; IPO 1989</td> <td>NA</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC472" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L472" class="blob-num js-line-number" data-line-number="472"></td> <td>Telcare</td> <td>http://www.telcare.com</td> <td>With Telcare's innovative blood glucose device—that measures levels wirelessly and connects to an app—they are pioneering machine to machine (M2M) technology in the medical space.</td> <td>Founded 2008; Partnered 2012</td> <td>Jonathan Javitt</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC473" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L473" class="blob-num js-line-number" data-line-number="473"></td> <td>Tessian</td> <td>https://www.tessian.com/</td> <td>Tessian is constructing a new category of cybersecurity; protecting companies from an unaddressed; critical security risk factor—people. Tessian's Human Layer Security platform uses machine learning to understand human relationships and communication behavior in order to protect businesses from threats executed by people on email.</td> <td>Founded 2013; Partnered 2018</td> <td>Edward Bishop; Thomas Adams; Tim Sadler</td> <td>Matthew Miller</td> </tr> <tr id="file-sequoia_portfolio-csv-LC474" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L474" class="blob-num js-line-number" data-line-number="474"></td> <td>Thanx</td> <td>http://thanx.com/</td> <td>Thanx helps connect brands with their best customers through an automated loyalty; feedback; and marketing platform. Thanx's turnkey loyalty solution for brick-and-mortar merchants allows consumers to get rewarded simply by paying as usual; eliminating the hassles of traditional loyalty offerings; while delivering actionable data and automated campaigns to help merchants grow revenue.</td> <td>Founded 2011; Partnered 2014</td> <td>Zach Goldstein</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC475" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L475" class="blob-num js-line-number" data-line-number="475"></td> <td>The Wing</td> <td>https://www.the-wing.com/</td> <td>The Wing is a network of work and community spaces designed for women with locations in New York; Washington D.C.; and San Francisco founded by Audrey Gelman and Lauren Kassan in 2016. The Wing’s mission is the professional; civic; social; and economic advancement of women through community.</td> <td>Founded 2016; Partnered 2018</td> <td>Audrey Gelman; Lauren Kassan</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC476" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L476" class="blob-num js-line-number" data-line-number="476"></td> <td>ThousandEyes</td> <td>http://www.thousandeyes.com</td> <td>ThousandEyes is an internet performance and digital experience monitoring company that arms everyone—engineers; teams; developers and end users—with instant insights across all connected devices within an organization.</td> <td>Founded 2010; Partnered 2011</td> <td>Mohit Lad; Ricardo Oliveira</td> <td>Aaref Hilaly</td> </tr> <tr id="file-sequoia_portfolio-csv-LC477" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L477" class="blob-num js-line-number" data-line-number="477"></td> <td>Threads</td> <td>https://threads.com/</td> <td>Threads is a platform designed to make work more inclusive by empowering teams to discuss and make decisions at scale.</td> <td>Founded 2017; Partnered 2017</td> <td>Rousseau Kazi; Suman Venkataswamy</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC478" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L478" class="blob-num js-line-number" data-line-number="478"></td> <td>Thumbtack</td> <td>http://www.thumbtack.com</td> <td>Thumbtack is the easiest and most dependable way to hire the right professional for personal projects. Thumbtack introduces customers to the right professional for them and helps these professionals grow their business.</td> <td>Founded 2009; Partnered 2013</td> <td>Marco Zappacosta; Jonathan Swanson</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC479" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L479" class="blob-num js-line-number" data-line-number="479"></td> <td>Tourlane</td> <td>https://www.tourlane.com/</td> <td>Tourlane connects travelers with handpicked travel experts to organize authentic; customized experiences from Safaris in Tanzania to diving in Galápagos.</td> <td>Partnered 2018</td> <td>Julian Stiefel; Julian Weselek</td> <td>Andrew Reed; Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC480" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L480" class="blob-num js-line-number" data-line-number="480"></td> <td>Trulia</td> <td>http://www.trulia.com</td> <td>Trulia is an all-in-one real estate site that gives the local scoop about homes for sale; apartments for rent; neighborhood insights; and real estate markets and trends to help visitors figure out exactly what; where; and when to buy; sell; or rent. </td> <td>Founded 2005; Partnered 2007; IPO 2012</td> <td>Peter Flint; Sami Inkinen</td> <td>Bryan Schreier</td> </tr> <tr id="file-sequoia_portfolio-csv-LC481" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L481" class="blob-num js-line-number" data-line-number="481"></td> <td>Trupo</td> <td>https://www.trupo.com/</td> <td>Trupo is an insurtech startup addressing one of the biggest challenges facing the mobile workforce today: episodic income. We're building the first short-term disability insurance designed specifically for freelancers and using it to empower freelancers to protect themselves and each other. </td> <td>Partnered 2017</td> <td>Sara Horowitz; Ann Boger; Christopher Casebeer</td> <td>Alfred Lin; Liu Jiang</td> </tr> <tr id="file-sequoia_portfolio-csv-LC482" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L482" class="blob-num js-line-number" data-line-number="482"></td> <td>Tula Technology</td> <td>http://www.tulatech.com</td> <td>By focusing on fuel-reduction technology and drivability; Tula created the first digital engine. The unique and dynamic skip-fire engine digitizes piston firing to economize fuel when torque is not a priority.</td> <td>Founded 2008; Partnered 2008</td> <td>Dr. Adya Tripathi; Scott Bailey</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC483" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L483" class="blob-num js-line-number" data-line-number="483"></td> <td>Tumblr</td> <td>http://www.tumblr.com</td> <td>Founded in 2007; Tumblr set out to give creatives a functional; free and versatile way to share their favorite content with an emphasis on visuals and multimedia.</td> <td>Founded 2007; Partnered 2010; Acquired 2013</td> <td>David Karp</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC484" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L484" class="blob-num js-line-number" data-line-number="484"></td> <td>TuneIn</td> <td>http://tunein.com</td> <td>TuneIn brings radio back to your fingertips through your smartphone. On-demand functionality for radio allows users to pick from hundreds of thousands of radio stations and millions of programs and podcasts.</td> <td>Founded 2002; Partnered 2010</td> <td>Bill Moore; John Donham</td> <td>Bryan Schreier; Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC485" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L485" class="blob-num js-line-number" data-line-number="485"></td> <td>UiPath</td> <td>https://www.uipath.com</td> <td>UiPath designs and develops robotic process automation software.</td> <td>Founded 2005; Partnered 2018</td> <td>Daniel Dines; Marius Tirca</td> <td>Carl Eschenbach; Andrew Reed</td> </tr> <tr id="file-sequoia_portfolio-csv-LC486" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L486" class="blob-num js-line-number" data-line-number="486"></td> <td>Unity Technologies</td> <td>http://www.unity3d.com</td> <td>Unity Technologies is the creator of a development platform used to create rich interactive 2D; 3D; VR and AR experiences. Unity's powerful graphics engine and full-featured editor serve as the foundation to develop beautiful games or apps and easily bring them to multiple platforms: mobile devices; home entertainment systems; personal computers; and embedded systems.</td> <td>Founded 2001; Partnered 2009</td> <td>David Helgason; Joachim Ante; John Riccitiello</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC487" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L487" class="blob-num js-line-number" data-line-number="487"></td> <td>VA Linux/SourceForge</td> <td></td> <td>Provider of collaborative software development platform.</td> <td>Founded 1993; Partnered 1998; IPO 1999</td> <td>NA</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC488" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L488" class="blob-num js-line-number" data-line-number="488"></td> <td>Vector</td> <td>https://vectorspacesystems.com/</td> <td>Vector is a disruptive innovator that connects space startups and innovators with affordable and reliable space access. Vector has a BIG vision to reshape the multi-billion launch market and combines dedicated low-cost micro satellites launch (Vector Launch) AND software defined satellites (Galactic Sky) to dramatically increase access and speed to orbit.</td> <td>Founded 2016; Partnered 2016</td> <td>Jim Cantrell; John Garvey; Ken Sunshine; Dr. Eric Besnard</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC489" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L489" class="blob-num js-line-number" data-line-number="489"></td> <td>Veil</td> <td>https://veil.co/</td> <td>Veil is a blockchain-enabled peer-to-peer prediction market and derivatives platform that lets you trade on anything—from cryptocurrency to the Academy Awards. </td> <td>Founded 2018; Partnered 2018</td> <td>Paul Fletcher-Hill; Feridun Mert Celebi; Graham Kaemmer.</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC490" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L490" class="blob-num js-line-number" data-line-number="490"></td> <td>Verkada</td> <td>https://www.verkada.com/</td> <td>Verkada empowers companies to migrate from on-premise security cameras to a cloud-first solution that's accessible anywhere. </td> <td>Partnered 2019</td> <td>Filip Kaliszan; Hans Robertson; James Ren; Benjamin Bercovitz</td> <td>Mike Vernal</td> </tr> <tr id="file-sequoia_portfolio-csv-LC491" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L491" class="blob-num js-line-number" data-line-number="491"></td> <td>Versa Networks</td> <td>http://www.versa-networks.com</td> <td>Versa Networks enables service providers and large enterprises to build next-generation WAN and branch networks based on a broad set of virtualized network functions (VNFs).</td> <td>Founded 2012; Partnered 2012</td> <td>Apurva Mehta; Kumar Mehta</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC492" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L492" class="blob-num js-line-number" data-line-number="492"></td> <td>Viptela</td> <td>http://www.viptela.com</td> <td>Viptela is transforming how Fortune 500 companies build and secure their end-to-end network infrastructure by simplifying architectures and eliminating needless inefficiencies faced by the enterprise. </td> <td>Founded 2012; Partnered 2012</td> <td>Amir Khan; Khalid Raza</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC493" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L493" class="blob-num js-line-number" data-line-number="493"></td> <td>Virident Systems</td> <td>http://www.virident.com</td> <td>Builds enterprise-class solutions based on Flash and other storage-class memories.</td> <td>Founded 2006; Partnered 2010; Acquired 2013</td> <td>Kumar Ganapathy; Vijay Karamcheti; Michael Gustafson</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC494" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L494" class="blob-num js-line-number" data-line-number="494"></td> <td>Wavefront</td> <td>https://www.wavefront.com/</td> <td>Wavefront is a hosted platform for ingesting; storing; visualizing and alerting on metric data. It is based on a stream processing approach invented at Google which allows engineers to manipulate metric data with unparalleled power.</td> <td>Founded 2013; Partnered 2014; Acquired 2017</td> <td>Sam Pullara; Dev Nag; Clement Pang; Durren Shen</td> <td>Bill Coughran</td> </tr> <tr id="file-sequoia_portfolio-csv-LC495" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L495" class="blob-num js-line-number" data-line-number="495"></td> <td>Weebly</td> <td>http://www.weebly.com</td> <td>Founded in 2006; Weebly was the first user-friendly; drag-and-drop website builder. The webhosting service allowed people to easily build personal websites and online portfolios without having to know how to code.</td> <td>Founded 2006; Partnered 2011</td> <td>David Rusenko; Dan Veltri; Chris Fanini</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC496" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L496" class="blob-num js-line-number" data-line-number="496"></td> <td>WhatsApp</td> <td>http://www.whatsapp.com</td> <td>WhatsApp Messenger is a cross-platform mobile messaging app that allows you to exchange messages without having to pay for SMS usage. By using the same internet data plan that you use for email and web browsing; there is no cost to message and stay in touch with your friends across the globe.</td> <td>Founded 2009; Partnered 2011; Acquired 2014</td> <td>Brian Acton; Jan Koum</td> <td>Jim Goetz; Michael Abramson</td> </tr> <tr id="file-sequoia_portfolio-csv-LC497" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L497" class="blob-num js-line-number" data-line-number="497"></td> <td>Whisper</td> <td>http://whisper.sh</td> <td>Whisper; the first anonymous social network; is the best place for people to express themselves; connect with like-minded individuals; and discover the unseen world around them. </td> <td>Founded 2012; Partnered 2013</td> <td>Michael Heyward; Brad Brooks</td> <td>NA</td> </tr> <tr id="file-sequoia_portfolio-csv-LC498" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L498" class="blob-num js-line-number" data-line-number="498"></td> <td>Whole Biome</td> <td>https://wholebiome.com/</td> <td>Whole Biome is developing a range of microbiome interventions targeting a variety of human health issues; starting with metabolic diseases; to help improve human health and wellbeing.</td> <td>Founded 2013; Partnered 2017</td> <td>Colleen Cutcliffe; James Bullard; John Eid</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC499" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L499" class="blob-num js-line-number" data-line-number="499"></td> <td>Wonolo</td> <td>https://www.wonolo.com/</td> <td>Wonolo is an on-demand staffing platform that connects companies to job seekers; providing flexible; fulfilling work for all. </td> <td>Founded 2013; Partnered 2017</td> <td>Yong Kim; AJ Brustein; Jeremy Burton</td> <td>Jess Lee</td> </tr> <tr id="file-sequoia_portfolio-csv-LC500" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L500" class="blob-num js-line-number" data-line-number="500"></td> <td>Xoom</td> <td>http://www.xoom.com</td> <td>Founded in 2001; Xoom offers a convenient and cost-effective way to transfer money to other countries. </td> <td>Founded 2001; Partnered 2003; IPO 2013</td> <td>John Kunze; Kevin Hartz</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC501" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L501" class="blob-num js-line-number" data-line-number="501"></td> <td>Yahoo!</td> <td>http://www.yahoo.com</td> <td>Founded in 1994; Yahoo! began as a guide to the World Wide Web—a web portal with an organized directory of websites.</td> <td>Founded 1994; Partnered 1995; IPO 1996</td> <td>David Filo; Jerry Yang</td> <td>Michael Moritz</td> </tr> <tr id="file-sequoia_portfolio-csv-LC502" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L502" class="blob-num js-line-number" data-line-number="502"></td> <td>YouTube</td> <td>http://www.youtube.com</td> <td>Since 2005; YouTube has made uploading and sharing videos with family; friends and the entire world completely effortless. </td> <td>Founded 2005; Partnered 2005; Acquired 2006</td> <td>Chad Hurley; Steve Chen; Jawed Karim</td> <td>Roelof Botha</td> </tr> <tr id="file-sequoia_portfolio-csv-LC503" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L503" class="blob-num js-line-number" data-line-number="503"></td> <td>Zappos</td> <td>http://www.zappos.com/about.zhtml</td> <td>In 1999; Nick Swinmurn founded Zappos.com to improve the shoe-shopping experience through superior product selection and customer service.</td> <td>Founded 1999; Partnered 2004; Acquired 2009</td> <td>Tony Hsieh; Nick Swinmurn</td> <td>Michael Moritz; Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC504" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L504" class="blob-num js-line-number" data-line-number="504"></td> <td>Zipline</td> <td>http://flyzipline.com/product/</td> <td>More than two billion people lack adequate access to essential medical products; often due to challenging terrain and gaps in infrastructure. Zipline uses drones to deliver needed medical supplies to these areas.</td> <td>Founded 2012; Partnered 2012</td> <td>Keller Rinaudo</td> <td>Alfred Lin</td> </tr> <tr id="file-sequoia_portfolio-csv-LC505" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L505" class="blob-num js-line-number" data-line-number="505"></td> <td>ZirMed</td> <td>https://public.zirmed.com</td> <td>ZirMed pioneered cloud-based medical claims management; streamlining outdated reimbursement workflows and transforming the way providers manage fee-for-service business performance.</td> <td>Founded 1999; Partnered 2009; Acquired 2017</td> <td>Thomas W. Butts</td> <td>Doug Leone</td> </tr> <tr id="file-sequoia_portfolio-csv-LC506" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L506" class="blob-num js-line-number" data-line-number="506"></td> <td>Zoom</td> <td>https://zoom.us/</td> <td>Zoom unifies cloud video conferencing; simple online meetings; group messaging; and a software-defined conference room solution into one easy-to-use platform. Zoom's solution offers the best video; audio; and wireless screen-sharing experience across Windows; Mac; Linux; Chrome OS; iOS; Android; Blackberry; Zoom Rooms; and H.323/SIP room systems. Founded in 2011; Zoom's mission is to make video and web conferencing frictionless.</td> <td>Partnered 2016; IPO 2019</td> <td>Eric Yuan</td> <td>Carl Eschenbach; Pat Grady</td> </tr> <tr id="file-sequoia_portfolio-csv-LC507" class="js-file-line"> <td id="file-sequoia_portfolio-csv-L507" class="blob-num js-line-number" data-line-number="507"></td> <td>Zum</td> <td>https://ridezum.com/</td> <td>Zūm is building the world's largest and most trusted platform for children's transportation and care; helping parents by providing kids with professional rides to school; and helping schools by offering an alternative to the 40 billion they spend each year on transportation. Founded 2015; Partnered 2017 Ritu Narayan; Vivek Garg Bryan Schreier

Looks good! We collected 506 companies in total and the data quality looks really good as well. The only thing I noticed is that some companies have a social link but it does not actually go anywhere. Refer to Figure 12 for an example of this with Pixelworks. The issue is that Pixelworks has a social link but this social link does not actually contain a URL (the href target is blank) and simply links back to the Sequoia portfolio.

Figure 12: Company with a social link but without a URL.

I have added code in the script to replace the blanks with NAs but have left the data as is above to illustrate this point.

Conclusion

With this blog post, I wanted to give you a decent introduction to web scraping in general and specifically using Requests & BeautifulSoup. Now go use it in the wild by scraping some data that can be of use to you or someone you know! But always make sure to read and respect both the robots.txt and the terms and conditions of whichever page you are scraping.

Furthermore, you can check out resources and tutorials on some of the other methods shown above on their official websites, such as Scrapy and Selenium. You should also challenge yourself by scraping some more dynamic sites which you can not scrape using only Requests.

If you have any questions, found a bug or just feel like chatting about all things Python and scraping, feel free to contact us at blog@statworx.com.

Linkedin Logo
Marcel Plaschke
Head of Strategy, Sales & Marketing
schedule a consultation
Related services
No items found.

More Blog Posts

  • Artificial Intelligence
  • Training
Between Hype and Hands-On: How AI Is Redefining Corporate Learning
Tarik Ashry
18. June 2025
Read more
  • Ethical AI
  • statworx
Learning in the Age of AI: Embarking on a New Educational Era
Tarik Ashry
27. May 2025
Read more
  • Agentic AI
  • Artificial Intelligence
Intro to Agentic AI and AI Agents
André Monaco
14. Mai 2025
Read more
  • Ethical AI
  • AI Act
Why Michael gets promoted, but Aisha doesn't: AI edition
Elifnur Dogan
30. April 2025
Read more
  • Artificial Intelligence
AI Trends Report 2025: All 16 Trends at a Glance
Tarik Ashry
05. February 2025
Read more
  • Artificial Intelligence
  • Data Science
  • Human-centered AI
Explainable AI in practice: Finding the right method to open the Black Box
Jonas Wacker
15. November 2024
Read more
  • Artificial Intelligence
  • Data Science
  • GenAI
How a CustomGPT Enhances Efficiency and Creativity at hagebau
Tarik Ashry
06. November 2024
Read more
  • Artificial Intelligence
  • Data Culture
  • Data Science
  • Deep Learning
  • GenAI
  • Machine Learning
AI Trends Report 2024: statworx COO Fabian Müller Takes Stock
Tarik Ashry
05. September 2024
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Strategy
The AI Act is here – These are the risk classes you should know
Fabian Müller
05. August 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Back to the Future: The Story of Generative AI (Episode 4)
Tarik Ashry
31. July 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Back to the Future: The Story of Generative AI (Episode 3)
Tarik Ashry
24. July 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Back to the Future: The Story of Generative AI (Episode 2)
Tarik Ashry
04. July 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Back to the Future: The Story of Generative AI (Episode 1)
Tarik Ashry
10. July 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Generative AI as a Thinking Machine? A Media Theory Perspective
Tarik Ashry
13. June 2024
Read more
  • Artificial Intelligence
  • GenAI
  • statworx
Custom AI Chatbots: Combining Strong Performance and Rapid Integration
Tarik Ashry
10. April 2024
Read more
  • Artificial Intelligence
  • Data Culture
  • Human-centered AI
How managers can strengthen the data culture in the company
Tarik Ashry
21. February 2024
Read more
  • Artificial Intelligence
  • Data Culture
  • Human-centered AI
AI in the Workplace: How We Turn Skepticism into Confidence
Tarik Ashry
08. February 2024
Read more
  • Artificial Intelligence
  • Data Science
  • GenAI
The Future of Customer Service: Generative AI as a Success Factor
Tarik Ashry
25. October 2023
Read more
  • Artificial Intelligence
  • Data Science
How we developed a chatbot with real knowledge for Microsoft
Isabel Hermes
27. September 2023
Read more
  • Data Science
  • Data Visualization
  • Frontend Solution
Why Frontend Development is Useful in Data Science Applications
Jakob Gepp
30. August 2023
Read more
  • Artificial Intelligence
  • Human-centered AI
  • statworx
the byte - How We Built an AI-Powered Pop-Up Restaurant
Sebastian Heinz
14. June 2023
Read more
  • Artificial Intelligence
  • Recap
  • statworx
Big Data & AI World 2023 Recap
Team statworx
24. May 2023
Read more
  • Data Science
  • Human-centered AI
  • Statistics & Methods
Unlocking the Black Box – 3 Explainable AI Methods to Prepare for the AI Act
Team statworx
17. May 2023
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Strategy
How the AI Act will change the AI industry: Everything you need to know about it now
Team statworx
11. May 2023
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Machine Learning
Gender Representation in AI – Part 2: Automating the Generation of Gender-Neutral Versions of Face Images
Team statworx
03. May 2023
Read more
  • Artificial Intelligence
  • Data Science
  • Statistics & Methods
A first look into our Forecasting Recommender Tool
Team statworx
26. April 2023
Read more
  • Artificial Intelligence
  • Data Science
On Can, Do, and Want – Why Data Culture and Death Metal have a lot in common
David Schlepps
19. April 2023
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Machine Learning
GPT-4 - A categorisation of the most important innovations
Mareike Flögel
17. March 2023
Read more
  • Artificial Intelligence
  • Data Science
  • Strategy
Decoding the secret of Data Culture: These factors truly influence the culture and success of businesses
Team statworx
16. March 2023
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
How to create AI-generated avatars using Stable Diffusion and Textual Inversion
Team statworx
08. March 2023
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Strategy
Knowledge Management with NLP: How to easily process emails with AI
Team statworx
02. March 2023
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
3 specific use cases of how ChatGPT will revolutionize communication in companies
Ingo Marquart
16. February 2023
Read more
  • Recap
  • statworx
Ho ho ho – Christmas Kitchen Party
Julius Heinz
22. December 2022
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
Real-Time Computer Vision: Face Recognition with a Robot
Sarah Sester
30. November 2022
Read more
  • Data Engineering
  • Tutorial
Data Engineering – From Zero to Hero
Team statworx
23. November 2022
Read more
  • Recap
  • statworx
statworx @ UXDX Conf 2022
Markus Berroth
18. November 2022
Read more
  • Artificial Intelligence
  • Machine Learning
  • Tutorial
Paradigm Shift in NLP: 5 Approaches to Write Better Prompts
Team statworx
26. October 2022
Read more
  • Recap
  • statworx
statworx @ vuejs.de Conf 2022
Jakob Gepp
14. October 2022
Read more
  • Data Engineering
  • Data Science
Application and Infrastructure Monitoring and Logging: metrics and (event) logs
Team statworx
29. September 2022
Read more
  • Coding
  • Data Science
  • Machine Learning
Zero-Shot Text Classification
Fabian Müller
29. September 2022
Read more
  • Cloud Technology
  • Data Engineering
  • Data Science
How to Get Your Data Science Project Ready for the Cloud
Alexander Broska
14. September 2022
Read more
  • Artificial Intelligence
  • Human-centered AI
  • Machine Learning
Gender Repre­sentation in AI – Part 1: Utilizing StyleGAN to Explore Gender Directions in Face Image Editing
Isabel Hermes
18. August 2022
Read more
  • Artificial Intelligence
  • Human-centered AI
statworx AI Principles: Why We Started Developing Our Own AI Guidelines
Team statworx
04. August 2022
Read more
  • Data Engineering
  • Data Science
  • Python
How to Scan Your Code and Dependencies in Python
Team statworx
21. July 2022
Read more
  • Data Engineering
  • Data Science
  • Machine Learning
Data-Centric AI: From Model-First to Data-First AI Processes
Team statworx
13. July 2022
Read more
  • Artificial Intelligence
  • Deep Learning
  • Human-centered AI
  • Machine Learning
DALL-E 2: Why Discrimination in AI Development Cannot Be Ignored
Team statworx
28. June 2022
Read more
  • R
The helfRlein package – A collection of useful functions
Jakob Gepp
23. June 2022
Read more
  • Recap
  • statworx
Unfold 2022 in Bern – by Cleverclip
Team statworx
11. May 2022
Read more
  • Artificial Intelligence
  • Data Science
  • Human-centered AI
  • Machine Learning
Break the Bias in AI
Team statworx
08. March 2022
Read more
  • Artificial Intelligence
  • Cloud Technology
  • Data Science
  • Sustainable AI
How to Reduce the AI Carbon Footprint as a Data Scientist
Team statworx
02. February 2022
Read more
  • Recap
  • statworx
2022 and the rise of statworx next
Sebastian Heinz
06. January 2022
Read more
  • Recap
  • statworx
5 highlights from the Zurich Digital Festival 2021
Team statworx
25. November 2021
Read more
  • Data Science
  • Human-centered AI
  • Machine Learning
  • Strategy
Why Data Science and AI Initiatives Fail – A Reflection on Non-Technical Factors
Team statworx
22. September 2021
Read more
  • Artificial Intelligence
  • Data Science
  • Human-centered AI
  • Machine Learning
  • statworx
Column: Human and machine side by side
Sebastian Heinz
03. September 2021
Read more
  • Coding
  • Data Science
  • Python
How to Automatically Create Project Graphs With Call Graph
Team statworx
25. August 2021
Read more
  • Coding
  • Python
  • Tutorial
statworx Cheatsheets – Python Basics Cheatsheet for Data Science
Team statworx
13. August 2021
Read more
  • Data Science
  • statworx
  • Strategy
STATWORX meets DHBW – Data Science Real-World Use Cases
Team statworx
04. August 2021
Read more
  • Data Engineering
  • Data Science
  • Machine Learning
Deploy and Scale Machine Learning Models with Kubernetes
Team statworx
29. July 2021
Read more
  • Cloud Technology
  • Data Engineering
  • Machine Learning
3 Scenarios for Deploying Machine Learning Workflows Using MLflow
Team statworx
30. June 2021
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
Car Model Classification III: Explainability of Deep Learning Models With Grad-CAM
Team statworx
19. May 2021
Read more
  • Artificial Intelligence
  • Coding
  • Deep Learning
Car Model Classification II: Deploying TensorFlow Models in Docker Using TensorFlow Serving
No items found.
12. May 2021
Read more
  • Coding
  • Deep Learning
Car Model Classification I: Transfer Learning with ResNet
Team statworx
05. May 2021
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
Car Model Classification IV: Integrating Deep Learning Models With Dash
Dominique Lade
05. May 2021
Read more
  • AI Act
Potential Not Yet Fully Tapped – A Commentary on the EU’s Proposed AI Regulation
Team statworx
28. April 2021
Read more
  • Artificial Intelligence
  • Deep Learning
  • statworx
Creaition – revolutionizing the design process with machine learning
Team statworx
31. March 2021
Read more
  • Artificial Intelligence
  • Data Science
  • Machine Learning
5 Types of Machine Learning Algorithms With Use Cases
Team statworx
24. March 2021
Read more
  • Recaps
  • statworx
2020 – A Year in Review for Me and GPT-3
Sebastian Heinz
23. Dezember 2020
Read more
  • Artificial Intelligence
  • Deep Learning
  • Machine Learning
5 Practical Examples of NLP Use Cases
Team statworx
12. November 2020
Read more
  • Data Science
  • Deep Learning
The 5 Most Important Use Cases for Computer Vision
Team statworx
11. November 2020
Read more
  • Data Science
  • Deep Learning
New Trends in Natural Language Processing – How NLP Becomes Suitable for the Mass-Market
Dominique Lade
29. October 2020
Read more
  • Data Engineering
5 Technologies That Every Data Engineer Should Know
Team statworx
22. October 2020
Read more
  • Artificial Intelligence
  • Data Science
  • Machine Learning

Generative Adversarial Networks: How Data Can Be Generated With Neural Networks
Team statworx
10. October 2020
Read more
  • Coding
  • Data Science
  • Deep Learning
Fine-tuning Tesseract OCR for German Invoices
Team statworx
08. October 2020
Read more
  • Artificial Intelligence
  • Machine Learning
Whitepaper: A Maturity Model for Artificial Intelligence
Team statworx
06. October 2020
Read more
  • Data Engineering
  • Data Science
  • Machine Learning
How to Provide Machine Learning Models With the Help Of Docker Containers
Team statworx
01. October 2020
Read more
  • Recap
  • statworx
STATWORX 2.0 – Opening of the New Headquarters in Frankfurt
Julius Heinz
24. September 2020
Read more
  • Machine Learning
  • Python
  • Tutorial
How to Build a Machine Learning API with Python and Flask
Team statworx
29. July 2020
Read more
  • Data Science
  • Statistics & Methods
Model Regularization – The Bayesian Way
Team statworx
15. July 2020
Read more
  • Recap
  • statworx
Off To New Adventures: STATWORX Office Soft Opening
Team statworx
14. July 2020
Read more
  • Data Engineering
  • R
  • Tutorial
How To Dockerize ShinyApps
Team statworx
15. May 2020
Read more
  • Coding
  • Python
Making Of: A Free API For COVID-19 Data
Sebastian Heinz
01. April 2020
Read more
  • Frontend
  • Python
  • Tutorial
How To Build A Dashboard In Python – Plotly Dash Step-by-Step Tutorial
Alexander Blaufuss
26. March 2020
Read more
  • Coding
  • R
Why Is It Called That Way?! – Origin and Meaning of R Package Names
Team statworx
19. March 2020
Read more
  • Data Visualization
  • R
Community Detection with Louvain and Infomap
Team statworx
04. March 2020
Read more
  • Coding
  • Data Engineering
  • Data Science
Testing REST APIs With Newman
Team statworx
26. February 2020
Read more
  • Coding
  • Frontend
  • R
Dynamic UI Elements in Shiny – Part 2
Team statworx
19. Febuary 2020
Read more
  • Coding
  • Data Visualization
  • R
Animated Plots using ggplot and gganimate
Team statworx
14. Febuary 2020
Read more
  • Machine Learning
Machine Learning Goes Causal II: Meet the Random Forest’s Causal Brother
Team statworx
05. February 2020
Read more
  • Artificial Intelligence
  • Machine Learning
  • Statistics & Methods
Machine Learning Goes Causal I: Why Causality Matters
Team statworx
29.01.2020
Read more
  • Data Engineering
  • R
  • Tutorial
How To Create REST APIs With R Plumber
Stephan Emmer
23. January 2020
Read more
  • Recaps
  • statworx
statworx 2019 – A Year in Review
Sebastian Heinz
20. Dezember 2019
Read more
  • Artificial Intelligence
  • Deep Learning
Deep Learning Overview and Getting Started
Team statworx
04. December 2019
Read more
  • Coding
  • Machine Learning
  • R
Tuning Random Forest on Time Series Data
Team statworx
21. November 2019
Read more
  • Data Science
  • R
Combining Price Elasticities and Sales Forecastings for Sales Improvement
Team statworx
06. November 2019
Read more
  • Data Engineering
  • Python
Access your Spark Cluster from Everywhere with Apache Livy
Team statworx
30. October 2019
Read more
  • Recap
  • statworx
STATWORX on Tour: Wine, Castles & Hiking!
Team statworx
18. October 2019
Read more
  • Data Science
  • R
  • Statistics & Methods
Evaluating Model Performance by Building Cross-Validation from Scratch
Team statworx
02. October 2019
Read more
  • Data Science
  • Machine Learning
  • R
Time Series Forecasting With Random Forest
Team statworx
25. September 2019
Read more
  • Coding
  • Frontend
  • R
Dynamic UI Elements in Shiny – Part 1
Team statworx
11. September 2019
Read more
  • Machine Learning
  • R
  • Statistics & Methods
What the Mape Is FALSELY Blamed For, Its TRUE Weaknesses and BETTER Alternatives!
Team statworx
16. August 2019
Read more
This is some text inside of a div block.
This is some text inside of a div block.