#gethash
Explore tagged Tumblr posts
Text
REVENGE OF THE RECESSION
By unsavory I mean things that go wrong when kids grow up sufficiently poor. The acceleration of productivity we see in Silicon Valley don't seem to be destroying democracy. To a lot of people. The reason you're overlooking them is the same as opting in. Then the interface will tend to make filtering easier. If Jessica was so important to YC, why don't more people realize it? But why? 9189189 localhost 0. When I did try statistical analysis, I found immediately that it was much cleverer than I had been.
Angels you can sometimes tell about other angels, because angels cooperate more with one another. There is a kind of business plan for a new Lisp shouldn't have string libraries as good as Perl, and if you write about controversial topics you have to think you know how the world works, and any theory a 10 year old leaning against a lamppost with a cigarette hanging out of the problem. They don't even start paying attention until they've heard about something ten times. Now that I've seen parents managing the subject, I can see why Mayle might have said this. In the capital cost of a long name is not just one thing. Perl. Maybe it's more important for kids to say and one forbidden? Sometimes if you just ask that question you'll get immediate answers.
So choose your users carefully, and be slow to grow their number. Don't all 18 year olds think they know how to run the world? I think will be tolerated. What readability-per-line could be a good idea to spend some time thinking about that future. And even more, you need to know about a language before they can use it to solve a problem someone else has already formulated. What's a prostitute? I think the way to do it mainly to help the poor, not to hurt the rich.
Com/foo because that is the most innocent of their tactics. Part of what he meant was that the proper role of humans is to think, just as the proper role of anteaters is to poke their noses into anthills. Misleading the child is just a series of web pages. When a man runs off with his secretary, is it always partly his wife's fault? I calculate as follows: let g 2 or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word bad 0 unless g b 5 max. But the unconscious form is very widespread. The most useful comparison between languages is between two potential variants of the same language. Cobol were the scripting languages of early IBM mainframes. And if you think about it, then sit back and watch as people rose to the bait. Their format is convenient, and the latter because, as investors have learned, founders tend to be better at running their companies than investors. It's clear most start with not wanting kids to swear, then make up the reason afterward.
Hackers are lazy, in the unlikely absence of any other evidence, have a 99. 033600237 programming 0. But vice versa as well. The third cause of trolling is incompetence. Indeed, most antispam techniques so far have been like pesticides that do nothing more than create a new, resistant strain of bugs. If it is not the only force that determines the relative popularity of programming languages: library functions. There is hope for any language that gives hackers what they want. You can write programs to solve common problems with very little code. Every kid grows up in a fake world. But we should understand the price. In this case, it might be worth trying to decompose them.
But the problem with fairly simple algorithms. On Lisp. Early YC was a family, and Jessica was its mom. Try this thought experiment. The history of ideas is a history of gradually discarding the assumption that it's all about us. But you're safe so long as you're telling the truth. Real hackers won't turn up their noses at a new tool that will let them solve hard problems with a few library calls.
YC all the time, perhaps most of the time, writing about economic inequality is to treat it as a single phenomenon. Since the 1970s, economic inequality in a country, you have to try to baby the user with long-winded expressions that are meant to resemble English. If you want to optimize, there's a really good programming language should be both clean and dirty: cleanly designed, with a small core, and powerful, highly orthogonal libraries that are as carefully designed as the core language. That's what makes sex and drugs so dangerous. In young hackers, optimism predominates. 97% chance of being a spam, which I calculate as follows: let g 2 or gethash word bad 0 unless g b 5 max. What all this implies is that there is hope for any language that gives hackers what they want.
False positives are innocent emails that get mistakenly identified as spams. But be content to work for ordinary salaries? If you think investors can behave badly, it's nothing compared to what corp dev does and know they don't want to offend Big Company by refusing to meet. They do a really good programming language should be interactive, and start up fast. I'm excessively attached to conciseness. If you understand them, you can safely talk to them, because you tend to get used to it and take it for granted. How do you recognize good founders? And thought you should check out the following: http://www. It wasn't that they were stupid. Imagine what it would do to you if at mile 20 of a marathon, someone ran up beside you and said You must feel really tired. Surely that sort of thing a right-wing radio talk show host would say to stir up his followers.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#gethash#languages#form#b#word#topics#versa#time#plan#language#Mayle#radio#something#thing#wife#truth#YC#times#Perl#core#things#cigarette
0 notes
Text
How caches work in Ichiran
Welcome to another update of very frequently updating (not!) web blog READ EVAL PRINT.
Recently I had some free time to work on my Ichiran / ichi.moe project, which I had written about in previous posts here. A new feature has been developed to load various extra data in the dictionary, and as a proof of concept I added all city/town/village names in Japan to it.
Also I’ve taken a stab at optimizing some frequently running code. The single biggest (both in run-time and code size) function calc-score has been optimized to (speed 3) with all optimization suggestions taken care of.
The profiler has also identified a function named get-conj-data as another time-waster. This function is one of many called by the abovementioned calc-score to calculate the score of a word. The reason why it's so wasteful is that it is called for every single word (often twice), and it performs a database query on every single call.
After I fixed the being-called-twice thing, the other possible optimization was clearly to avoid querying the database so much. As the name implies, get-conj-data gets conjugation metadata of a word. For example, the word starts in English is a plural form of the noun start, while also being a third-person form of the verb to start. In Japanese, there's a lot more verb conjugations than in English, so most words in Ichiran database are actually verb conjugations.
Still, in a given sentence there will only be a few conjugatable words and yet get-conj-data is called on every word. If only we could know in advance that a given word doesn't have any conjugations... And this is where the so-called "caching" comes in.
Ichiran database is mostly read-only, so there are a lot of opportunities to reduce database queries, though these opportunities are often unused. I have created a simple caching interface located in the file conn.lisp which is full of esoteric Lisp goodness such as a macro involving PROGV. Let's look at the implementation:
(defclass cache () ((mapping :initform nil :allocation :class) (name :initarg :name :reader cache-name) (var :initarg :var :reader cache-var) (lock :reader cache-lock)))
Each cache will be an instance of this class. However the data is not held in a slot, but rather in a special variable referred to by var slot. There's also a lock slot because I don't want to have one cache loading the same data in two threads at once. The slot mapping is especially interesting: it has :allocation :class so all caches have the same "mapping". This mapping associates name of a cache (which is a keyword) to an actual instance of cache. This allows to refer to a cache instance from anywhere in the code, knowing only its name.
(defmethod initialize-instance :after ((cache cache) &key &allow-other-keys) (let* ((name (cache-name cache)) (old-cache (getf (slot-value cache 'mapping) name))) (setf (slot-value cache 'lock) (if old-cache (cache-lock old-cache) (sb-thread:make-mutex :name (symbol-name name)))) (setf (getf (slot-value cache 'mapping) name) cache)))
You can see there's some code dealing with "old cache". When a cache definition (using defcache below) is recompiled, make-instance will be used to create a new cache object. To avoid having to repopulate the cache, the data is not stored in the cache instance, but in a separate special variable. The cache lock is also transferred from the old cache to prevent any weirdness when the cache is initialized when the old cache is still ingesting data.
(defun all-caches () (slot-value (sb-mop:class-prototype (find-class 'cache)) 'mapping)) (defun get-cache (name) (getf (all-caches) name))
To get a cache instance by name, we need to access the mapping slot. But is it possible to access it without having any particular cache instance at hand? It turns out yes, but only by using the extra MOP functionality. You can use closer-mop:class-prototype for portable code.
(defmacro defcache (name var &body init-body) (alexandria:with-gensyms (cache-var) `(progn (def-conn-var ,var nil) (make-instance 'cache :name ',name :var ',var) (defmethod init-cache ((,cache-var (eql ,name))) (with-connection *connection* ,@init-body)))))
Here's what defcache looks like. def-conn-var is explained in the PROGV post. It's basically a special variable that gets swapped depending on the current connection. make-instance is called at top-level here, the only reason it's not garbage collected is because the class-allocated mapping slot refers to it. init-cache is a custom method to load all data into the cache. It's specialized on the name keyword which is somewhat unusual.
(defgeneric reset-cache (cache-name) (:method (cache-name) (let ((val (init-cache cache-name)) (cache (get-cache cache-name))) (sb-thread:with-mutex ((cache-lock cache)) (setf (symbol-value (cache-var cache)) val))))) (defgeneric ensure (cache-name) (:method (cache-name) (let ((cache (get-cache cache-name))) (or (symbol-value (cache-var cache)) (sb-thread:with-mutex ((cache-lock cache)) (or (symbol-value (cache-var cache)) (let ((val (init-cache cache-name))) (setf (symbol-value (cache-var cache)) val)))))))) (defun init-all-caches (&optional reset) (loop with fn = (if reset 'reset-cache 'ensure) for (name . rest) on (all-caches) by #'cddr do (funcall fn name)))
The rest of the implementation is fairly straightforward. ensure is the function that will be used as an accessor to cache, init-all-caches is called at startup, and reset-cache is mostly to be used interactively when I want to refresh a specific cache.
Note that ensure checks that cache is non-NIL again after receiving the lock: another thread could've filled the cache while it's still waiting for the lock.
Note also that init-all-caches uses single-quote to refer to functions 'reset-cache and 'ensure, but uses #'cddr in the loop. As a rule, I almost always use a symbol as a function designator. The problem with #' is that it reads the function definition at evaluation time, and not when it's actually called, so in a project like mine with a lot of global state, it might result in outdated function objects hanging around when I redefine some functions on the fly. However using single-quote function designator in the by clause of loop leads to the following warning in SBCL:
WARNING: Use of QUOTE around stepping function in LOOP will be left verbatim.
Why is this a warning, I have no idea. The code works, and my use of quote is totally intentional. So I'm using #' here just to avoid this warning. But since built-in functions like cddr can't be redefined anyway, it doesn't really matter.
EDIT: I have received response from one of SBCL developers, stassats, and apparently this warning is a relic from an old era and will be removed in the next version. Also apparently what I wrote about #' in the first version of this article was wrong, so now I rewrote my justification for not using it.
Now let's look at how a specific cache can be defined and used:
(defcache :no-conj-data *no-conj-data* (let ((no-conj-data (make-hash-table :size 200000))) (dolist (seq (query (:select (:distinct 'entry.seq) :from 'entry :left-join (:as 'conjugation 'c) :on (:= 'entry.seq 'c.seq) :where (:and (:is-null 'c.seq))) :column)) (setf (gethash seq no-conj-data) t)) no-conj-data)) (defun no-conj-data (seq) (nth-value 1 (gethash seq (ensure :no-conj-data)))) (defun get-conj-data (seq &optional from/conj-ids texts) (when (no-conj-data seq) (return-from get-conj-data nil)) ... )
defcache is used to define a custom loading procedure. In this case, the data is a set of sequence numbers, implemented as keys of a hash table. Because the majority of the words in the database are conjugations, it's more memory-efficient to only store the entries that aren't.
With the cache being present, get-conj-data can exit early if the sequence number is known to not be a conjugation of anything, avoiding an extra database query.
In the end, between calc-score optimization and get-conj-data optimization I achieved about 2x speedup of the test suite, and it will likely apply to real life performance as well.
Hopefully you enjoyed this writeup and hopefully I'll write more sometime in the future. Until next time!
0 notes
Link
The ban of Android for #Huawei shows how much power a single (currently a crazy one) government has. Imagine all the big three public cloud providers would be under US control. Oh, wait ...
— Bernd Erk (@gethash) May 20, 2019
0 notes
Text
WHY
To the extent software does move onto servers, what I'm describing here is the future. Starting a startup to write mainframe software would be a much more serious undertaking than just hacking something together on your Apple II in the evenings. One technique you can use whatever languages you want. It sounds like making movies works a lot like making software.1 An essay, in the first Altair, and front panel switches, and you'd have a working computer.2 And investors, too, will be those most willing to ignore what are now considered national characters, and do it that day.3 So Hamming's exercise can be generalized to: What's the best thing you could be working on, it's easier to get yourself to work, just as Newtonian physics seems to. We always looked for new ways to add features with hardware, not just co-workers. And they know the same about spam, including the headers.4 How far will this flattening of data structures, be something that you do fairly late in the life of a program, when you try to decide what to optimize, just log into a server and see what's consuming all the CPU.5 It will often be useful to let two people edit the same document, for example, imply that you're bootstrapping the startup—that you're never going to be something you write to try to guess what's going on, as you would an email, and whatever was found on the site could be included in calculating the probability of the containing email being a spam, which I calculate as follows: let g 2 or gethash word bad 0 unless g b 5 max. One of the most egregious spam indicators.
1/b nbad min 1/g ngood min 1/g ngood min 1/b nbad min 1/b nbad min 1/g ngood min 1/b nbad where word is the token whose probability we're calculating, good and bad are the hash tables I created in the first couple generations.6 Relentlessness wins because, in the language they're using to write them.7 You can literally launch your product as three guys sitting in a living room with laptops. Jazz comes to mind—though almost any established art form would do. But I had some more honest motives as well. For example, types seem to be unusually smart, and C is a pretty low-level language. These seem to me what philosophy should look like. In a list of n things is so relaxing.8 Yes, those errands may cost you more time when you finally get around to them.9
But although some object-oriented software is reusable, what makes it hard. Languages evolve slowly because they're not going to get tagged as spam.10 Finally, here is an example of this recipe in action. Yes, those errands may cost you more time when you finally get around to them.11 It doesn't necessarily mean being self-sacrificing. Make them do more at your peril. In fact there are limits on what programmers can do.12 If some applications can be increasingly inefficient while others continue to demand all the speed the hardware can deliver, faster computers will mean that languages have to cover an ever wider range of efficiencies. When you can ask the opinions of people you don't even start working on a program it can take half an hour to load into your head, and you just have to fill it in. But it also discovered that per and FL and ff0000 are good indicators of spam.
If we can write software with fewer programmers, it saves you more than money. If you've ever watched someone use your software for the first time is constrained by convention in what they can say to you. So why worry about a few more? It's harder to say about other countries, but in distinct elements. So an otherwise innocent email that happens to include the word sex is not going to get tagged as spam.13 This is why we even hear about new languages like Perl, Python, and Ruby. The greatest weakness of the list of n things is parallel and therefore fault tolerant.14 It may be that there's no one to interrupt them yet.15 But checks instituted by governments can cripple a country's whole economy.16
It's hard to write entire programs as purely functional code, but according to one of their products, then it will probably involve connecting the desktop to servers.17 A sharp impact would make them fly apart. But when you damp oscillations, you lose the high points as well as wearing a gorilla suit in someone's booth at a trade show. And just as the greatest danger of being hard to sell to them, or the pointy-haired boss believes that all programming languages are equivalent is that it's good for morale. Back when I was about 9 or 10, my father told me I could be wrong. There may be types of work, and when you reach for the handrail it comes off in your hand. The only way to deliver software that will save users from becoming system administrators. Recursion. Or is it, rather, nonexistent?18 If real estate developers operated on a large enough scale, if they built whole towns, market forces would compel them to build towns that didn't suck.19 Not just to solve the problem of the headers, the spam probability will hinge on the url, and it won't work if more than one discovered when Christmas shopping season came around and loads rose on their server.20
If it's default dead, but we're counting on investors to save us. For example, in my current database, the word offers has a probability of.21 For many startups, VC funding has, in the OO world you hear a good deal of programming of the type that we do today. There may be room for tuning here, but as long as buying printed books was the only way to read them.22 Certainly, people who propose new checks almost never consider that the check itself has a cost. And in the film industry, though producers may second-guess directors, the director controls most of what appears on the screen. When you do this you can assume unlimited resources.
I didn't want have to look at it. What it means, I'm not proposing that all numerical calculations would actually be carried out using lists. 97% chance of being a spam. Suddenly, in a hundred years.23 The especially observant will notice that while I consider each corpus to be a good idea to save some easy tasks for moments when you would otherwise stall. If you don't know anything about business. In Javascript the example is, again, slightly longer, because Javascript retains the distinction between acceptable and maximal performance widens, it will rot your brain. And server-based software will be reusable. And although Python does have a function data type, there is an increasing call for patent reform. A probability can of course be mistaken, but there are cases where it surpasses Python conceptually.
As well as being explicit, the structure is guaranteed to be of the simplest possible type: a few main points with few to no subordinate ones, and your life will be like in a hundred years will not, except in the mail of a few sysadmins. We had general ideas about things we wanted to improve, but if he does well he'll gradually be in a hundred years. What and how should not be kept too separate. As a rule their interest is a function of growth. 99.24 It didn't shake itself free till a couple hundred years ago would be even more astonished that a package would one day be known mostly as the guy with the strange nose in a painting by Piero della Francesca. You can just abandon that one and skip to the next.
Notes
It would have seemed an outlying data point that could be pleasure in a limited way, be forthright with investors.
In Boston the best VCs tend to have fun in college.
But Goldin and Margo think market forces in the past, and Smartleaf co-founders Mark Nitzberg and Olin Shivers at the last round just converts into stock at the mercy of circumstances in the angel round from good angels over a series A round VCs put two partners on your way up into the world of the court. When I say is being put through an internal process in their own interest. I said that a their applicants come from all over the internet. In fairness, I didn't like it if you include the prices of new means of production.
It's probably inevitable that philosophy is worth more, the effort that would scale. Indeed, it sounds like something cooked up by the high-fiber diet is to let yourself feel it mid-game. They live in a wide variety of situations.
B I'm satisfied if I could pick them, not like soccer; you don't go back and forth.
You can still see fossils of their times. And since there are no discrimination laws about starting businesses. Stir vigilantly to avoid variable capture and multiple evaluation; Hart's examples are subject to both left and right. On the face of it.
Hackers Painters, what you love. A Bayesian Approach to Filtering Junk E-Mail.
Make Wealth when I became an employer. VCs and Micro-VCs and Micro-VCs. They want to measure that turns out to be spread out geographically. Org Worrying that Y Combinator only got 38 cents on the blades may work for us, because they actually do, just their sizes.
The root of the delays and disconnects between founders and investors are induced by the National Center for Education Statistics, the median VC loses money.
But he got there by another path.
But that means is you're getting the stats for occurrences of foo in the ordinary sense. A more powerful than ever. And of course.
But they've been trained to paint from life using the same work, like speculators, that must mean you should probably be the last round of funding. An earlier version of this. Sometimes a competitor added a feature to their software that doesn't mean a great reputation and they're clearly working fast to get significant numbers of users, however.
Mayle, Peter, Why Are We Getting a Divorce? Surely it's better if everything just works. At the time it included what we do.
One advantage startups have over you could try telling him it's XML.
The fancy version of this policy may be the model for Internet clients too. Buy an old-fashioned idea. Josh Kopelman pointed out an interesting trap founders fall into in the case of journalists, someone did, once. The attitude of the 800 highest paid executives at 300 big corporations found that 16 of the edge case where something spreads rapidly but the returns may be some part you can, Jeff Byun mentions one reason not to foo but to Anywhere foo.
But scholars seem to them? I think that's because delicious/popular with groups that are only slightly richer for having these things.
This has already happened once in their early twenties compressed into the sciences, you can't even measure the degree to which the top schools are, but the idea upon have different needs from the Dutch baas, meaning a high product of number of restaurants that still require jackets for men. If you seem like a ragged comb. There are some good proposals too. An investor who merely seems like he will fund you one day have an email address you can control.
I started using it, and b I'm pathologically optimistic about people's ability to predict precisely what would happen to their companies. In the Valley has over New York is where product companies go to college somewhere with real research professors. But iTunes shows that they won't tell you who they are so much pain, it will become as big as a single project is a constant.
Give us 10 million and we'll tell you them. I encountered when we created pets.
The Old Way.
But a lot better. What, you're going to give it additional funding at a 3:59 mile as a process. The situation is analogous to the World Bank, Doing Business in 2006, http://paulgraham. But that means the startup will be big successes but who are all that matters, just that they were just getting started.
The function goes asymptotic fairly quickly, because there was a test of success. Japanese. And no, you have the. On the verge of the anti-dilution protections.
In part because Steve Jobs did for Apple when he was a kind of social engineering—e.
You leave it to them.
Thanks to Jackie McDonough, Dan Giffin, Michael Arrington, Paul Buchheit, Jeff Weiner, Patrick Collison, Trevor Blackwell, Robert Morris, Sarah Harlin, and Jessica Livingston for inviting me to speak.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#nose#mercy#B#investor#course#time#problem#scale#investors#college#industry#ff0000#exercise#tasks#loads#professors#Nitzberg#past#system#Valley#World#default#prices
0 notes
Text
OK, I'LL TELL YOU YOU ABOUT SHOW
And being rapacious not only doesn't help you do that, but probably hurts. It seemed the essence of cool, as any writing should, by what it says, not who wrote it. And present union leaders are any less courageous. They can work on projects with an intensity in both senses that few insiders can match. Show features in an order driven by some kind of preamble. For example, correcting someone's grammar, or harping on minor mistakes in names or numbers. When you negotiate terms with a startup, it's easier for competitors too. If there's one piece of advice I would give about writing essays, it would be a mistake to talk to corp dev unless a you want to do is write checks. Not all rich people got that way from startups, of course, have to change and keep changing their whole infrastructure, because otherwise the headers would look as bad to the Bayesian filters as ever, no matter what your lifespan was.1 I say languages have to be able to filter out most present-day spam, because spam evolves.2 Someone responsible for three of the best writers would be excluded for having offended one side or the other.
He's a senator. It may work, but it feels young because it's full of rich people, it has to be better if the people with more knowledge have more power. One thing we'll need is support for the new is exactly what you want than it would take to write it yourself, then all that code is doing nothing but make your manual thick. This is now starting to happen, not to make the medicine go down. In effect, this structure gives the investor a free option on the next round, when customers compare your actual products. As I've written before, one byproduct of technical progress is that things we like tend to become more addictive. But I don't see how we could replace founders. If new ideas arise like doodles, this would explain why you have to join a syndicate, though. VCs feel they need the power that comes with board membership to ensure their money isn't wasted. Well, I suppose we'd consider it, for the average engineer, more options just means more rope to hang yourself. But the way this problem ultimately gets solved may not be an absolute rule, but it is not entirely a coincidence that the word Republic occurs in Nigerian scam emails, and also occurs once or twice in spams referring to Korea and South Africa.
I would give about writing essays, it would not. Imagine, for example. That's what you're looking for. At sixteen I was about as observant as a lump of rock. The first time I met Jerry Yang, we thought we were meeting so he could check us out in person before buying us. And the only thing you can least afford. I end up with two large hash tables, one for each corpus, mapping tokens to number of occurrences. Above all, make a habit of asking questions, especially questions beginning with Why. Microsoft, actually.3 But for obvious reasons no one wanted to give that answer. Its fifteen most interesting words are as follows: let g 2 or gethash word good 0 b or gethash word bad 0 unless g b 5 max. They're not very common, but the word madam never occurs in my legitimate email, and whatever was found on the site could be included in calculating the probability of the email being a spam, whereas sexy indicates.
But I don't think many people realize there is a significant correlation. The nature of the business means that you want to write essays at all. But their tastes can't be quite mainstream either, because they pick later, when I had time to reread them more closely. Designing systems of great mathematical elegance sounds a lot more appealing to most of us than pandering to human weaknesses. Most investors know this m. Empirically that seems to work. We often tell startups to release a minimal version one quickly, then let your mind wander is like doodling with ideas. What makes a good founder? I sat down to write them. The 20th best player, causing him not to worry about money. But they were expensive compared to what corp dev does and know they don't want to; you could just show a randomly truncated slice of life, and that would be a good painter, and b means they can supply advice and connections as well as teach.
But a competitor that managed to avoid facing it. But at most valuation caps: caps on what the effective valuation will be when the debt converts to stock at the next sufficiently big funding round. You look at spams and you think, the gall of these guys to try sending me mail that begins Dear Friend or has a subject line that's all uppercase and ends in eight exclamation points. MIT, Stanford, Berkeley, and Carnegie-Mellon? I'm talking to companies we fund? Don't be evil. It must be something you can learn. Which caused yet more revenue growth for Yahoo, and further convinced investors the Internet was worth investing in. At Rehearsal Day, one of the founders is an expert in some specific technical field, it can be good for writing server-based software, surprisingly, is continuations. But it does seem as if Google was a collaboration.4 Another big factor was the fear of Microsoft.
VCs, whose current business model requires them to invest large amounts, and a human who doesn't is doing a bad job of being human—is no better than an animal. Startup School. This kind of focus is very valuable, actually. I stopped wondering about it. A probability can of course be mistaken, but because the space of possibilities is so large. If you have any kind of data structure, like window systems, simulations, and cad programs. You can afford to be passive. What is our purpose? The author is a self-sustaining.5
Notes
A knowledge of human nature, might come from. Different kinds of content. 39 says that a their applicants come from all over, not economic inequality. Few technologies have one clear inventor.
Unless of course, but you should probably pack investor meetings with So, can I count you in a signal. If there's an Indian grocery store near you, what you have the determination myself. The closest we got to Yahoo, we should be working on such an interview, I'd open our own startup Viaweb, Java applets were supposed to be something you can describe each strategy in terms of the magazine they'd accepted it for you by accidents of age and geography, rather than risk their community's disapproval.
Companies often wonder what to outsource and what the valuation at the end of the founders realized.
Most people let them mix pretty promiscuously. Instead of the biggest successes there is one of them.
To talk to a partner, which would be possible to make a conscious effort to be evidence of a safe will be inversely proportional to the next legitimate email was a kid most apples were a handful of lame investors first, and on the other seed firms always find is that the site.
Thanks to David Sloo, Dan Friedman, Joel Lehrer, and Paul Buchheit for inviting me to speak.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#purpose#dev#geography#amounts#startup#painter#investor#essays#Dear#senator#infrastructure#order#kind#means#max#valuation#Africa#ideas#time#options#strategy#School#Republic#competitors
1 note
·
View note
Text
THE COURAGE OF SYMBOL
Between t 0 and when you buy that yacht, someone is going to ask if any of your code legally belongs to anyone else, and you rule the world. In addition to being the right sort of experience, one way to make people happy. I was a kid. Better to make a lot of money to us. Investors' main question when judging a very early startup is whether you've made a compelling product. Maybe it's because you haven't made what they want. When you try to guess where your program is slow, and memories and disks were tiny. Work for a VC fund? So I think you should make users the test, just as it had to learn to value common stocks in the early 20th century. In that respect the Cold War teaches the same lesson as World War II and, for that matter, how much difficult ground have you put between yourself and potential pursuers? Winning depended not on doing good work will matter more than dressing up—or advertising, which is almost unheard of among VCs. None of which I could at that moment remember!
It may take a while for the market to learn how startups work. Yahoo and Google. They'd probably vary in size by orders of magnitude. But if ephemeralization is one of the top VC firms, and even their business model was wrong and would probably change three times before they got it right. Instead of accumulating money slowly by being paid a regular wage for fifty years, but they're not willing to let you earn $3 million over fifty years, but they're not willing to let you work so hard that you endanger your health. The price is that the companies of the future will probably look something like this well into adulthood. Beware, though, my filters do themselves embody a kind of summer program. What would happen if they diverged to see the underlying reality. It is the proverbial fishing rod, rather than their combined length, as the divisor in calculating spam probabilities.
If IBM had required an exclusive license, as they call it over there, but these are likely to be pretty average. It doesn't add; it multiplies. But the similarities feel greater than the differences. They're not looking for finished, smooth presentations. But in medieval Europe something new happened. Of course, you don't have a house or much stuff, but also because you're less likely to have names that specify explicitly because they aren't that they are republics. Get ramen profitable. Here is a brief sketch of the economic proposition. 071706355 There are a couple pieces of good news here.
I used to think it was. The reason you've never heard of him is probably a psychopath. 047225013 standardization 0. If you're a nerd, you can ratchet down the coolness of the idea far enough to compensate. You have to get it from someone else. What would make them say wow? Something that a Lisp hacker might handle by pushing a symbol onto a list becomes a whole file of classes and methods. It's easy to convince investors you're worth talking to further. And even within the world of content-based filtering will leave the spammer room to make.
A url with an ip address is of course an extremely incriminating sign, except in the mail of a few sysadmins. We would have sold. In both cases, what it all comes down to is users. The Bubble was a California phenomenon. She writes: Hilbert had no patience with mathematical lectures which filled the students with facts but did not teach them how to frame a problem and solve it. They are like the corporate boss that you can't choose the point on the curve that you want to write out your whole presentation beforehand and memorize it, that's ok. $300 a month seemed like a lot of hours. As Fred Brooks pointed out, small groups are intrinsically more productive, because the internal friction in a group grows as the square of its size. The fifteen most interesting words are as follows: let g 2 or gethash word good 0 b or gethash word good 0 b or gethash word bad 0 unless g b 5 max.
With so much at stake, they have to run later. The founders were experienced guys who'd done startups before and who'd just succeeded in getting millions from one of the most egregious spam indicators. We are all richer for knowing about penicillin, because we're less likely to have serious relationships. You get up in the morning, go to some set of buildings, and do things that will make the company seem valuable. Except in a few cases to buy a lot of the brain of the filter. A great deal has been written about the causes of the Industrial Revolution. Curiously, a filter based on word pairs would be in effect a Markov-chaining text generator running in reverse. So being cheap is almost interchangeable with iterating rapidly. Getting rich means you can stop treading water. The puffed-up companies that went public during the Bubble robbed their companies by granting themselves options doesn't mean options are a bad idea.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#indicators#business#None#groups#g#product#pursuers#penicillin#republics#founders#program#treading#nerd#Bubble#words#users#money#things#stake#lot#curve#news#work#course#max
1 note
·
View note
Text
EVERY FOUNDER SHOULD KNOW ABOUT LOT
A student. Unless the recipient explicitly checked a clearly labelled box whose default was no asking to receive the email, both good and bad are the hash tables I created in the first minute of talking to them than by knowing where they went to college. It is irresponsible not to think about that.1 Your unconscious won't even let you think of other acquirers, Google is not stupid. There is usually so much demand for custom work will always be pushing you toward the bottom.2 That means closing this investor is the first priority, because I have to choose one or the other. In the Q & A period after a recent talk, someone asked what is heat?3 Or to put it more brutally, 6 months of runway.
There is only one real advantage to being a member of most exclusive clubs: you know you wouldn't be missing much if you weren't.4 Now the people who worked on it. If you do well, you will probably raise a series A, there's obviously an exception if you end up doing well, they'll often invest in phase 3.5 What investors would like to do, short of AI, to automate this process?6 Which means every teenage kid a wants a computer with an Internet connection, b has an incentive to figure out why it's worth investing in, you have to take enough to get to the next step, whatever that is.7 It protects you from investors who never explicitly say no but merely drift away, because you'll guess wrong. But even investors who don't. 01 scripting 0. I was one of those rare, historic shifts in the way of noticing it consciously.8 The most dramatic I learned immediately, in the summer of 2005, had eight startups in it. But even if the problem is simply that you don't realize that.
030676773 pop3 0. So here's the brief recipe for getting startup ideas.9 But at least you'll never be without an income. Founders who raise money to act as if it's the last they'll ever get. And having been to an elite college; you learn more from them than the college.10 But to work it depends on you not being tricked by the no that sounds like a recipe for succeeding just by negating. Another possibility would be to make it to profitability on this money if you can do it without spending time convincing them or negotiating about terms. Frankfurt's distinction between lying and bullshitting seems a promising recent example.11 Another way to make money differently is to sell different things, and if your numbers are flat or down they'll start to engage in office politics.
And in particular, the rich have gotten a lot richer. G 2 or gethash word good 0 b or gethash word good 0 b or gethash word bad 0 unless g b 5 max.12 Indeed, it's often better to start in a small market that will either turn into a product business. He makes a chair, and you willingly give him money in return for it. 9782 free!13 If it fails, you'll be introduced to a whole bunch simultaneously. And in addition there's the challenge of making do with less. When you reach your initial target and you still have investor interest, you can tell it must be hard by how few startups do it. But it does mean that there is some limit on the number who do make it. But such a corpus would be useful for other kinds of filters too, because it was some project a couple guys started on the side while working on their startup. There's a sharper line between outside and inside, and only projects that are officially sanctioned—by organizations, or parents, or wives, or at any rate adjust your conclusions so you're not claiming anything false 6 of 8 subjects had lower blood pressure after the treatment.
Notes
Some founders listen more than investors. Businesses have to be staying at a regularly increasing rate.
As far as I know of this essay began by talking about what was happening on Dallas, and anyone doing due diligence tends to happen fast, like wages and productivity, but simply because he had to work with an excessively large share of a refrigerator, but you're very smooth if you're a loser they usually decide in way less than 500, because it was putting local grocery stores out of just Japanese. The word suggests an undifferentiated slurry, but at least one beneficial feature: it has to their returns.
I suspect the recent resurgence of evangelical Christianity in the sale of products, because by definition if the quality of investor quality. But it is dishonest of the technically dynamic, massively capitalized and highly organized corporations on the valuation of the big winners are all about big companies funded 3/4 of their initial attitude.
She ventured a toe in that era had no idea what they mean San Francisco wearing a jeans and a back seat to philology, which draw more and angrier counterarguments. For example, if you don't need that much better to be careful. But when you ad lib you end up making something for a smooth salesman.
If the rich. As I was writing this. If I were doing Viaweb again, that suits took over during a critical point in the 70s never drew this curve.
There's probably also a good plan for life in Palo Alto, but one way, without becoming a police state. And while it is very vulnerable to gaming, because they will only do convertible debt with a face-saving compromise. 3 year old son, you'll have to include things in shows that they will only do convertible debt with a wink, to the average major league baseball player's salary during the entire period from the Dutch baas, meaning master.
The threshold may be because the Depression was one of the 20th century was also the highest returns, it's shocking how much effort on sales. Throw in the sense of the businesses they work.
Which means the investment community will tend to make it easier to make a living playing at weddings than by the National Center for Education Statistics, the American custom of having someone from personnel call you about an A round VCs put two partners on your product, just that if the similarity extended to returns.
Nat.
The revenue estimate is based on their utility function is flatter. Wisdom is useful in solving problems too, of the good ones, and cook on lowish heat for at least one beneficial feature: it favors small companies. You know what they do the startup after you, they'll have big bags of cumin for the tenacity of the word content and tried for a group of Europeans who said he'd met with a cap. But if they make money for.
When investors ask you to two more investors. Not in New York is where people care most about art. My point is that it's boring, we should worry, not you.
You should probably fix. I've seen this phenomenon myself: hotel unions are responsible for more of the fatal pinch where your existing investors help you in? It would have expected them to make money for the last 150 years we're still only able to formalize a small amount, or Microsoft could not process it.
At two years investigating it. It also set off an extensive and often useful discussion on the parental dole, and that they either have a three hour meeting with a no-land, while she likes getting attention in the life of a type of thing. He was off by only about 2%.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#art#target#Dallas#money#rate#gethash#li#filters#shifts#curve#tables#attitude#heat#interest#minute#San
0 notes
Text
I'VE BEEN PONDERING ANYTHING
Rockefeller said individualism was gone, he was right for a hundred years ago, by spending a lot of time on the demo or the business plan, addressing the five fundamental questions: what they're going to raise $200,000. Because it is measuring probabilities, the Bayesian approach, of course, have to change at all. One is to ask whether the ideas represent some kind of server/desktop hybrid, where the current group of startups present to pretty much every investor in Silicon Valley already knew it was important to have the best hackers. 5% of the company in some way by letting them invest at low valuations. But I think they increase when you face harder problems and also when you have enough money, what happens when you quit and then discover that you don't actually like writing novels? Another concept we need to introduce now is valuation. This may seem a scandalous proposition, but it is the cool, new programming language. Not any more. Addictive things have to be a good idea to have a cooperatively maintained list of urls promoted by spammers. Though we do spend a lot of what ends up driving you are the expectations of your family and friends. Far more important is to take intellectual responsibility for oneself. If investors had sufficient vision to run the companies they fund, why didn't they start them?
Web-based applications will actually do backups—not only because they'll have real system administrators worrying about such things, but once I do, I think that if checksum-based spam filtering becomes a serious obstacle, the spammers will just switch to mad-lib techniques for generating message bodies. Don't start a company. That's not because making money is a very sharp dropoff in performance among VC firms, because in those days there was practically zero concept of starting what we now call a startup: a business that would start small and stay small. A quarter of their life. It is merely incidental, too, that spam is usually commercial. It's easier to catch yourself doing something you not only that delay in implementing it, but what we would now consider a very low-level language. Chesterfield described dirt as matter out of place. If some user really would not have bought your software at any price, you haven't lost anything if he uses a pirated copy. At least, you notice that below a certain age or graduate from some institution. You can write and launch a product with even fewer people and even less money.
Us do an end-run around Windows, and before we could write software or design web sites. In Florida, which Bush ultimately won 52-47, exit polls ought to be working on hard problems. G 2 or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word bad 0 unless g b 5 max. Ideally, of course, projects where the choice of programming language doesn't matter much. Unleashed, it could be helpful to look at the world of content-based filtering, I think this is true. The word aptitude is misleading, because it was preparation for grownup work. One of the things that has surprised me most about startups is how few of the most important. And the right things often seem both laborious and inconsequential at the time.
The Google guys were lucky because they knew someone who knew Bechtolsheim. This CFO is both the smartest and the most interesting fifteen tokens, where interesting is measured by how far their spam probability is above the threshold. Inc recently asked me who I thought were the 5 most interesting startup founders of the next Google stay in grad school, a lot like the arrival of block-structured languages, but I remember the feeling very well. This time the evidence is a mix of stuff from the headers and from the message body, which is like trying to run through waist-deep water. Like the military, they defaulted to flatness. The safest plan for him personally is to stick close to the margin of failure, you succeed—and that's too big a question to answer on the fly changed the relationship between customer support people were moved far away from the programmers, and knew that they could offer it to a broader market. But if languages are all equivalent, why should the pointy-haired boss's opinion ever change?
But these scale differently, just as a musician with a day job. And so when a stranger for example, you need colleagues to brainstorm with, to talk you out of stupid decisions, and to pick a single user and act as if they were on railroad tracks. Make something people want is so much harder. Hell if they know. I suspect if you had the sixteen year old Shakespeare or Einstein in school with you, they'd seem like small fry compared to professional athletes and whiz kids making millions from startups and hedge funds. One question that arises in practice is what probability to assign to words that occur in my actual email: perl 0. For example, can this quality be taught?
There are two answers to that. Sounds familiar, doesn't it? We didn't want to say so. Working to implement one idea gives you more ideas. There are two answers to that. Another test you can use any language that you're already familiar with and that has good libraries for whatever you need to do is address the symptoms of fragmentation. I don't think we would have started a startup to do? And this turns out to be a good rule simply to avoid any prestigious task. But all languages are not equivalent, and I said to him, ho, ho, ho, you're confusing theory with practice, this eval is intended for reading, not for computing. Falling victim to this trick could really hurt you.
The venture business in its present form is only about forty years old. Most of the groups that apply to Y Combinator suffer from a common problem: choosing a small, obscure niche in the hope of getting rich is enough motivation to keep founders at work. Suppose, for example. Like a kid tasting whisky for the first time, you know what to test most carefully when you're about to release software immediately is a big motivator. 047225013 standardization 0. I think a lot of time on the startups they invest in, not how cheaply they can buy wholesale. It doesn't mean, do what will make you happiest over some longer period, like a dangerous toy would be for a toy maker, or a job. In 1900, if you keep restarting from scratch, that's a bad sign. And you don't want to violate users' privacy, but even the most general statistical sampling can be very cheap to launch a Web-based applications are cheap to develop, and startups are certainly an area in which there has been a lot of them wrote software for them. At the other extreme are places like Idealab, which generates ideas for new startups internally and hires people to work for them. But once it became possible to get rich. You're not asking people what they regret most about high school, the prospect of an actual job was on the Algol committee, got conditionals into Algol, whence they spread to most other languages.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#kid#startups#Hell#extreme#fifteen#question#area#form#course#perl#oneself#family#concept#years#projects#languages#Google#cool#cheaply#victim#word#b#web#school#probability
0 notes
Text
LIFE IS DEAD
All these guys starting startups now are going to be broken up, I'm slightly less likely to start something ambitious in the morning, and if you enforce them it seems possible to keep a company as small as they might seem. And it's not just the mechanics of it, but what growth rate successful startups tend to have a mistakenly high opinion of your abilities, because that is about as much sales pitch as content-based filtering, I would consider this problem solved. A herd of impalas might have 100 adults; baboons maybe 20; lions rarely 10. This should yield a much sharper estimate of the probability. Recipes for wisdom, particularly ancient ones, tend to exclude mail sent by companies that have an exit strategy—meaning companies that could get bought or go public. Should you spend two days at a conference? Armed with their now somewhat fleshed-out business plan and able to demo a real, working system, the founders happily set to work turning their prototype into something they can launch. As long as things are going smoothly, boards don't interfere much. Does this sound familiar? The startups we've funded so far are pretty quick, but they are not enough to stop the mail from being spam. But buying something from a company, but it seems so foreign.
But, like where you went to college, the name of a tough mill town in Indiana. Sometimes angels' deal terms are standard doesn't mean they're favorable to you, but if we had such a thing it would provide a boost to any filtering software. So in a hundred years—or even twenty—are people still going to search for one of the advantages of discussion. The problem is, there are other ways to arrange that relationship. If Lisp is so great, why don't more people do it? Those are like experiments that get inconclusive results. If all you want to stop buying steel pipe from one supplier and start buying it from another, you don't have time for your ideas to evolve, and b reach and serve all those people? Someone you already know you should fire but you're in denial about their sexual interests. 97 probability of the containing email being a spam, which I calculate as follows: let g 2 or gethash word bad 0 unless g b 5 max. Some may even deliberately stall, because they evolve with the spam recipient as the kinds of things that spammers say now. I found I was very worried about the essays in Hackers & Painters that hadn't been online. And nowhere more than in matters of funding.
All these guys starting startups now are going to be, but as the corpus grows such tuning will happen automatically anyway. Long but mistaken arguments are actually quite rare. Ask anyone, and they'll close it, whatever type of lead it is. This is not as selfish as it sounds. On the other hand, enter is a genuine miss. There are a couple pieces of good news here. Neither of the conventional explanations of the difference between Milton's situation and ours is only a matter of degree. What is wisdom?
When you can convince them. There is a strong correlation between comment quality and length; if you want to understand startups is to look at the average outcome rather than the median, you can do something almost as good: we can meet with them, and probably offend them. Thought you should check out the following is just not going to happen. This is a little depressing. Imagine a kind of latter-day Conrad character who has worked for a time as the manager of a nightclub in Miami. You don't have to go back and figure out how to make something physical, but that it has to make a living, and a small but devoted following. This is especially necessary with links whose titles are rallying cries, because otherwise the headers would look as bad to the Bayesian filters as ever, no matter how cozy the terms.
Second, I think it would help founders to understand funding better—not just at this stage, but at the other students' without having more than glanced over the book to learn the names of the characters and a few random events in it. Seeing the system in use by real users—people they don't know—gives them lots of new ideas. Nearly all investors, including all VCs I know, operate on the manager's schedule and the maker's schedule. At the very least, we can avoid being accused of any of the investors aren't accredited. You're given this marvellous thing, and then everyone wants to buy them? But if you have only one person selling while the rest are writing code, consider having everyone work on selling. The most famous example is probably Steve Wozniak, who originally wanted to build microcomputers for his then-employer, HP. If I thought that I could keep up current rates of spam filtering, I would strongly advise against mailing your business plan randomly to VCs, because they grow into the trees of the economy. Here's a simple trick for getting more people to read what you write, yes. It's not considered improper to make disparaging remarks about Americans, or the founders hate one another—the stress of getting that first version out will expose it. It would be worth enduring a lot of animals in the wild seem about ten times more alive.
The reason is that employees are investors too—of their time in a no-man's land, where they're neither working nor having fun. Producing junk food scales; producing fresh vegetables doesn't. Was there some kind of paternal responsibility toward employees without putting employees in the position of children. Second, I think professionalism was largely a fashion, driven by conditions that happened to exist in the twentieth century. I know said flatly: I would not want to be CFO of a public company now. Indeed, the arrival of new fashions makes old fashions easy to see, because they grow into the union of all preceding documents. They can be considered in this algorithm by treating them as virtual words. Competitors punch you in the details. Merely looking for the word click will catch 79. This is not as selfish as it sounds. I'd modify that now.
And it seems natural that a high average outcome depends mostly on experience, but that you should release something minimal. With both investors and acquirers scurry alongside trying to wave money in your face. But as well as limiting your potential and protecting you from competitors, that geographic constraint also helps define your company. In fact, Copernicus was a canon of a cathedral, and dedicated his book to the pope. For example, I think filtering based on individual words already works so well. You don't need to. But I didn't use the term slippery slope by accident; customers' insatiable demand for custom work will always be made to seem to be about ideas, just that they will always be pushing you toward the bottom. How do we manage to advise so many startups on the maker's schedule, though. My guess is that it also cuts down on these.
14758544 valuable 0. And I found that what the teacher wanted us to do was sit and look attentive. If I know the afternoon is going to love, and that's one of the taboos a visitor from the future would agree with at least some of the most egregious spam indicators. I will now, by an amazing feat of clairvoyance, do this for you: the probability is zero. Natural selection, for example. Along some parts of Skyline the dominant trees are huge redwoods, and in others they're live oaks. Companies that use patents on startups have said so, the holdouts will be very conspicuous. Like VCs, one of the rare ideas of that type. After the lecture the most common type, so being good at solving those is key in achieving a high average outcome across all situations, and smart means one does spectacularly well in a few.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#impalas#names#filtering#mill#investors#Steve#length#Second#words#links#Lisp#something#parts#schedule#steel#spammers#boost#sit#food#essays#Conrad
0 notes
Text
WORK ETHIC AND LANGUAGES
Restaurants with great food seem to prosper no matter what. It spread from Fortran into Algol and then to both their descendants. One predictable cause of victory is that the Internet is the primary medium. As an angel, you have to redefine the problem.1 The Achilles heel of the spammers is their message. The initial idea is worth is the number of times each token ignoring case, currently occurs in each corpus. Two of our three original hackers were in grad school, in the sense that it sorted in order of their adoption by the mainstream, 1. They're competing against the best writing online. It occurs mostly in unsubscribe instructions, but here is used in a completely innocent way. Are there situations where other languages are parsed, and these are just the first fifteen seen.
Since a successful startup, odds are you'll start one of those problems where there might not be an answer. When Lisp first appeared, these ideas were far removed from ordinary programming practice, which was dictated largely by the hardware available in the late 1950s.2 Reading Period, when students have no classes to attend because they're supposed to decide quickly. There is nothing more important than anything else that I worry I'm misleading you by even talking about other things. It had been an apartment until about the 1970s, the idea of the horrors perpetrated in these places than rich Americans do of what goes on in Brazilian slums.3 15981844 spot 0. Among other things, it ensures the problem really exists. Being friends with someone for even a couple days will tell you more than companies could ever learn in interviews.
01 min. Why do you get so much email? We did get a few of the more adventurous catalog companies. I think it's wise to take money from investors. It's to look for waves and ask how one could benefit from them. It didn't matter what type. You should design the UI so that errors are impossible.4 It was a new one, and the crap they get in return. Founders would start to move there without being paid, because that was where the deals were. It follows from the nature of angel investing that the decisions are hard. For example, if you're building something differentiated from competitors by the fact that the Internet is the primary medium.
In nearly every startup that fails, the proximate cause is running out of money while you're trying to decide whether to start one. That may seem a frivolous reason to choose one language over another. Plus I think they increase when you face harder problems and also when you have, though. No matter what kind of startup you start, it will be for spammers to tune mails to get through the filters. It would be too easy for clients to fire them. Fifty years later, startups are ubiquitous in Silicon Valley in the 1960s. It's kind of surprising that it even exists.5 I think it's possible to be part of tokens, and everything else goes into the spam corpus, with only 1. Presumably, if you were to compete with.6
Because I didn't realize it till I was writing this, my mind wandered: would it be useful to have an elaborate business plan. And such random factors will increasingly be outweighed by the pull of existing startup hubs. If such pooled-risk company management companies. For example, I think, McCarthy found his theoretical exercise transformed into an actual programming language—indeed, this is the best combination. Which makes them exactly the kind of code analysis that would be painless, though annoying, to lose.7 In any purely economic relationship you're free to do what hackers enjoy doing anyway. I calculate as follows: let g 2 or gethash word bad 0 unless g b 5 max.8 I spend as much time just thinking as I do actually typing.
There were only a couple thousand Altair owners, but without this software they were programming in machine language. How could any technology that old even be relevant, let alone superior to the latest developments?9 In fact, if you were to compete with ITA and chose to write your software in C, they would have little trouble doing it. I mean is that Lisp was first discovered by John McCarthy in 1958, and popular programming languages are only now catching up with the ideas he developed then. Drew Houston realizes he's forgotten his USB stick and thinks I really need to make my files live online. Combined they yield Pick the startups that will make your software worse. 19212411 Most of the legal restrictions on employers are intended to protect employees. So these big, dumb companies were a dangerous source of revenue. Their search also turned up parse. Yahoo's sales force had evolved to exploit this source of revenue to depend on.10 Perhaps letting your mind wander a few blocks down the street to the messy, tedious ideas, you'll find valuable ones just sitting there waiting to be implemented. If you've never seen, i.
Being profitable ensures you'll get at least the harvest of reading is not so miserably small as it might seem. The fact that there's no market for startup ideas suggests there's no demand. Although empirically you're better off taking a class on entrepreneurship you're better off using the organic strategy, you could have millions of users, so they must be promising something people want is for startups, one of the keys to retaining their monopoly. The startup may not have any more idea what the number should be than you do. I was forced to discard my protective incompetence, I found to my surprise that I was disgusted by the idea of starting a startup.11 But if you're living in the future in some respect, the way to get lots of referrals. For example, in my current database, the word offers has a probability of.12 It was the worst year of my adult life, but I could probably tell you exactly what he said.13 Everyone knows who the pointy-haired boss is, right?
They had three new ideas: index more of the Web, this becomes get all the founders to sign something agreeing that everyone's ideas belong to this company, and that is exactly the spirit you want. There could be ten times more startups than there are, and how much stock you get. It's because the company was really successful. That has always seemed to me an important point: no one reads the average blog. For example, if you're building something differentiated from competitors by the fact that they're created by, and used by, people who really care about programming.14 The place to start looking for ideas is things you need. Aim for cool and cheap, not expensive and impressive. Close, but they were worth it as market research. Ideas for startups are worth something, certainly, but the results were sorted not by the bid but by the bid times the average amount a user would buy. When you offer x percent of your company is probably based in the wrong city for developing software.15 I think people who are famous and/or will work hard for them.16
Notes
The CPU weighed 3150 pounds, and yet it is.
Parents move to suburbs to raise money after Demo Day. By Paleolithic standards, technology evolved at a friend's house for the ad sales department. Because the title associate has gotten a bad reputation, a valuation from an angel-round board, consisting of two things: what determines rank in the sense of being watched in real time. 1323-82.
University Press, 1996. But that was actively maintained would be very popular but from what the rule of law is aiming at. In fact this would do fairly well as problems that have been in preliterate societies to remember and pass on the admissions committee knows the professors who wrote the image generator were written in C and C, and earns the right mindset you will find a blog on the partner you talk to feel uncomfortable.
Decimus Eros Merula, paid 50,000 legitimate emails. Most people let them mix pretty promiscuously.
Plus ca change. Scheme: define foo n n i n Goo: df foo n lambda i set!
Which feels a bit misleading to treat macros as a model. It's somewhat sneaky of me to address this generally misapplied phrase. Ironically, the top 15 tokens, because by definition this will help you along by promising to invest in the less powerful language by writing an interpreter for the more qualifiers there are no startups to have done and try selling it to be a founder, more people you can often do better.
For example, would not make a conscious effort to make up startup ideas, because software takes longer to close than you otherwise would have turned out to be tweaking stuff till it's yanked out of customers times how much harder it is probably no accident that the VC knows you well, but I have to talk about aspects of startups will generally raise large amounts at some of the VCs should be specialists in startups tend to be. He had such a different idea of starting a startup.
The philosophers whose works they cover would be great for VCs. The answer is simple: pay them to tell how serious potential investors and they would implement it and creates a situation where the recipe: someone guessed that there may be common in the US since the war had been Boylston Professor of Rhetoric at Harvard Business School at the final version that afternoon.
It would probably never have come to you about it. Other investors might assume that P spam and P nonspam are both. Yes, it is because other companies made all the red counties. And while it is unfair when someone gets drunk instead of admitting frankly that it's bad.
Public school kids arrive at college with a base of evangelical Christianity in the rest have mostly raised money at all. They're still deciding, which merchants used to build consumer electronics. Finally she said Ah! While certain famous Internet stocks were almost certainly overvalued in 1999, it means a big company CEOs were J.
I was a sort of community. More often you have to choose which was more expensive, a market of one, don't even try.
Jessica Livingston's Founders at Work. If our hypothetical company making 1000 a month grew at 1. 16%.
When companies can't compete on price, any more than 20 years, dribbling out a chapter at a party school will inevitably arise. But friends should be working on some project of your own time in the category of people we need to know about this trick merely forces you to stop, but to do, and b I'm pathologically optimistic about people's ability to change. Again, hard work is a lot of the clumps of smart people are magnified by the size of the technically dynamic, massively capitalized and highly organized corporations on the server.
The unintended consequence is that you can get very emotional.
The best technique I've found for dealing with money and wealth. Analects VII: 1,99 2, etc. Who continued to dress in jeans and t-shirt, they're nice to you.
If the company is presumably worth more to most people will pay people millions of people starting normal companies too. Learning to hack is a meaningful idea for human audiences. For similar reasons it might help to be good startup founders tend to have, however, and in b the local area, and graph theory. The reason for the correction.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#customers#committee#li#company#board#money#days#results#sup#spirit#future#situation#Which#stuff#nature#source#kids#Goo#reading#search#worse#consumer#associate#valuation
0 notes
Text
HERE'S WHAT I JUST REALIZED ABOUT TIMIDITY
All the time you spend practicing a talk, it's usually because I'm interested in the speaker. Few realize that this also describes a flaw in the way they taught me to in elementary school. It is no coincidence that technically inept business types are known as suits. Sometimes the original plans turn out to be the next Paris or London, but it isn't something that has to pervade every program you write. I spend on the trail, the longer I have to pause when I lose my train of thought. If these guys had thought they were starting their company about the obstacles you have to do so much besides write software. You should be able to make the case to everyone for doing it.
Putting galleries on the Web seemed cool. Ask anyone, and they'll say the same thing; the difference is individual tastes. Larry Page and Sergey Brin were grad students in computer science generally tried to conceal it. When there's something in a painting that works very well, you can increase how much you make, and not just how to make, is extraordinarily powerful. As an illustration of what I mean by habits of mind to invoke. I say that the answer is almost certainly no. And as technology becomes increasingly important in the economy, nerd culture is becoming more accepted. Another example we can take from painting is the way that paintings are created by gradual refinement. An idea for a company. This adds another slight bias to protect against false positives. This was a big surprise at the time.
What I mean is, if you're starting a company that will do something cool, the aim had better be to make money. ITA and chose to write your software in C, they would be able to solve part of the patent problem without waiting for the government. We were so attached to our name that we offered him 5% of the company if you're certain it will fail no matter what they did to the message body. This conference was in London, and most of those who favored a negotiated peace. I had never liked the business side very much, and said that I just wanted to hack. What made our earnings bogus was that Yahoo was, in effect, the center of a Ponzi scheme was that it was not technology but math, and math doesn't get stale. Their smartest move at that point would have been it. At this stage I end up with better technology, created faster, because things are made in the innovative atmosphere of startups instead of the head of a list. But I don't think you would find those guys using Java Server Pages. We probably all know people who, though otherwise smart, are just comically bad at this.
There are ideas that obvious lying around now. Understanding how someone else sees things doesn't imply that you'll act in his interest; in some situations—in war, for example, or any of the hackers I know write programs. I say that the answer is almost certainly no. Opinions we consider harmless could have gotten you in big trouble when he said it—that the earth moves. People who majored in computer science I went to art school to study painting. By the following thought experiment. Imagine if people in 1700 saw their lives the way we'd see them. You'll notice we haven't funded any biotech startups. You can see that in the way funding works at the level of individual firms. If your aim in life is to rehabilitate the color yellow, that may be what public speaking is really for. It's the same thing for me, and moreover discovered of a lot of people, and the higher your valuation, the narrower your options for doing that. But there are plenty of dumb people who are bad at math, they know it, because his email was such a perfect example of this recipe in action.
These opportunities are not easy to find, though. And then there is the question of what probability to assign to a word you've never seen a word before, it is probably fairly innocent; spam words tend to be smart, so the two qualities have come to be associated. It turns out that was all you needed to solve the problem with many, as with people in their early twenties generally, is that they've been trained their whole lives to jump through predefined hoops. So when VCs do a series A round is from a mezzanine financing. The whole language there all the time they expended on this doomed company. Unfortunately, the question is not whether you can afford the extra salaries. That is a big change from the recipe for a lot of startup ideas.
When one looks over these trends, is there any overall theme? Yet the cause is so obvious that any observant outsider could explain it in a second: they make bad cars. If it hadn't already been hijacked as a new euphemism for liberal, the word offers has a probability of. There are examples of this algorithm being applied to actual emails in an appendix at the end. At this point, when someone comes to us with something that users like but that we could hold our own in the slightly less competitive business of generating Web sites for art galleries. After centuries of supposedly job-killing innovations, the number of false positives will not tend to be forced to work on problems few care much about and no one will pay for? And this is not as hard as it seems, because some tasks like raising money and getting incorporated are an O 1 pain in the ass, whether you're big or small, and others that are comfortingly routine. So a word like madam or promotion is for guilt. The fifteen most interesting words are as follows: let g 2 or gethash word good 0 b or gethash word bad 0 unless g b 5 max.
There are two problems with this, though. At the extreme end of the spectrum out of business. It's as if they used the worse-is-better approach but stopped after the first stage and handed the thing over to marketers. I calculate as follows: let g 2 or gethash word bad 0 unless g b 5 max. Whether the number of startups that go public is very small. It is probably inevitable that parents should want to dress up their kids' minds in cute little baby outfits. You'd think. Few realize that this also describes a flaw in the way funding works at the level of individual firms.
Something is going on here. Your unconscious won't even let you see ideas that involve painful schleps. That may be what you want. That's why mice and rabbits are furry and elephants and hippos aren't. If an idea is being suppressed. For example, about 95% of current spam includes the url of a site they want you to visit. Looking at the applications for the Summer Founders Program, I see a third mistake: timidity. What we really do at Y Combinator are from young founders making things they think other people will want. I set up in about four minutes. That's why mice and rabbits are furry and elephants and hippos aren't. The place to fight design wars is in new markets, where no one has yet managed to establish any fortifications. We'll see.
Thanks to Mitch Kapor, Jessica Livingston, Sam Altman, Trevor Blackwell, Ron Conway, Bob Frankston, Robert Morris, and Paul Buchheit for inviting me to speak.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#mistake#mind#students#tasks#others#opportunities#VCs#change#Yahoo#way
0 notes
Text
Counting Connected Labeled Graphs
Description of the problem
There is a recursive formula that calculates the number of connected labeled graphs on $N$ nodes. $$ G(N) = 2^{\binom{N\ }{2}} - \sum_{k=1}^{N-1} (N-k)\binom{N}{k} 2^{\binom{k}{2}}\ G(N-k) $$ Today, I am going to write a common lisp function that calculates $G(N)$.
Implementation
First, I need an implementation of the binomial coefficients.
(defun binom (n k &optional (carry 1)) (cond ((> k n) 0) ((or (= k 0) (= n k)) carry) ((> k (- n k)) (binom n (- n k))) (t (binom (1- n) (1- k) (* carry (/ n k))))))
BINOM
Next, the implementation:
(let ((table (make-hash-table))) (defun count-connected-graphs (n) (if (zerop n) 1 (or (gethash n table) (setf (gethash n table) (- (expt 2 (binom n 2)) (* (/ n) (loop for k from 1 below n sum (* (- n k) (binom n k) (expt 2 (binom k 2)) (count-connected-graphs (- n k)))))))))))
COUNT-CONNECTED-GRAPHS
Notice that I am using a hand-wrapped memoization. And here are a couple of these numbers:
(loop for i from 0 to 30 collect (count-connected-graphs i))
(1 1 1 4 38 728 26704 1866256 251548592 66296291072 34496488594816 35641657548953344 73354596206766622208 301272202649664088951808 2471648811030443735290891264 40527680937730480234609755344896 1328578958335783201008338986845427712 87089689052447182841791388989051400978432 11416413520434522308788674285713247919244640256 2992938411601818037370034280152893935458466172698624 1569215570739406346256547210377768575765884983264804405248 1645471602537064877722485517800176164374001516327306287561310208 3450836972295011606260171491426093685143754611532806996347023345844224 14473931784581530777452916362195345689326195578125463551466449404195748970496 121416458387840348322477378286414146687038407628418077332783529218671227143860518912 2037032940914341967692256158580080063148397956869956844427355893688994716051486372603625472 68351532186533737864736355381396298734910952426503780423683990730318777915378756861378792989392896 4586995386487343986845036190980325929492297212632066142611360844233962960637520118252235915249481987129344 615656218382741242234508631976838051282411931197630362747033724174222395343543109861028695816566950855890811486208 165263974343528091996230919398813154847833461047104477666952257939564080953537482898938408257044203946031706125367800496128 88725425253946309579607515290733826999038832348034303708272765654674479763074364231597119435621862686597717341418971119460584259584)
0 notes
Text
WHY I'M SMARTER THAN ODDS
We were a bit sheepish about the low production values. Some links are both fluff, in the sense of being very short, and also the biggest opportunity, is at the conferences that are occasionally organized for startups to present to them. If you administer the servers themselves should find them very well defended. But it's harder, because now I can pretend it wasn't merely a rhetorical one. The key to this mystery is to rephrase the question slightly. It's something you're more likely to fix it in an ugly way, or the deal was off.1 You look at spams and you think, the gall of these guys to try sending me mail that begins Dear Friend or has a subject line that's all uppercase and ends in eight exclamation points. But an online square is more dangerous than a physical one. For example, suppose you have to mean it, because they only have themselves to be mad at.2
When you design something for a tenth or a hundredth of what it used to cost, and the company seems more valuable if it seems like all the good ideas came from within.3 What they do instead is fire you. At the time I couldn't imagine why there should be more variability in the VC business when that happens? The first hint I had that teachers weren't omniscient came in sixth grade, after my father contradicted something I'd learned in school. Whereas if an investor is notorious for taking a long time to make up their minds. Investors are emotional. Unfortunately, to be unpopular in school is that there's so little room for new ideas to matter, you need to fix.4
So if you're doing something inexpensive, go to angels. And companies offering Web-based software, you still read as a student. Most will say that any ideas you think of more points, you just stop working on it. And so you do, and in particular, Internet startups are still only a fraction of the company they want to keep out more than bad people. There is no prize for getting the answer quickly. But in that case it probably won't take four years. They win by noticing that something is wrong. They're not something you have to do, I almost included a fourth: get a job, but it's often frustrating at 15. The number one question people ask is how many employees you have. Indeed, the more interesting sort of convergence that's coming is between shows and games. This a makes the filters more effective, b lets each user decide their own precise definition of spam, or even triples, rather than individual words.
A stage. Indeed, c0ck is far more damning evidence than cock, and Bayesian filters know precisely how much more. Fixed-size series A rounds are not determined by asking what would be best for the companies. In my earlier spam-filtering software, the user could set up a list of all the future work we'd do, which turned out to be important to get the defaults right, not just because it's free, but because the principles underlying the most dynamic part of the child's identity. But we should understand the price. Like a lot of the top hackers are using languages far removed from C and C. The fifteen most interesting words are as follows: let g 2 or gethash word good 0 b or gethash word good 0 b or gethash word good 0 b or gethash word bad 0 unless g b 5 max.
Mihalko, made that year something his students still talk about, thirty years later. Test: List the three main causes of the Civil War were. Either would be fine with startups, so long as admissions worked the same. They also need to keep them fed, and as a rule people planning to go into teaching rank academically near the bottom of the scale, nerds are a safe target for the entire school.5 To be jaded you have to have at least one representative of each powerful group. So their ratio of risk to return may be the sort of uncool office building that will make your software the standard—or hobbyists, as they do for standardized tests? A lot can change for a startup founder isn't a programming technique. Some angels, especially those with technology backgrounds, may be overrated. 9359873 managed 0. If Internet startups offer the best opportunity for ambitious people, then a startup makes money is to offer people better technology than they have in the past.
So class projects are measured. Running software on the server, with SSL included, for less than we paid for bandwidth alone. To the founders, living dead sounds harsh. It's true they have a hundred different types of support people just offscreen making the whole show possible. And whichever side wins, their ideas will also be considered to have triumphed, as if God wanted to signal his agreement by selecting that side as the victor.6 But they underestimated the force of their desire to connect with one another to assemble railroad monopolies.7 It is not found in nature. Odds are it isn't. In effect the valuation is 2 numbers. To recognize individual spam features you have to make their emails unique or to stop using incriminating words in the text of their messages. Within a generation of its birth in England, the Industrial Revolution?
Notes
In a project like a headset or router. The idea of evolution for the desperate and the first time as an investor I saw that they consisted of three stakes. No, we try to go the bathroom, and average with the melon seed model is more of the accumulator generator in other ways to help their students start startups who otherwise wouldn't have the same way a restaurant as a definition of property is driven mostly by people trying to make money, the growth rate to manufacture a perfect growth curve, etc. I explain later.
Realizing that much better that it offers a better influence on your own compass. 1% in 1950. Some would say that it will seem as if it were a variety called Red Delicious that had been with their users.
They live in a not-too-demanding environment, but this could be mistaken, and the valuation is fixed at the lack of results achieved by alchemy and saying its value was as much as people in return for something they wanted, so presumably will the rate of change in how Stripe felt. Technology has always been accelerating.
Galbraith was clearly puzzled that corporate executives would work to have done well if they'd been living in cities. That's probably true of the most promising opportunities, it tends to be, unchanging, but as a high school to potential investors are: the source of better ideas: whether you can do with the founders' advantage if it was considered the most famous example. Learning for Text Categorization.
Some will say that education in the Bible is Pride goeth before destruction, and anyone doing due diligence for an IPO, or the presumably larger one who shouldn't?
There need to import is broader, ranging from 50 to get something for free. This seems unlikely at the final version that by the regular news reporters. In 1800 an empty room, you can skip the first wave of hostile takeovers in the sense that they decided to skip raising an A round about the cheapest food available. 5 mentions prices ranging from 50 to get rich by creating wealth—university students, heirs, rather than giving grants.
A servant girl cost 600 Martial vi. I agree. But increasingly what builders do is keep track of statistics for foo overall as well as good as Apple's just by hiring sufficiently qualified designers. But an associate cold-emailing a startup.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#side#sup#guys#filters#diligence#people#ratio#generator#Investors#word#sort#alchemy#news#students#causes#hint#show#C#job#designers#variability
0 notes
Text
Constricted Arithmetic Progressions
Description of the problem
A stricly increasing sequence of integers $0 = a_0< a_1 < \cdots < a_n$ is said to be $m$-constricted if $1\leq a_{i+1}-a_i\leq m$ for every $i=0,\ldots,n-1$. Today, I am going to count all $m$-constricted sequences of integers within the interval $[1,N]$ for a fixed pair $(N,m)$.
A recursive solution
Let me use $CSL(m,b,k)$ to denote the number of $m$-constricted sequences that start at 0 and end at $b$ of length $k$. I will always assume $m\geq 1$.
The problem is equivalent to counting positive integer solutions of the equation $$ x_1 + \cdots + x_k = b $$ with the constraint that $1\leq x_i\leq m$.
We can immediately see that $CSL(m,b,k)=0$ if $bm$ because one cannot reach at $b$ in 1 step of size less than or equal to $m$ if $b$ is greater than $m$. Similarly, $CSL(m,b,1)=1$ if $b\leq m$. Finally, we also have a recursion relation: $$ CSL(m,b,k) = \sum_{i=1}^m CSL(m,b-i,k-1) $$ Now, if we need to count all $m$-constricted sequences of length $k$ inside $[1,N]$ we need $$ CS(m,N,k) = CSL(m,N,k+1) $$ As for all $m$-constricted sequences in $[1,N]$ we get $$ CS(m,N,k) = \sum_{k=1}^{N-1} CSL(m,N,k+1) $$ Notice that I only count the sequences of length greater than 1.
An implementation
Let me start by $CSL$:
(let ((csl-table (make-hash-table :test #'equal))) (defun csl (m b k) (cond ((< b k) 0) ((= b k) 1) ((= k 1) (if (> b m) 0 1)) (t (or (gethash (list m b k) csl-table) (setf (gethash (list m b k) csl-table) (loop for i from 1 to (min m (1- b)) sum (csl m (- b i) (1- k)))))))))
CSL
Then the number of all constricted sequences is given by
(defun cs (m N) (loop for k from 2 to N sum (csl m N k)))
CS
Let us test for a small case:
(loop for i from 2 to 6 collect (csl 3 i 2)) (cs 3 6)
(1 2 3 2 1) 24
and a large one:
(cs 10 20)
521472
0 notes
Text
OK, I'LL TELL YOU YOU ABOUT JESSICA
The European approach reflects the old idea that each person has a single, private company would probably lose his license for it. That is certainly true. When I was a student in Italy in 1990, few Italians spoke English. Work on an ambitious project you really enjoy, and sail as close to the wind once it gets underway. And at least 90% of the work that even the highest tech companies do is of this second, unedifying kind. One idea that I haven't tried yet is to filter based on word pairs would be in effect a Markov-chaining text generator running in reverse. Walk down University Ave at the right time, and you don't get that kind of risk doesn't pay, venture investing, as we know it, doesn't happen. The reason startup founders can safely be nice is that making great things is compounded, and rapacity isn't. We're counting on it being 5-7% of a much larger number. Actually I was being very clever, but I don't believe it. Most hackers' first instinct is to try to write software that recognizes their messages, there is only one kind of success: they're either going to be one of the most important thing we do at Y Combinator.
Thanks to Trevor Blackwell, Jessica Livingston, Robert Morris, and Fred Wilson for reading drafts of this. Mathematicians had by then shown that you could figure things out in a much more conclusive way than by making up fine sounding stories about them. Within months I was using it to make money. The EU was designed partly to simulate a single, autocratic government, the labels and studios is that the first problem is the diffuseness of prefix notation. The RIAA and MPAA would make us breathe through tubes if they could find one who was good enough. Incidentally, America's private universities are one reason there's so much work to introduce changes that no one knows what it means, or how evidence should be combined to calculate it. Their bonuses depend on this year's revenues, and the Bible is quite explicit on the subject of homosexuality. If someone who had to process payments online knew how painful the experience was. But buying something from a company, one said the most shocking thing is that it won't produce the sort of encouragement they'd get from ambitious peers, whatever their age.
How would you do it? The syntax of the language spammers operate in. Startup founder is not the sort of startup that approaches them saying the train's leaving the station; are you in or out? It seems a mistake to try to get into the mind of the spammer, and frankly I want to bias the probabilities slightly to avoid false positives. A in the first year. On my list I put words like Lisp and also my zipcode, so that otherwise rather spammy-sounding receipts from online orders would get through. The manual is thin, and has few warnings and qualifications.
It gives people with good intentions a new roadmap into abstraction. The fifteen most interesting words are as follows: let g 2 or gethash word bad 0 unless g b 5 max. And yet I can't write a general purpose function that I can call on any struct. What fraction of the probability that those 19 year olds who aren't even sure what they want to invest large amounts. Once you've found them, you have to understand the way Newton's Principia is, but the most important feature of a good programming language: very powerful abstractions. Why? If you look at what you've done in the cold light of morning, and see how unsuitable they were.
When she turned to see what had happened to the language he had designed. The most dangerous form of procrastination is to let delight pull you instead of making a competitive offer, using the promise of sharing future deals. That's normal for startups. He said We'd hire 30 tomorrow morning. The only catch is that because this kind of thought. Plus founders who've just raised money are often simply better at doing what people want. The syntax of the language spammers operate in. When you hit something that would have killed Apple, prune it off.
The German and Dutch governments, perhaps from fear of elitism, try to ensure that all universities are roughly equal in quality. What investors still don't get is how clueless and tentative great founders can seem at the very beginning, when they're just a couple guys in an apartment. But not everyone wants to answer. I don't expect this second level of filtering to be Bayesian. It may seem odd that the canonical Silicon Valley startup was funded by angels, but this might be another reason startups beat big companies. I think what many do is keep their opinions, but keep them to themselves. The organic growth method, and the reason they became huge was that IBM happened to drop the PC standard in their lap. Curiously, the fact that the best startup ideas seem at first like bad ideas. The young are the test, because when people aren't rewarded according to seniority instead.
Materially and socially, technology seems to be c, that people will create a lot of time. Imagine what it would do to you if at mile 20 of a marathon, someone ran up beside you and said You must feel really tired. The lower the rate, the cheaper it is to get yourself to work on small problems than big ones. They want enough money that I didn't realize when I was in college I used to think all VCs were the same. And yet a large number of far more practical technical discoveries. To the recipient, spam is easily recognizable. So we should expect to see ever-increasing variation in individual productivity as time goes on. There are a lot of hackers could do this—that if you cut investors' appetite for risk doesn't merely kill off larval startups, but taxed away all other surplus wealth? One great advantage of the statistical approach is that you look smug. No, he said, by then I was interested in maths.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#money#Startup#qualifications#b#orders#diffuseness#Newton#encouragement#warnings#probability#catch#seniority#close#reason#Incidentally#spammer#train#someone#Italians#Bible#universities#year#discoveries#companies
1 note
·
View note
Text
I THINK REALLY WOULD BE A GOOD THING
Back when I was eight, I was rarely bored. It's a knack for understanding users and figuring out how to give them what they want to do more than anyone expected. Rebellion is almost as much evidence for innocence as a word like madam or promotion is for guilt. In a startup you work on the idea as well as grad students? In fact, the sound of a sitcom coming through the wall, or a market to supply evolutionary pressures. Early union leaders were heroic, certainly, but we should not suppose that if unions have declined, it's because present union leaders probably would rise to the occasion if necessary. G 2 or gethash word bad 0 unless g b 5 max.
Editorials quote this kind of misjudgement. That leads to our second difference: the way class projects are mostly about implementation, which is what the situation deserved. The problem is not finding startups, exactly, but finding a stream of spam, and how to address them. We'd need a trust metric of the type studied by Raph Levien to prevent malicious or incompetent submissions, of course people want the wrong things. How do moral fashions arise, and why are they adopted? Incidentally, this scale might be helpful in deciding what to do as you're doing it, not a biological one.1 To be a good idea—but we've decided now that the party line should be to discover surprising things. But that means you're doing something rather than sitting around, which is about 2. Dukakis.
So there are a lot of time on work that interests you, and a pen. Work toward finding one. 1%-4. Raising money decreases the risk of failure. Saying pleased to meet you when meeting new people. I was working on the Manhattan Project. When I notice something slightly frightening about Google: zero startups come out of there. 5 people. For angel rounds it's rare to see a valuation lower than half a million or higher than 4 or 5 million. The reason there's a convention of being ingratiating in print is that most essays are written to persuade.
I don't expect that to change. If you buy a custom-made car, something will always be to get a good grade. It could be that, in a mild form, an example of one of the most charismatic ones. If you want a less controversial example of this phenomenon, where the Industrial Revolution was well advanced. In 1989 some clever researchers tracked the eye movements of radiologists as they scanned chest images for signs of lung cancer. It's not just that people can't find you. You're always going to have to pry the plugs out of my cold, dead ears, however. Why not start a startup while you're in college and have a summer job writing software, you still count as a great writer—or at least have enough chance of being true that the question should remain open. An investor wants to buy half your company for anything, whether it's money or an employee or a deal with another company, so I know most won't listen. In Patrick O'Brian's novels, his captains always try to get market price for their investment; they limit their holdings to leave the founders enough stock to feel the company is at least a million dollars more valuable, because it's the same with all of them.
He was having fun. Outsiders should realize the advantage they have here. Instead of avoiding it as a sign of an underlying problem. If you work fast, maybe you could have it done tonight. When finally completed twelve years later, the book would be made into a movie and thereupon forgotten, except by the more waspish sort of reviewers, among whom it would be a good thing. But there's a magic in small things that goes beyond such rational explanations. YC is, among other things, an experiment to see if it makes the company worth more than the whole company by 20%. And perhaps more importantly, audiences are still learning how to be stolen—they're still just beginning to see its democratizing effects. Editorialists ask.
Notes
If a man has good corn or wood, or was likely to be the right sort of person who would never come face to face with the high score thrown out seemed the more powerful than ever. I calculated it once for the same town, unless it was spontaneous. I warn about later: beware of getting credit for what gets included in shows that people get older. So in effect hack the college admissions process.
#automatically generated text#Markov chains#Paul Graham#Python#Patrick Mooney#students#admissions#Editorials#people#company#idea#sort#pressures#anything#market#sup#things#money#sound#line#credit#something#dollars#convention
1 note
·
View note