Spaces:
Sleeping
Sleeping
Upload 6 files
Browse files- app.py +53 -0
- cohort_members.py +721 -0
- embedded_cohort.csv +0 -0
- get_similar_profiles.py +42 -0
- simulator.py +28 -0
- tech_stuff.py +52 -0
app.py
ADDED
@@ -0,0 +1,53 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import gradio as gr
|
2 |
+
from functools import partial
|
3 |
+
import subprocess
|
4 |
+
from get_similar_profiles import get_similar_profiles
|
5 |
+
from simulator import simulate
|
6 |
+
from cohort_members import cohort_data
|
7 |
+
from tech_stuff import prefix,system_prompt, how_does_it_work
|
8 |
+
import os
|
9 |
+
|
10 |
+
title = "EF AI Co-Finder 👀"
|
11 |
+
|
12 |
+
|
13 |
+
|
14 |
+
with gr.Blocks(title=title,theme='nota-ai/theme') as demo:
|
15 |
+
gr.Markdown(f"# {title}")
|
16 |
+
with gr.Tab("Co-finder"):
|
17 |
+
with gr.Row():
|
18 |
+
with gr.Column(scale = 10):
|
19 |
+
profile_selector = gr.Dropdown(cohort_data.keys(), label="Select a profile")
|
20 |
+
with gr.Column(scale = 2):
|
21 |
+
nb_to_display = gr.Number(value=10,label = "Number of profiles to show")
|
22 |
+
search_button = gr.Button(value="Find a match 🏹")
|
23 |
+
|
24 |
+
similar_profiles = gr.Markdown("Empty")
|
25 |
+
|
26 |
+
with gr.Tab("Co-founder Simulator"):
|
27 |
+
with gr.Row():
|
28 |
+
with gr.Column(scale = 10):
|
29 |
+
profile_selector_1 = gr.Dropdown(cohort_data.keys(), label="Select a profile")
|
30 |
+
with gr.Column(scale = 10):
|
31 |
+
profile_selector_2 = gr.Dropdown(cohort_data.keys(), label="Select another profile")
|
32 |
+
simulator_button = gr.Button(value="Simulate 🎮")
|
33 |
+
simulation_output = gr.Markdown("Empty")
|
34 |
+
|
35 |
+
with gr.Tab("Geeks area 🤖🛠️"):
|
36 |
+
gr.Markdown("# Config and tech details")
|
37 |
+
prefix_input = gr.Textbox(value=prefix, lines=10, label="Change here the prefix appended to each profile to steer the similarity search")
|
38 |
+
system_prompt_input = gr.Textbox(value=system_prompt, lines=10, label="Change here the prompt used for the simulation")
|
39 |
+
|
40 |
+
gr.Markdown("## How does it work?")
|
41 |
+
gr.Markdown(how_does_it_work)
|
42 |
+
|
43 |
+
|
44 |
+
search_function = partial(get_similar_profiles)
|
45 |
+
simulate_function = partial(simulate)
|
46 |
+
|
47 |
+
search_button.click(fn=search_function, inputs=[profile_selector, prefix_input,nb_to_display], outputs=[similar_profiles])
|
48 |
+
simulator_button.click(fn=simulate_function, inputs=[profile_selector_1, profile_selector_2, system_prompt_input], outputs = [simulation_output])
|
49 |
+
|
50 |
+
login = os.environ.get("login")
|
51 |
+
pwd = os.environ.get("pwd")
|
52 |
+
demo.launch
|
53 |
+
demo.launch(max_threads=40,auth=(login,pwd))
|
cohort_members.py
ADDED
@@ -0,0 +1,721 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
cohort_data = {
|
2 |
+
"Jean-Baptiste Sevestre [S24 PA Core]":
|
3 |
+
"""
|
4 |
+
Skills and Hobbies
|
5 |
+
Artificial IntelligenceMachine LearningBiotechnologyBiotech - Software
|
6 |
+
What's the most impressive thing you've built?
|
7 |
+
With the team I was working in; we built SOTA BioAI algorithms for Biology problems
|
8 |
+
What skills are you looking for in a co-founder?
|
9 |
+
I'm looking for someone who has complementary skills (CEO) with an interest (or skill) in Biology and AI where my skills could be leveraged
|
10 |
+
Give a brief summary of your background
|
11 |
+
I worked at InstaDeep for 4 years as a Research Engineer in BioAI; especially, I worked with the BioNTech cancer vaccine team:
|
12 |
+
- Used Protein Large Language Models to tackle the Protein Binding problem
|
13 |
+
- Modelised biological processes, extracted immunologic data
|
14 |
+
- Developed robust and scalable software architecture for Protein LLM training
|
15 |
+
What are you interested in working on at EF?
|
16 |
+
I'm really curious and open to discover new topics
|
17 |
+
""",
|
18 |
+
"Akhila Raju [S24 PA Core]":
|
19 |
+
"""
|
20 |
+
Skills and Hobbies
|
21 |
+
Wallets & PaymentsMetaverse (NFTs / Gaming / Phygital)FinTechWeb3CryptoArtificial IntelligenceE-Commerce & RetailBlockchainPaymentsTravel and Tourism
|
22 |
+
What's the most impressive thing you've built?
|
23 |
+
At my first Product job, I was the only UI/UX PM at Dune Analytics, which at the time had over 300K active users. The UI represented 60% of total user engagement on Dune.com. I shipped many products and features from Discovery to Launch which led to a 36% increase in highly engaged users and a 16% increase in revenue. Some of these products and features included: API, Teams, Subscriptions (Pricing / Freemium model), Query Scheduling, Version History, Table Previews (adopted by 46% of users in first week)
|
24 |
+
What skills are you looking for in a co-founder?
|
25 |
+
I am an extrovert and a people person, and throughout my life I have been frequently told how vulnerable and open people are able to be with me. This lends me very well for a more commercial and customer-facing role, and this is what I'm most passionate about leading. Through my career I have interacted with customers as an Engineer and as a PM, and have led many user interviews, customer feedback calls, surveys, focus groups, and sales calls through my time at Apple, Coinbase, Dune Analytics, and Tweed.
|
26 |
+
|
27 |
+
I'm looking for a technical cofounder who is passionate about building, and who is curiosity-driven, resilient, kind, and fun to work with.
|
28 |
+
Give a brief summary of your background
|
29 |
+
- Born and raised in the US, work experience in the Bay Area, NYC, London and Tel Aviv (including Google, Apple, Coinbase, and startups)
|
30 |
+
- Computer Science at UC Berkeley with certificates in HCI and New Media
|
31 |
+
- 6 years in Web3 (Ethereum protocol engineering, exchanges, blockchain data analytics, wallets and payments)
|
32 |
+
- 5 years as a Backend Engineer
|
33 |
+
- 1.5 years in Product (UI/UX focus), and a PM internship at Apple way back on the iPhone Touch ID / Touch
|
34 |
+
What are you interested in working on at EF?
|
35 |
+
My experience is mostly in blockchain, but I am openminded to ideas you have. I am very technical and can work with the most technical profiles.
|
36 |
+
- Mental Health / Healthcare. I have 10 years of experience with different therapists and life coaches across 3 countries (US, UK, Israel). My mother went to medical school while I was a kid, so I have a lot of insight into the US medical system, as well as connections to the #1 cancer hospital in the world and the VA (Veterans Affairs).
|
37 |
+
- AI & Travel Planning / Assistance (I'm an avid traveler and have been to 59 countries, so I have a lot of ideas here)
|
38 |
+
- Blockchain infrastructure, wallets and payments, phygital (Web2 experiences in Web3, making it easier to onboard mainstream users)
|
39 |
+
""",
|
40 |
+
"Sixtine THEOBALD-BROSSEAU [S24 PA Core]":
|
41 |
+
"""
|
42 |
+
Skills and Hobbies
|
43 |
+
Artificial IntelligenceSales & MarketingHealthcareSportsMobilityGeneralistLending and Investments
|
44 |
+
What's the most impressive thing you've built?
|
45 |
+
I would say that so far, my career is the most impressive thing I have built. I have gone from an Account Executive to a Director in less than 3 years, whilst buying flats, refurbishing them and renting them as a "side" job. Once I start something, I tend to go "all in"!
|
46 |
+
What skills are you looking for in a co-founder?
|
47 |
+
I am looking for someone that has skills I do not possess. The whole point of finding a co-founder is to find the right balance between different personalities as well as a complementary qualities.
|
48 |
+
Give a brief summary of your background
|
49 |
+
I have a very general background - I studied at the London School of Economics and Sciences Po, then worked at the French Ministry of Defence before finding myself working in the cyber-defence field for the past 5 years, first as an AE and then at Director level. I am a very dynamic, curious and hard-working individual that will find any topic worthy of interest!
|
50 |
+
What are you interested in working on at EF?
|
51 |
+
I am mostly interested in meeting the right individual to work with, the one individual that will complement my skill set. Together, we can decide on what topic we want to work on and create our company together. I find that most often than not, meeting the right person can spark my interest rather than a specific topic. As previously mentioned, I can find any field worthy of interest and I will learn everything I need to know in order to create a successful company. Hard work always pays off!
|
52 |
+
""",
|
53 |
+
"Shaofeng Yannick Sun [S24 PA Core]":
|
54 |
+
"""
|
55 |
+
Skills and Hobbies
|
56 |
+
Artificial IntelligenceMachine LearningEnergyClimateSAAS
|
57 |
+
What's the most impressive thing you've built?
|
58 |
+
I've led is the development of an AI prediction system designed to forecast various stages of kidney cancer up to five years in advance. This system, intended for use in hospital (APHP and IGR) settings , integrates diverse data modalities to provide accurate prognoses for patients, demonstrating the potential of AI in enhancing patient care. I also led the product design and development phases by conducting interviews with users and observing doctors in hospital.
|
59 |
+
What skills are you looking for in a co-founder?
|
60 |
+
I'm looking for a co-founder with an interest in business, problem-solving skills, rational thinking, and a technical interest.
|
61 |
+
In the relationship with the co-founder, I seek someone who is resilient, open-minded, and communicates openly and transparently.
|
62 |
+
|
63 |
+
Last but not least, I want someone with whom I can have fun along the bumpy road :)
|
64 |
+
Give a brief summary of your background
|
65 |
+
I have a Master of Data Science degree with a specialization in genomics and possess a profound passion for problem-solving and product development. Over the past 18 months, I co-led a startup project at CEA and Inria at the intersection of AI and healthcare. My work focuses on improving the accuracy of outcome predictions for patients, emphasizing preventive measures.
|
66 |
+
What are you interested in working on at EF?
|
67 |
+
I've recently changed my area of interest to tackle the climate challenges we face. After immersing myself in recycling, I'm now focusing on energy, smart grid optimisation and green hydrogen (storage, conversion, transport, etc.), with AI. I'm also open to other proposals!
|
68 |
+
""",
|
69 |
+
"Davide Cifarelli [S24 PA Core]":
|
70 |
+
"""
|
71 |
+
Skills and Hobbies
|
72 |
+
Artificial IntelligenceMachine LearningNatural Language ProcessingDeveloper and/or Dev Ops ToolsUser Interface DesignDevToolsHardware
|
73 |
+
What's the most impressive thing you've built?
|
74 |
+
I have build a coding assistant for vscode that is used by more than 35k developers, all by myself.
|
75 |
+
The model behind it is a small open-source code LLM, fine-tuned with lora adapters. Under the hood I have build a mixture of experts of lora fine-tuned models that out perform gpt3.5 and gpt4 on multiple coding languages.
|
76 |
+
What skills are you looking for in a co-founder?
|
77 |
+
I'm looking for someone that first of all share my values and company culture vision. At the same time I would like to work with someone highly technically capable and deeply involved in the field of LLM/Gen. AI.
|
78 |
+
Give a brief summary of your background
|
79 |
+
I have an academic background in computer engineering and artificial intelligence for the university of Genoa in Italy.
|
80 |
+
While pursuing my degree I have built my first startup, an edtech gaming company driving it to more than 100k ARR and >100k unique users on our games.
|
81 |
+
After this experience I have worked as Generative AI consultant for multibillion dollar companies in Italy and then I built an AI coding assistant company with more than 5k users using it on a weekly basis backed by Techstars and Nvidia Inception.
|
82 |
+
What are you interested in working on at EF?
|
83 |
+
I worked with language models for the past 3 years and so I feel more confident working on LLM based products. I have deep market knowledge and insights on AI developer tools. At the same time I'm open to experiment LLM applications for various deep tech sectors with a knee interest on semiconductors design.
|
84 |
+
""",
|
85 |
+
"Louise-Marie Rakotoarison [S24 PA Core]":
|
86 |
+
"""
|
87 |
+
Skills and Hobbies
|
88 |
+
Artificial IntelligenceMachine LearningHealthcareBiotechnologyLife ScienceMusic & AudioDeep TechChemicalsPharmaceuticals
|
89 |
+
What's the most impressive thing you've built?
|
90 |
+
During my PhD, I developed a system that enabled the observation of protein interactions through a protein engineering technique that I co-developed. This system was utilized as a biomarker for epigenetic modifications that can be responsible for cancer. This led to the development of similar systems with different properties, which are now being studied at the Curie Institute as therapeutic tools.
|
91 |
+
What skills are you looking for in a co-founder?
|
92 |
+
I am looking for someone who is passionate, curious, creative with high ambition, and who wants to make an impact in Healthcare. Ideally, someone with skills in AI, and if it's AI applied to biology, that's even better. Let's do this !
|
93 |
+
Give a brief summary of your background
|
94 |
+
After studying physical chemistry and life sciences for 5 years at the École Normale Supérieure, I did a PhD in Chemistry Biology at Sorbonne University where my main focus was on protein engineering. I am currently pursuing an MBA at HEC Paris, which enables me to complement my scientific profile with business skills, allowing me to bridge the gap between the two fields.
|
95 |
+
What are you interested in working on at EF?
|
96 |
+
I would like to have an impact in healthcare, particularly in personalized medicine and diagnostics. I believe that the solutions of tomorrow will need to utilize the full potential of AI, and for this reason, I am very interested in AI-driven biotech.
|
97 |
+
""",
|
98 |
+
"Adam Rida [S24 PA Core]":
|
99 |
+
"""
|
100 |
+
Skills and Hobbies
|
101 |
+
Artificial IntelligenceMachine LearningAR/VRAdvanced MathematicsGamingData Science & AnalyticsWeb3Deep TechNatural Language ProcessingNavigation and Mapping
|
102 |
+
What's the most impressive thing you've built?
|
103 |
+
With two friends we took the challenge to build and launch a memecoin in only one weekend with less than 300$ as a starting investment. We built it and launched it on the BSC. My number one priority was: how to make the coin viral and appealing to the crypto-community without falling into classic memecoins clones.
|
104 |
+
After several marketing trials, we managed to sell out our pre-sale and grow our community significantly. Within two hours after launch, we reached a market cap of $2 million and a trading volume of over $1 million. The project started to finance itself at this point and we kept the marketing running for a few weeks.
|
105 |
+
More generally, in all my projects I always found a way to map what I was building with the most relevant audience (in this case, leveraging reddit where the web3 community could be reached)
|
106 |
+
What skills are you looking for in a co-founder?
|
107 |
+
My main priority is to find someone who shares my passion and enthusiasm for massively transformative techs and is eager to build a non-boring company.
|
108 |
+
Ideally, I would love to work with a tech person who I can build with and prototype fast.
|
109 |
+
Give a brief summary of your background
|
110 |
+
- AI researcher and data scientist with a passion for building in tech
|
111 |
+
- PhD dropout in Explainable AI from Sorbonne University/CNRS/AXA
|
112 |
+
- Ex Qantev (EF 2019) - Rebellion Research - Societe Generale
|
113 |
+
- Built projects in web3, LLM (invented a RAG approach https://github.com/adrida/Temporal_RAG) and b2b SaaS projects (killed by chatGPT's release)
|
114 |
+
- Obsessed with building value-oriented products and finding hacky ways to share them with the right audience
|
115 |
+
What are you interested in working on at EF?
|
116 |
+
As I love emerging and transformative new techs that seem underrated at the moment I have a strong interest in spatial computing (Mixed/Augmented Reality) and am keen to build in this space.
|
117 |
+
As a sci-fi fan I am also curious about what can be done in the hardware space (think Varda or Spin Launch).
|
118 |
+
I am also still interested in LLMs applications that go beyond "chat-with-something", how can we solve problems that seemed impossible to solve so far using the power of foundational models (including multi-modal ones).
|
119 |
+
""",
|
120 |
+
"Timothée Colinet [S24 PA Core]":
|
121 |
+
"""
|
122 |
+
Skills and Hobbies
|
123 |
+
MediaSales & MarketingE-Commerce & RetailDesignMusic & AudioJournalismMarketplacesDecentralised Finance
|
124 |
+
What's the most impressive thing you've built?
|
125 |
+
Coming from a business world, I surprised myself by making an app that combines three AI tools to produce videos with avatars that answer questions you type in. This was a big step into tech for me and really boosted my coding skills. On top of that, helping my last company grow its revenue by 25 times is something I'm really proud of too
|
126 |
+
What skills are you looking for in a co-founder?
|
127 |
+
I'm seeking a co-founder with strong technical skills in AI and software development, who also aligns with my values and vision. It's important to find someone mutually inspiring, capable of pushing both of us out of our comfort zones and driving us to excel daily.
|
128 |
+
Give a brief summary of your background
|
129 |
+
With a comprehensive background in Political Science, Economics, and Business from Sciences Po and HEC Paris, I transitioned to the tech industry, spending four years at a music tech startup. I quickly moved up from Business Operations Manager to Head of Growth, leading a seven-person team across product development, marketing, growth engineering, CRM, SEO, and SEA. My role focused on driving growth and optimizing performance in a dynamic startup environment.
|
130 |
+
What are you interested in working on at EF?
|
131 |
+
With my background in both the creative industries like music and media, and the tech world B2B SaaS, focusing on marketing and sales, it just clicks for me to work across these areas. However, my broad academic base in Political Science, Economics, and Business means I can learn new things super fast.
|
132 |
+
""",
|
133 |
+
"Khalid El Haji [S24 PA Core]":
|
134 |
+
"""
|
135 |
+
Skills and Hobbies
|
136 |
+
Artificial IntelligenceData & AnalyticsDevToolsCommerce & ShoppingCommunity & LifestyleNatural Language ProcessingNon-AI Advanced SoftwareApplication DevelopmentWeb Development
|
137 |
+
What's the most impressive thing you've built?
|
138 |
+
I built an analytics dashboard from scratch when I was 16, as one of the first Software Engineers at an early stage marketing analytics startup. The dashboard was employed by large multinationals (Unilever, PwC) and well-known universities (UC Berkeley) in their marketing research efforts.
|
139 |
+
What skills are you looking for in a co-founder?
|
140 |
+
I am looking for a co-founder with complementary skills sets (sales, marketing, etc.), an unhealthy high dose of grit, and a relentless passion for solving real problems. Being able to work and vibe well together is key :)
|
141 |
+
Give a brief summary of your background
|
142 |
+
M.Sc. Computer Science at TU Delft. Graduated in the top 5%.
|
143 |
+
- At the age of 16 I was a full-time Founding Engineer at a successful Dutch startup.
|
144 |
+
- Received a national award (the ECHO STEM Award 2022) for excellent STEM students from the former Director of the renown Institute for Advanced Study.
|
145 |
+
- Played a key role in allocating €1M for well-being initiatives to deal with the mental health aftermath of the COVID-19 pandemic.
|
146 |
+
What are you interested in working on at EF?
|
147 |
+
AI for Mental Health, Social Tech, AI for Software Reliability
|
148 |
+
""",
|
149 |
+
"Gauthier Marchand [S24 PA Core]":
|
150 |
+
"""
|
151 |
+
Skills and Hobbies
|
152 |
+
Deep TechSales & MarketingEnterprise SolutionsArtificial IntelligenceFinancial Services
|
153 |
+
What's the most impressive thing you've built?
|
154 |
+
I made my first move in entrepreneurship in 2016, but soon struggled to spot compelling market opportunities. I realized back then that (i) this need to identify emerging market opportunities was shared by many players (entrepreneurs, resellers, etc.) yet there were few solutions available on the market, and (ii) the new AI algorithms were enabling effective solutions to emerge. This led me to launch a dedicated AI-backed project aimed at providing insights on emerging trends, and to manage the full creation process: customer discovery, product design, hiring, marketing, sales. It became fully profitable in 2018, and I took a leave from my master to manage the day-to-day business activities and scale the business
|
155 |
+
What skills are you looking for in a co-founder?
|
156 |
+
Someone with a strong technical edge. Someone hard-working, dedicated, reliable, and ideally fun to work with :)
|
157 |
+
Give a brief summary of your background
|
158 |
+
I’m a former Investment Banker having advised 10+ Tech/Deeptech companies on their fundraising & growth opportunities, mainly deals ranging from €5m up to €700m. Before that, I got several operational experiences in Seed/Series A startups and launched multiple solo-businesses, some of which I successfully scaled up to profitability (incl. projects with high-end technology and complex go-to-market).
|
159 |
+
Graduate from a dual master’s degree in finance (Corporate Finance) and in engineering (Data science)
|
160 |
+
What are you interested in working on at EF?
|
161 |
+
I’m open regarding the domain / technology. I have strong expertise in launching and scaling AI projects, and can use my business acumen and entrepreneurial know-how in many different industries / fields. I would like to build a successful and impactful company, and want to be very ambitious for my next project - if you are too, I’d love to talk to you!
|
162 |
+
""",
|
163 |
+
"Emmanuel Federbusch [S24 PA Core]":
|
164 |
+
"""
|
165 |
+
Skills and Hobbies
|
166 |
+
Artificial IntelligenceBiotech - SoftwareMachine LearningSAASInsurance
|
167 |
+
What's the most impressive thing you've built?
|
168 |
+
The hardest thing I have done was managing the operational organisation at the latest bootstrapped startup I joined. I was first PM and the cofounders had basically no idea about how to organise the processes of discovery - delivery pipeline besides what they were doing when they were alone. I had to change the processes of organisation several time while it went from $125K ARR to $2M ARR. Being bootstrapped meant risks and stakes were far higher, and it was vital to be paranoid about everything: the development cycle, the customer support, the long term plan, etc..
|
169 |
+
What skills are you looking for in a co-founder?
|
170 |
+
I am looking for someone who have the ability to cope under high stressful situations. I want to pursue ambitious goals, which means higher risks and thus higher pressure. I find the psychological factor to be more important than others. You can be the most intelligent person in the world, it means nothing if you implodes by day 3.
|
171 |
+
Give a brief summary of your background
|
172 |
+
- Studied Clematis modelisation at the Italian CNR using Machine Learning
|
173 |
+
- Worked in Singapore for an Oil&Gas predictive maintenance startup. I managed the data of 6 FPSOs
|
174 |
+
- I then joined IBM to work on automatic log analysis using machine learning model, to help find issues in the migration a client to IBM cloud in the context of a multi-billion dollar contract
|
175 |
+
- I worked until recently at an insurtech startup which enables reinsurers to get their exposures in hours instead of weeks.
|
176 |
+
What are you interested in working on at EF?
|
177 |
+
I am mainly interested by proptech or biotech. Infrastructure maintenance is one of the biggest issues in developed societies and has been a slowly moving field for a while. AI might be able to finally crack it. In biotech, recent advances in modeling genomic information will surely implies dramatic changes in our current way of life. A lot of problems people encounters could be solved by genomic engineering. Think Novo Nordic x 10.
|
178 |
+
""",
|
179 |
+
"Robin Dupont [S24 PA Core]":
|
180 |
+
"""
|
181 |
+
Skills and Hobbies
|
182 |
+
Deep TechMachine LearningArtificial IntelligenceComputer VisionIOTBlockchainDecentralised FinanceCryptoGaming
|
183 |
+
What's the most impressive thing you've built?
|
184 |
+
As a side project, I reverse-engineered without any documentation the full local API of high-end speakers. I turned my insights on this closed-source API into a Python library published on GitHub which is currently downloaded more than 200 times each week. I later leveraged my library to develop and maintain a speakers plugin for the largest smart home project on GitHub (Home Assistant).
|
185 |
+
My reverse-engineering efforts empowered other creators to develop their own projects.
|
186 |
+
Some of my reverse-engineering work has been reviewed and promoted on the brand's official X account.
|
187 |
+
What skills are you looking for in a co-founder?
|
188 |
+
I am looking for a co-founder with a profile complementary to mine, meaning someone who can take on the role of CEO and challenge me on thoughts about the product that we will build together, who wants to create a product with impact, based on solid technical foundations. Ideally, they are pragmatic, friendly, ambitious, and curious.
|
189 |
+
Give a brief summary of your background
|
190 |
+
I recently defended my PhD at Sorbonne Université 👨🎓, where I specialised in deep neural network compression, pruning, and sparsity.
|
191 |
+
|
192 |
+
My journey has taken me from developing predictive maintenance models at Air France ✈️ to researching state-of-the-art pruning techniques ✂️ at Netatmo.
|
193 |
+
|
194 |
+
On the academic side, before my PhD I graduated from the Imperial College London and Mines de Saint-Etienne. I also spent some time at the University of Edinburgh as a visiting student.
|
195 |
+
|
196 |
+
Outside of work, I am passionate about DIY and tinkering and in my spare time I try to make my home smarter 🧠.
|
197 |
+
What are you interested in working on at EF?
|
198 |
+
I would like to work on a innovative project/product that has strong techical edge and tackles problems in a domain with none or few competitors ( blue ocean), ideally levraging my expertise in in neural network compression and efficiency.
|
199 |
+
""",
|
200 |
+
"Théo Hoenen [S24 PA Core]":
|
201 |
+
"""
|
202 |
+
Skills and Hobbies
|
203 |
+
EnergyClimateHardwareDeep Tech
|
204 |
+
What's the most impressive thing you've built?
|
205 |
+
I built my first company, HyLight, from scratch. HyLight is a startup that builds and operates hydrogen airships to monitor energy infrastructures. We built 6 different flying prototypes, signed the 2 largest energy network operator in Europe, did the Y combinator and raised over 2M €.
|
206 |
+
|
207 |
+
More on that :
|
208 |
+
- Trailer : https://youtu.be/T9wCQgj9KB0?si=UUUQWxHFMclI-d7M
|
209 |
+
- Press article : https://www.lesechos.fr/start-up/deals/hylight-la-pepite-francaise-qui-concoit-des-dirigeables-a-hydrogene-1883331
|
210 |
+
- TEDx : https://youtu.be/XGNTkmkcTMI?si=J6t6LRrA0nzAzfqP
|
211 |
+
What skills are you looking for in a co-founder?
|
212 |
+
I am looking for someone with a deep knowledge of a technology capable of dacarbonizing massively. In short, I’m looking for a partner with objectives that align with mine but with complementary expertises.
|
213 |
+
Give a brief summary of your background
|
214 |
+
Hello, I’m Théo. I am an engineer but I consider myself first and foremost an entrepreneur. I started my first business at the age of 20 whilst perusing my degree. I will touch more on that in the Most impressive things section. My objective is to contribute significantly to the decarbonization of our society and I’ve always seen entrepreneurship as the way to do that. I am skilled in business fundraising and management, and I have a great understanding of the technical and scientific aspects of product development (deep tech and hardware). I am very excited to meet you all and build businesses for a greener future.
|
215 |
+
What are you interested in working on at EF?
|
216 |
+
I’m interested in working on any projet that has the potential to massively decarbonize our society. Recently, I’ve looked into…
|
217 |
+
- Green hydrogen production
|
218 |
+
- Nuclear technologies
|
219 |
+
- Carbon capture technologies
|
220 |
+
- Methane detection sensor technologies
|
221 |
+
|
222 |
+
If you work on those topics or any other subject that that has the potential to decarbonize on a Giga T scale, hit me up! 👋
|
223 |
+
""",
|
224 |
+
"Glen Carter [S24 PA Core]":
|
225 |
+
"""
|
226 |
+
Skills and Hobbies
|
227 |
+
Artificial IntelligenceManagement ConsultingHealthcareData & AnalyticsNon-AI Advanced SoftwareBiotech - SoftwareBiotechnologyLife SciencePharmaceuticalsPhysicsConsumer ElectronicsAdvanced RoboticsData Science & AnalyticsDeep TechNanotechnologyBiotech-HardwareMaterials ScienceChemicals
|
228 |
+
What's the most impressive thing you've built?
|
229 |
+
I co-developed qPCR kits for COVID-19 and respiratory viruses during my PhD. This project involved leveraging cutting-edge technology to create a faster and more accurate diagnostic tool with the potential to improve healthcare outcomes. I also developed new ways of analysing the signals to increase the amount of targets we can detect and finally I discovered a new way of using molecular probes to detect short sequences of DNA and distinguish mutations in the sequences from each other.
|
230 |
+
What skills are you looking for in a co-founder?
|
231 |
+
Due to my dual background, I'm confortable wearing either the CTO or CEO hats. In a co-founder, I would be looking for someone to share my curiosities, high ambition and absolute dedication to mission. That means questioning everything that doesn't make sense and taking initiative to find information and solve problems while cooperating. Let's go all the way 🚀
|
232 |
+
Give a brief summary of your background
|
233 |
+
Hey,
|
234 |
+
|
235 |
+
I'm Glen, a PhD in Physical Chemistry from École Normale Supérieure and MBA form the College des Ingénieurs. Passionate about the bio / health / data / tech intersections.
|
236 |
+
|
237 |
+
I've worn many hats already, from research scientist to data consultant, in both startups and large multinationals. I learn very fast with extreme curiosity and connecting ideas. Even if we don't work on the same projects, I'd be happy to brainstorm with anyone whenever :)
|
238 |
+
|
239 |
+
Excited to learn and collaborate with you all!
|
240 |
+
What are you interested in working on at EF?
|
241 |
+
I'm particularly interested in contributing to the advancement of personalised diagnostics and wearable tech. By leveraging AI and user health data, I believe we can develop solutions that empower individuals to proactively manage their health.
|
242 |
+
""",
|
243 |
+
"Finn [S24 PA Core]":
|
244 |
+
"""
|
245 |
+
Skills and Hobbies
|
246 |
+
Non-AI Advanced SoftwareMachine LearningAdvanced RoboticsDeep TechAgriculture & FarmingHealthcare
|
247 |
+
What's the most impressive thing you've built?
|
248 |
+
Trenux GmbH, a bicycle rack that unfolds into a trailer. Production overseas, final assembly in Germany. The first series sold successfully.
|
249 |
+
What skills are you looking for in a co-founder?
|
250 |
+
Frontend and sales would complement me well.
|
251 |
+
|
252 |
+
However, the personal fit is much more important. We need to inspire each other on a daily basis for the next three years.
|
253 |
+
Give a brief summary of your background
|
254 |
+
- Studied electrical and mechanical engineering as well as computer science
|
255 |
+
- Focus on machine learning and robotics in Munich
|
256 |
+
- Research on data-based model identification and controller development for wing drones
|
257 |
+
- Founded a start-up for bicycle trailers near Berlin
|
258 |
+
- Developed neural interfaces for prosthesis control in Sweden
|
259 |
+
|
260 |
+
I specialize in merging low-level hardware with high-level machine learning.
|
261 |
+
What are you interested in working on at EF?
|
262 |
+
I want to build a technological solution that disruptively fulfills SDG goals and has a sustainable impact.
|
263 |
+
No matter where I end up after my time with EF, it will be a huge gain in experience and new relationships.
|
264 |
+
""",
|
265 |
+
"Mayank Garg [S24 PA Core]":
|
266 |
+
"""
|
267 |
+
Skills and Hobbies
|
268 |
+
Materials ScienceNanotechnologyIOTEVEnergy
|
269 |
+
What's the most impressive thing you've built?
|
270 |
+
I pursued my master's thesis as a startup, where I was part of the TUM Entrepreneurial Masterclass. Here, I built biocompatible batteries for medical implants, brain-computer interfaces and wearable devices.
|
271 |
+
The manufacturing cycle of one battery cell was around 3-4 weeks in my research group, subject to complex manufacturing processes, and materials chemistry. To decrease my time and cost of experimentation, I chose a substantially faster and easier method of production, which decreased the time taken to make a full battery cell to mere 2 days. Additionally, I made sure that non-toxic materials are mostly used, such that 80% of the synthesis could be done without supervised lab facilities, or expensive glove box setup. This boosted my experimentation cycles leading to faster and lean prototyping.
|
272 |
+
|
273 |
+
I validated the problem from industry leaders including neuralink, IMEC, Nuuvon, LitronikMST, etc. and developed a complete Techno-Economic Anaysis (TEA) of my tech.
|
274 |
+
What skills are you looking for in a co-founder?
|
275 |
+
CEO wanted who understands markets and is great with business development. Additionally, would like to explore building with a technical founder from AI background, to combine their expertise in AI with my expertise in Materials Science, and apply it to the energy sector.
|
276 |
+
|
277 |
+
Overall, focus is on solving hard, urgent problems together, while retaining the spirit to build (e/acc). And yes, someone who knows how to have fun along the way.
|
278 |
+
Let's seek some discomfort together, and build something massive.
|
279 |
+
Give a brief summary of your background
|
280 |
+
I come from New Delhi, India and hold a master's degree in Applied and Engineering Physics at the Technical University of Munich. I came to Germany 2 years ago to follow the path of my heroes in science: the great 20th Century German Scientists, who shaped modern physics. At my core, I wanted an approximate understanding of how various technologies work, with particular interest in climate-tech, inspired from Bill Gates' book "How to Avoid a Climate Disaster" where he describes innovating towards the net-zero energy transition as one of the greatest innovation opportunities of our time.
|
281 |
+
|
282 |
+
I have worked on multiple climate-tech projects including carbon removal, gas sensing, clean cooking via biogas, with finally cofounding a battery startup to commercialize a breakthrough solid state battery technology from MIT. Also hold experience working in a climate tech VC.
|
283 |
+
What are you interested in working on at EF?
|
284 |
+
I want to build an impactful climate-tech, deep-tech startup using my skills in materials science and nanotechnology. The current energy transition is in a way a materials transition, and I would like to develop solutions by minimizing the need for critical materials. Additionally, there is opportunity in finding high throughput methods for accelerating the time of experimentation and deployment of technology, using robotics and AI.
|
285 |
+
|
286 |
+
I am looking for someone who can help me build a solution with a sense of urgency. Not looking for long years of research, want to reach from TRL 2-9 quickly, while derisking the technology development, scaling, market and regulatory landscape.
|
287 |
+
""",
|
288 |
+
"Jeremy Toledano [S24 PA Core]":
|
289 |
+
"""
|
290 |
+
Skills and Hobbies
|
291 |
+
Artificial IntelligenceMachine LearningInsuranceClimateProperty/Real Estate
|
292 |
+
What's the most impressive thing you've built?
|
293 |
+
Data is key to AI, and data acquisition costs amount to millions of dollars per year for large companies. I led the design and implementation of a tool to quantify the potential value of a data source acquisition by evaluating its predictive power, allowing stakeholders to make data-driven decisions and contributing to optimizing profits.
|
294 |
+
What skills are you looking for in a co-founder?
|
295 |
+
I am looking for a technical co-founder with deep expertise in AI, who shares my passion for the technology and my objective of maximizing its impact. The qualities I am looking for in a partner are humility, intellectual curiosity, and willingness to collaborate.
|
296 |
+
Give a brief summary of your background
|
297 |
+
I am passionate about making AI impactful and have worked in the field for the past 6 years. I have led teams to successfully implement AI in several industries, and have a strong market edge in the insurance space, particularly in the US market.
|
298 |
+
I spent the last 3 years in Tel Aviv where I led the local Data Science team for Hippo Insurance. Prior to this, I spent 3 years in Boston where I was the first employee of Interpretable AI and got my MBAn at MIT. Before the US, I lived in Paris where I studied at École Centrale Paris.
|
299 |
+
What are you interested in working on at EF?
|
300 |
+
I would like to put my knowledge of the insurance space to good use. In particular, I am interested in the impact that climate change will have on insurance and its neighboring industries (incl. real-estate and reinsurance) in the next few years.
|
301 |
+
Still, I am open to other industries that I have experience in (incl. finance, manufacturing, and healthcare) and where AI could have a sizable impact.
|
302 |
+
""",
|
303 |
+
"David Fong [S24 PA Core]":
|
304 |
+
"""
|
305 |
+
Skills and Hobbies
|
306 |
+
Music & AudioSpeech RecognitionMachine LearningMedia and EntertainmentContent & PublishingMarketplacesIndustrial TechConsumer ElectronicsEducationGovernment and Military
|
307 |
+
What's the most impressive thing you've built?
|
308 |
+
As DAACI's sole product manager, we initially faced the problem of having many IP assets, experimental prototypes and sales leads, but a lack of focus. To identify the problem for us to solve, I conducted product and user discovery by evaluating the feasibility of potential prototypes and learning everything about our potential customer segments. We agreed upon a product roadmap for a series of software plugins automating the generation of specific musical elements within a music creator's environment. For the first product, a drum part generator, I led the definition and prioritisation of dozens of features which were implemented by the tech team over more than ten two-week sprints. Following several rounds of closed beta testing, the product has been launched as a paid open beta https://daaci.com/natural-drums/
|
309 |
+
What skills are you looking for in a co-founder?
|
310 |
+
Defined in EF terms:
|
311 |
+
- Either a) Primary tech edge with expertise and interest in solving problems in information engineering or b) Primary catalyst talker edge who can catalyse my tech and/or market edge
|
312 |
+
- Overlapping beliefs
|
313 |
+
- Ability to be nimble, creative and results-driven in testing hunches
|
314 |
+
Give a brief summary of your background
|
315 |
+
- First Class undergraduate degree in Electrical and Electronic Engineering from Imperial College, focusing on signal processing and machine learning and building a machine listening system for dissertation.
|
316 |
+
- Goldman Sachs as a credit derivatives trader for a short period of 6 months.
|
317 |
+
- AI Music, one of the first startups applying AI methods to generating and analysing music acquired by Apple in 2022, as a part-time business analyst and then full-time as a research engineer for 1.25 years.
|
318 |
+
- Abbey Road Red, Europe's first music technology incubator owned by UMG, as its programme manager and product owner for 2.5 years.
|
319 |
+
- DAACI, a spin out from PhD research at QMUL's C4DM building generative music tools, as its sole product manager and user researcher for 1.5 years.
|
320 |
+
What are you interested in working on at EF?
|
321 |
+
- Content editing platforms to enhance and/or edit the individual sound elements in audio or multimedia content
|
322 |
+
- Creator tools for an underserved type of creator offering useful AI-enabled capabilities and novel economic models
|
323 |
+
- Ecosystems for AI dataset creation, preprocessing and distribution, particularly those containing a corpus of creative and potentially protected works
|
324 |
+
- Using my tech edge in machine listening and multimedia data preprocessing to address a problem faced by a market outside of media and entertainment e.g. climate, health, industrials
|
325 |
+
- Leveraging someone's tech edge to address challenges faced by markets I am familiar with or markets in which similar principles and non-obvious insights may apply
|
326 |
+
""",
|
327 |
+
"Hayat [S24 PA Core]":
|
328 |
+
"""
|
329 |
+
Skills and Hobbies
|
330 |
+
Life ScienceBiotechnologyOther
|
331 |
+
What's the most impressive thing you've built?
|
332 |
+
Over the course of a few months, I screened more than 14,000 mutagenized plants to identify the few that showed resistance to a plant bacteria. This was made possible through my organizational skills, determination, and the strategic utilization of state-of-the-art technologies to visualize bacterial colonization within individual plants.
|
333 |
+
What skills are you looking for in a co-founder?
|
334 |
+
I'm looking forward to meeting someone with complementary skills to mine, who possesses the ability to establish a clear strategic plan and secure resources to achieve our goals. A strong work ethic, a collaborative mindset, and good communication skills are also important to me.
|
335 |
+
Give a brief summary of your background
|
336 |
+
I am a plant scientist specialized in plant genetics and pathology. After completing my PhD in plant epigenetics in Versailles, France, I moved to The Netherlands to work on a devastating plant bacteria at the University of Amsterdam. I am now eager to use my expertise to build a startup with a strong impact on society through the power of plants.
|
337 |
+
What are you interested in working on at EF?
|
338 |
+
I am particularly interested in seeking solutions to the new challenges arising from climate change and the agri-food transition. With the increasing frequency of extreme weather events, our agricultural system is at stake. I believe answers can be found in the recent advances in the plant (epi)genetic field.
|
339 |
+
""",
|
340 |
+
"Nils [S24 PA Core]":
|
341 |
+
"""
|
342 |
+
Skills and Hobbies
|
343 |
+
RoboticsAdvanced RoboticsArtificial IntelligenceCommerce & ShoppingMarketplacesMarketing SolutionsCommunity & LifestyleMediaLogisticsAdvertising
|
344 |
+
What's the most impressive thing you've built?
|
345 |
+
I am the CEO of Kayba, a commerce infrastructure for online communities.
|
346 |
+
We build dropship Marketplaces for top content creators and B2B communities with the best brands.
|
347 |
+
What skills are you looking for in a co-founder?
|
348 |
+
I'm looking for technical partners with strong technical skills in Data Sciences and Robotics.
|
349 |
+
Give a brief summary of your background
|
350 |
+
I'm the CEO of Kayba - a commerce infrastructure for online communities.
|
351 |
+
I co-founded the fashion brand AGENT 33.
|
352 |
+
I contributed to funding the Paris Blockchain Week Summit.
|
353 |
+
I hold a Master's Degree from Sciences Po in Finance & Strategy, and a Bachelor's from La Sorbonne and NTU Singapore.
|
354 |
+
What are you interested in working on at EF?
|
355 |
+
Looking for building in AI and Robotics.
|
356 |
+
Also open to LiveSciences.
|
357 |
+
""",
|
358 |
+
"Marc Davoust [S24 PA Core]":
|
359 |
+
"""
|
360 |
+
Skills and Hobbies
|
361 |
+
Financial ServicesArtificial IntelligenceEnterprise SolutionsEnergyMarketplacesFinTechSAAS
|
362 |
+
What's the most impressive thing you've built?
|
363 |
+
🚴 800km in 62 hours when I was 15
|
364 |
+
or
|
365 |
+
💻 I have created from scratch an innovation department at Agicap
|
366 |
+
In particular, in 4 months, we built with a colleague a feature that is worth 2M€ ARR/ year
|
367 |
+
What skills are you looking for in a co-founder?
|
368 |
+
- doer
|
369 |
+
- humble
|
370 |
+
- ambitious
|
371 |
+
- team worker
|
372 |
+
Give a brief summary of your background
|
373 |
+
Engineering studies at Polytechnique / Mines de Paris
|
374 |
+
|
375 |
+
At Polytechnique, I won the prize of best internship for my scientific work on how to significantly lower the cost of AB tests.
|
376 |
+
|
377 |
+
I really enjoyed being the president of Raid de l’X organization (sport)
|
378 |
+
|
379 |
+
I love geek spirit, winning the BPI climate hackathon.
|
380 |
+
|
381 |
+
I joined Agicap in 2021, a startup that has became one of the most impressive SaaS B2B french scale ups, working on various subjects related to business, tech, product, etc.
|
382 |
+
What are you interested in working on at EF?
|
383 |
+
- I’m driven by optimization spirit
|
384 |
+
- I love fluent products that scale
|
385 |
+
- I’m excited on IA capabilities (I’ve built last night a copilot-like browser extension to answer emails), convinced the future of AI products is specialization
|
386 |
+
""",
|
387 |
+
"Hashim Elzaabalawy [S24 PA Core]":
|
388 |
+
"""
|
389 |
+
Skills and Hobbies
|
390 |
+
ClimateEnergyDeep TechEngineeringIndustrial TechHardwareArtificial IntelligenceMachine LearningAdvanced MathematicsRoboticsHealthcare
|
391 |
+
What's the most impressive thing you've built?
|
392 |
+
Throughout my PhD and Postdoc, I developed fluid simulation software that exhibits a level of accuracy one order of magnitude higher than conventional industrial software.
|
393 |
+
What skills are you looking for in a co-founder?
|
394 |
+
I excel in building both hardware and software, and I'm seeking a co-founder with the typical qualities of a CEO to lead the commercial aspects of our business.
|
395 |
+
Give a brief summary of your background
|
396 |
+
I am a Computational Engineer who holds a PhD in Computational Engineering from Centrale Nantes and Técnico Lisboa, with a strong foundation in Mechanical Engineering, Applied Mathematics, and Software Development. Previously, I served as CTO at HelioRec, a French start-up that develops floating solar technology. In this role, I worked on both the hardware, designing the floating structures, and the software for predicting solar energy yield specifically tailored for floating solar installations.
|
397 |
+
|
398 |
+
I spent two years working at CNRS during my Postdoc, where I developed advanced numerical tools for fluid simulations, focusing on the marine sector. Additionally, I have industrial experience in automotive, HVAC, and energy modeling for buildings.
|
399 |
+
What are you interested in working on at EF?
|
400 |
+
Climate tech solutions that deliver real value (not just for greenwashing), AI applications, AI-powered simulations for specific domains like marine industry or healthcare, and energy solutions for buildings (cooling/heating).
|
401 |
+
|
402 |
+
Additionally, I am open to exploring ideas coming from cross-disciplinary conversations.
|
403 |
+
""",
|
404 |
+
"Quentin Blache [S24 PA Core]":
|
405 |
+
"""
|
406 |
+
Skills and Hobbies
|
407 |
+
HealthcareBiotechnologyLife SciencePharmaceuticalsFoodClimate
|
408 |
+
What's the most impressive thing you've built?
|
409 |
+
The most impressive thing I have accomplished so far is creating and developing a kit to detect 32 mutations associated with breast cancer. To achieve this, I invented a new technology because the current method was very limited. I am currently in the process of patenting this innovation. This kit marks a substantial advancement in the field of healthcare and diagnostics, with the potential to revolutionize the detection of breast cancer.
|
410 |
+
What skills are you looking for in a co-founder?
|
411 |
+
I am looking for a co-founder who shares my passion for science and is open to exploring unconventional ideas. Obviously, someone with experience in business development would be a great asset. It is important to me that we can collaborate effectively and enjoy working together, even sharing some good laughs along the way. A sense of humor can make the journey in the world of science and business all the more enjoyable and productive.
|
412 |
+
Give a brief summary of your background
|
413 |
+
I have a PhD in Basic Infectiology and Molecular Biology, thus I possess a strong foundation in molecular and cellular biology, along with expertise in gene therapy, microbiology, and the agrofood industry. My post-doctoral career is centered around harnessing biology to tackle contemporary challenges, particularly in the field of healthcare, whether it's for cancer detection or treatment.
|
414 |
+
What are you interested in working on at EF?
|
415 |
+
My specific interests lie in areas related to food, health, and addressing environmental issues like pollution.
|
416 |
+
I am keen to work on projects and research that contribute to improving food sustainability, enhancing public health, and finding innovative solutions to combat pollution and its impacts.
|
417 |
+
""",
|
418 |
+
"Majdoline Wahbi [S24 PA Core]":
|
419 |
+
"""
|
420 |
+
Skills and Hobbies
|
421 |
+
Financial ServicesArtificial IntelligenceCommerce & ShoppingSales & MarketingEnterprise SolutionsMachine LearningComputer VisionSpeech RecognitionHealthcareE-Commerce & RetailData & AnalyticsCommunity & LifestyleSportsLending and InvestmentsEnergyMarketplacesProcurementFinTechClimateSAASNatural Language ProcessingReal Estate
|
422 |
+
What's the most impressive thing you've built?
|
423 |
+
When I joined Clone, we had a team of just 30 employees based in France. Fast forward a year and a half later, and we had expanded to over 300 employees across five countries. I am one of the few people in France who have experienced such impressive growth from the inside, as a C-level.
|
424 |
+
|
425 |
+
During my time there I played a pivotal role in managing the rapid growth and chaos that comes with scaling at such an intense pace. I have a knack for structuring companies, ensuring flawless execution of plans, and keeping investors engaged and enthusiastic in a high-pressure environment (all these things that CTOs generally hate ;)) .
|
426 |
+
|
427 |
+
I had the opportunity to be a jack of all trades; from launching new brands to developing our first SaaS roadmap, recruiting C-level executives, orchestrating reorganizations, managing investor boards & reporting, drafting the BP, crafting international playbooks, managing employee & salary reviews, designing the B2B marketing strategy, etc.
|
428 |
+
|
429 |
+
This experience was like my own mini-CEO MBA, preparing me for my next step into entrepreneurship. It was incredibly tough and challenging but I have seen so many things in such a short time that I’m just ready to use my tools, network, and experience for my project.
|
430 |
+
What skills are you looking for in a co-founder?
|
431 |
+
I'm on the hunt for my partner in crime – someone who's truly passionate about their domain, always ready to speak up and push boundaries to make us both - and one day the team - better.
|
432 |
+
We'll be spending a ton of time together, so I need someone who also knows how to make things fun and shares my values/ ethics. After all, startup building should feel like a game – let's dive in and play together!
|
433 |
+
Give a brief summary of your background
|
434 |
+
Hey there! I've worn a few different hats in my career journey – from VC in leading firms to Chief of Staff at last year's hottest foodtech startup (200M€ raised, 600% growth in 6 months).
|
435 |
+
It all started at… Entrepreneur First, where I developed a passion for nurturing founders and their ventures, as a part of the first French team working for EF. Along the way, and with a later role at XAnge, I've had the privilege of supporting and funding hundreds of entrepreneurs across Healthcare, Proptech, HR Tech, Edtech, AI, B2C, and many other sectors. Some of these startups you probably know, and I always like to chat about them if you’re interested :)
|
436 |
+
|
437 |
+
My educational background is quite generalist/finance-oriented with a tech focus, having graduated from Sciences Po Paris and Telecom ParisTech. After soaking up insights from the investor, incubator, and scaleup scenes, I'm itching to switch gears and dive into the entrepreneurial side of things.
|
438 |
+
What are you interested in working on at EF?
|
439 |
+
I think of it more in addressing specific problems rather than focusing on sectors, and I am particularly obsessed with two key challenges:
|
440 |
+
|
441 |
+
1. Support SMBs in Competing in a Rapidly Evolving Economy:
|
442 |
+
Problem Statement: Many SMBs, especially in industries like restaurants, are still transitioning to digitalization and will quickly need to leap into the AI economy.
|
443 |
+
Why: SMBs form the backbone of our economy, representing ⅔ n of Europe’s GDP. Yet, they need support to compete with tech companies and stay relevant and efficient.
|
444 |
+
How: Multiple approaches are possible, such as AI training at scale, making the use of large language models more accessible, and developing verticalized software tailored for specific industries or customer segments.
|
445 |
+
Potential Ideas:
|
446 |
+
B2B marketplaces specifically designed for the restaurant industry.
|
447 |
+
Platforms offering AI training at scale for SMBs (AI LMS).
|
448 |
+
Verticalized AI software solutions optimized for specific SMB sectors.
|
449 |
+
|
450 |
+
2. Support SMBs in Transitioning to a Cleaner Economy:
|
451 |
+
Problem Statement: SMBs face challenges in transitioning to a cleaner and more sustainable business model.
|
452 |
+
Why: Aligning SMBs with sustainable practices is crucial for long-term economic and environmental health. + They need to comply with new requirements from financial institutions.
|
453 |
+
How: Solutions could involve providing tools, technologies, and resources for SMBs to adopt cleaner and more sustainable processes.
|
454 |
+
Potential Ideas:
|
455 |
+
B2B marketplace for more sustainable materials
|
456 |
+
|
457 |
+
As I have analyzed many different industries, I am however very open to exploring other topics. I get very excited by people who are obsessed with their technology, so I can’t wait to hear about your different domains of expertise.
|
458 |
+
""",
|
459 |
+
"Paul Boeffard [S24 PA Core]":
|
460 |
+
"""
|
461 |
+
Skills and Hobbies
|
462 |
+
Climate
|
463 |
+
What's the most impressive thing you've built?
|
464 |
+
I've created Leavit, a think tank dedicated to finding ways to offer financial support to oil-producing nations affected by the resource curse. The aim is to harness Climate Finance (Carbon Markets, Debt-for-climate swaps, JETPs) to incentivize and compensate countries to preserve carbon in the ground and transition towards low-carbon economies.
|
465 |
+
|
466 |
+
I've already been published in carbon markets specialized media and have gathered a community of climate and O&G experts around this initiative
|
467 |
+
|
468 |
+
https://www.leavit.info/
|
469 |
+
What skills are you looking for in a co-founder?
|
470 |
+
Passion and commitment
|
471 |
+
Give a brief summary of your background
|
472 |
+
I am French engineer (Centrale Paris) with 5 years of experience in Climate Investments and Public Finance, previously working at Caisse Des Dépôts (French National Bank)
|
473 |
+
|
474 |
+
I write technical articles about Climate Change for specialized media (Socialter) and also working on a novel
|
475 |
+
|
476 |
+
I do a lot of sports
|
477 |
+
What are you interested in working on at EF?
|
478 |
+
I am looking for Giga Tons scale climate solutions.
|
479 |
+
|
480 |
+
Capturing CO2 (and all other mitigation actions) are vain if fossil fuel valves are not actively shut down
|
481 |
+
""",
|
482 |
+
"Eduardo Dadalto [S24 PA Core]":
|
483 |
+
"""
|
484 |
+
Skills and Hobbies
|
485 |
+
Artificial IntelligenceNatural Language ProcessingComputer VisionWeb DevelopmentAerospace
|
486 |
+
What's the most impressive thing you've built?
|
487 |
+
I’ve co-authored a few state-of-the-art algorithms for assessing predictive uncertainty and detecting anomalies in AI algorithms that appeared in top venue conferences such as NeurIPS, ICLR, AAAI, etc.
|
488 |
+
What skills are you looking for in a co-founder?
|
489 |
+
I’m looking for a co-founder with strong business and product skills, passionated about the impact AI can have in the future, who is self-driven, creative, and curious.
|
490 |
+
Give a brief summary of your background
|
491 |
+
My background is on computer vision (CV) and natural language processing (NLP). I hold a PhD in computer science and AI reliability.
|
492 |
+
What are you interested in working on at EF?
|
493 |
+
I’m mostly interested in working on impactful industries, building a business with AI at its core and reimagining the future.
|
494 |
+
""",
|
495 |
+
"Bastien Fabre [S24 PA Core]":
|
496 |
+
"""
|
497 |
+
Skills and Hobbies
|
498 |
+
AerospaceArtificial IntelligenceMachine LearningLogisticsSportsEngineeringEnergyDeep TechFinancial Services
|
499 |
+
What's the most impressive thing you've built?
|
500 |
+
I have co-founded a deep tech company working on wireless power transfer for robots. We already financed the R&D in a leading European Lab in Part-Saclay thanks to an institutional investor, we have developed the first prototype during our studies and we are now building partnerships to finance and co-develop the next POC. We also joined the best French deep tech incubator in Paris.
|
501 |
+
What skills are you looking for in a co-founder?
|
502 |
+
I am looking for a technical co-founder with a deep interest in deep tech through hardware experience and curiosity around software development and AI.
|
503 |
+
Give a brief summary of your background
|
504 |
+
I am an aerospace engineer specialized in aerospace propulsion from Supaero with a double degree in Finance. I have experience in artificial intelligence and I co-founded a deep tech energy company with an other student of Supaero working on wireless power transfert for autonomous systems.
|
505 |
+
What are you interested in working on at EF?
|
506 |
+
I am interested in working on deep tech technologies applied on energy, aerospace and climate tech.
|
507 |
+
""",
|
508 |
+
"Ismail Hajji [S24 PA Core]":
|
509 |
+
"""
|
510 |
+
Skills and Hobbies
|
511 |
+
HealthcareBiotechnologyPhysicsEngineeringLife SciencePharmaceuticalsBiotech-HardwarePrivacy & SecurityGovernment and MilitaryMaterials ScienceSports
|
512 |
+
What's the most impressive thing you've built?
|
513 |
+
A PCR machine that runs with 240x less reagent, 6x faster and 5x higher sensitivity than current commercial technologies.
|
514 |
+
As a great source of "impressive" ideas, I enjoy reverse-engineering and DIY spirit in general, from everyday life objects to more advanced technologies.
|
515 |
+
What skills are you looking for in a co-founder?
|
516 |
+
I am looking for a highly motivated co-founder with a strong interest in the biotech field. Ambitious and pragmatic.
|
517 |
+
Give a brief summary of your background
|
518 |
+
I am a Physics Engineer who turned to Biology.
|
519 |
+
Physics engineer by training, I did a PhD in developing diagnosis tools with Cancer related applications. And a Postdoc on a new approach to guide stem cells fates.
|
520 |
+
My tool range goes from mathematical modeling to sequencing and molecular biology. I have a strong experience in building devices and programming for solving Diagnosis Challenges or answering Fundamental Biology questions.
|
521 |
+
What are you interested in working on at EF?
|
522 |
+
The company that will make the next generation biomedical devices.
|
523 |
+
I am looking forward to having cross-disciplinary approaches with founders from other fields.
|
524 |
+
""",
|
525 |
+
"Olivier Lippens [S24 PA Core]":
|
526 |
+
"""
|
527 |
+
Skills and Hobbies
|
528 |
+
Management ConsultingEngineeringMaterials ScienceNatural ResourcesClimateProcurementIndustrial TechArtificial IntelligenceMachine LearningBiotechnologyAerospaceAgriculture & FarmingChemicalsDeep Tech
|
529 |
+
What's the most impressive thing you've built?
|
530 |
+
In just 1 year, I founded 2 companies from scratch in new countries and markets, having to build a local network and team without local language proficiency. Additionally, one was operating in a war zone and one in the 2nd poorest country in the world:
|
531 |
+
- Healthcare education company in Burundi allowing the local Red Cross to become independent from foreign funding and scale-up healthcare activities
|
532 |
+
- Supply chain and distribution company in Mozambique to provide basic need products to refugee camps while making the operations profit neutral through side revenue streams
|
533 |
+
What skills are you looking for in a co-founder?
|
534 |
+
I’m looking for a strong tech-enabled co-founder to form a strong team with the following characteristics:
|
535 |
+
- A productive team that creates daily significant progress, is motivated by solving challenges, meets set deadlines and dares to take difficult decisions
|
536 |
+
- Aligned burning ambition to build a scaled, profitable and impactful business for the next 5-10 years with this entrepreneurial journey as priority number one
|
537 |
+
- A deep passion for creating solutions for hair-on-fire problems
|
538 |
+
Give a brief summary of your background
|
539 |
+
Engineer by education, strategy consulting & founder by experience.
|
540 |
+
|
541 |
+
I’m a former Senior Associate at Bain&Company, a top tier strategy consultancy firm, where I focused on:
|
542 |
+
- Advising Investment Funds on +€500M deals through discovering in 2-3 weeks what the pro’s/con’s of a company are and their future value creation potential is
|
543 |
+
- Determining the sustainability strategy of Global 500 companies
|
544 |
+
- Worked on +20 projects in Mining, Chemicals, Argi, Battery, Materials, Consumer products (proteins, supplements, biking),…
|
545 |
+
Previous experience as:
|
546 |
+
- Founder-in-Residence for Red Cross (founder of healthcare company in Burundi & distribution company in war zone in Mozambique)
|
547 |
+
- Founder of water filter company targeting rural East African Communities - sold to local manufacturer and currently reaching ~200k people
|
548 |
+
- Graduated with 2 master degrees, one in Civil Engineer (Logistics and Materials) and one in Water Resource Engineer from KU Leuven and University of Queensland, allowing me to thoroughly understand and actively ideate around deep tech
|
549 |
+
What are you interested in working on at EF?
|
550 |
+
I’m passionate about climate, water, bioplastics and AI-enabled efficiency solutions but above all, I am very open to discover and brainstorm around different scalable deep tech solutions and markets. My experience as strategy consultant gives me the skill to get to know a market and its potential fast as well as to accelerate ideas and tech through finding the right customer segments, developing profitable business models and set up an efficient organisation.
|
551 |
+
|
552 |
+
I recently discovered the bioplastics market, more specifically PHA, with a team. Happy to discuss findings in the market esp. with experts in gene-engineering
|
553 |
+
""",
|
554 |
+
"Pablo [S24 PA Core]":
|
555 |
+
"""
|
556 |
+
Skills and Hobbies
|
557 |
+
Data Science & AnalyticsArtificial IntelligenceClimateMachine LearningSpeech RecognitionData & AnalyticsEngineeringSports
|
558 |
+
What's the most impressive thing you've built?
|
559 |
+
Being in charge of Ai in a startup with an Ai-centric product, I built an infrastructure able to continuously process thousands of recording meetings every minute, from speech-to-text to full insights extraction.
|
560 |
+
But maybe more importantly, I actively worked on product vision to turn the fast-paced and SOTA evolutions to bring new ways to interact with knowledge for over 15k users.
|
561 |
+
What skills are you looking for in a co-founder?
|
562 |
+
I am looking for someone who will share my willingness to have a big positive impact.
|
563 |
+
I'd see myself more in a CEO role working in a tech company, but am of course open to discussion :)
|
564 |
+
And since I expect the adventure to be intense, I would really want to share it with someone whose energy will not only make us go further, but also enjoy the ride 🎢
|
565 |
+
Give a brief summary of your background
|
566 |
+
I have a double degree in Engineering (Computer Science / Data Science) and Business (MiM / Data Analytics).
|
567 |
+
I've since been building AI and Analytics strategies and infrastructures as early employee in startups.
|
568 |
+
My last role was as Head of Data at Modjo, in charge of Data Science and Data Analytics teams, and tackling product challenges to leverage AI to build a strong product.
|
569 |
+
What are you interested in working on at EF?
|
570 |
+
Unf*cking the world! I want to be proud of the impact my cofonder and I have, and I could see that happening in:
|
571 |
+
- Climate tech
|
572 |
+
- Healthcare
|
573 |
+
- Social networks
|
574 |
+
""",
|
575 |
+
"Morgan Wirtz [S24 PA Core]":
|
576 |
+
"""
|
577 |
+
Skills and Hobbies
|
578 |
+
Artificial Intelligence Financial Services E-Commerce & Retail Insurance Payments Design User Interface Design Marketplaces Procurement Healthcare
|
579 |
+
What's the most impressive thing you've built?
|
580 |
+
Founder of a digital bank (RISE):
|
581 |
+
- Raised EUR 3M
|
582 |
+
- 1k paying bank accounts opening/month in Belgium
|
583 |
+
|
584 |
+
We ended up closing the business last year as we didn’t get to PMF.
|
585 |
+
It taught me everything first business can teach you (PMF, team, etc.)
|
586 |
+
|
587 |
+
|
588 |
+
Founder of a B2B marketplace for architects to source materials (in July 2023):
|
589 |
+
- Signed first 15 clients without company incorporated or product live on the market
|
590 |
+
- Sold the company to a US competitor that wanted to launch in EU
|
591 |
+
What skills are you looking for in a co-founder?
|
592 |
+
Ideally looking for a tech profile as I am a product/business profile.
|
593 |
+
|
594 |
+
Beyond skills, I'm looking for:
|
595 |
+
- First principle thinker
|
596 |
+
- Fully committed & hands-on
|
597 |
+
- Cares about building a great product
|
598 |
+
Give a brief summary of your background
|
599 |
+
I'm a product founder who loves exceptional product experiences and will always ensure to stay close to the problem/customer.
|
600 |
+
|
601 |
+
Notable founding experience: RISE, a digital bank with EUR 3M funding and opening 1K paying bank accounts/month. Though we didn't reach product-market fit and closed the company last year, I've learned valuable lessons.
|
602 |
+
|
603 |
+
Now, I'm eager to apply what I have learned to create something significant.
|
604 |
+
What are you interested in working on at EF?
|
605 |
+
Looking at theses where a problem can be solved with a great product experience.
|
606 |
+
|
607 |
+
1. Vertical AI software
|
608 |
+
Interested in the application layer of AI: how can it be applied to solve a specific worker's problem.
|
609 |
+
|
610 |
+
Relevant article: https://www.digitalnative.tech?utm_source=navbar&utm_medium=web&r=9gtz4
|
611 |
+
TL; DR predicts vertical AI will follow a successful playbook similar to vertical saas in transforming specific industries.
|
612 |
+
|
613 |
+
I’m particularly interested in AI in hospitals (EHR) and AI to augment enterprise productivity.
|
614 |
+
|
615 |
+
|
616 |
+
2. Categories that look crowded but aren’t
|
617 |
+
|
618 |
+
Interview with Elad Gil: https://firstround.com/review/future-founders-heres-how-to-spot-and-build-in-nonobvious-markets/
|
619 |
+
TL; DR some spaces might look crowded from the outside, but when you zoom, there is still white space, a problem that is not well solved.
|
620 |
+
|
621 |
+
|
622 |
+
3. B2B marketplaces
|
623 |
+
|
624 |
+
Article: https://www.digitalnative.tech?utm_source=navbar&utm_medium=web&r=9gtz4
|
625 |
+
TL; DR only about 5-10% of B2B transactions happen online. So if there are B2B spaces with high fragmentation on the offering and high frequency of transactions on the demand, it is a good case to build a B2B marketplace.
|
626 |
+
""",
|
627 |
+
"Nicolas Bourliatoux [S24 PA Core]":
|
628 |
+
"""
|
629 |
+
Skills and Hobbies
|
630 |
+
LogisticsRoboticsIOTPhysicsEngineeringTransportationEnergyAdvanced RoboticsAerospaceBattery TechnologiesHardwareAdvanced AerospaceDeep TechClimateEVMobilityIndustrial Tech
|
631 |
+
What's the most impressive thing you've built?
|
632 |
+
I think that starting a startup while still being a student is already quite an accomplishment, regardless of how it ends.
|
633 |
+
My hustle factor is doing what I am not "supposed" to do, and doing it right.
|
634 |
+
What skills are you looking for in a co-founder?
|
635 |
+
Looking for a techie that will be able to build from scratch and come up with fun ideas to solve a problem!
|
636 |
+
Give a brief summary of your background
|
637 |
+
I am a French Aerospace Engineer from ISAE-SUPAERO in Toulouse. I've done several experiences in both startup and large companies (ArianeGroup), and my end-of-study internship as a management consultant at Bain & Company.
|
638 |
+
I recently co-founded my deeptech startup Iris Lab with Bastien Fabre (also in the EF cohort). We joined EF to find our CTO, who will help us develop our wireless power transfer solution for robotics.
|
639 |
+
What are you interested in working on at EF?
|
640 |
+
We will be working on designing our system to fit what we learn from our prospects, and start building our prototype from this!
|
641 |
+
""",
|
642 |
+
"Michele Baldo [S24 PA Core]":
|
643 |
+
"""
|
644 |
+
Skills and Hobbies
|
645 |
+
Artificial IntelligenceMachine LearningEngineeringBlockchainLife ScienceMusic & AudioNatural Language ProcessingDevToolsDeveloper and/or Dev Ops ToolsSemiconductorDAOsDecentralised FinanceDeep Tech
|
646 |
+
What's the most impressive thing you've built?
|
647 |
+
I worked on the extreme scale team in TII I had the opportunity to assist and work in the Falcon project and the Noor project. My main focus was to develop reliable evaluation for understanding the scaling laws and assessing different hyper parameters mixtures. Then I moved on the alignment part of the project, so using reinforcement learning with human feedback and direct preference optimization to build chat friendly models. I also worked to optimize the RLHF algorithm on GPU clusters, and build efficient distributed fine-tuning training. Another big project I did was during my master thesis. I replicated a Neuroscience experiment done on rodents to study spatial neural representations on Artificial Agents in a virtual environment. I then open sourced on my GitHub the code to build several virtual environments and evolve the artificial agents for the computational neuroscientist community.
|
648 |
+
What skills are you looking for in a co-founder?
|
649 |
+
Open minded, passionate, out of the ordinary, research interests but with strong engineering skills, first principle thinker, craving for building something that will have a huge impact in the world adding a lot of value for the people, a lot of experience, with strong technical background on Artificial Intelligence. Distributed computing or HPC experience is a plus. Entrepreneurial and creative mind!
|
650 |
+
Give a brief summary of your background
|
651 |
+
I worked as an Artificial Intelligence Engineer in Technology Innovation Institute in Abu Dhabi, in the Extreme Scale LLM Team. I worked on several aspects of Large Language Models, we built Falcon 180B and Noor to name a few. My focus was on evaluation, building reliable and efficient distributed code, managing the model's checkpoints for inference, and fine-tuning for alignment (reinforcement learning with human feedback and direct preference optimization). I also worked on air quality forecasts using GNN AI models, focusing on the data collection and pipeline. I did my Bachelor's in Computer Science and my Master's in Cognitive Neuroscience. I focused my studies and career on AI and in particular I have a strong drive to build AGI and neuro-inspired AI. During my university period I also tried and been involved in some entrepreneurial endeavours and I'm now ready to shoot for the moon for a new one!
|
652 |
+
What are you interested in working on at EF?
|
653 |
+
I've joined EF to have the opportunity to build something beyond the ordinary. I'm here to build the basic layer for training and interacting with AI models. Not just a unicorn, but one of the world leader companies in AI in the next decade. In particular the focus will be on AI tools and platforms for developers and integration for startup and final users. Big focus on facilitating the advent of AGI and mass usage of AI owned by a vast and diversified startup ecosystem.
|
654 |
+
""",
|
655 |
+
"Milan Clerc [S24 PA Core]":
|
656 |
+
"""
|
657 |
+
Skills and Hobbies
|
658 |
+
Artificial IntelligenceMachine LearningComputer VisionData & AnalyticsIOTInsuranceEnergyNatural ResourcesClimateSAAS
|
659 |
+
What's the most impressive thing you've built?
|
660 |
+
I have developed a climate analysis SaaS platform capable of collecting, processing, and storing over 300 terabytes of meteorological datasets. This platform offers a suite of tools to extract, visualize, manipulate, and utilize this data for building AI solutions or aiding decision-making processes. Initially, I have built the core of the product before transitioning to leading a small team (devops + UI/UX designer + front developer + data engineer+ data scientist) to streamline its industrialization. This experience has allowed me to build strong product development as well as cloud engineering skills on top of my data science knowledge.
|
661 |
+
What skills are you looking for in a co-founder?
|
662 |
+
I am seeking a co-founder who shares my values and commitment to building solutions with a positive impact. I am mostly looking for someone that shares the same sectors of interests or with a deep expertise in a sector that I am less familiar with. While I typically position myself as a CTO, I am open to considering a CEO position depending on the opportunity, given my background in technology and product development.
|
663 |
+
Give a brief summary of your background
|
664 |
+
- Graduated from Ecole Polytechnique and KTH in energy and climate sciences.
|
665 |
+
- Worked for 3.5 years as a DataScientist building data & AI solutions for clients in various sectors including energy, utilities, insurance and retail.
|
666 |
+
- Builded and co-lead a small team on climate risk assessment.
|
667 |
+
- Product manager and Tech Lead of a SaaS product for climate data analysis that I have developed.
|
668 |
+
What are you interested in working on at EF?
|
669 |
+
I have made the decision to embark on the journey of entrepreneurship with the aim of addressing significant societal issues. As such, I am open to exploring various industries, although I possess a particular passion for climate and energy-related topics.
|
670 |
+
I firmly believe that climate adaptation and mitigation strategies will spur substantial investments in the near future. Therefore, I am keen on developing AI-driven solutions tailored for companies (such as insurance firms, utilities, and industries) as well as public actors to either assess, or deal with the impact of climate events and meteorogical conditions
|
671 |
+
Besides, I would also be interested in creating AI tools to support the energy sector, including predictive maintenance and strategic planning capabilities.
|
672 |
+
""",
|
673 |
+
"Cyprien Courtot [S24 PA Core]":
|
674 |
+
"""
|
675 |
+
Skills and Hobbies
|
676 |
+
Artificial IntelligenceHealthcareBiotech - SoftwareEnergyClimateAerospaceData Science & AnalyticsMachine LearningFinancial Services
|
677 |
+
What's the most impressive thing you've built?
|
678 |
+
I led the creation of an AI for satellite constellation scheduling that surpassed expert algorithms in some cases by over 55%. Delivering the project within three months to a major aerospace customer. Our solution significantly outperformed industry standards, leading to potential project expansion and new collaborations.
|
679 |
+
What skills are you looking for in a co-founder?
|
680 |
+
I seek a co-founder who possesses a strong market insight and shares common interests and values. Bonus points for someone driven and passionate.
|
681 |
+
Give a brief summary of your background
|
682 |
+
I am an AI specialist and have worked at InstaDeep, Barclays, EY, and BlackRock.
|
683 |
+
I've worked extensively with deep reinforcement learning agents and LLMs, notably:
|
684 |
+
- Aerospace: satellite constellation planning,
|
685 |
+
- Biology: multi-modal LLMs pre-training and protein design,
|
686 |
+
- E-commerce: dynamic pricing,
|
687 |
+
- Insurance: automated claims management.
|
688 |
+
What are you interested in working on at EF?
|
689 |
+
I want to work on solving an ambitious and exciting project.
|
690 |
+
I'm very keen to work on something that is related to:
|
691 |
+
- Healthcare: from biology to the healthcare system.
|
692 |
+
- Climatetech: energy networks, markets, nuke and materials in particular.
|
693 |
+
- New space: it's getting crowded up there.
|
694 |
+
- AI: making AI agents be used in more industries.
|
695 |
+
""",
|
696 |
+
"Arthur Vervaet [S24 PA Core]":
|
697 |
+
"""
|
698 |
+
Skills and Hobbies
|
699 |
+
Artificial IntelligenceMachine LearningData & AnalyticsDeep Tech
|
700 |
+
What's the most impressive thing you've built?
|
701 |
+
Creating a log-based Anomaly Detection platform capable of handling the workload of a cloud platform—processing millions of events per second.
|
702 |
+
It involved proposing a novel log mining algorithm that outperform the state-of-the-art in accuracy and speed, along with developing an explainable deep learning architecture for generating alert reports. I successfully deployed my prototype at an industrial scale, monitoring the European cloud region of Dassault Systèmes.
|
703 |
+
What skills are you looking for in a co-founder?
|
704 |
+
I am seeking a co-founder who possesses experience and passion for a specialized field, particularly in areas such as health or technology. More importantly, I am in search of someone who harbors a profound understanding of product development and financial strategy.
|
705 |
+
Give a brief summary of your background
|
706 |
+
I hold an engineering degree as well as a Ph.D. in computer science from Sorbonne Université, specializing in Deep Learning (AI) applied to cloud computing problems.
|
707 |
+
|
708 |
+
Maintaining an engineering-first mindset, I am passionate about tackling challenges concerning system architecture, scalability, and efficiency.
|
709 |
+
|
710 |
+
My professional experience spans across renowned corporations such as BNP Paribas and Dassault Systèmes, as well as startups where I served as the inaugural employee, notably at GitGuardian and Cognitive Matchbox.
|
711 |
+
|
712 |
+
I am now thrilled to don the mantle of a co-founder !
|
713 |
+
What are you interested in working on at EF?
|
714 |
+
I am intrigued by projects that leverage advancements in computer science, particularly within the realm of artificial intelligence, to revolutionize various fields of activity.
|
715 |
+
|
716 |
+
My interests align particularly with ventures in the technology for health or technology for tech sectors.
|
717 |
+
|
718 |
+
I remain open-minded and receptive to exploring opportunities in other fields as well.
|
719 |
+
"""
|
720 |
+
,
|
721 |
+
}
|
embedded_cohort.csv
ADDED
The diff for this file is too large to render.
See raw diff
|
|
get_similar_profiles.py
ADDED
@@ -0,0 +1,42 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import numpy as np
|
2 |
+
import pandas as pd
|
3 |
+
from cohort_members import cohort_data
|
4 |
+
from tech_stuff import api_key
|
5 |
+
|
6 |
+
from openai import OpenAI
|
7 |
+
|
8 |
+
client = OpenAI(api_key=api_key)
|
9 |
+
|
10 |
+
def cosine_similarity(a, b):
|
11 |
+
return np.dot(a, b) / (np.linalg.norm(a) * np.linalg.norm(b))
|
12 |
+
|
13 |
+
def _get_embedding(text, model="text-embedding-3-large"):
|
14 |
+
try:
|
15 |
+
text = text.replace("\n", " ")
|
16 |
+
except:
|
17 |
+
None
|
18 |
+
return client.embeddings.create(input = [text], model=model).data[0].embedding
|
19 |
+
|
20 |
+
|
21 |
+
def get_similar_profiles(profile, prefix, k=20):
|
22 |
+
query = prefix + profile + cohort_data[profile]
|
23 |
+
df = pd.read_csv("embedded_cohort.csv")
|
24 |
+
embedding_query = _get_embedding(query, model="text-embedding-3-large")
|
25 |
+
df['similarity'] = df.embeddings.apply(lambda x: cosine_similarity(eval(x), embedding_query))
|
26 |
+
df = df.sort_values('similarity', ascending=False).head(int(k))
|
27 |
+
raw_results = df["Name"] + df["Description"]
|
28 |
+
|
29 |
+
|
30 |
+
results = []
|
31 |
+
for result in raw_results.to_list():
|
32 |
+
if result[:20] == (profile + cohort_data[profile])[:20]:
|
33 |
+
print("ah")
|
34 |
+
else:
|
35 |
+
results.append(result)
|
36 |
+
|
37 |
+
final_md = ""
|
38 |
+
for result in results:
|
39 |
+
final_md += "### " + result.replace("\n","\n\n")
|
40 |
+
|
41 |
+
# breakpoint()
|
42 |
+
return final_md
|
simulator.py
ADDED
@@ -0,0 +1,28 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
from tech_stuff import api_key
|
2 |
+
from cohort_members import cohort_data
|
3 |
+
from openai import OpenAI
|
4 |
+
|
5 |
+
client = OpenAI(api_key=api_key)
|
6 |
+
|
7 |
+
|
8 |
+
def simulate(profile_selector_1, profile_selector_2, system_prompt_input):
|
9 |
+
profile_1 = profile_selector_1 + cohort_data[profile_selector_1]
|
10 |
+
profile_2 = profile_selector_2 + cohort_data[profile_selector_2]
|
11 |
+
response = client.chat.completions.create(
|
12 |
+
model="gpt-4",
|
13 |
+
messages=[
|
14 |
+
{
|
15 |
+
"role": "system",
|
16 |
+
"content": system_prompt_input},
|
17 |
+
{
|
18 |
+
"role": "user",
|
19 |
+
"content": f"Profile 1:\n\n{profile_1}\n\n-------------\n\nProfile 2:\n\n{profile_2}"
|
20 |
+
}
|
21 |
+
],
|
22 |
+
temperature=1,
|
23 |
+
max_tokens=3456,
|
24 |
+
top_p=1,
|
25 |
+
frequency_penalty=0,
|
26 |
+
presence_penalty=0
|
27 |
+
).choices[0].message.content
|
28 |
+
return response
|
tech_stuff.py
ADDED
@@ -0,0 +1,52 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import os
|
2 |
+
|
3 |
+
api_key = os.environ.get("api_key")
|
4 |
+
|
5 |
+
prefix = "Following the Entrepreneur First Edge compatibility and intersection approach, with the potential of building a billion dollar company. \n\nMINIMUM POSSIBLE SKILL AND PROFILE OVERLAP! HIGHLY COMPLEMENTARY PROFILES TO HELP THIS PERSON CO-FOUND A BILLION-DOLLARS COMPANY\n"
|
6 |
+
|
7 |
+
how_does_it_work = """
|
8 |
+
|
9 |
+
This app helps you find a potential co-founder using AI and LLMs.
|
10 |
+
|
11 |
+
#### Co-finder:
|
12 |
+
|
13 |
+
The main component is the OpenAI embedding retrieval model that find similarities based on the information given in the cohort's Dashboard
|
14 |
+
|
15 |
+
Link to documentation: https://platform.openai.com/docs/guides/embeddings
|
16 |
+
|
17 |
+
Because this is a similarity engine and we are looking for complementary profiles we add a small prefix before the profile we want to match.
|
18 |
+
|
19 |
+
Example:
|
20 |
+
|
21 |
+
Profile A is an expert in biotech and is looking for someone business oriented
|
22 |
+
|
23 |
+
The new augmented version of this profile will be
|
24 |
+
|
25 |
+
Prefix + Profile description
|
26 |
+
|
27 |
+
The intuition is to steer the retrieval to make sure it consider complementary profiles as being the most similar to the augmented profile version.
|
28 |
+
|
29 |
+
You can change the prefix directly in this page.
|
30 |
+
|
31 |
+
Note, the finder works way better using ColbertV2 embeddings but it was a nightmare to deploy on huggingface, and since it is more of an experiment and either way nothing will replace human interactions, openai embeddings should be enough for now.
|
32 |
+
|
33 |
+
### Simulator:
|
34 |
+
|
35 |
+
This is simply a call to GPT4 with the two profiles descriptions. You can adapt the system prompt here too.
|
36 |
+
|
37 |
+
|
38 |
+
"""
|
39 |
+
|
40 |
+
|
41 |
+
system_prompt = """
|
42 |
+
You are an expert in assessing startup co-founding teams and finding their potential to build billion-dollar companies. You use the Entrepreneur First Edge intersection method to propose (Strictly respect the Markdown format):
|
43 |
+
|
44 |
+
- ### How those Edges might intersect
|
45 |
+
<concise bullet points>
|
46 |
+
|
47 |
+
- ### What kind of potential ideas/industries should be discussed and why they might be hair on fire problems
|
48 |
+
< minimum 10 concise bullet points>
|
49 |
+
|
50 |
+
- ### What common belief could be leveraged
|
51 |
+
<concise bullet points>
|
52 |
+
"""
|