From the uDemy course on LLM engineering.
https://www.udemy.com/course/llm-engineering-master-ai-and-large-language-models
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
1988 lines
115 KiB
1988 lines
115 KiB
{ |
|
"cells": [ |
|
{ |
|
"cell_type": "markdown", |
|
"id": "a98030af-fcd1-4d63-a36e-38ba053498fa", |
|
"metadata": {}, |
|
"source": [ |
|
"# A full business solution\n", |
|
"\n", |
|
"## Now we will take our project from Day 1 to the next level\n", |
|
"\n", |
|
"### BUSINESS CHALLENGE:\n", |
|
"\n", |
|
"Create a product that builds a Brochure for a company to be used for prospective clients, investors and potential recruits.\n", |
|
"\n", |
|
"We will be provided a company name and their primary website.\n", |
|
"\n", |
|
"See the end of this notebook for examples of real-world business applications.\n", |
|
"\n", |
|
"And remember: I'm always available if you have problems or ideas! Please do reach out." |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 2, |
|
"id": "d5b08506-dc8b-4443-9201-5f1848161363", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"# imports\n", |
|
"# If these fail, please check you're running from an 'activated' environment with (llms) in the command prompt\n", |
|
"\n", |
|
"import os\n", |
|
"import requests\n", |
|
"import json\n", |
|
"from typing import List\n", |
|
"from dotenv import load_dotenv\n", |
|
"from bs4 import BeautifulSoup\n", |
|
"from IPython.display import Markdown, display, update_display\n", |
|
"from openai import OpenAI" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 3, |
|
"id": "fc5d8880-f2ee-4c06-af16-ecbc0262af61", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"API key looks good so far\n" |
|
] |
|
} |
|
], |
|
"source": [ |
|
"# Initialize and constants\n", |
|
"\n", |
|
"load_dotenv()\n", |
|
"api_key = os.getenv('OPENAI_API_KEY')\n", |
|
"\n", |
|
"if api_key and api_key.startswith('sk-proj-') and len(api_key)>10:\n", |
|
" print(\"API key looks good so far\")\n", |
|
"else:\n", |
|
" print(\"There might be a problem with your API key? Please visit the troubleshooting notebook!\")\n", |
|
" \n", |
|
"MODEL = 'gpt-4o-mini'\n", |
|
"openai = OpenAI()" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 4, |
|
"id": "106dd65e-90af-4ca8-86b6-23a41840645b", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"# A class to represent a Webpage\n", |
|
"\n", |
|
"class Website:\n", |
|
" \"\"\"\n", |
|
" A utility class to represent a Website that we have scraped, now with links\n", |
|
" \"\"\"\n", |
|
"\n", |
|
" def __init__(self, url):\n", |
|
" self.url = url\n", |
|
" response = requests.get(url)\n", |
|
" self.body = response.content\n", |
|
" soup = BeautifulSoup(self.body, 'html.parser')\n", |
|
" self.title = soup.title.string if soup.title else \"No title found\"\n", |
|
" if soup.body:\n", |
|
" for irrelevant in soup.body([\"script\", \"style\", \"img\", \"input\"]):\n", |
|
" irrelevant.decompose()\n", |
|
" self.text = soup.body.get_text(separator=\"\\n\", strip=True)\n", |
|
" else:\n", |
|
" self.text = \"\"\n", |
|
" links = [link.get('href') for link in soup.find_all('a')]\n", |
|
" self.links = [link for link in links if link]\n", |
|
"\n", |
|
" def get_contents(self):\n", |
|
" return f\"Webpage Title:\\n{self.title}\\nWebpage Contents:\\n{self.text}\\n\\n\"" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 5, |
|
"id": "e30d8128-933b-44cc-81c8-ab4c9d86589a", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"data": { |
|
"text/plain": [ |
|
"['/cart',\n", |
|
" '#page',\n", |
|
" '/',\n", |
|
" '#services',\n", |
|
" '#about',\n", |
|
" '#contact',\n", |
|
" '/',\n", |
|
" '#services',\n", |
|
" '#about',\n", |
|
" '#contact',\n", |
|
" '#services',\n", |
|
" '#about',\n", |
|
" '#contact',\n", |
|
" '#services',\n", |
|
" 'http://squarespace.com']" |
|
] |
|
}, |
|
"execution_count": 5, |
|
"metadata": {}, |
|
"output_type": "execute_result" |
|
} |
|
], |
|
"source": [ |
|
"ed = Website(\"https://www.jaivikhimalay.com\")\n", |
|
"ed.links" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "1771af9c-717a-4fca-bbbe-8a95893312c3", |
|
"metadata": {}, |
|
"source": [ |
|
"## First step: Have GPT-4o-mini figure out which links are relevant\n", |
|
"\n", |
|
"### Use a call to gpt-4o-mini to read the links on a webpage, and respond in structured JSON. \n", |
|
"It should decide which links are relevant, and replace relative links such as \"/about\" with \"https://company.com/about\". \n", |
|
"We will use \"one shot prompting\" in which we provide an example of how it should respond in the prompt.\n", |
|
"\n", |
|
"This is an excellent use case for an LLM, because it requires nuanced understanding. Imagine trying to code this without LLMs by parsing and analyzing the webpage - it would be very hard!\n", |
|
"\n", |
|
"Sidenote: there is a more advanced technique called \"Structured Outputs\" in which we require the model to respond according to a spec. We cover this technique in Week 8 during our autonomous Agentic AI project." |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 6, |
|
"id": "6957b079-0d96-45f7-a26a-3487510e9b35", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"link_system_prompt = \"You are provided with a list of links found on a webpage. \\\n", |
|
"You are able to decide which of the links would be most relevant to include in a brochure about the company, \\\n", |
|
"such as links to an About page, or a Company page, or Careers/Jobs pages.\\n\"\n", |
|
"link_system_prompt += \"You should respond in JSON as in this example:\"\n", |
|
"link_system_prompt += \"\"\"\n", |
|
"{\n", |
|
" \"links\": [\n", |
|
" {\"type\": \"about page\", \"url\": \"https://full.url/goes/here/about\"},\n", |
|
" {\"type\": \"careers page\": \"url\": \"https://another.full.url/careers\"}\n", |
|
" ]\n", |
|
"}\n", |
|
"\"\"\"" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 7, |
|
"id": "b97e4068-97ed-4120-beae-c42105e4d59a", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"You are provided with a list of links found on a webpage. You are able to decide which of the links would be most relevant to include in a brochure about the company, such as links to an About page, or a Company page, or Careers/Jobs pages.\n", |
|
"You should respond in JSON as in this example:\n", |
|
"{\n", |
|
" \"links\": [\n", |
|
" {\"type\": \"about page\", \"url\": \"https://full.url/goes/here/about\"},\n", |
|
" {\"type\": \"careers page\": \"url\": \"https://another.full.url/careers\"}\n", |
|
" ]\n", |
|
"}\n", |
|
"\n" |
|
] |
|
} |
|
], |
|
"source": [ |
|
"print(link_system_prompt)" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 8, |
|
"id": "8e1f601b-2eaf-499d-b6b8-c99050c9d6b3", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def get_links_user_prompt(website):\n", |
|
" user_prompt = f\"Here is the list of links on the website of {website.url} - \"\n", |
|
" user_prompt += \"please decide which of these are relevant web links for a brochure about the company, respond with the full https URL in JSON format. \\\n", |
|
"Do not include Terms of Service, Privacy, email links.\\n\"\n", |
|
" user_prompt += \"Links (some might be relative links):\\n\"\n", |
|
" user_prompt += \"\\n\".join(website.links)\n", |
|
" return user_prompt" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 9, |
|
"id": "6bcbfa78-6395-4685-b92c-22d592050fd7", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Here is the list of links on the website of https://www.jaivikhimalay.com - please decide which of these are relevant web links for a brochure about the company, respond with the full https URL in JSON format. Do not include Terms of Service, Privacy, email links.\n", |
|
"Links (some might be relative links):\n", |
|
"/cart\n", |
|
"#page\n", |
|
"/\n", |
|
"#services\n", |
|
"#about\n", |
|
"#contact\n", |
|
"/\n", |
|
"#services\n", |
|
"#about\n", |
|
"#contact\n", |
|
"#services\n", |
|
"#about\n", |
|
"#contact\n", |
|
"#services\n", |
|
"http://squarespace.com\n" |
|
] |
|
} |
|
], |
|
"source": [ |
|
"print(get_links_user_prompt(ed))" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 10, |
|
"id": "a29aca19-ca13-471c-a4b4-5abbfa813f69", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def get_links(url):\n", |
|
" website = Website(url)\n", |
|
" response = openai.chat.completions.create(\n", |
|
" model=MODEL,\n", |
|
" messages=[\n", |
|
" {\"role\": \"system\", \"content\": link_system_prompt},\n", |
|
" {\"role\": \"user\", \"content\": get_links_user_prompt(website)}\n", |
|
" ],\n", |
|
" response_format={\"type\": \"json_object\"}\n", |
|
" )\n", |
|
" result = response.choices[0].message.content\n", |
|
" return json.loads(result)" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 11, |
|
"id": "74a827a0-2782-4ae5-b210-4a242a8b4cc2", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"data": { |
|
"text/plain": [ |
|
"['/',\n", |
|
" '/claude',\n", |
|
" '/team',\n", |
|
" '/enterprise',\n", |
|
" '/api',\n", |
|
" '/pricing',\n", |
|
" '/research',\n", |
|
" '/company',\n", |
|
" '/careers',\n", |
|
" '/news',\n", |
|
" 'https://www.anthropic.com/research#entry:8@1:url',\n", |
|
" 'https://www.anthropic.com/claude',\n", |
|
" 'https://claude.ai/',\n", |
|
" '/api',\n", |
|
" '/news/3-5-models-and-computer-use',\n", |
|
" '/claude/sonnet',\n", |
|
" '/claude/haiku',\n", |
|
" '/news/claude-for-enterprise',\n", |
|
" '/research/constitutional-ai-harmlessness-from-ai-feedback',\n", |
|
" '/news/core-views-on-ai-safety',\n", |
|
" '/jobs',\n", |
|
" '/',\n", |
|
" '/claude',\n", |
|
" '/api',\n", |
|
" '/team',\n", |
|
" '/pricing',\n", |
|
" '/research',\n", |
|
" '/company',\n", |
|
" '/customers',\n", |
|
" '/news',\n", |
|
" '/careers',\n", |
|
" 'mailto:press@anthropic.com',\n", |
|
" 'https://support.anthropic.com/',\n", |
|
" 'https://status.anthropic.com/',\n", |
|
" '/supported-countries',\n", |
|
" 'https://twitter.com/AnthropicAI',\n", |
|
" 'https://www.linkedin.com/company/anthropicresearch',\n", |
|
" 'https://www.youtube.com/@anthropic-ai',\n", |
|
" '/legal/consumer-terms',\n", |
|
" '/legal/commercial-terms',\n", |
|
" '/legal/privacy',\n", |
|
" '/legal/aup',\n", |
|
" '/responsible-disclosure-policy',\n", |
|
" 'https://trust.anthropic.com/']" |
|
] |
|
}, |
|
"execution_count": 11, |
|
"metadata": {}, |
|
"output_type": "execute_result" |
|
} |
|
], |
|
"source": [ |
|
"anthropic = Website(\"https://anthropic.com\")\n", |
|
"anthropic.links" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 12, |
|
"id": "d3d583e2-dcc4-40cc-9b28-1e8dbf402924", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"data": { |
|
"text/plain": [ |
|
"{'links': [{'type': 'about page', 'url': 'https://anthropic.com/company'},\n", |
|
" {'type': 'careers page', 'url': 'https://anthropic.com/careers'},\n", |
|
" {'type': 'team page', 'url': 'https://anthropic.com/team'},\n", |
|
" {'type': 'enterprise page', 'url': 'https://anthropic.com/enterprise'},\n", |
|
" {'type': 'api page', 'url': 'https://anthropic.com/api'},\n", |
|
" {'type': 'pricing page', 'url': 'https://anthropic.com/pricing'},\n", |
|
" {'type': 'research page', 'url': 'https://anthropic.com/research'},\n", |
|
" {'type': 'news page', 'url': 'https://anthropic.com/news'}]}" |
|
] |
|
}, |
|
"execution_count": 12, |
|
"metadata": {}, |
|
"output_type": "execute_result" |
|
} |
|
], |
|
"source": [ |
|
"get_links(\"https://anthropic.com\")" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "0d74128e-dfb6-47ec-9549-288b621c838c", |
|
"metadata": {}, |
|
"source": [ |
|
"## Second step: make the brochure!\n", |
|
"\n", |
|
"Assemble all the details into another prompt to GPT4-o" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 13, |
|
"id": "85a5b6e2-e7ef-44a9-bc7f-59ede71037b5", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def get_all_details(url):\n", |
|
" result = \"Landing page:\\n\"\n", |
|
" result += Website(url).get_contents()\n", |
|
" links = get_links(url)\n", |
|
" print(\"Found links:\", links)\n", |
|
" for link in links[\"links\"]:\n", |
|
" result += f\"\\n\\n{link['type']}\\n\"\n", |
|
" result += Website(link[\"url\"]).get_contents()\n", |
|
" return result" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 14, |
|
"id": "5099bd14-076d-4745-baf3-dac08d8e5ab2", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://anthropic.com/company'}, {'type': 'careers page', 'url': 'https://anthropic.com/careers'}, {'type': 'team page', 'url': 'https://anthropic.com/team'}, {'type': 'research page', 'url': 'https://anthropic.com/research'}, {'type': 'enterprise page', 'url': 'https://anthropic.com/enterprise'}, {'type': 'customers page', 'url': 'https://anthropic.com/customers'}]}\n", |
|
"Landing page:\n", |
|
"Webpage Title:\n", |
|
"Home \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"AI\n", |
|
"research\n", |
|
"and\n", |
|
"products\n", |
|
"that put safety at the frontier\n", |
|
"Claude.ai\n", |
|
"Meet Claude 3.5 Sonnet\n", |
|
"Claude 3.5 Sonnet, our most intelligent AI model, is now available.\n", |
|
"Talk to Claude\n", |
|
"API\n", |
|
"Build with Claude\n", |
|
"Start using Claude to drive efficiency and create new revenue streams.\n", |
|
"Learn more\n", |
|
"Announcements\n", |
|
"Introducing computer use, a new Claude 3.5 Sonnet, and Claude 3.5 Haiku\n", |
|
"Oct 22, 2024\n", |
|
"Model updates\n", |
|
"3.5 Sonnet\n", |
|
"3.5 Haiku\n", |
|
"Our Work\n", |
|
"Product\n", |
|
"Claude for Enterprise\n", |
|
"Sep 4, 2024\n", |
|
"Alignment\n", |
|
"·\n", |
|
"Research\n", |
|
"Constitutional AI: Harmlessness from AI Feedback\n", |
|
"Dec 15, 2022\n", |
|
"Announcements\n", |
|
"Core Views on AI Safety: When, Why, What, and How\n", |
|
"Mar 8, 2023\n", |
|
"Work with Anthropic\n", |
|
"Anthropic is an AI safety and research company based in San Francisco. Our interdisciplinary team has experience across ML, physics, policy, and product. Together, we generate research and create reliable, beneficial AI systems.\n", |
|
"See open roles\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"about page\n", |
|
"Webpage Title:\n", |
|
"Company \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Making AI systems\n", |
|
"you can rely on\n", |
|
"Anthropic is an AI safety and research company. We build reliable, interpretable, and steerable AI systems.\n", |
|
"Join us\n", |
|
"Our Purpose\n", |
|
"We believe AI will have a vast impact on the world. Anthropic is dedicated to building systems that people can rely on and generating research about the opportunities and risks of AI.\n", |
|
"We Build Safer Systems\n", |
|
"We aim to build frontier AI systems that are reliable, interpretable, and steerable. We conduct frontier research, develop and apply a variety of safety techniques, and deploy the resulting systems via a set of partnerships and products.\n", |
|
"Safety Is a Science\n", |
|
"We treat AI safety as a systematic science, conducting research, applying it to our products, feeding those insights back into our research, and regularly sharing what we learn with the world along the way.\n", |
|
"Interdisciplinary\n", |
|
"Anthropic is a collaborative team of researchers, engineers, policy experts, business leaders and operators, who bring our experience from many different domains to our work.\n", |
|
"AI Companies are One Piece of a Big Puzzle\n", |
|
"AI has the potential to fundamentally change how the world works. We view ourselves as just one piece of this evolving puzzle. We collaborate with civil society, government, academia, nonprofits and industry to promote safety industry-wide.\n", |
|
"The Team\n", |
|
"We’re a team of researchers, engineers, policy experts and operational leaders, with experience spanning a variety of disciplines, all working together to build reliable and understandable AI systems.\n", |
|
"Research\n", |
|
"We conduct frontier AI research across a variety of modalities, and explore novel and emerging safety research areas from interpretability to RL from human feedback to policy and societal impacts analysis.\n", |
|
"Policy\n", |
|
"We think about the impacts of our work and strive to communicate what we’re seeing at the frontier to policymakers and civil society in the US and abroad to help promote safe and reliable AI.\n", |
|
"Product\n", |
|
"We translate our research into tangible, practical tools like Claude that benefit businesses, nonprofits and civil society groups and their clients and people around the globe.\n", |
|
"Operations\n", |
|
"Our people, finance, legal, and recruiting teams are the human engines that make Anthropic go. We’ve had previous careers at NASA, startups, and the armed forces and our diverse experiences help make Anthropic a great place to work (and we love plants!).\n", |
|
"Our Values\n", |
|
"01\n", |
|
"Here for the mission\n", |
|
"Anthropic exists for our mission: to ensure transformative AI helps people and society flourish. Progress this decade may be rapid, and we expect increasingly capable systems to pose novel challenges. We pursue our mission by building frontier systems, studying their behaviors, working to responsibly deploy them, and regularly sharing our safety insights. We collaborate with other projects and stakeholders seeking a similar outcome.\n", |
|
"02\n", |
|
"Unusually high trust\n", |
|
"Our company is an unusually high trust environment: we assume good faith, disagree kindly, and prioritize honesty. We expect emotional maturity and intellectual openness. At its best, our trust enables us to make better decisions as an organization than any one of us could as individuals.\n", |
|
"03\n", |
|
"One big team\n", |
|
"Collaboration is central to our work, culture, and value proposition. While we have many teams at Anthropic, we feel the broader sense in which we are all on the same team working together towards the mission. Leadership sets the strategy, with broad input from everyone, and trusts each piece of the organization to pursue these goals in their unique style. Individuals commonly contribute to work across many different areas.\n", |
|
"04\n", |
|
"Do the simple thing that works\n", |
|
"We celebrate trying the simple thing before the clever, novel thing. We embrace pragmatism - sensible, practical approaches that acknowledge tradeoffs. We love empiricism - finding out what actually works by trying it - and apply this to our research, our engineering and our collaboration. We aim to be open about what we understand and what we don’t.\n", |
|
"Governance\n", |
|
"Anthropic is a Public Benefit Corporation, whose purpose is the responsible development and maintenance of advanced AI for the long-term benefit of humanity. Our Board of Directors is elected by stockholders and our Long-Term Benefit Trust, as explained\n", |
|
"here.\n", |
|
"Current members of the Board and the Long-Term Benefit Trust (LTBT) are listed below.\n", |
|
"Anthropic Board of Directors\n", |
|
"Dario Amodei, Daniela Amodei, Yasmin Razavi, and Jay Kreps.\n", |
|
"LTBT Trustees\n", |
|
"Neil Buddy Shah, Kanika Bahl, and Zach Robinson.\n", |
|
"Company News\n", |
|
"See All\n", |
|
"Announcements\n", |
|
"Introducing the Model Context Protocol\n", |
|
"Nov 25, 2024\n", |
|
"Announcements\n", |
|
"Powering the next generation of AI development with AWS\n", |
|
"Nov 22, 2024\n", |
|
"Announcements\n", |
|
"Claude 3.5 Sonnet on GitHub Copilot\n", |
|
"Oct 29, 2024\n", |
|
"Want to help us build the future of safe AI?\n", |
|
"Join us\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"careers page\n", |
|
"Webpage Title:\n", |
|
"Careers \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Join the team\n", |
|
"making AI safe\n", |
|
"We’re a public benefit corporation headquartered in San Francisco. Our team’s experience spans a variety of backgrounds and disciplines, from physics and machine learning to public policy and business. We work as a cohesive team that collectively forecasts the impact and tractability of research ideas in advancing our mission.\n", |
|
"See open roles\n", |
|
"What We Offer\n", |
|
"Health & Wellness\n", |
|
"At Anthropic, we believe that supporting our employees is crucial to our collective success and wellbeing. That's why we offer a range of benefits to best support you and your family, now and in the future.\n", |
|
"Comprehensive health, dental, and vision insurance for you and your dependents\n", |
|
"Inclusive fertility benefits via Carrot Fertility\n", |
|
"22 weeks of paid parental leave\n", |
|
"Flexible paid time off and absence policies\n", |
|
"Generous mental health support for you and your dependents\n", |
|
"Compensation & Support\n", |
|
"Our goal is to foster an environment where you can thrive professionally while feeling confident that you and your loved ones are taken care of.\n", |
|
"Competitive salary and equity packages\n", |
|
"Optional equity donation matching at a 1:1 ratio, up to 25% of your equity grant\n", |
|
"Robust retirement plans and salary sacrifice programs with market competitive matching\n", |
|
"Life and income protection plans\n", |
|
"Additional Benefits\n", |
|
"$500/month flexible wellness and time saver stipend\n", |
|
"Commuter benefits\n", |
|
"Annual education stipend\n", |
|
"Home office stipends\n", |
|
"Relocation support for those moving for Anthropic\n", |
|
"Daily meals and snacks in the office\n", |
|
"How We Hire\n", |
|
"The interview process at Anthropic varies based on role and candidate, but our standard process looks like this:\n", |
|
"Step 1\n", |
|
"Resume\n", |
|
"Submit your resume via our website.\n", |
|
"Step 2\n", |
|
"Exploratory chat\n", |
|
"You’ll have a chat with one of our staff to discuss your career interests and relevant experience, and learn more about Anthropic.\n", |
|
"Step 3\n", |
|
"Skills Assessment\n", |
|
"For technical roles, you’ll have a one-hour technical screening interview.\n", |
|
"For operations or policy roles, you’ll get a take-home assignment. These typically involve writing responses to several role-relevant questions; they may occasionally require some outside research. Assignments usually take between 2-5 hours, depending on the role.\n", |
|
"We include this to minimize bias and make well-informed hiring decisions. We think seeing a candidate’s work helps us assess how they might actually perform on the job; similarly, the assignment gives candidates a better idea of what their work at Anthropic might entail. If a candidate likes working through their take-home, that is one indicator that they would enjoy taking on the role, and vice versa.\n", |
|
"We recognize that completing work assignments requires time and effort, and that they are not perfectly reflective of the role’s work. Nonetheless, we think that work tests are a useful complement to interviews and reference checks.\n", |
|
"Step 4\n", |
|
"Team Screen\n", |
|
"You'll have a conversation with either the Hiring Manager or a member of your potential team.\n", |
|
"Step 5\n", |
|
"Interview Panel\n", |
|
"For technical roles, you’ll have 3-4 more one-hour technical interviews, plus a culture interview.\n", |
|
"For operations or policy roles, you’ll have 3-5 hours of interviews, including a culture interview.\n", |
|
"Step 6\n", |
|
"Final Checks\n", |
|
"We’ll ask for some references, and have you chat with our leadership.\n", |
|
"Step 7\n", |
|
"Offer\n", |
|
"We’ll make you an offer!\n", |
|
"Technical Interviews\n", |
|
"The novel challenges we think about at Anthropic demand diverse expertise and perspectives. Our interview process is designed to identify thoughtful candidates who bring unique strengths to our multidisciplinary team. If you think this may describe you, we’d love to hear from you regardless of your background or experience.\n", |
|
"One of the most common questions we get is about whether it is worth applying to work at Anthropic if you have not worked on modern machine learning systems in the past. Yes! For some roles, ML experience is expected, but many technical staff have arrived at Anthropic with no machine learning experience. If you aren’t sure about the ML experience needed for your role, ask your recruiter.\n", |
|
"We use shared environments like Colab and Replit for our programming-focused interviews. We’ll be very interested in how you think through each problem and analyze the tradeoffs between possible approaches, and we’ll also expect you to write, run, and debug your solutions. You’ll be allowed to look things up in documentation or on the web, just like you usually can (which is why we’ll ask you to share your screen throughout each interview); but it’s still important to be familiar with basic syntax, standard libraries, and common idioms in the language you’re interviewing in, so that looking things up doesn’t consume too much time. Your interview process will also include non-technical questions about your experience and what motivates you, and, of course, you’ll have time to ask us about Anthropic! We can’t wait to meet you.\n", |
|
"Other Things\n", |
|
"Engineers here do lots of research, and researchers do lots of engineering\n", |
|
"While there’s historically been a division between engineering and research in machine learning, we think that boundary has dissolved with the advent of large models. The distribution of candidates we interview is strongly bimodal in both engineering and research experience however, and we have necessarily tailored our interview structure to that.\n", |
|
"If you’ve an engineering background, please apply as an engineer. You’ll perform much better in the interviews, and if you join you’ll have as much input to Anthropic’s direction and interests as anyone else.\n", |
|
"As evidence towards this: all of our papers have engineers as authors, and often as first author. Research and engineering hires all share a single title - ‘Member of Technical Staff’.\n", |
|
"We value direct evidence of ability\n", |
|
"If you’ve done interesting independent research, written an insightful blog post, or made substantial contributions to open-source software, put that at the top of your resume!\n", |
|
"Feedback\n", |
|
"We do not provide feedback on resumes or interviews.\n", |
|
"Visas\n", |
|
"Anthropic sponsors visas! We aren't able to sponsor them for every role and every candidate; operations roles are especially difficult to support. But if we make you an offer, we will make every effort to get you into the United States, and we retain an immigration lawyer to help with this.\n", |
|
"Green cards\n", |
|
"Once you’re eligible, we’re also keen to sponsor green cards!\n", |
|
"We do not require PhDs, degrees, or previous ML experience\n", |
|
"About half of Anthropic technical staff have a PhD of some sort; about half had prior experience in ML. We have several brilliant colleagues who never went to college.\n", |
|
"Remote interviewing\n", |
|
"All our interviews are conducted over Google Meet. We prefer PST office hours, but we can be flexible if that’s difficult for you.\n", |
|
"Re-applying\n", |
|
"Similarly, if interviews don’t work out this time, you’re welcome to re-apply after 12 months, and earlier if something materially changes about your experience or skills.\n", |
|
"Remote work\n", |
|
"Anthropic staff all come to the office regularly. Most staff live in the Bay Area, though a few live further away and come in for one week a month. We also understand that moving can take time, so as a transitional phase some folks start while fully remote.\n", |
|
"Offer timing\n", |
|
"If we make an offer, we’re happy to give you time to think about it and finish up any other interview processes you’re going through.\n", |
|
"Internships\n", |
|
"We do not offer internships.\n", |
|
"Candidate Privacy Policy\n", |
|
"US Candidate Privacy Policy\n", |
|
"UK Employee and Candidate Privacy Policy\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"team page\n", |
|
"Webpage Title:\n", |
|
"Team up with Claude \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Try Claude\n", |
|
"Team up with Claude\n", |
|
"Shorten the path from idea to impact with an AI assistant that taps into your team’s shared expertise.\n", |
|
"Get started\n", |
|
"Request demo\n", |
|
"Easy collaboration for better outcomes\n", |
|
"Claude doesn’t just speed up daily tasks like writing emails or docs. It’s a virtual teammate that moves work forward using your team’s knowledge.\n", |
|
"Create with Claude\n", |
|
"Claude can be a sounding board for your ideas, help you generate new ones, and pull insights from data in a snap.\n", |
|
"Prime the canvas\n", |
|
"Use Projects to ground Claude in specific knowledge that helps you produce higher-quality work with less effort.\n", |
|
"Spark inspiration\n", |
|
"Share your best chats with Claude across the team to spark creativity and improve your project deliverables.\n", |
|
"Transform how you work\n", |
|
"Claude makes work more productive—whether you need a partner for deep work, a creative collaborator, or an assistant for daily tasks.\n", |
|
"Create with Claude\n", |
|
"Draft and iterate on documents, code and websites, and images alongside your chat with Artifacts.\n", |
|
"Write and debug code\n", |
|
"Create marketing campaigns\n", |
|
"Draft job descriptions\n", |
|
"Build interactive visualizations\n", |
|
"Transform how your team works\n", |
|
"Claude can serve as your go-to expert, empowering each team member with shared knowledge from all across the organization.\n", |
|
"Prime the canvas\n", |
|
"Create Projects and add knowledge so each person on the team can deliver expert-level results.\n", |
|
"Find and summarize information faster\n", |
|
"Use Claude as your subject-matter expert\n", |
|
"Expand how each teammate can contribute\n", |
|
"Spark inspiration\n", |
|
"Share your best chats with everyone on the Project to spark better ideas, iterate on Artifacts, and move work forward.\n", |
|
"Brainstorm on new product ideas\n", |
|
"Discuss insights from user interviews\n", |
|
"Collaborate on hard research questions\n", |
|
"Every team can work with Claude\n", |
|
"Engineering\n", |
|
"Generate code snippets in seconds\n", |
|
"Create clear, comprehensive docs with no effort\n", |
|
"Get help debugging even the most complex issues\n", |
|
"Turn product feedback into roadmap items faster\n", |
|
"Support\n", |
|
"Resolve customer issues in record time\n", |
|
"Craft personalized responses effortlessly\n", |
|
"Build a dynamic, user-friendly knowledge base\n", |
|
"Generate insightful metrics reports instantly\n", |
|
"Marketing\n", |
|
"Create engaging content tailored to your audience\n", |
|
"Segment customers with pinpoint accuracy\n", |
|
"Analyze competitors with unparalleled depth\n", |
|
"Optimize campaigns for maximum ROI\n", |
|
"Sales\n", |
|
"Customize pitches for any customer segment\n", |
|
"Uncover hidden sales trends effortlessly\n", |
|
"Draft compelling follow-up emails in seconds\n", |
|
"Get comprehensive competitor insights on demand\n", |
|
"By leveraging content from our help center in Projects, we were able to generate comprehensive standard operating procedures for our core workflows in just a few hours—a task that previously took our team weeks to complete.\n", |
|
"Bradley Silicani\n", |
|
"COO, Anrok\n", |
|
"Claude Team is transforming our way of working at North Highland. Claude is a truly exceptional writer that has helped our team complete content creation and analysis tasks up to 5x faster than before—turning what was once two weeks of writing and research into minutes of work.\n", |
|
"Luka Anic\n", |
|
"Senior Director, Technical AI Program and Product Manager, North Highland\n", |
|
"Generating content, completing creative tasks, and creating summarized reports is much easier than before. There are many other areas of our business—like engineering, legal, risk and compliance—where we're excited to see what Claude can do.\n", |
|
"Olga Pirog\n", |
|
"Head of AI Transformation, IG Group\n", |
|
"Join the teams transforming with Claude\n", |
|
"See Pricing\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"research page\n", |
|
"Webpage Title:\n", |
|
"Research \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Researching\n", |
|
"at the frontier\n", |
|
"At Anthropic, we develop large-scale AI systems, and our research teams help us to create safer, steerable, and more reliable models.\n", |
|
"See open roles\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"enterprise page\n", |
|
"Webpage Title:\n", |
|
"Enterprise \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Claude for\n", |
|
" Enterprise\n", |
|
"Securely connect Claude to your company knowledge and empower every team with trusted AI.\n", |
|
"Contact sales\n", |
|
"Empower your entire organization with AI\n", |
|
"Enable every team to spark new ideas, achieve more, and collaborate better.\n", |
|
"Use company knowledge\n", |
|
"Scale internal expertise and knowledge across projects and teams.\n", |
|
"Create and share work\n", |
|
"Produce high-impact output more efficiently with Claude.\n", |
|
"Secure your data\n", |
|
"Protect your sensitive data. Anthropic does not train our models on your Claude for Work data.\n", |
|
"Use company knowledge\n", |
|
"Bring internal knowledge to scale institutional expertise, collaboration and decision-making across your enterprise with Claude as your subject matter expert.\n", |
|
"Intelligence at scale\n", |
|
"Take action with Projects.\n", |
|
"Upload relevant documents, text, code, and files to dedicated knowledge bases for Claude to use as context and background in your chats–enabling everyone to operate like an expert. Claude can reference large amounts of information for every task, including the equivalent of:\n", |
|
"Up to 100 30-minute sales transcripts\n", |
|
"Up to 15 full financial reports\n", |
|
"Up to 100K lines of code\n", |
|
"Integrate with key data sources\n", |
|
"Sync key data sources as context for Claude. Our GitHub integration, now in beta, enables Claude to learn about your codebase to help brainstorm new features, start refactoring projects and onboard new engineers.\n", |
|
"Create and share work\n", |
|
"Claude helps employees learn new skills, speed up tasks and tackle hard projects to boost productivity and extend your organization’s expertise.\n", |
|
"Create with Claude\n", |
|
"Bring your ideas and projects to life with Artifacts\n", |
|
"— dynamic, creative and collaborative work spaces to see and build upon Claude’s creations in real-time. Draft and iterate on documents, code, websites, and images alongside your chat.\n", |
|
"Intricate code structures\n", |
|
"Comprehensive product roadmaps\n", |
|
"In-depth research reports\n", |
|
"Interactive campaign content calendars\n", |
|
"Share and collaborate\n", |
|
"Share your best chats and Projects with teammates to spark ideas, make joint decisions and create purposeful outputs.\n", |
|
"Analyze user and market insights\n", |
|
"Brainstorm and execute on product ideas\n", |
|
"Create shared documentation and processes\n", |
|
"Facilitate meeting preparation and project tracking\n", |
|
"Secure your data\n", |
|
"Your data is protected with Claude. Manage access with enterprise-grade control—and rest assured that we do not train our models on your Claude for Work data.\n", |
|
"Protected company data\n", |
|
"By default, we will not use your Claude for Work data to train our models.\n", |
|
"Single sign-on (SSO) and domain capture\n", |
|
"Secure user access and centralized provisioning control.\n", |
|
"Role-based access with fine-grained permissioning\n", |
|
"Single primary owner of a workspace for security and information management.\n", |
|
"System for Cross-domain Identity Management (SCIM)\n", |
|
"Automate user provisioning and access controls.\n", |
|
"Audit logs\n", |
|
"Trace system activities for security and compliance monitoring.\n", |
|
"Critical cross-functional work starts with Claude\n", |
|
"Engineering\n", |
|
"Marketing\n", |
|
"Sales\n", |
|
"Product management\n", |
|
"Human resources\n", |
|
"Legal\n", |
|
"Engineering\n", |
|
"Marketing\n", |
|
"Sales\n", |
|
"Product management\n", |
|
"Human resources\n", |
|
"Legal\n", |
|
"Engineering\n", |
|
"Convert project requirements into technical specifications\n", |
|
"Design system architecture and component interactions\n", |
|
"Troubleshoot errors and runtime issues\n", |
|
"Identify code optimizations and performance improvements\n", |
|
"Marketing\n", |
|
"Interpret market trends and consumer behavior patterns\n", |
|
"Brainstorm multi-platform content items\n", |
|
"Develop marketing campaign strategies\n", |
|
"Create post campaign performance reports\n", |
|
"Sales\n", |
|
"Analyze sales calls to craft tailored account plans\n", |
|
"Develop objection handling strategies\n", |
|
"Build compelling and tailored pitches\n", |
|
"Interpret sales metrics and KPIS\n", |
|
"Product management\n", |
|
"Define product vision and objectives\n", |
|
"Analyze user feedback and usage data\n", |
|
"Create product specifications and requirements documents\n", |
|
"Interpret product usage metrics and KPIs\n", |
|
"Human resources\n", |
|
"Craft job descriptions and postings\n", |
|
"Create training modules and documentation\n", |
|
"Create employee development plans\n", |
|
"Interpret employee engagement results\n", |
|
"Legal\n", |
|
"Summarize complex contracts and agreements\n", |
|
"Assist in drafting legal documents and templates\n", |
|
"Monitor regulatory changes across different jurisdictions\n", |
|
"Automate routine legal tasks and processes\n", |
|
"We're a global FinTech business with omnichannel touchpoints in marketing and communications. Our global growth requires our marketing resources to expand in capacity and language capability. Claude's excellent writing and transcreation capabilities have been a big enabler for us to scale globally and achieve higher ROI.\n", |
|
"Olga Pirog\n", |
|
"Global Head of Data and AI transformation at IG Group\n", |
|
"Claude offers our team members a tool that feels like an extension of their work and expertise, allowing us to take on more complex tasks and deliver greater impact while ensuring GitLab’s IP remains private and protected.\n", |
|
"Taylor McCaslin\n", |
|
"Product lead for AI and ML tech at GitLab\n", |
|
"Read the full story\n", |
|
"Deloitte is leading the way in the trustworthy use of Generative AI within enterprises. Our exploration of Claude for Work will help us reveal how this transformative technology can empower our workforce\n", |
|
"Gina Schaefer\n", |
|
"AI Managing Director and Alliance Leader at Deloitte Consulting LLP\n", |
|
"Piloting Claude has revolutionized our workflows, becoming our most requested tool. It's dramatically accelerated content creation and data analysis. In months, we've unlocked thousands of hours for high-impact initiatives previously out of reach—propelling us into a new era of innovation and continuous learning.\n", |
|
"Luka Anic\n", |
|
"Senior Director, Technical AI Program and Product Manager at North Highland\n", |
|
"Claude has been an incredible virtual collaborator for Midjourney. We use Claude for everything from summarizing research papers, to doing Q&A with user feedback notes, to iterating on our moderation policies. We're excited to keep working alongside Claude as we grow and explore new domains.\n", |
|
"Caleb Kruse\n", |
|
"Chief of Staff at Midjourney\n", |
|
"With Claude, we can condense data down to make sure we’re not missing anything. It gives our teams a high-level view while still allowing us to link directly to specific feedback sources. This makes our work more strategic and enables our teams to create higher impact work.\n", |
|
"Justin Dorfman\n", |
|
"Open Source Community Manager at Sourcegraph\n", |
|
"Read the full story\n", |
|
"Launching our $100M Anthology Fund with Anthropic, we received thousands of AI startup applications. Claude enabled a streamlined evaluation process, reducing time spent matching applications to partners and allowing more effective engagement with founders.\n", |
|
"Tim Tully\n", |
|
"Partner at Menlo Ventures\n", |
|
"Transform how your organization operates with Claude\n", |
|
"Contact sales\n", |
|
"Frequently asked questions\n", |
|
"What is the Claude Enterprise plan?\n", |
|
"Claude is a trusted, secure, and collaborative AI expert that integrates with organizational knowledge and workflows to support high-quality work. Claude enhances productivity and creativity across various business functions within an organization. The Claude Enterprise plan is designed for organizations that require large knowledge uploads, enhanced security and user management, and an AI solution that scales across cross-functional teams in support of deep work.\n", |
|
"What is included in the Claude Enterprise plan?\n", |
|
"The Claude Enterprise plan supports deep, cross-functional workflows and includes everything in the Claude Team plan in addition to the following new features:\n", |
|
"Enterprise-grade security features to ensure the safety and compliance of your organization’s data including single-sign on (SSO) & domain capture, audit logs, System for Cross-domain Identity Management (SCIM), and role-based permissioning for fine-grained user management.\n", |
|
"Expanded context window that enables users to upload hundreds of sales transcripts, dozens of 100+ page documents and 100K lines of code.\n", |
|
"Increased usage, which means more messages with Claude.\n", |
|
"Native integrations with data sources like GitHub provide the ability for engineering teams to brainstorm alongside your codebase, iterate on new features, onboard engineers and debug issues.\n", |
|
"What security is in place for the Claude Enterprise plan?\n", |
|
"By default, we will not use your Inputs or Outputs to train our models. To find out more, or if you would like to know how to contact us regarding a privacy related topic, see our\n", |
|
"Trust Center\n", |
|
".\n", |
|
"The Claude Enterprise plan offers critical security and data management components including single sign-on (SSO) and domain capture for secure user access and centralized provisioning control; Audit logs that trace system activities for security and compliance monitoring; System for Cross-domain Identity Management (SCIM) to automate user provisioning and access controls; Role-based permissioning that assigns a single primary owner of a workspace for security and information management.\n", |
|
"What is Claude for Work?\n", |
|
"Claude for Work is a comprehensive solution for organizations to securely use Claude for business purposes. Within Claude for Work, organizations can choose between our Team plan and Enterprise plan, which offer a spectrum of features and capacity based on your usage and security needs.\n", |
|
"How can I integrate Claude into my own products or services?\n", |
|
"If you’re a developer looking to create user-facing experiences and new products with Claude, the Anthropic API is right for you. To learn more about different API plans, contact our sales team\n", |
|
"here\n", |
|
". To get started, explore our developer docs\n", |
|
"here\n", |
|
".\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n", |
|
"\n", |
|
"customers page\n", |
|
"Webpage Title:\n", |
|
"Customers \\ Anthropic\n", |
|
"Webpage Contents:\n", |
|
"Claude\n", |
|
"Overview\n", |
|
"Team\n", |
|
"Enterprise\n", |
|
"API\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Careers\n", |
|
"News\n", |
|
"Build with\n", |
|
"Claude\n", |
|
"Businesses are choosing to build with Claude as their trusted AI infrastructure. Our customers include leading enterprises and startups focused on financial services, healthcare, legal and more.\n", |
|
"Hear from our customers\n", |
|
"No results found.\n", |
|
"Case Study\n", |
|
"Brian Impact Foundation powers their search for the next generation of social innovators with Claude\n", |
|
"Case Study\n", |
|
"Perplexity delivers factual and relevant answers with Claude\n", |
|
"Case Study\n", |
|
"Pulpit AI turns sermons into multiple pieces of content with Claude\n", |
|
"Case Study\n", |
|
"Scribd, Inc. boosts content discovery and engagement with Claude\n", |
|
"Case Study\n", |
|
"Zapia powers local commerce for millions across Latin America with Claude and Google Cloud’s Vertex AI\n", |
|
"Case Study\n", |
|
"Lazy AI speeds up internal software development for businesses who are adopting AI software with Claude\n", |
|
"Case Study\n", |
|
"Factory is building Droids for software engineering with Claude\n", |
|
"Case Study\n", |
|
"Clay generates personalized sales outreach at scale with Claude\n", |
|
"Case Study\n", |
|
"Armanino builds AI-powered accounting tools with Claude\n", |
|
"Case Study\n", |
|
"GitLab powers stable, secure software development with Claude\n", |
|
"Case Study\n", |
|
"Copy.ai accelerates content creation and reduces costs with Claude\n", |
|
"Case Study\n", |
|
"Sourcegraph streamlines product and community insights with Claude\n", |
|
"Case Study\n", |
|
"Wedia Group advances digital asset management with Claude\n", |
|
"Case Study\n", |
|
"Gamma helps teams create polished presentations with Claude\n", |
|
"Case Study\n", |
|
"GitLab enhances productivity with Claude\n", |
|
"Case Study\n", |
|
"Steno helps attorneys find the critical insights in legal transcripts with Claude\n", |
|
"Case Study\n", |
|
"Sourcegraph enhances the intelligence and speed of their AI-powered coding assistant with Claude\n", |
|
"Case Study\n", |
|
"Jumpcut helps Hollywood find the next big script with Claude\n", |
|
"Case Study\n", |
|
"Lex streamlines the writing process with Claude\n", |
|
"Case Study\n", |
|
"tl;dv boosts revenue 500% from AI-powered meeting intelligence with Claude\n", |
|
"Case Study\n", |
|
"Intuit helps millions of customers confidently file taxes with federal tax explainers powered by Claude\n", |
|
"Case Study\n", |
|
"Intercom provides customer service tech that delivers up to 86% resolution rates with Claude\n", |
|
"Nov 27, 2024\n", |
|
"Case Study\n", |
|
"StudyFetch powers AI-driven personalized learning for millions of students with Claude\n", |
|
"Nov 26, 2024\n", |
|
"Case Study\n", |
|
"Humach enhances AI-powered customer experience solutions with Claude\n", |
|
"Nov 25, 2024\n", |
|
"Case Study\n", |
|
"Hume AI creates emotionally intelligent voice interactions with Claude\n", |
|
"Nov 22, 2024\n", |
|
"Case Study\n", |
|
"AES accelerates renewable energy adoption with Claude on Google Cloud’s Vertex AI\n", |
|
"Nov 21, 2024\n", |
|
"Case Study\n", |
|
"Local Falcon helps 95,000 businesses boost search rankings with Claude\n", |
|
"Nov 19, 2024\n", |
|
"Case Study\n", |
|
"StackBlitz achieves $4M ARR in 4 weeks for their AI web development platform with Claude\n", |
|
"Nov 13, 2024\n", |
|
"Case Study\n", |
|
"Coinbase enhances customer support and operational efficiency with Claude\n", |
|
"Nov 7, 2024\n", |
|
"Case Study\n", |
|
"Asana supercharges work management with Claude\n", |
|
"Nov 6, 2024\n", |
|
"Case Study\n", |
|
"ASAPP brings human-level AI to customer service with Claude\n", |
|
"Nov 4, 2024\n", |
|
"Case Study\n", |
|
"Braintrust revolutionizes talent acquisition and career growth with Claude\n", |
|
"Oct 31, 2024\n", |
|
"Case Study\n", |
|
"Hebbia helps knowledge workers save thousands of hours with Claude\n", |
|
"Oct 31, 2024\n", |
|
"Case Study\n", |
|
"Tabnine solves developers' pain points and enhances productivity with Claude\n", |
|
"Oct 30, 2024\n", |
|
"Case Study\n", |
|
"You.com enhances search and productivity with Claude\n", |
|
"Oct 29, 2024\n", |
|
"Case Study\n", |
|
"BlueFlame AI empowers lean investment teams to achieve institutional-scale analysis with Claude\n", |
|
"Oct 25, 2024\n", |
|
"Case Study\n", |
|
"Inscribe cut time spent on fraud review 20x with Claude\n", |
|
"Oct 24, 2024\n", |
|
"Case Study\n", |
|
"European Parliament expands access to their archives with Claude\n", |
|
"Oct 21, 2024\n", |
|
"Case Study\n", |
|
"WRTN pioneers AI entertainment and storytelling across Asia with Claude\n", |
|
"Oct 21, 2024\n", |
|
"Case Study\n", |
|
"Decagon delivers white-glove customer service at scale with Claude\n", |
|
"Oct 17, 2024\n", |
|
"Case Study\n", |
|
"Notion creates more intelligent workspaces with Claude\n", |
|
"Oct 16, 2024\n", |
|
"Case Study\n", |
|
"MagicSchool transforms K-12 education for 3 million educators and their students with Claude\n", |
|
"Oct 15, 2024\n", |
|
"Case Study\n", |
|
"Zoom AI Companion boosts user engagement and satisfaction with Claude\n", |
|
"Oct 9, 2024\n", |
|
"Case Study\n", |
|
"Tome uncovers strategic insights for sales teams with Claude\n", |
|
"Oct 9, 2024\n", |
|
"Case Study\n", |
|
"Cove creates the future of visual AI collaboration with Claude\n", |
|
"Oct 8, 2024\n", |
|
"Case Study\n", |
|
"Headstart accelerates software development by up to 100x with Claude\n", |
|
"Sep 30, 2024\n", |
|
"Case Study\n", |
|
"Gumroad’s customer support team ships code with Claude\n", |
|
"Sep 27, 2024\n", |
|
"With Claude, we’re able to more accurately draw insights and nuances from large sets of data, and overall tell an honest assessment of the state of work.\n", |
|
"Eric Pelz\n", |
|
"Head of Technology, AI at Asana\n", |
|
"Claude is the highly capable model behind our upcoming Investment Analyst Assistant on Amazon Bedrock, which is able to take basic instructions, generate Python code, work through errors, and output charts and tables much like a first or second-year analyst would.\n", |
|
"Aaron Linsky, CTO - AI/ML at Bridgewater Associates\n", |
|
"Legal use cases also require high-quality technical analysis, long context windows for processing detailed documents, and fast outputs. That’s why we’ve chosen Claude on Amazon Bedrock as an important part of our AI strategy.\n", |
|
"Jeff Reihl, Executive Vice President & Chief Technology Officer at LexisNexis Legal & Professional\n", |
|
"By extracting geospatial data from our vast content libraries, Claude rapidly builds personalized travel itineraries that would otherwise take our team days to craft manually. This has reduced our production costs already by 80% in tested markets.\n", |
|
"Chris Whyde, Senior Vice President of Engineering and Data Science at Lonely Planet\n", |
|
"We're excited by the possibilities Anthropic can offer not just our customers, but developers, as well. In fact, enterprise devs are even building their own custom Claude apps for their workspaces on Slack's platform.\n", |
|
"Jackie Rocca, VP of Product, AI, at Slack\n", |
|
"Claude\n", |
|
"API\n", |
|
"Team\n", |
|
"Pricing\n", |
|
"Research\n", |
|
"Company\n", |
|
"Customers\n", |
|
"News\n", |
|
"Careers\n", |
|
"Press Inquiries\n", |
|
"Support\n", |
|
"Status\n", |
|
"Availability\n", |
|
"Twitter\n", |
|
"LinkedIn\n", |
|
"YouTube\n", |
|
"Terms of Service – Consumer\n", |
|
"Terms of Service – Commercial\n", |
|
"Privacy Policy\n", |
|
"Usage Policy\n", |
|
"Responsible Disclosure Policy\n", |
|
"Compliance\n", |
|
"Privacy Choices\n", |
|
"© 2024 Anthropic PBC\n", |
|
"\n", |
|
"\n" |
|
] |
|
} |
|
], |
|
"source": [ |
|
"print(get_all_details(\"https://anthropic.com\"))" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 15, |
|
"id": "9b863a55-f86c-4e3f-8a79-94e24c1a8cf2", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"system_prompt = \"You are an assistant that analyzes the contents of several relevant pages from a company website \\\n", |
|
"and creates a short brochure about the company for prospective customers, investors and recruits. Respond in markdown.\\\n", |
|
"Include details of company culture, customers and careers/jobs if you have the information.\"\n", |
|
"\n", |
|
"# Or uncomment the lines below for a more humorous brochure - this demonstrates how easy it is to incorporate 'tone':\n", |
|
"\n", |
|
"# system_prompt = \"You are an assistant that analyzes the contents of several relevant pages from a company website \\\n", |
|
"# and creates a short humorous, entertaining, jokey brochure about the company for prospective customers, investors and recruits. Respond in markdown.\\\n", |
|
"# Include details of company culture, customers and careers/jobs if you have the information.\"\n" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 16, |
|
"id": "6ab83d92-d36b-4ce0-8bcc-5bb4c2f8ff23", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def get_brochure_user_prompt(company_name, url):\n", |
|
" user_prompt = f\"You are looking at a company called: {company_name}\\n\"\n", |
|
" user_prompt += f\"Here are the contents of its landing page and other relevant pages; use this information to build a short brochure of the company in markdown.\\n\"\n", |
|
" user_prompt += get_all_details(url)\n", |
|
" user_prompt = user_prompt[:20_000] # Truncate if more than 20,000 characters\n", |
|
" return user_prompt" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 17, |
|
"id": "cd909e0b-1312-4ce2-a553-821e795d7572", |
|
"metadata": { |
|
"scrolled": true |
|
}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://anthropic.com/company'}, {'type': 'careers page', 'url': 'https://anthropic.com/careers'}, {'type': 'team page', 'url': 'https://anthropic.com/team'}, {'type': 'research page', 'url': 'https://anthropic.com/research'}, {'type': 'enterprise page', 'url': 'https://anthropic.com/enterprise'}, {'type': 'api page', 'url': 'https://anthropic.com/api'}, {'type': 'pricing page', 'url': 'https://anthropic.com/pricing'}, {'type': 'news page', 'url': 'https://anthropic.com/news'}, {'type': 'customers page', 'url': 'https://anthropic.com/customers'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/plain": [ |
|
"\"You are looking at a company called: Anthropic\\nHere are the contents of its landing page and other relevant pages; use this information to build a short brochure of the company in markdown.\\nLanding page:\\nWebpage Title:\\nHome \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nAI\\nresearch\\nand\\nproducts\\nthat put safety at the frontier\\nClaude.ai\\nMeet Claude 3.5 Sonnet\\nClaude 3.5 Sonnet, our most intelligent AI model, is now available.\\nTalk to Claude\\nAPI\\nBuild with Claude\\nStart using Claude to drive efficiency and create new revenue streams.\\nLearn more\\nAnnouncements\\nIntroducing computer use, a new Claude 3.5 Sonnet, and Claude 3.5 Haiku\\nOct 22, 2024\\nModel updates\\n3.5 Sonnet\\n3.5 Haiku\\nOur Work\\nProduct\\nClaude for Enterprise\\nSep 4, 2024\\nAlignment\\n·\\nResearch\\nConstitutional AI: Harmlessness from AI Feedback\\nDec 15, 2022\\nAnnouncements\\nCore Views on AI Safety: When, Why, What, and How\\nMar 8, 2023\\nWork with Anthropic\\nAnthropic is an AI safety and research company based in San Francisco. Our interdisciplinary team has experience across ML, physics, policy, and product. Together, we generate research and create reliable, beneficial AI systems.\\nSee open roles\\nClaude\\nAPI\\nTeam\\nPricing\\nResearch\\nCompany\\nCustomers\\nNews\\nCareers\\nPress Inquiries\\nSupport\\nStatus\\nAvailability\\nTwitter\\nLinkedIn\\nYouTube\\nTerms of Service – Consumer\\nTerms of Service – Commercial\\nPrivacy Policy\\nUsage Policy\\nResponsible Disclosure Policy\\nCompliance\\nPrivacy Choices\\n© 2024 Anthropic PBC\\n\\n\\n\\nabout page\\nWebpage Title:\\nCompany \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nMaking AI systems\\nyou can rely on\\nAnthropic is an AI safety and research company. We build reliable, interpretable, and steerable AI systems.\\nJoin us\\nOur Purpose\\nWe believe AI will have a vast impact on the world. Anthropic is dedicated to building systems that people can rely on and generating research about the opportunities and risks of AI.\\nWe Build Safer Systems\\nWe aim to build frontier AI systems that are reliable, interpretable, and steerable. We conduct frontier research, develop and apply a variety of safety techniques, and deploy the resulting systems via a set of partnerships and products.\\nSafety Is a Science\\nWe treat AI safety as a systematic science, conducting research, applying it to our products, feeding those insights back into our research, and regularly sharing what we learn with the world along the way.\\nInterdisciplinary\\nAnthropic is a collaborative team of researchers, engineers, policy experts, business leaders and operators, who bring our experience from many different domains to our work.\\nAI Companies are One Piece of a Big Puzzle\\nAI has the potential to fundamentally change how the world works. We view ourselves as just one piece of this evolving puzzle. We collaborate with civil society, government, academia, nonprofits and industry to promote safety industry-wide.\\nThe Team\\nWe’re a team of researchers, engineers, policy experts and operational leaders, with experience spanning a variety of disciplines, all working together to build reliable and understandable AI systems.\\nResearch\\nWe conduct frontier AI research across a variety of modalities, and explore novel and emerging safety research areas from interpretability to RL from human feedback to policy and societal impacts analysis.\\nPolicy\\nWe think about the impacts of our work and strive to communicate what we’re seeing at the frontier to policymakers and civil society in the US and abroad to help promote safe and reliable AI.\\nProduct\\nWe translate our research into tangible, practical tools like Claude that benefit businesses, nonprofits and civil society groups and their clients and people around the globe.\\nOperations\\nOur people, finance, legal, and recruiting teams are the human engines that make Anthropic go. We’ve had previous careers at NASA, startups, and the armed forces and our diverse experiences help make Anthropic a great place to work (and we love plants!).\\nOur Values\\n01\\nHere for the mission\\nAnthropic exists for our mission: to ensure transformative AI helps people and society flourish. Progress this decade may be rapid, and we expect increasingly capable systems to pose novel challenges. We pursue our mission by building frontier systems, studying their behaviors, working to responsibly deploy them, and regularly sharing our safety insights. We collaborate with other projects and stakeholders seeking a similar outcome.\\n02\\nUnusually high trust\\nOur company is an unusually high trust environment: we assume good faith, disagree kindly, and prioritize honesty. We expect emotional maturity and intellectual openness. At its best, our trust enables us to make better decisions as an organization than any one of us could as individuals.\\n03\\nOne big team\\nCollaboration is central to our work, culture, and value proposition. While we have many teams at Anthropic, we feel the broader sense in which we are all on the same team working together towards the mission. Leadership sets the strategy, with broad input from everyone, and trusts each piece of the organization to pursue these goals in their unique style. Individuals commonly contribute to work across many different areas.\\n04\\nDo the simple thing that works\\nWe celebrate trying the simple thing before the clever, novel thing. We embrace pragmatism - sensible, practical approaches that acknowledge tradeoffs. We love empiricism - finding out what actually works by trying it - and apply this to our research, our engineering and our collaboration. We aim to be open about what we understand and what we don’t.\\nGovernance\\nAnthropic is a Public Benefit Corporation, whose purpose is the responsible development and maintenance of advanced AI for the long-term benefit of humanity. Our Board of Directors is elected by stockholders and our Long-Term Benefit Trust, as explained\\nhere.\\nCurrent members of the Board and the Long-Term Benefit Trust (LTBT) are listed below.\\nAnthropic Board of Directors\\nDario Amodei, Daniela Amodei, Yasmin Razavi, and Jay Kreps.\\nLTBT Trustees\\nNeil Buddy Shah, Kanika Bahl, and Zach Robinson.\\nCompany News\\nSee All\\nAnnouncements\\nIntroducing the Model Context Protocol\\nNov 25, 2024\\nAnnouncements\\nPowering the next generation of AI development with AWS\\nNov 22, 2024\\nAnnouncements\\nClaude 3.5 Sonnet on GitHub Copilot\\nOct 29, 2024\\nWant to help us build the future of safe AI?\\nJoin us\\nClaude\\nAPI\\nTeam\\nPricing\\nResearch\\nCompany\\nCustomers\\nNews\\nCareers\\nPress Inquiries\\nSupport\\nStatus\\nAvailability\\nTwitter\\nLinkedIn\\nYouTube\\nTerms of Service – Consumer\\nTerms of Service – Commercial\\nPrivacy Policy\\nUsage Policy\\nResponsible Disclosure Policy\\nCompliance\\nPrivacy Choices\\n© 2024 Anthropic PBC\\n\\n\\n\\ncareers page\\nWebpage Title:\\nCareers \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nJoin the team\\nmaking AI safe\\nWe’re a public benefit corporation headquartered in San Francisco. Our team’s experience spans a variety of backgrounds and disciplines, from physics and machine learning to public policy and business. We work as a cohesive team that collectively forecasts the impact and tractability of research ideas in advancing our mission.\\nSee open roles\\nWhat We Offer\\nHealth & Wellness\\nAt Anthropic, we believe that supporting our employees is crucial to our collective success and wellbeing. That's why we offer a range of benefits to best support you and your family, now and in the future.\\nComprehensive health, dental, and vision insurance for you and your dependents\\nInclusive fertility benefits via Carrot Fertility\\n22 weeks of paid parental leave\\nFlexible paid time off and absence policies\\nGenerous mental health support for you and your dependents\\nCompensation & Support\\nOur goal is to foster an environment where you can thrive professionally while feeling confident that you and your loved ones are taken care of.\\nCompetitive salary and equity packages\\nOptional equity donation matching at a 1:1 ratio, up to 25% of your equity grant\\nRobust retirement plans and salary sacrifice programs with market competitive matching\\nLife and income protection plans\\nAdditional Benefits\\n$500/month flexible wellness and time saver stipend\\nCommuter benefits\\nAnnual education stipend\\nHome office stipends\\nRelocation support for those moving for Anthropic\\nDaily meals and snacks in the office\\nHow We Hire\\nThe interview process at Anthropic varies based on role and candidate, but our standard process looks like this:\\nStep 1\\nResume\\nSubmit your resume via our website.\\nStep 2\\nExploratory chat\\nYou’ll have a chat with one of our staff to discuss your career interests and relevant experience, and learn more about Anthropic.\\nStep 3\\nSkills Assessment\\nFor technical roles, you’ll have a one-hour technical screening interview.\\nFor operations or policy roles, you’ll get a take-home assignment. These typically involve writing responses to several role-relevant questions; they may occasionally require some outside research. Assignments usually take between 2-5 hours, depending on the role.\\nWe include this to minimize bias and make well-informed hiring decisions. We think seeing a candidate’s work helps us assess how they might actually perform on the job; similarly, the assignment gives candidates a better idea of what their work at Anthropic might entail. If a candidate likes working through their take-home, that is one indicator that they would enjoy taking on the role, and vice versa.\\nWe recognize that completing work assignments requires time and effort, and that they are not perfectly reflective of the role’s work. Nonetheless, we think that work tests are a useful complement to interviews and reference checks.\\nStep 4\\nTeam Screen\\nYou'll have a conversation with either the Hiring Manager or a member of your potential team.\\nStep 5\\nInterview Panel\\nFor technical roles, you’ll have 3-4 more one-hour technical interviews, plus a culture interview.\\nFor operations or policy roles, you’ll have 3-5 hours of interviews, including a culture interview.\\nStep 6\\nFinal Checks\\nWe’ll ask for some references, and have you chat with our leadership.\\nStep 7\\nOffer\\nWe’ll make you an offer!\\nTechnical Interviews\\nThe novel challenges we think about at Anthropic demand diverse expertise and perspectives. Our interview process is designed to identify thoughtful candidates who bring unique strengths to our multidisciplinary team. If you think this may describe you, we’d love to hear from you regardless of your background or experience.\\nOne of the most common questions we get is about whether it is worth applying to work at Anthropic if you have not worked on modern machine learning systems in the past. Yes! For some roles, ML experience is expected, but many technical staff have arrived at Anthropic with no machine learning experience. If you aren’t sure about the ML experience needed for your role, ask your recruiter.\\nWe use shared environments like Colab and Replit for our programming-focused interviews. We’ll be very interested in how you think through each problem and analyze the tradeoffs between possible approaches, and we’ll also expect you to write, run, and debug your solutions. You’ll be allowed to look things up in documentation or on the web, just like you usually can (which is why we’ll ask you to share your screen throughout each interview); but it’s still important to be familiar with basic syntax, standard libraries, and common idioms in the language you’re interviewing in, so that looking things up doesn’t consume too much time. Your interview process will also include non-technical questions about your experience and what motivates you, and, of course, you’ll have time to ask us about Anthropic! We can’t wait to meet you.\\nOther Things\\nEngineers here do lots of research, and researchers do lots of engineering\\nWhile there’s historically been a division between engineering and research in machine learning, we think that boundary has dissolved with the advent of large models. The distribution of candidates we interview is strongly bimodal in both engineering and research experience however, and we have necessarily tailored our interview structure to that.\\nIf you’ve an engineering background, please apply as an engineer. You’ll perform much better in the interviews, and if you join you’ll have as much input to Anthropic’s direction and interests as anyone else.\\nAs evidence towards this: all of our papers have engineers as authors, and often as first author. Research and engineering hires all share a single title - ‘Member of Technical Staff’.\\nWe value direct evidence of ability\\nIf you’ve done interesting independent research, written an insightful blog post, or made substantial contributions to open-source software, put that at the top of your resume!\\nFeedback\\nWe do not provide feedback on resumes or interviews.\\nVisas\\nAnthropic sponsors visas! We aren't able to sponsor them for every role and every candidate; operations roles are especially difficult to support. But if we make you an offer, we will make every effort to get you into the United States, and we retain an immigration lawyer to help with this.\\nGreen cards\\nOnce you’re eligible, we’re also keen to sponsor green cards!\\nWe do not require PhDs, degrees, or previous ML experience\\nAbout half of Anthropic technical staff have a PhD of some sort; about half had prior experience in ML. We have several brilliant colleagues who never went to college.\\nRemote interviewing\\nAll our interviews are conducted over Google Meet. We prefer PST office hours, but we can be flexible if that’s difficult for you.\\nRe-applying\\nSimilarly, if interviews don’t work out this time, you’re welcome to re-apply after 12 months, and earlier if something materially changes about your experience or skills.\\nRemote work\\nAnthropic staff all come to the office regularly. Most staff live in the Bay Area, though a few live further away and come in for one week a month. We also understand that moving can take time, so as a transitional phase some folks start while fully remote.\\nOffer timing\\nIf we make an offer, we’re happy to give you time to think about it and finish up any other interview processes you’re going through.\\nInternships\\nWe do not offer internships.\\nCandidate Privacy Policy\\nUS Candidate Privacy Policy\\nUK Employee and Candidate Privacy Policy\\nClaude\\nAPI\\nTeam\\nPricing\\nResearch\\nCompany\\nCustomers\\nNews\\nCareers\\nPress Inquiries\\nSupport\\nStatus\\nAvailability\\nTwitter\\nLinkedIn\\nYouTube\\nTerms of Service – Consumer\\nTerms of Service – Commercial\\nPrivacy Policy\\nUsage Policy\\nResponsible Disclosure Policy\\nCompliance\\nPrivacy Choices\\n© 2024 Anthropic PBC\\n\\n\\n\\nteam page\\nWebpage Title:\\nTeam up with Claude \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nTry Claude\\nTeam up with Claude\\nShorten the path from idea to impact with an AI assistant that taps into your team’s shared expertise.\\nGet started\\nRequest demo\\nEasy collaboration for better outcomes\\nClaude doesn’t just speed up daily tasks like writing emails or docs. It’s a virtual teammate that moves work forward using your team’s knowledge.\\nCreate with Claude\\nClaude can be a sounding board for your ideas, help you generate new ones, and pull insights from data in a snap.\\nPrime the canvas\\nUse Projects to ground Claude in specific knowledge that helps you produce higher-quality work with less effort.\\nSpark inspiration\\nShare your best chats with Claude across the team to spark creativity and improve your project deliverables.\\nTransform how you work\\nClaude makes work more productive—whether you need a partner for deep work, a creative collaborator, or an assistant for daily tasks.\\nCreate with Claude\\nDraft and iterate on documents, code and websites, and images alongside your chat with Artifacts.\\nWrite and debug code\\nCreate marketing campaigns\\nDraft job descriptions\\nBuild interactive visualizations\\nTransform how your team works\\nClaude can serve as your go-to expert, empowering each team member with shared knowledge from all across the organization.\\nPrime the canvas\\nCreate Projects and add knowledge so each person on the team can deliver expert-level results.\\nFind and summarize information faster\\nUse Claude as your subject-matter expert\\nExpand how each teammate can contribute\\nSpark inspiration\\nShare your best chats with everyone on the Project to spark better ideas, iterate on Artifacts, and move work forward.\\nBrainstorm on new product ideas\\nDiscuss insights from user interviews\\nCollaborate on hard research questions\\nEvery team can work with Claude\\nEngineering\\nGenerate code snippets in seconds\\nCreate clear, comprehensive docs with no effort\\nGet help debugging even the most complex issues\\nTurn product feedback into roadmap items faster\\nSupport\\nResolve customer issues in record time\\nCraft personalized responses effortlessly\\nBuild a dynamic, user-friendly knowledge base\\nGenerate insightful metrics reports instantly\\nMarketing\\nCreate engaging content tailored to your audience\\nSegment customers with pinpoint accuracy\\nAnalyze competitors with unparalleled depth\\nOptimize campaigns for maximum ROI\\nSales\\nCustomize pitches for any customer segment\\nUncover hidden sales trends effortlessly\\nDraft compelling follow-up emails in seconds\\nGet comprehensive competitor insights on demand\\nBy leveraging content from our help center in Projects, we were able to generate comprehensive standard operating procedures for our core workflows in just a few hours—a task that previously took our team weeks to complete.\\nBradley Silicani\\nCOO, Anrok\\nClaude Team is transforming our way of working at North Highland. Claude is a truly exceptional writer that has helped our team complete content creation and analysis tasks up to 5x faster than before—turning what was once two weeks of writing and research into minutes of work.\\nLuka Anic\\nSenior Director, Technical AI Program and Product Manager, North Highland\\nGenerating content, completing creative tasks, and creating summarized reports is much easier than before. There are many other areas of our business—like engineering, legal, risk and compliance—where we're excited to see what Claude can do.\\nOlga Pirog\\nHead of AI Transformation, IG Group\\nJoin the teams transforming with Claude\\nSee Pricing\\nClaude\\nAPI\\nTeam\\nPricing\\nResearch\\nCompany\\nCustomers\\nNews\\nCareers\\nPress Inquiries\\nSupport\\nStatus\\nAvailability\\nTwitter\\nLinkedIn\\nYouTube\\nTerms of Service – Consumer\\nTerms of Service – Commercial\\nPrivacy Policy\\nUsage Policy\\nResponsible Disclosure Policy\\nCompliance\\nPrivacy Choices\\n© 2024 Anthropic PBC\\n\\n\\n\\nresearch page\\nWebpage Title:\\nResearch \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nResearching\\nat the frontier\\nAt Anthropic, we develop large-scale AI systems, and our research teams help us to create safer, steerable, and more reliable models.\\nSee open roles\\nClaude\\nAPI\\nTeam\\nPricing\\nResearch\\nCompany\\nCustomers\\nNews\\nCareers\\nPress Inquiries\\nSupport\\nStatus\\nAvailability\\nTwitter\\nLinkedIn\\nYouTube\\nTerms of Service – Consumer\\nTerms of Service – Commercial\\nPrivacy Policy\\nUsage Policy\\nResponsible Disclosure Policy\\nCompliance\\nPrivacy Choices\\n© 2024 Anthropic PBC\\n\\n\\n\\nenterprise page\\nWebpage Title:\\nEnterprise \\\\ Anthropic\\nWebpage Contents:\\nClaude\\nOverview\\nTeam\\nEnterprise\\nAPI\\nPricing\\nResearch\\nCompany\\nCareers\\nNews\\nClaude for\\n Enterprise\\nSecurely connect Claude to your company knowledge and empower every team with trusted AI.\\nContact sales\\nEmpower your entire organization with AI\\nEnable every team to spark new ideas, achieve more, and collaborate better.\\nUse company knowledge\\nScale internal expertise and knowledge across projects and teams.\\nCreate and share work\\nProduce high-impact output more efficiently with Claude.\\nSecure your data\\nProtect your sensitive data. Anthropic does not train our models on your Claude for Work data.\\nUse company knowledge\\nBring internal knowledge to scale institutional expertise, collaboration and decision-making across your enterpris\"" |
|
] |
|
}, |
|
"execution_count": 17, |
|
"metadata": {}, |
|
"output_type": "execute_result" |
|
} |
|
], |
|
"source": [ |
|
"get_brochure_user_prompt(\"Anthropic\", \"https://anthropic.com\")" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 18, |
|
"id": "e44de579-4a1a-4e6a-a510-20ea3e4b8d46", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def create_brochure(company_name, url):\n", |
|
" response = openai.chat.completions.create(\n", |
|
" model=MODEL,\n", |
|
" messages=[\n", |
|
" {\"role\": \"system\", \"content\": system_prompt},\n", |
|
" {\"role\": \"user\", \"content\": get_brochure_user_prompt(company_name, url)}\n", |
|
" ],\n", |
|
" )\n", |
|
" result = response.choices[0].message.content\n", |
|
" display(Markdown(result))" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 19, |
|
"id": "e093444a-9407-42ae-924a-145730591a39", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://anthropic.com/company'}, {'type': 'careers page', 'url': 'https://anthropic.com/careers'}, {'type': 'team page', 'url': 'https://anthropic.com/team'}, {'type': 'research page', 'url': 'https://anthropic.com/research'}, {'type': 'enterprise page', 'url': 'https://anthropic.com/enterprise'}, {'type': 'api page', 'url': 'https://anthropic.com/api'}, {'type': 'pricing page', 'url': 'https://anthropic.com/pricing'}, {'type': 'news page', 'url': 'https://anthropic.com/news'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"# Anthropic Company Brochure\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Overview\n", |
|
"**Anthropic** is a leading AI safety and research company based in San Francisco, California. We are dedicated to building reliable, interpretable, and steerable AI systems, with a focus on safety and meaningful impact. Our flagship AI model, **Claude 3.5 Sonnet**, represents our commitment to developing advanced AI technology that prioritizes safety and performance.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Our Mission\n", |
|
"At Anthropic, we believe in the transformative potential of AI to enhance how people interact with the world. Our goal is to develop AI systems that people can trust, leading to a safer future. We conduct pioneering research that addresses the opportunities and challenges presented by advanced AI technologies.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Company Culture\n", |
|
"### Core Values\n", |
|
"1. **Mission-Driven**: We exist to ensure AI technology augments societal well-being.\n", |
|
"2. **High Trust**: We foster an environment built on good faith, kindness, and honesty.\n", |
|
"3. **Collaborative Spirit**: Teamwork is at the heart of our operations, promoting diverse contributions across all levels.\n", |
|
"4. **Pragmatism**: We value practical, effective solutions over novel complexity.\n", |
|
"\n", |
|
"### Work Environment\n", |
|
"- Interdisciplinary collaborative team consisting of experts in machine learning, policy, product development, and more.\n", |
|
"- Employees benefit from flexible paid time off, paid parental leave, and comprehensive wellness support.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Research & Development\n", |
|
"Our research efforts focus on **frontier AI technologies** and safety practices to create models that are not only effective but also controllable and interpretable. We explore diverse areas, including:\n", |
|
"- Interpretability\n", |
|
"- Reinforcement Learning from human feedback\n", |
|
"- Policy impact assessments\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Products and Services\n", |
|
"### Claude AI\n", |
|
"- **Claude as a Service**: Facilitate faster decision-making and productivity across organizations.\n", |
|
"- **Claude for Enterprise**: A secure solution for organizations wanting to leverage internal knowledge and improve team collaboration.\n", |
|
"\n", |
|
"### Use Cases\n", |
|
"- Automating customer support\n", |
|
"- Assisting in document preparation\n", |
|
"- Enhancing marketing strategies\n", |
|
"- Accelerating creative processes\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Customer Engagement\n", |
|
"We work with a variety of customers across sectors, offering tailored solutions that empower teams by:\n", |
|
"- Scaling internal expertise and knowledge sharing.\n", |
|
"- Producing high-quality outputs efficiently while ensuring data security.\n", |
|
"- Leveraging AI to transform operations and improve overall productivity.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Careers at Anthropic\n", |
|
"Join an innovative team at Anthropic! We are hiring for various roles that value diverse experiences and skills. Here’s what we offer to employees:\n", |
|
"- Competitive salaries coupled with equity packages.\n", |
|
"- Health, dental, and vision insurance, with additional benefits catering to family planning and wellness.\n", |
|
"- A supportive structure for relocation and home-office adjustment.\n", |
|
"\n", |
|
"### Hiring Process\n", |
|
"We have a rigorous yet thoughtful hiring process that emphasizes diverse perspectives and expertise. Our approach includes:\n", |
|
"1. Exploratory chats to understand candidate interests.\n", |
|
"2. Skills assessments tailored to role requirements.\n", |
|
"3. Team screens to build collaborative fits.\n", |
|
"4. Final interviews with leadership.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## Connect with Us\n", |
|
"For more information, visit our website or reach out:\n", |
|
"- **Website**: [Anthropic](https://www.anthropic.com)\n", |
|
"- **LinkedIn**: [Anthropic LinkedIn](https://www.linkedin.com/company/anthropic)\n", |
|
"- **Twitter**: [@Anthropic](https://twitter.com/Anthropic)\n", |
|
"\n", |
|
"Together, let’s shape the future of safe AI!" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
} |
|
], |
|
"source": [ |
|
"create_brochure(\"Anthropic\", \"https://anthropic.com\")" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "61eaaab7-0b47-4b29-82d4-75d474ad8d18", |
|
"metadata": {}, |
|
"source": [ |
|
"## Finally - a minor improvement\n", |
|
"\n", |
|
"With a small adjustment, we can change this so that the results stream back from OpenAI,\n", |
|
"with the familiar typewriter animation" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 20, |
|
"id": "51db0e49-f261-4137-aabe-92dd601f7725", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"def stream_brochure(company_name, url):\n", |
|
" stream = openai.chat.completions.create(\n", |
|
" model=MODEL,\n", |
|
" messages=[\n", |
|
" {\"role\": \"system\", \"content\": system_prompt},\n", |
|
" {\"role\": \"user\", \"content\": get_brochure_user_prompt(company_name, url)}\n", |
|
" ],\n", |
|
" stream=True\n", |
|
" )\n", |
|
" \n", |
|
" response = \"\"\n", |
|
" display_handle = display(Markdown(\"\"), display_id=True)\n", |
|
" for chunk in stream:\n", |
|
" response += chunk.choices[0].delta.content or ''\n", |
|
" response = response.replace(\"```\",\"\").replace(\"markdown\", \"\")\n", |
|
" update_display(Markdown(response), display_id=display_handle.display_id)" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 47, |
|
"id": "56bf0ae3-ee9d-4a72-9cd6-edcac67ceb6d", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://anthropic.com/company'}, {'type': 'careers page', 'url': 'https://anthropic.com/careers'}, {'type': 'team page', 'url': 'https://anthropic.com/team'}, {'type': 'research page', 'url': 'https://anthropic.com/research'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"\n", |
|
"# Anthropic Company Brochure\n", |
|
"\n", |
|
"## Who We Are\n", |
|
"Anthropic is a pioneering AI safety and research company headquartered in San Francisco. We specialize in developing reliable, interpretable, and steerable AI systems through interdisciplinary collaboration among experts in machine learning, physics, public policy, and business.\n", |
|
"\n", |
|
"## Our Mission\n", |
|
"At Anthropic, we aim to ensure that transformative AI technologies benefit humanity. Our research focuses on the opportunities and challenges presented by advanced AI systems, striving to create tools that people can rely upon.\n", |
|
"\n", |
|
"## Meet Claude\n", |
|
"We are proud to introduce **Claude**, our flagship AI model. Claude 3.5 Sonnet is our most intelligent version yet, designed to drive efficiency and creativity across industries. From automating daily tasks to enhancing collaborative efforts, Claude is here to transform workflows.\n", |
|
"\n", |
|
"## Core Values & Company Culture\n", |
|
"- **Mission-Driven**: Our work is centered around ensuring AI contributes positively to society.\n", |
|
"- **High Trust**: We foster an environment where emotional maturity and intellectual openness thrive. We assume good intentions and prioritize honest communication.\n", |
|
"- **Collaborative Spirit**: Teamwork is vital at Anthropic. We believe in crossing departmental lines to leverage our collective expertise towards common goals.\n", |
|
"- **Pragmatism & Empiricism**: We encourage practical solutions and prioritize understanding through research and experience.\n", |
|
"\n", |
|
"## Customer Focus\n", |
|
"Our innovative AI tools benefit a wide range of customers, including businesses, nonprofits, and civil society organizations. We partner with clients to customize Claude's capabilities to their unique needs, enhancing productivity and insights.\n", |
|
"\n", |
|
"## Careers at Anthropic\n", |
|
"We are always looking for talented individuals to join our diverse team. Whether you're in research, engineering, operations, or policy, Anthropic offers a supportive environment with competitive compensation packages, comprehensive health benefits, and a strong emphasis on work-life balance.\n", |
|
"\n", |
|
"**What We Offer:**\n", |
|
"- Comprehensive health, dental, and vision insurance\n", |
|
"- Flexible paid time off and absence policies\n", |
|
"- Generous parental leave policies\n", |
|
"- Professional development and education stipends\n", |
|
"- A vibrant workplace culture with daily meals and wellness support\n", |
|
"\n", |
|
"**Hiring Process:**\n", |
|
"Our interview process is designed to minimize bias and include a thoughtful assessment of skills and team fit. We value diversity in backgrounds and experiences, and encourage candidates from all walks of life to apply.\n", |
|
"\n", |
|
"## Join Us!\n", |
|
"If you're as passionate about AI and its responsible development as we are, consider joining us at Anthropic. Together, we can shape the future of AI to benefit all of humanity.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"For more information, visit [Anthropic's Website](https://www.anthropic.com) or follow us on [LinkedIn](https://www.linkedin.com/company/anthropic).\n" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
} |
|
], |
|
"source": [ |
|
"stream_brochure(\"Anthropic\", \"https://anthropic.com\")" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 21, |
|
"id": "fdb3f8d8-a3eb-41c8-b1aa-9f60686a653b", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://huggingface.co/huggingface'}, {'type': 'careers page', 'url': 'https://apply.workable.com/huggingface/'}, {'type': 'blog', 'url': 'https://huggingface.co/blog'}, {'type': 'company page', 'url': 'https://huggingface.co/enterprise'}, {'type': 'pricing page', 'url': 'https://huggingface.co/pricing'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"# Hugging Face Company Brochure\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **Welcome to Hugging Face**\n", |
|
"### **The AI community building the future.**\n", |
|
"\n", |
|
"Hugging Face is revolutionizing the machine learning landscape with a collaborative platform designed for developers, researchers, and organizations. Our mission is to democratize machine learning by providing robust tools, models, and datasets that empower everyone to achieve innovation in AI.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **What We Offer**\n", |
|
"### **Models, Datasets, and Spaces**\n", |
|
"- **400k+ Models**: Access state-of-the-art models across modalities including text, image, video, and audio.\n", |
|
"- **100k+ Datasets**: Browse and share diverse datasets for various machine learning tasks.\n", |
|
"- **150k+ Applications**: Explore innovative applications in our community spaces, aiding exploration and creativity.\n", |
|
"\n", |
|
"### **Enterprise Solutions**\n", |
|
"With enterprise-grade security and dedicated support, Hugging Face empowers organizations with a streamlined path to AI excellence.\n", |
|
"\n", |
|
"- **Subscription Models**: Tailored plans starting at $20/user/month for robust enterprise solutions.\n", |
|
"- **Advanced Security Features**: Benefit from Single Sign-On (SSO), audit logs, analytics, and resource management.\n", |
|
"- **Compute Solutions**: Easily deploy and scale your ML projects with managed infrastructure facilitated by Hugging Face APIs.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **Join Our Community**\n", |
|
"- **223 Team Members**: With experts in AI, ML, and community development, our diverse team is dedicated to making quality machine learning accessible to all.\n", |
|
"- **Collaboration at the Core**: Hugging Face encourages collaboration within our community, where everyone is invited to contribute and share knowledge.\n", |
|
"- **Career Opportunities**: We are constantly on the lookout for passionate individuals to join our mission. If you are eager to contribute to the future of AI, check our current openings on the [Careers Page](#).\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **Our Culture**\n", |
|
"At Hugging Face, we foster a culture of openness, innovation, and collaboration. We believe in:\n", |
|
"\n", |
|
"- **Learning and Experimentation**: Encouraging a growth mindset where team members learn from each other and experiment with new ideas.\n", |
|
"- **Community Engagement**: Our community is at the heart of everything we do. We actively seek input and insights from our users.\n", |
|
"- **Diversity and Inclusion**: We are committed to creating an inclusive workplace where diverse backgrounds and perspectives are celebrated.\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **Our Customers**\n", |
|
"More than 50,000 organizations utilize Hugging Face, including leading tech companies like:\n", |
|
"\n", |
|
"- **Meta**\n", |
|
"- **Amazon Web Services**\n", |
|
"- **Google**\n", |
|
"- **Intel**\n", |
|
"- **Microsoft**\n", |
|
"\n", |
|
"Join us in creating an expansive ecosystem where AI models thrive!\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## **Get Involved**\n", |
|
"Visit us at [Hugging Face](https://huggingface.co) to explore our resources or join our community discussions on platforms like Discord and GitHub.\n", |
|
"\n", |
|
"Let’s build the future of AI together!\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"### **Contact Us**\n", |
|
"- **Email**: support@huggingface.co\n", |
|
"- **Follow Us**: \n", |
|
" - Twitter: [@huggingface](https://twitter.com/huggingface)\n", |
|
" - LinkedIn: [Hugging Face](https://linkedin.com/company/huggingface)\n", |
|
"\n", |
|
"--- \n", |
|
"\n", |
|
"*Thank you for considering Hugging Face as your partner in AI innovation!*" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
} |
|
], |
|
"source": [ |
|
"# Try changing the system prompt to the humorous version when you make the Brochure for Hugging Face:\n", |
|
"\n", |
|
"stream_brochure(\"HuggingFace\", \"https://huggingface.co\")" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 22, |
|
"id": "a2e06c26-4341-4dac-b2b1-9855f125c8f9", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [ |
|
"#import Gradio\n", |
|
"import gradio as gr" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": 23, |
|
"id": "714a339f-a218-4ef0-9bac-77501979e51c", |
|
"metadata": {}, |
|
"outputs": [ |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"* Running on local URL: http://127.0.0.1:7860\n", |
|
"* Running on public URL: https://e5232c93c091951765.gradio.live\n", |
|
"\n", |
|
"This share link expires in 72 hours. For free permanent hosting and GPU upgrades, run `gradio deploy` from the terminal in the working directory to deploy to Hugging Face Spaces (https://huggingface.co/spaces)\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/html": [ |
|
"<div><iframe src=\"https://e5232c93c091951765.gradio.live\" width=\"100%\" height=\"500\" allow=\"autoplay; camera; microphone; clipboard-read; clipboard-write;\" frameborder=\"0\" allowfullscreen></iframe></div>" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.HTML object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
}, |
|
{ |
|
"data": { |
|
"text/plain": [] |
|
}, |
|
"execution_count": 23, |
|
"metadata": {}, |
|
"output_type": "execute_result" |
|
}, |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://www.jaivikhimalay.com/#about'}, {'type': 'contact page', 'url': 'https://www.jaivikhimalay.com/#contact'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"# Jaivik Himalay Company Brochure\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"## About Us\n", |
|
"\n", |
|
"Jaivik Himalay is a dynamic and innovative company situated in Silicon Valley, California. With two decades of expertise, we specialize in transforming complex issues into efficient solutions across various domains including **payments**, **gift cards**, and **logistics**. Our dedication to enhancing the accessibility of products and services drives our commitment to client success.\n", |
|
"\n", |
|
"## Our Services\n", |
|
"\n", |
|
"At Jaivik Himalay, we offer a comprehensive suite of services tailored for **small and medium-sized businesses**:\n", |
|
"\n", |
|
"### Application Architecture, Design & Development\n", |
|
"We engage with clients to automate business processes by transforming their requirements into ready-to-use products, guiding them from initial concept to product launch.\n", |
|
"\n", |
|
"### Application Refactoring, Performance Improvement & Integration\n", |
|
"Our expert team specializes in revitalizing outdated applications, enhancing performance and scalability to ensure they meet contemporary business needs.\n", |
|
"\n", |
|
"### Distribution Services\n", |
|
"We provide comprehensive solutions to help businesses efficiently source products from local and global markets, optimizing import and export logistics to lower costs.\n", |
|
"\n", |
|
"## Our Culture\n", |
|
"\n", |
|
"Jaivik Himalay fosters a culture of **collaboration**, **innovation**, and **continuous improvement**. Our team is composed of seasoned professionals who thrive in a dynamic environment, enabling us to adapt quickly to evolving market requirements. We believe in empowering our employees and value their contributions towards achieving our collective goals.\n", |
|
"\n", |
|
"## Opportunities at Jaivik Himalay\n", |
|
"\n", |
|
"### Careers\n", |
|
"Join a team of experts committed to delivering exceptional value to our clients. Whether you are an experienced professional or just starting out, we encourage you to bring your unique skills to our organization. \n", |
|
"\n", |
|
"Interested candidates can reach out to us at **info@jaivikhimalay.com**.\n", |
|
"\n", |
|
"## Contact Us\n", |
|
"\n", |
|
"For inquiries and potential collaborations, please contact us:\n", |
|
"- **Location**: Dublin, CA, 94568\n", |
|
"- **Email**: info@jaivikhimalay.com\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"*Join Jaivik Himalay as we pave the way for innovative solutions and drive success for our clients.*" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
}, |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'home page', 'url': 'https://www.jaivikhimalay.com/'}, {'type': 'about page', 'url': 'https://www.jaivikhimalay.com/#about'}, {'type': 'contact page', 'url': 'https://www.jaivikhimalay.com/#contact'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"\n", |
|
"# Jaivik Himalay Brochure\n", |
|
"\n", |
|
"## Company Overview\n", |
|
"**Jaivik Himalay** is a distinguished technology and distribution firm located in **Dublin, California**, in the heart of Silicon Valley. With over **20 years** of experience, our team of seasoned experts focuses on addressing complex challenges in areas such as payments, gift cards, and logistics. We are dedicated to enhancing the accessibility of our clients' products and services, ensuring they meet the ever-evolving needs of their customers.\n", |
|
"\n", |
|
"## Our Services\n", |
|
"We offer a wide range of services designed to support small and medium-sized businesses throughout the product life cycle:\n", |
|
"\n", |
|
"### 1. Application Architecture, Design & Development\n", |
|
"We engage with clients to automate their business processes by transforming requirements into ready-to-use products. From the initial concept to the launch stage, we provide comprehensive support for developing products or APIs.\n", |
|
"\n", |
|
"### 2. Application Refactoring, Performance Improvement & Integration\n", |
|
"Our experienced team leverages the latest practices and technologies to revamp outdated systems, ensuring they are efficient and scalable. We redesign, test, and prepare applications for a successful relaunch.\n", |
|
"\n", |
|
"### 3. Distribution Services\n", |
|
"Jaivik Himalay assists companies in meeting import and export needs. We offer solutions to reduce costs and facilitate transportation both domestically and internationally, catering to a wide range of businesses.\n", |
|
"\n", |
|
"## Company Culture\n", |
|
"At Jaivik Himalay, we pride ourselves on fostering a collaborative and innovative environment. Our culture values:\n", |
|
"\n", |
|
"- **Expertise:** We leverage our extensive experience to deliver optimal solutions for our clients.\n", |
|
"- **Collaboration:** We believe in working closely with clients to understand and fulfill their needs.\n", |
|
"- **Innovation:** We continuously adapt to industry trends and technologies to stay ahead.\n", |
|
"\n", |
|
"## Careers\n", |
|
"We are always on the lookout for talented individuals who share our passion for technology and excellence. Working at Jaivik Himalay offers an opportunity to be part of a dynamic team dedicated to solving real-world challenges. If you're interested in joining us, please reach out via our contact information below.\n", |
|
"\n", |
|
"## Contact Us\n", |
|
"For inquiries or to discuss how we can collaborate, please contact us at:\n", |
|
"\n", |
|
"- **Email:** [info@jaivikhimalay.com](mailto:info@jaivikhimalay.com)\n", |
|
"- **Address:** 123 Business Ave, Dublin, CA, 94568\n", |
|
"\n", |
|
"Join us in transforming challenges into innovative solutions!\n", |
|
"\n", |
|
"---\n", |
|
"**© Copyright 2024 Jaivik Himalay LLC**\n", |
|
"\n" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
}, |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'about page', 'url': 'https://www.jaivikhimalay.com/#about'}, {'type': 'contact page', 'url': 'https://www.jaivikhimalay.com/#contact'}, {'type': 'home page', 'url': 'https://www.jaivikhimalay.com/'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"# Jaivik Himalay Brochure\n", |
|
"\n", |
|
"### Company Overview\n", |
|
"**Jaivik Himalay** is a leading service provider based in California's Silicon Valley, specializing in enhancing business processes through cutting-edge technology and distribution solutions. With over 20 years of experience, our seasoned experts are dedicated to solving complex challenges in payments, gift cards, logistics, and more.\n", |
|
"\n", |
|
"### Services Offered\n", |
|
"- **Application Architecture, Design & Development**: We assist small and medium-sized businesses in transforming their concepts into fully operational products. Our approach covers every stage of the product lifecycle—from design to launch.\n", |
|
" \n", |
|
"- **Application Refactoring, Performance Improvement & Integration**: Our experienced team is committed to revitalizing outdated applications. We ensure applications are not only scalable but also optimized for peak performance.\n", |
|
" \n", |
|
"- **Distribution Services**: We help companies optimize their import/export processes, allowing them to effectively source products locally and internationally.\n", |
|
"\n", |
|
"### Company Culture\n", |
|
"At Jaivik Himalay, we believe in fostering a collaborative and innovative work environment. Our culture is built on teamwork, continuous learning, and the pursuit of excellence. We encourage our team members to explore new ideas and solutions to better serve our clients and meet their evolving needs.\n", |
|
"\n", |
|
"### Clients\n", |
|
"We are proud to partner with a diverse range of clients, from small startups to established enterprises. Our goal is to enhance the accessibility and efficiency of our clients’ products and services, ensuring they can thrive in today's competitive landscape.\n", |
|
"\n", |
|
"### Career Opportunities\n", |
|
"Join our team of experts at Jaivik Himalay. If you are passionate about technology and eager to work in a dynamic environment, we invite you to be a part of our journey. We are always on the lookout for talented individuals who are ready to innovate and contribute to meaningful projects.\n", |
|
"\n", |
|
"### Contact Us\n", |
|
"Interested in our services or careers at Jaivik Himalay? Get in touch with us!\n", |
|
"\n", |
|
"- **Location**: Dublin, CA, 94568\n", |
|
"- **Email**: [info@jaivikhimalay.com](mailto:info@jaivikhimalay.com)\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"**Follow us to discover how we can help transform your business!** \n", |
|
"\n", |
|
"© Copyright 2024 Jaivik Himalay LLC." |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
}, |
|
{ |
|
"name": "stdout", |
|
"output_type": "stream", |
|
"text": [ |
|
"Found links: {'links': [{'type': 'home page', 'url': 'https://www.jaivikhimalay.com/'}, {'type': 'about page', 'url': 'https://www.jaivikhimalay.com#about'}, {'type': 'contact page', 'url': 'https://www.jaivikhimalay.com#contact'}]}\n" |
|
] |
|
}, |
|
{ |
|
"data": { |
|
"text/markdown": [ |
|
"# Jaivik Himalay Brochure\n", |
|
"\n", |
|
"Welcome to **Jaivik Himalay**, where innovation meets accessibility in the digital landscape. Based in the heart of California's Silicon Valley, our team of seasoned experts has dedicated over 20 years to solving complex challenges in payments, logistics, gift cards, and beyond.\n", |
|
"\n", |
|
"## Our Services\n", |
|
"\n", |
|
"### 1. Application Architecture, Design & Development\n", |
|
"We specialize in transforming ideas into reality. Our team provides end-to-end support for small and medium-sized businesses, from initial concept development to a successful product launch. We automate business processes by crafting ready-to-use products tailored to your needs.\n", |
|
"\n", |
|
"### 2. Application Refactoring & Performance Improvement\n", |
|
"Don't let outdated technology slow you down. Our experienced team can rejuvenate sluggish systems, redesign applications that lack scalability, and ensure your technology is ready for the future.\n", |
|
"\n", |
|
"### 3. Distribution Services\n", |
|
"We offer comprehensive support for businesses needing to source a diverse range of products, both locally and globally. Our logistics expertise allows us to reduce import/export costs, facilitating smooth transportation of goods across borders.\n", |
|
"\n", |
|
"## About Us\n", |
|
"At Jaivik Himalay, we pride ourselves on our collaborative culture and commitment to excellence. Our team of experts draws on two decades of experience to deliver innovative solutions and transform challenges into opportunities. We believe in continuous learning and adaptability, which empowers our workforce to embrace the evolving tech landscape.\n", |
|
"\n", |
|
"## Our Customers\n", |
|
"We serve a variety of industries, assisting businesses in streamlining their operations and enhancing product accessibility. Our client base includes small and medium-sized enterprises looking for effective solutions to optimize their processes and reach their market goals.\n", |
|
"\n", |
|
"## Careers with Us\n", |
|
"Join a dynamic team at Jaivik Himalay and take your career to the next level! We are continually on the lookout for talented individuals who are passionate about technology and eager to contribute to impactful projects. If you're ready to make a difference in the tech world, reach out to us at **info@jaivikhimalay.com**.\n", |
|
"\n", |
|
"## Contact Us\n", |
|
"Interested in our services or partnership opportunities? We'd love to hear from you! \n", |
|
"\n", |
|
"Location: \n", |
|
"Dublin, CA 94568 \n", |
|
"Email: [info@jaivikhimalay.com](mailto:info@jaivikhimalay.com)\n", |
|
"\n", |
|
"---\n", |
|
"\n", |
|
"**© 2024 Jaivik Himalay LLC** \n", |
|
"*Transforming Ideas into Reality*" |
|
], |
|
"text/plain": [ |
|
"<IPython.core.display.Markdown object>" |
|
] |
|
}, |
|
"metadata": {}, |
|
"output_type": "display_data" |
|
} |
|
], |
|
"source": [ |
|
"#now extend the above to include Gradio as per Week2-day2 assignment\n", |
|
"view = gr.Interface(\n", |
|
" fn=stream_brochure,\n", |
|
" inputs=[\n", |
|
" gr.Textbox(label=\"Company name:\"),\n", |
|
" gr.Textbox(label=\"Landing page URL including http:// or https://\")],\n", |
|
" outputs=[gr.Markdown(label=\"Brochure:\")],\n", |
|
" flagging_mode=\"never\"\n", |
|
")\n", |
|
"view.launch(share=True)\n" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "a27bf9e0-665f-4645-b66b-9725e2a959b5", |
|
"metadata": { |
|
"jp-MarkdownHeadingCollapsed": true |
|
}, |
|
"source": [ |
|
"<table style=\"margin: 0; text-align: left;\">\n", |
|
" <tr>\n", |
|
" <td style=\"width: 150px; height: 150px; vertical-align: middle;\">\n", |
|
" <img src=\"../business.jpg\" width=\"150\" height=\"150\" style=\"display: block;\" />\n", |
|
" </td>\n", |
|
" <td>\n", |
|
" <h2 style=\"color:#181;\">Business applications</h2>\n", |
|
" <span style=\"color:#181;\">In this exercise we extended the Day 1 code to make multiple LLM calls, and generate a document.\n", |
|
"\n", |
|
"This is perhaps the first example of Agentic AI design patterns, as we combined multiple calls to LLMs. This will feature more in Week 2, and then we will return to Agentic AI in a big way in Week 8 when we build a fully autonomous Agent solution.\n", |
|
"\n", |
|
"Generating content in this way is one of the very most common Use Cases. As with summarization, this can be applied to any business vertical. Write marketing content, generate a product tutorial from a spec, create personalized email content, and so much more. Explore how you can apply content generation to your business, and try making yourself a proof-of-concept prototype.</span>\n", |
|
" </td>\n", |
|
" </tr>\n", |
|
"</table>" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "14b2454b-8ef8-4b5c-b928-053a15e0d553", |
|
"metadata": {}, |
|
"source": [ |
|
"<table style=\"margin: 0; text-align: left;\">\n", |
|
" <tr>\n", |
|
" <td style=\"width: 150px; height: 150px; vertical-align: middle;\">\n", |
|
" <img src=\"../important.jpg\" width=\"150\" height=\"150\" style=\"display: block;\" />\n", |
|
" </td>\n", |
|
" <td>\n", |
|
" <h2 style=\"color:#900;\">Before you move to Week 2 (which is tons of fun)</h2>\n", |
|
" <span style=\"color:#900;\">Please see the week1 EXERCISE notebook for your challenge for the end of week 1. This will give you some essential practice working with Frontier APIs, and prepare you well for Week 2.</span>\n", |
|
" </td>\n", |
|
" </tr>\n", |
|
"</table>" |
|
] |
|
}, |
|
{ |
|
"cell_type": "markdown", |
|
"id": "17b64f0f-7d33-4493-985a-033d06e8db08", |
|
"metadata": {}, |
|
"source": [ |
|
"<table style=\"margin: 0; text-align: left;\">\n", |
|
" <tr>\n", |
|
" <td style=\"width: 150px; height: 150px; vertical-align: middle;\">\n", |
|
" <img src=\"../resources.jpg\" width=\"150\" height=\"150\" style=\"display: block;\" />\n", |
|
" </td>\n", |
|
" <td>\n", |
|
" <h2 style=\"color:#f71;\">A reminder on 2 useful resources</h2>\n", |
|
" <span style=\"color:#f71;\">1. The resources for the course are available <a href=\"https://edwarddonner.com/2024/11/13/llm-engineering-resources/\">here.</a><br/>\n", |
|
" 2. I'm on LinkedIn <a href=\"https://www.linkedin.com/in/eddonner/\">here</a> and I love connecting with people taking the course!\n", |
|
" </span>\n", |
|
" </td>\n", |
|
" </tr>\n", |
|
"</table>" |
|
] |
|
}, |
|
{ |
|
"cell_type": "code", |
|
"execution_count": null, |
|
"id": "3de35771-455f-40b5-ba44-7c0a6b7c427a", |
|
"metadata": {}, |
|
"outputs": [], |
|
"source": [] |
|
} |
|
], |
|
"metadata": { |
|
"kernelspec": { |
|
"display_name": "Python 3 (ipykernel)", |
|
"language": "python", |
|
"name": "python3" |
|
}, |
|
"language_info": { |
|
"codemirror_mode": { |
|
"name": "ipython", |
|
"version": 3 |
|
}, |
|
"file_extension": ".py", |
|
"mimetype": "text/x-python", |
|
"name": "python", |
|
"nbconvert_exporter": "python", |
|
"pygments_lexer": "ipython3", |
|
"version": "3.11.10" |
|
} |
|
}, |
|
"nbformat": 4, |
|
"nbformat_minor": 5 |
|
}
|
|
|