id
int64
2
42.1M
by
large_stringlengths
2
15
time
timestamp[us]
title
large_stringlengths
0
198
text
large_stringlengths
0
27.4k
url
large_stringlengths
0
6.6k
score
int64
-1
6.02k
descendants
int64
-1
7.29k
kids
large list
deleted
large list
dead
bool
1 class
scraping_error
large_stringclasses
25 values
scraped_title
large_stringlengths
1
59.3k
scraped_published_at
large_stringlengths
4
66
scraped_byline
large_stringlengths
1
757
scraped_body
large_stringlengths
1
50k
scraped_at
timestamp[us]
scraped_language
large_stringclasses
58 values
split
large_stringclasses
1 value
1,446
msgbeepa
2007-02-28T00:21:35
Open Source web conferencing
null
http://www.avinio.blogspot.com/2007/02/dimdim-open-source-web-conferencing.html
1
0
null
null
null
http_404
You're about to be redirected
null
null
The blog that used to be here is now at http://media-sight.net/2007/02/dimdim-open-source-web-conferencing.html. Do you wish to be redirected? This blog is not hosted by Blogger and has not been checked for spam, viruses and other forms of malware. Yes No
2024-11-08T01:28:25
null
train
1,448
snowmaker
2007-02-28T01:18:16
Venture capitalist's explanation of why small software startups are taking larger amounts of VC
null
http://earlystagevc.typepad.com/earlystagevc/2007/01/fail_fast_fail_.html
10
0
null
null
null
null
null
null
null
null
null
null
train
1,449
snowmaker
2007-02-28T01:20:40
Venture capital 2.0 - how venture capital is ceasing to be a separate asset class and being managed by larger general private equity firms
null
http://earlystagevc.typepad.com/earlystagevc/2006/09/vc_20_not_so_se.html
2
0
null
null
null
null
null
null
null
null
null
null
train
1,451
smackaysmith
2007-02-28T02:28:51
Prerequisites For Setting Up A Business-Driven Web 2.0 Effort
null
http://www.socialcustomer.com/2007/02/prereqs_for_set.html
1
0
null
null
null
null
null
null
null
null
null
null
train
1,452
mattculbreth
2007-02-28T03:01:59
Example of Lisp Macros
null
http://p-cos.blogspot.com/2007/02/what-is-point-of-macros.html
14
13
[ 1461, 1458, 1471, 1538 ]
null
null
no_error
What is the point of macros?
null
null
One of the distinguishing features of Lisp and Scheme is the ability to define macros that allow you to extend the base language with new language constructs. Here are two examples what this actually means and why this is a good idea.Let's take a common idiom from Java: Whenever you want to open a file, process its contents, and close it again afterwards, you have to write code roughly like this:FileInputStream in = new FileInputStream(filename);try { doSomething(in);} finally { in.close();}Note how the orange code is the code that you are actually interested in: That's the part that states which file you want to open, that you want to open it for reading, and that you want to do something with the file. The rest is just idiomatic code that you have to write just to make the machinery work: You declare a variable outside of the try block (this is important for the visibility of the variable!), and you have to put the call of the close method in a finally block to ensure that the file is always closed even when an exception occurs.The problem here is that you have to write this code over and over and over again, and everytime you write this code, you have to get the details right. For example, when I was still a Java hacker, I always have put the variable declaration inside the try block, just to get the error message from the compiler that this is wrong. This is annoying - it would be nice if I didn't have to think about this. (I have actually gotten it wrong again in the first version of this posting. Go figure.)Here is the same code in Common Lisp:(let ((in (open filename))) (unwind-protect (do-something in) (close in)))This is not yet an improvement: The orange part of the code is still deep down in other code that just ensures that the machinery for opening and closing the file works. I still have to declare the variable first (here with a let), I still have to use the Lisp-equivalent of try-finally (here it's called unwind-protect), and I still have to ensure that the closing of the file happens as part of the clean-up step of an unwind-protect.However, Lisp gives us a way to get rid of the idiomatic code. What we would actually like to write is this:(with-input-file (in filename) (do-something in))This code states exactly what we want and nothing else: We want to execute some code with an open file bound to some variable, and we implicitly want to ensure that it is closed again at the end of this code fragment.Here is a macro that defines this construct:(defmacro with-input-file ((variable filename) &body body) `(let ((,variable (open ,filename)) (unwind-protect (progn ,@body) (close ,variable))))Here is an explanation of the code:The macro is defined with defmacro and we name it like the language construct we want to build. It takes two variables: a variable name and a piece of code that will give us the filename in the resulting code. It also takes a body of code for the with-input-file construct.The macro creates a piece of code that the Lisp compiler should use instead of the original code that uses the with-input-file construct: We basically define a code template in which the variable, filename and body spots are filled in with the parameters that the macro receives.Some minor details: The progn groups a number of expressions into one - this is similar to grouping code in a pair of curly braces in Java. The backquote, comma and comma-at notations are there to clarify how the parameters should be inserted - that's something that you can better learn in good Lisp tutorials.Although writing macros takes a little practice, it is very straightforward once you are used to doing this. Macros help you to avoid typing a lot of idiomatic code: whenever you notice some coding pattern, you can put it in some macro and then use it instead.Syntactic AbstractionsLet's get a little closer to the heart of what macros actually are: They provide you with a way to define syntactic abstractions. Abstractions are used for hiding away implementation details that client code should not be interested in. For example, in classes you can define private fields and methods for internal use and define a public interface that client code has to go through to ensure that the internal details are always used properly. Likewise, with functional abstractions - closures - you can pass around a function that can refer to variables in its lexical environment without giving anyone direct access to these lexical variables.Many implementation details can be hidden very well with such abstraction mechanisms. However, others cannot be hidden well, and this is when macros become interesting.For example, assume that your language doesn't provide any iteration constructs but requires you to use recursion instead. You can relatively easily build your own iteration constructs - for example a while function - like this in Lisp:(defun while-function (predicate block) (if (not (funcall predicate)) (return)) (funcall block) (while-function predicate block)) This function works as follows: It takes a predicate function and a block of code, also provided as a function. When calling the predicate (with funcall) returns false, the while-function returns. Otherwise, the block is executed (again with funcall) and then the while-function calls itself again.Here is an example of using the while-function:(let ((i 0)) (while-function (lambda () (< i 10)) (lambda () (print i) (incf i))))This code fragment increments i from 0 up to 10 and prints i at each step. This piece of code doesn't look very nice. One reason is that Lisp's lambda construct is somewhat lengthy. Smalltalk, Ruby, and other languages have nicer syntax for lambda expressions, and would make this code shorter. However, even then there is a problem here: We still have to write idiomatic code to write a while loop although we are actually not interested in the idiom. Here, the idiomatic element is the use of a lambda expression to ensure that some code is not immediatily executed, but only later under the control of the while-function. However, what we actually want to say is this, which doesn't contain any idiomatic code at all:(let ((i 0)) (while (< i 10) (print i) (incf i)))And, as you might have guessed, here is a macro to implement this while construct:(defmacro while (expression &body body) `(while-function (lambda () ,expression) (lambda () ,@body)))This macro uses the while-function in the code that it creates. This is actually one of the typical ways to write Lisp code: We first define the functional (or object-oriented, or imperative, or whatever) abstractions, and then we add some syntactic layer on top to make the code look nicer, and especially to hide away implementation details that we cannot hide otherwise.Why is it so interesting to hide away implementation details, like the use of lambda expressions to delay evaluation? Well, we could actually decide not to use lambda expressions at all in our expansion. Here is an alternative implementation of the while macro:(defmacro while (expression &body body) `(tagbody start (if (not ,expression) (go end)) ,@body (go start) end))Yes, Common Lisp provides the tagbody construct inside which you can use go, i.e., a goto statement! Gotos are not a very good idea to use in your own code, but gotos are very useful for generating efficient code in macros. In this second implementation of the while macro, there is for example no need anymore to allocate space for the closures that the two lambda expressions create, because we can simply jump around the code to delay its execution.Of course, this is a toy example, so the little gain in efficiency here is probably not worth the effort. However, what is important is that the "API" for the while macro hasn't changed at all compared to the first version. You still write this:(let ((i 0)) (while (< i 10) (print i) (incf i)))That's one of the important advantages of abstractions: You can change internal implementation details while all the client code can be left unchanged!And this is the whole point of macros: You can abstract away code idioms that you cannot astract away in any other way, and you effictively have a lot more options to change implementation details without affecting any clients.Macros are also one of the fundamental reasons for why Lispers like Lisp's strange syntax so much: The syntax is a direct representation of what is elsewhere called the abstract syntax tree, and the fact that the AST is directly available for manipulation as a very simple list data structure makes it so straightforward and convenient to implement and use macros.If you now have gotten the taste of this, you may want to read some more introductory material about Lisp, like my own opinionated guide, Peter Seibel's excellent book about Common Lisp, or any of the other available tutorials.
2024-11-08T09:23:58
en
train
1,454
jamiequint
2007-02-28T03:07:50
10 Best Presentations Ever (as ranked by KnowHR)
null
http://www.knowhr.com/blog/2006/08/21/top-10-best-presentations-ever/
3
0
null
null
null
null
null
null
null
null
null
null
train
1,455
jamiequint
2007-02-28T03:09:45
Top 10 Lies of Venture Capitalists - Guy Kawasaki
null
http://blog.guykawasaki.com/2006/01/the_top_ten_lie.html
10
3
[ 1460, 1528 ]
null
null
http_404
404 Not Found
null
null
The requested URL was not found on this server. Apache Server at blog.guykawasaki.com Port 80
2024-11-08T05:17:26
null
train
1,456
jamiequint
2007-02-28T03:12:19
Pinko Marketing - Marketing in the Post-Cluetrain Era
null
http://pinkomarketing.pbwiki.com/Marketing%20in%20the%20Post-Cluetrain%20Era
2
0
null
null
null
null
null
null
null
null
null
null
train
1,464
juwo
2007-02-28T04:12:03
Have you experienced the customer-investor-team conundrum?
null
http://juwo-works.blogspot.com/
2
3
[ 1486, 1469, 1572 ]
null
null
null
null
null
null
null
null
null
train
1,472
Elfan
2007-02-28T05:12:25
"Success comes from good judgment, good judgment comes from experience, and experience comes from bad judgment." - Arthur Jones, founder of Nautilus and MedX
null
http://spineworks.com/public/jones/jones.htm
1
0
null
null
null
null
null
null
null
null
null
null
train
1,475
bootload
2007-02-28T05:40:49
The best qualities of high- and low-level languages
null
http://tlb.org/busywork.html
5
2
[ 1511 ]
null
null
null
null
null
null
null
null
null
train
1,481
jamiequint
2007-02-28T07:07:33
Reasons You Should Never Get a Job
null
http://www.stevepavlina.com/blog/2006/07/10-reasons-you-should-never-get-a-job/
18
4
[ 1596, 1675, 1517 ]
null
null
no_error
10 Reasons You Should Never Get a Job – Steve Pavlina
null
null
Just for fun I recently asked Erin, “Now that the kids are in summer school, don’t you think it’s about time you went out and got yourself a job? I hate seeing you wallow in unemployment for so long.” She smiled and said, “Wow. I have been unemployed a really long time. That’s weird… I like it!” Neither of us have had jobs since the ’90s (my only job was in 1992), so we’ve been self-employed for quite a while. In our household it’s a running joke for one of us to say to the other, “Maybe you should get a job, derelict!” It’s like the scene in The Three Stooges where Moe tells Curly to get a job, and Curly backs away, saying, “No, please… not that! Anything but that!” It’s funny that when people reach a certain age, such as after graduating college, they assume it’s time to go out and get a job. But like many things the masses do, just because everyone does it doesn’t mean it’s a good idea. In fact, if you’re reasonably intelligent, getting a job is one of the worst things you can do to support yourself. There are far better ways to make a living than selling yourself into indentured servitude. Here are some reasons you should do everything in your power to avoid getting a job: 1. Income for dummies Getting a job and trading your time for money may seem like a good idea. There’s only one problem with it. It’s stupid! It’s the stupidest way you can possibly generate income! This is truly income for dummies. Why is getting a job so dumb? Because you only get paid when you’re working. Don’t you see a problem with that, or have you been so thoroughly brainwashed into thinking it’s reasonable and intelligent to only earn income when you’re working? Have you never considered that it might be better to be paid even when you’re not working? Who taught you that you could only earn income while working? Some other brainwashed employee perhaps? Don’t you think your life would be much easier if you got paid while you were eating, sleeping, and playing with the kids too? Why not get paid 24/7? Get paid whether you work or not. Don’t your plants grow even when you aren’t tending to them? Why not your bank account? Who cares how many hours you work? Only a handful of people on this entire planet care how much time you spend at the office. Most of us won’t even notice whether you work 6 hours a week or 60. But if you have something of value to provide that matters to us, a number of us will be happy to pull out our wallets and pay you for it. We don’t care about your time — we only care enough to pay for the value we receive. Do you really care how long it took me to write this article? Would you pay me twice as much if it took me 6 hours vs. only 3? Non-dummies often start out on the traditional income for dummies path. So don’t feel bad if you’re just now realizing you’ve been suckered. Non-dummies eventually realize that trading time for money is indeed extremely dumb and that there must be a better way. And of course there is a better way. The key is to de-couple your value from your time. Smart people build systems that generate income 24/7, especially passive income. This can include starting a business, building a web site, becoming an investor, or generating royalty income from creative work. The system delivers the ongoing value to people and generates income from it, and once it’s in motion, it runs continuously whether you tend to it or not. From that moment on, the bulk of your time can be invested in increasing your income (by refining your system or spawning new ones) instead of merely maintaining your income. This web site is an example of such a system. At the time of this writing, it generates about $9000 a month in income for me (update: $40,000 a month as of 10/31/06), and it isn’t my only income stream either. I write each article just once (fixed time investment), and people can extract value from them year after year. The web server delivers the value, and other systems (most of which I didn’t even build and don’t even understand) collect income and deposit it automatically into my bank account. It’s not perfectly passive, but I love writing and would do it for free anyway. But of course it cost me a lot of money to launch this business, right? Um, yeah, $9 is an awful lot these days (to register the domain name). Everything after that was profit. Sure it takes some upfront time and effort to design and implement your own income-generating systems. But you don’t have to reinvent the wheel — feel free to use existing systems like ad networks and affiliate programs. Once you get going, you won’t have to work so many hours to support yourself. Wouldn’t it be nice to be out having dinner with your spouse, knowing that while you’re eating, you’re earning money? If you want to keep working long hours because you enjoy it, go right ahead. If you want to sit around doing nothing, feel free. As long as your system continues delivering value to others, you’ll keep getting paid whether you’re working or not. Your local bookstore is filled with books containing workable systems others have already designed, tested, and debugged. Nobody is born knowing how to start a business or generate investment income, but you can easily learn it. How long it takes you to figure it out is irrelevant because the time is going to pass anyway. You might as well emerge at some future point as the owner of income-generating systems as opposed to a lifelong wage slave. This isn’t all or nothing. If your system only generates a few hundred dollars a month, that’s a significant step in the right direction. 2. Limited experience You might think it’s important to get a job to gain experience. But that’s like saying you should play golf to get experience playing golf. You gain experience from living, regardless of whether you have a job or not. A job only gives you experience at that job, but you gain “experience” doing just about anything, so that’s no real benefit at all. Sit around doing nothing for a couple years, and you can call yourself an experienced meditator, philosopher, or politician. The problem with getting experience from a job is that you usually just repeat the same limited experience over and over. You learn a lot in the beginning and then stagnate. This forces you to miss other experiences that would be much more valuable. And if your limited skill set ever becomes obsolete, then your experience won’t be worth squat. In fact, ask yourself what the experience you’re gaining right now will be worth in 20-30 years. Will your job even exist then? Consider this. Which experience would you rather gain? The knowledge of how to do a specific job really well — one that you can only monetize by trading your time for money — or the knowledge of how to enjoy financial abundance for the rest of your life without ever needing a job again? Now I don’t know about you, but I’d rather have the latter experience. That seems a lot more useful in the real world, wouldn’t you say? 3. Lifelong domestication Getting a job is like enrolling in a human domestication program. You learn how to be a good pet. Look around you. Really look. What do you see? Are these the surroundings of a free human being? Or are you living in a cage for unconscious animals? Have you fallen in love with the color beige? How’s your obedience training coming along? Does your master reward your good behavior? Do you get disciplined if you fail to obey your master’s commands? Is there any spark of free will left inside you? Or has your conditioning made you a pet for life? Humans are not meant to be raised in cages. You poor thing… 4. Too many mouths to feed Employee income is the most heavily taxed there is. In the USA you can expect that about half your salary will go to taxes. The tax system is designed to disguise how much you’re really giving up because some of those taxes are paid by your employer, and some are deducted from your paycheck. But you can bet that from your employer’s perspective, all of those taxes are considered part of your pay, as well as any other compensation you receive such as benefits. Even the rent for the office space you consume is considered, so you must generate that much more value to cover it. You might feel supported by your corporate environment, but keep in mind that you’re the one paying for it. Another chunk of your income goes to owners and investors. That’s a lot of mouths to feed. It isn’t hard to understand why employees pay the most in taxes relative to their income. After all, who has more control over the tax system? Business owners and investors or employees? You only get paid a fraction of the real value you generate. Your real salary may be more than triple what you’re paid, but most of that money you’ll never see. It goes straight into other people’s pockets. What a generous person you are! 5. Way too risky Many employees believe getting a job is the safest and most secure way to support themselves. Morons. Social conditioning is amazing. It’s so good it can even make people believe the exact opposite of the truth. Does putting yourself in a position where someone else can turn off all your income just by saying two words (“You’re fired”) sound like a safe and secure situation to you? Does having only one income stream honestly sound more secure than having 10? The idea that a job is the most secure way to generate income is just silly. You can’t have security if you don’t have control, and employees have the least control of anyone. If you’re an employee, then your real job title should be professional gambler. 6. Having an evil bovine master When you run into an idiot in the entrepreneurial world, you can turn around and head the other way. When you run into an idiot in the corporate world, you have to turn around and say, “Sorry, boss.” Did you know that the word boss comes from the Dutch word baas, which historically means master? Another meaning of the word boss is “a cow or bovine.” And in many video games, the boss is the evil dude that you have to kill at the end of a level. So if your boss is really your evil bovine master, then what does that make you? Nothing but a turd in the herd. Who’s your daddy? 7. Begging for money When you want to increase your income, do you have to sit up and beg your master for more money? Does it feel good to be thrown some extra Scooby Snacks now and then? Or are you free to decide how much you get paid without needing anyone’s permission but your own? If you have a business and one customer says “no” to you, you simply say “next.” 8. An inbred social life Many people treat their jobs as their primary social outlet. They hang out with the same people working in the same field. Such incestuous relations are social dead ends. An exciting day includes deep conversations about the company’s switch from Sparkletts to Arrowhead, the delay of Microsoft’s latest operating system, and the unexpected delivery of more Bic pens. Consider what it would be like to go outside and talk to strangers. Ooooh… scary! Better stay inside where it’s safe. If one of your co-slaves gets sold to another master, do you lose a friend? If you work in a male-dominated field, does that mean you never get to talk to women above the rank of receptionist? Why not decide for yourself whom to socialize with instead of letting your master decide for you? Believe it or not, there are locations on this planet where free people congregate. Just be wary of those jobless folk — they’re a crazy bunch! 9. Loss of freedom It takes a lot of effort to tame a human being into an employee. The first thing you have to do is break the human’s independent will. A good way to do this is to give them a weighty policy manual filled with nonsensical rules and regulations. This leads the new employee to become more obedient, fearing that s/he could be disciplined at any minute for something incomprehensible. Thus, the employee will likely conclude it’s safest to simply obey the master’s commands without question. Stir in some office politics for good measure, and we’ve got a freshly minted mind slave. As part of their obedience training, employees must be taught how to dress, talk, move, and so on. We can’t very well have employees thinking for themselves, now can we? That would ruin everything. God forbid you should put a plant on your desk when it’s against the company policy. Oh no, it’s the end of the world! Cindy has a plant on her desk! Summon the enforcers! Send Cindy back for another round of sterility training! Free human beings think such rules and regulations are silly of course. The only policy they need is: “Be smart. Be nice. Do what you love. Have fun.” 10. Becoming a coward Have you noticed that employed people have an almost endless capacity to whine about problems at their companies? But they don’t really want solutions — they just want to vent and make excuses why it’s all someone else’s fault. It’s as if getting a job somehow drains all the free will out of people and turns them into spineless cowards. If you can’t call your boss a jerk now and then without fear of getting fired, you’re no longer free. You’ve become your master’s property. When you work around cowards all day long, don’t you think it’s going to rub off on you? Of course it will. It’s only a matter of time before you sacrifice the noblest parts of your humanity on the altar of fear: first courage… then honesty… then honor and integrity… and finally your independent will. You sold your humanity for nothing but an illusion. And now your greatest fear is discovering the truth of what you’ve become. I don’t care how badly you’ve been beaten down. It is never too late to regain your courage. Never! Still want a job? If you’re currently a well-conditioned, well-behaved employee, your most likely reaction to the above will be defensiveness. It’s all part of the conditioning. But consider that if the above didn’t have a grain of truth to it, you wouldn’t have an emotional reaction at all. This is only a reminder of what you already know. You can deny your cage all you want, but the cage is still there. Perhaps this all happened so gradually that you never noticed it until now… like a lobster enjoying a nice warm bath. If any of this makes you mad, that’s a step in the right direction. Anger is a higher level of consciousness than apathy, so it’s a lot better than being numb all the time. Any emotion — even confusion — is better than apathy. If you work through your feelings instead of repressing them, you’ll soon emerge on the doorstep of courage. And when that happens, you’ll have the will to actually do something about your situation and start living like the powerful human being you were meant to be instead of the domesticated pet you’ve been trained to be. Happily jobless What’s the alternative to getting a job? The alternative is to remain happily jobless for life and to generate income through other means. Realize that you earn income by providing value — not time — so find a way to provide your best value to others, and charge a fair price for it. One of the simplest and most accessible ways is to start your own business. Whatever work you’d otherwise do via employment, find a way to provide that same value directly to those who will benefit most from it. It takes a bit more time to get going, but your freedom is easily worth the initial investment of time and energy. Then you can buy your own Scooby Snacks for a change. And of course everything you learn along the way, you can share with others to generate even more value. So even your mistakes can be monetized. Here are some free resources to help you get started: The Courage To Live Consciously (article on how to transition to more meaningful work) Podcast #006 – How to Make Money Without a Job (audio) Podcast #009 – Kick-start Your Own Business (audio) Podcast #014 – Embracing Your Passion (audio) 10 Stupid Mistakes Made by the Newly Self-Employed (article) How to Build a High-Traffic Web Site (or Blog) (article) How to Make Money From Your Blog (article) One of the greatest fears you’ll confront is that you may not have any real value to offer others. Maybe being an employee and getting paid by the hour is the best you can do. Maybe you just aren’t worth that much. That line of thinking is all just part of your conditioning. It’s absolute nonsense. As you begin to dump such brainwashing, you’ll soon recognize that you have the ability to provide enormous value to others and that people will gladly pay you for it. There’s only one thing that prevents you from seeing this truth — fear. All you really need is the courage to be yourself. Your real value is rooted in who you are, not what you do. The only thing you need actually do is express your real self to the world. You’ve been told all sort of lies as to why you can’t do that. But you’ll never know true happiness and fulfillment until you summon the courage to do it anyway. The next time someone says to you, “Get a job,” I suggest you reply as Curly did: “No, please… not that! Anything but that!” Then poke him right in the eyes. You already know deep down that getting a job isn’t what you want. So don’t let anyone try to tell you otherwise. Learn to trust your inner wisdom, even if the whole world says you’re wrong and foolish for doing so. Years from now you’ll look back and realize it was one of the best decisions you ever made. Abundance Thinking that you need a job stems from scarcity thinking. The alternative is to align with abundance thinking. This takes practice, especially if you didn’t grow up thinking this way. Update: Many years after writing this original article, I created a comprehensive 30-day course called Deep Abundance Integration to help you really get into the mindset of abundance. If you practice the ideas in this course – which was a lot of fun because it was recorded live with hundreds of people on each call – you may never need a job again.
2024-11-08T03:34:00
en
train
1,483
danielha
2007-02-28T07:32:30
A social network for geeks? (Shuzak)
null
http://www.shuzak.com/
2
3
[ 1484, 1488 ]
null
null
null
null
null
null
null
null
null
train
1,492
danielha
2007-02-28T08:49:02
Startups vs. The Big Guys: The Power Of Caring For Customers
null
http://onstartups.com/home/tabid/3339/bid/1109/Startups-vs-The-Big-Guys-The-Power-Of-Caring-For-Customers.aspx
5
1
[ 1494 ]
null
null
null
null
null
null
null
null
null
train
1,493
socmoth
2007-02-28T08:50:11
Ycombinator, the inside scoop
null
http://www.flickr.com/photos/socialmoth/405517122/in/set-72157594561460322/
11
13
[ 1522, 1506, 1503 ]
null
null
null
null
null
null
null
null
null
train
1,495
Harj
2007-02-28T09:20:13
Using Safari can slow your system down as much as 76% vs Firefox
null
http://macenstein.com/default/archives/540
3
0
null
null
null
null
null
null
null
null
null
null
train
1,496
Harj
2007-02-28T09:22:28
Why Valley Vcs are Like the Mob
null
http://blogs.business2.com/beta/2007/02/why_valley_vcs_.html
10
4
[ 1527, 1616, 1591 ]
null
null
fetch failed
null
null
null
null
2024-11-08T16:25:43
null
train
1,497
kul
2007-02-28T09:59:31
Giveth before you taketh
null
http://lukewarmtapioca.com/2007/2/27/giveth-before-you-taketh
2
0
null
null
null
null
null
null
null
null
null
null
train
1,498
danielha
2007-02-28T10:06:51
Software for Virtual Teams -- A set of tools to replace the traditional office
null
http://www.readwriteweb.com/archives/software_for_virtual_teams.php#more
1
0
null
null
null
no_article
null
null
null
null
2024-11-08T00:26:25
null
train
1,501
danielha
2007-02-28T10:22:02
The Art of Creating a Community
null
http://blog.guykawasaki.com/2006/02/the_art_of_crea.html
5
0
null
null
null
null
null
null
null
null
null
null
train
1,513
mpfefferle
2007-02-28T13:57:00
A Roadmap for an Entrepreneurial Economy
null
http://www.businessweek.com/smallbiz/content/feb2007/sb20070226_468122.htm
3
1
[ 1540 ]
null
null
null
null
null
null
null
null
null
train
1,514
dpapathanasiou
2007-02-28T14:27:42
One Laptop Per Child: Hackers Wanted
null
http://seeksift.wordpress.com/2007/02/28/one-laptop-per-child-hackers-wanted/
5
4
[ 1542, 1515 ]
null
null
null
null
null
null
null
null
null
train
1,519
msgbeepa
2007-02-28T15:20:35
Give New Idea To Snap And Win 2500$
null
http://feeds.feedburner.com/avinio/avinio
2
0
null
null
null
null
null
null
null
null
null
null
train
1,520
msgbeepa
2007-02-28T15:26:35
Give New Idea To Snap And Win 2500$
null
http://www.wikio.com/webinfo?id=13833869
1
0
null
null
null
null
null
null
null
null
null
null
train
1,523
veritas
2007-02-28T15:55:24
Kiwi Ingenuity helps a TV station broadcast.
null
http://www.nzherald.co.nz/section/1/story.cfm?c_id=1&objectid=10425224
1
0
null
null
null
http_404
NZ Herald - Breaking news, latest news, business, sport and entertainment - NZ Herald
null
null
Oops!Looks like a dead end.Back up or head to our homepage….New ZealandNapier City Rovers' sights on National League glory05 Nov 04:00 PMWith three rounds to go, team remain in the hunt for grand final spot.New Zealand|CrimeNZ Herald Live: Polkinghorne Leaving Court after Meth TrialPolkinghorne Leaving Court after Meth TrialNew ZealandBrothers in arms: The footballing siblings who live, play and also got red-carded together29 Oct 04:01 PMBlues Brothers: Ethan Richards on his on- and off-pitch relationship with brother Kieran.New Zealand'Elated': Football fan’s missing jersey delivered in time for Auckland FC match26 Oct 04:00 AMAuckland FC will take on Sydney FC at Go Media Stadium tomorrow at 4pm.WarriorsWarriors ‘didn’t want me’: Ivan Cleary opens up on depression, tragic death of rising star25 Oct 04:00 PMIvan Cleary's new tell-all book has revelations that will leave Warriors fans stumped.New ZealandRovers united: Bonding on and off the field22 Oct 04:00 PM'Super-tight' team spirit includes eight footballers living in the same complex.New ZealandInjured man drove himself to Manukau police station, then was rushed to hospital21 Oct 08:02 PMEmergency services rushed to Manukau Police Station shortly after midnight.New ZealandABs and Boks ‘squared up’ in a bar, and the player who feared ABs wanted to ‘kill’ him18 Oct 09:35 PMA new book claims a member of the 1981 Springboks was to be kidnapped in New Zealand.All BlacksJohnny Sexton on why he hated touring NZ and abuse from Kiwi fans16 Oct 01:00 AMJohnny Sexton uses his book to get plenty of gripes related to NZ off his chest.
2024-11-08T01:15:05
null
train
1,524
joshwa
2007-02-28T15:57:45
Don't forget to build an infrastructure for customer service!
null
http://www.carsonified.com/amigo/customer-service-tips
4
0
null
null
null
no_article
null
null
null
null
2024-11-08T16:15:07
null
train
1,534
stevemoores
2007-02-28T16:44:57
Getting Your Software Into the Big-Box Retail Stores
null
http://stevemoores.wordpress.com/2006/06/17/getting-your-software-into-the-big-box-retail-stores/
2
0
null
null
null
null
null
null
null
null
null
null
train
1,535
amichail
2007-02-28T17:01:28
Undercover marketing
null
http://en.wikipedia.org/wiki/Undercover_marketing
2
1
[ 1536 ]
null
null
null
null
null
null
null
null
null
train
1,541
danielha
2007-02-28T18:03:30
Thoughts on Simplicity: Yahoo! vs Google design over the years
null
http://weblogs.media.mit.edu/SIMPLICITY/archives/000263.html
1
0
null
null
null
fetch failed
null
null
null
null
2024-11-08T20:31:47
null
train
1,545
abstractbill
2007-02-28T18:24:15
Brutal reality of startup life
null
http://www.jwz.org/gruntle/nscpdorm.html
39
10
[ 1669, 1606, 7617, 9276, 1660 ]
null
null
null
null
null
null
null
null
null
train
1,546
jwp
2007-02-28T18:28:05
Job satisfaction level hits new low, especially among younger workers
null
http://www.msnbc.msn.com/id/17348695/
3
3
[ 1547, 1554 ]
null
null
null
null
null
null
null
null
null
train
1,548
veritas
2007-02-28T18:39:40
Best Adobe Apollo Demos
null
http://www.techcrunch.com/2007/02/28/best-apollo-demos/
7
5
[ 1578, 1552, 1556 ]
null
null
no_error
Best Apollo Demos | TechCrunch
2007-02-28T18:06:14+00:00
Contributor
There were a bunch of product demos today at Adobe’s Engage event, but there were a few that stood out and should have a big impact on the startup world. They also happened to be some of the best demos of the day. Virtual Ubiquity – Rick Treitman demoed their word processor application, BuzzWord, which was built entirely in Flex 2 and looks like it could be a direct competitor to Google Docs. The team focused heavily on making sure pagination and typeography were first class, something Flash has been bad at. They’ve created a great UI around the document workflow and have features like ruler tooltips when embedding assets that help people work with their documents. They are focusing on the collaborative document space so that users can be designated as reviewers, read-only, or actual authors and discuss the document. They are aiming for a public beta later this summer. Scrybe – Faizan Budar presented Scrybe and showed the features that were in the video that generated so much buzz. He demoed all three major features live and made a point of saying that everything in the video is now working in the application. He showed off the calendar portion of the application, which has a great UI, the “PaperVision” which allows you to print your information into special pocket size chunks, and the option to save content to your Scrybe account from any website. The user interface is clean, useful, and it all works offline. They’ve opened up the beta to a limited number of people and hope to open it up to the general public after their next round of features are complete. yourminis – Alex Bard, the CEO of Goowy Media , demoed what yourminis is working on. A lot of it has been covered by TechCrunch, but they really dug into Apollo and the API that they plan to release next week. With Apollo, they are building out a widget platform that will touch the web, embeddable properties, and the desktop. Alex took a yourmini widget and dragged it to the desktop straight from the browser which made for a poweful demo. Their API is going to enable developers to create their own widgets on the yourminis platform. They built a Twitter widget using the API that is great, so I think content providers are going to be excited about the freedom that the API allows. Intelisea – One application that didn’t fall into the category of web startup but demonstrated how far the Flash application has come was an app from Intelisea. The application, built in Flex 2, is the front end for controlling a yacht. It runs on a touch screen interface and allows the user to look at engine stats, fuel levels, weather and GPS coordinates. There’s also a security feature that uses RFID tags to track the people on the boat and sounds an alarm when someone falls overboard. It displays a red dot on a schematic of the ship to indicate where the person fell off. It’s something that will never be seen on Web 2.0, but makes for a fun story when it comes to the Flash Platform. Engage did a good job of showing how diverse the Flash platform is. There were a lot of great questions about the role Adobe needs to play in the design community and what makes web apps better (it’s not gratuitous animation or UI). And there are a lot of interesting startups using the Flash platform. Luckily we got a look at some of those today. Most Popular Newsletters Subscribe for the industry’s biggest tech news Related Latest in TC
2024-11-08T00:22:39
en
train
1,550
volida
2007-02-28T18:43:33
Market Analysis: Web 2.0 is dead, Long Live Web 2.0
null
http://www.guidewiregroup.com/site/pdf/tgr/sampleIssue.pdf
2
0
null
null
null
is_pdf
null
null
null
null
2024-11-08T02:01:11
null
train
1,551
danielha
2007-02-28T18:46:05
Top 10 States for Entrepreneurs -- The list may be surprising
null
http://images.businessweek.com/ss/07/02/0228_states_entrep/index_01.htm
12
11
[ 1613, 1576, 1557, 1597, 1637 ]
null
null
fetch failed
null
null
null
null
2024-11-07T23:25:38
null
train
1,553
danielha
2007-02-28T18:50:35
Text Enrichment Software -- Better writing through technology
null
http://www.businessweek.com/globalbiz/content/feb2007/gb20070221_832683.htm
2
1
[ 1604 ]
null
null
missing_parsing
Bloomberg - Are you a robot?
null
null
Why did this happen? Please make sure your browser supports JavaScript and cookies and that you are not blocking them from loading. For more information you can review our Terms of Service and Cookie Policy. Need Help? For inquiries related to this message please contact our support team and provide the reference ID below. Block reference ID:
2024-11-08T07:02:15
null
train
1,555
jwp
2007-02-28T19:01:02
F-22 stealth's computers crash at the int'l date line
null
http://www.defensetech.org/archives/003315.html
2
1
[ 1570 ]
null
null
http_404
404 Not Found
null
null
404 Not Found Please forward this error screen to www.defensetech.org's WebMaster. The server cannot find the requested page:
2024-11-08T00:17:58
null
train
1,558
danielha
2007-02-28T19:12:05
Is "Open Source" Now Completely Meaningless?
null
http://radar.oreilly.com/archives/2007/02/is_open_source_1.html
2
0
null
null
null
null
null
null
null
null
null
null
train
1,559
msgbeepa
2007-02-28T19:16:14
Funny Google Typo
null
http://thebrowser.blogs.fortune.com/2007/02/26/googles-troubling-typo
4
0
null
null
null
null
null
null
null
null
null
null
train
1,560
RMena
2007-02-28T19:18:15
Social Recommendation Search - Users deciding the search results!
null
http://aheroaday.squarespace.com/home/2007/2/6/tall-street-how-a-virtual-free-market-helps-out-the-little-guy.html
3
1
[ 1574 ]
null
null
null
null
null
null
null
null
null
train
1,565
Elfan
2007-02-28T19:40:49
A startup's best friend? Failure
null
http://money.cnn.com/magazines/business2/business2_archive/2007/03/01/8401031/?postversion=2007022807
5
5
[ 1566, 1709, 1710 ]
null
null
no_error
Business News - Latest Headlines on CNN Business | CNN Business
null
Penelope Patsuris
Richard A. Brooks/AFP/Getty Images Nissan shares slump after it announces 9,000 job cuts and a plan to slash production Jeffrey Greenberg/Education Images/Universal Images Group/Getty Images Steve Madden just drastically changed its business to avoid Trump’s tariffs Ng Han Guan/AP China approves $1.4 trillion debt package in latest measure to boost flagging economy Alex Brandon/AP ‘Death by a thousand cuts’: How experts warn Trump could use an authoritarian playbook to go after the media Anchiy/E+/Getty Images What the Fed’s interest rate cuts mean for your money Justin Sullivan/Getty Images Stores don’t sell your favorite product anymore. That’s on purpose Evan Vucci/AP How prediction markets saw something the polls and pundits didn’t CNN Bahrain Finance Minister: ‘Rising tide will lift all economies in the GCC’ Getty Images The world’s 10 richest people got a record $64 billion richer from Trump’s reelection Angela Weiss/AFP/Getty Images/File Books like ‘The Handmaid’s Tale’ and ‘1984’ are flying off the shelves after the presidential election Elwood Edwards, voice of AOL’s iconic greeting ‘You’ve Got Mail,’ dies at 74 Key takeaways from the Fed’s rate cut after the election The exact thing that helped Trump win could become a big problem for his presidency Trump campaign denies and revokes journalists’ election night credentials after critical coverage Small businesses, how are you approaching a Trump presidency? Volkswagen recalls more than 114,000 cars due to airbag safety Goldman Sachs slashes growth forecasts for Germany, UK and wider Europe on Trump win ‘In so many ways, I broke so many barriers:’ Former Pepsi boss Indra Nooyi on life as a trailblazing CEO The first combined IHOP-Applebee’s restaurant in the US will soon open in Texas This Trump trade euphoria is likely to fade fast Trump has long threatened the media. Press freedom groups fear he might make good on it How to navigate your divided office after the election Elon Musk bet big on Trump. Here’s what he stands to gain — and lose — from his win Ad Feedback Quote Search Market Movers ACTIVES GAINERS LOSERS $ Price % Change Ad Feedback What to watch • Video 1:38 Kent Nishimura/Getty Images North America/Getty Images Video Fed chief says Trump can’t fire him 1:38 • Video 2:07 PATRICK T. FALLON/AFP/AFP via Getty Images Video The housing market is ‘unhealthy.’ Will that change under President Trump? 2:07 • Video 5:56 Clipped From Video Video Mnuchin on whether he would serve in a second Trump admin 5:56 • Video 3:30 CNN Video ‘Complete chaos’: CNN reporter breaks down Germany’s political crisis 3:30 Ad Feedback In case you missed it Al Drago/Bloomberg/Getty Images How news outlets are bracing for an election night cliffhanger TGI Fridays files for bankruptcy Berkshire’s cash soars to $325 billion as Buffett sells Apple, BofA; operating profit falls Rent and home prices are through the roof. Harris and Trump each say they have the answer Aaron M. Sprecher/AP Is this the deal to end Boeing’s crippling 7-week strike? Final jobs report before Election Day shows US economy added 12,000 positions amid strikes and storms Here are the states where employers must give you time off to vote Trump sues CBS over ‘60 Minutes’ interview with Harris. Legal experts call it ‘frivolous and dangerous’ Ad Feedback Ad Feedback More video • Video 4:49 Clipped From Video Video World faces crucial choice over AI, says top economist 4:49 • Video 2:11 CNN Video How Trump’s second term could impact future interest rates 2:11 • Video 1:10 Getty Images Video Trump’s win made Elon Musk $15 billion richer 1:10 • Video 2:22 cnn Video What ‘Shark Tank’ star thinks will be different about ‘Trump 2.0’ 2:22 • Video 5:35 Clipped From Video Video Telecoms companies map out next phase of Middle East’s industrial revolution 5:35 Success SDI Productions/E+/Getty Images Not using these job interview tips can reduce your chances of getting that job sanjeri/E+/Getty Images Smart moves to make when the Fed starts cutting rates Halfpoint Images/Moment RF/Getty Images Early signs of dementia can show in your finances Kirkikis/iStock Editorial/Getty Images/File Steps you can take now to avoid college sticker shock Tech Jonathan Raa/NurPhoto/Shutterstock Google and Meta are blocking political ads to combat misinformation. Some experts say it’s too late Courtesy Best Buy Super giant TVs are flying off store shelves Anna Moneymaker/Getty Images Elon Musk cancels X town hall event minutes after it started following yet another round of technical problems Chesnot/Getty Images TikTok sued in France over harmful content that allegedly led to two suicides Media Will Lanzoni/CNN Trump’s return to power raises serious questions about the media’s credibility Bonnie Cash/Reuters Jeff Bezos congratulates Trump for ‘extraordinary political comeback and decisive victory’ Rebecca Droke/AFP/Getty Images What local reporters around the country are hearing from voters in the run-up to Election Day Samuel Corum/Getty Images Elon Musk’s misleading election claims have been viewed more than 2 billion times on X, analysis finds Underscored Money Kyodo News Stills/Getty Images 11 great ways to travel for free with 60,000 Chase Ultimate Rewards points Delta Air Lines Your ultimate guide to the American Express Membership Rewards program Emily McNutt Your complete guide to earning and redeeming points in the Citi ThankYou Rewards program iStock Best mobile payment apps in 2024, tested by our editors Intuitive Machines and Nokia Bell Labs Streaming and texting on the Moon: Nokia and NASA are taking 4G into space The electric car revolution is on track, says IEA Digital humans: the relatable face of artificial intelligence? Top soccer clubs are using an AI-powered app to scout future stars Joel Saget/AFP/Getty Images OpenAI’s wild week. How the Sam Altman story unfolded Sam Altman returns to OpenAI in a bizarre reversal of fortunes Opinion: The drama around Sam Altman is an urgent warning Microsoft stock hits all-time high after hiring former OpenAI CEO Sam Altman Paid Partner Content
2024-11-08T17:21:31
en
train
1,568
Elfan
2007-02-28T19:44:27
Study: firms whose managers have more social relationships with peers at other software start-ups have a better chance of surviving external shocks
null
http://www.informs.org/article.php?id=1268&p=1|
2
0
null
null
null
null
null
null
null
null
null
null
train
1,586
Harj
2007-02-28T21:05:41
The Next Big Ad Medium: Podcasts
null
http://www.businessweek.com/technology/content/feb2007/tc20070214_915949.htm?chan=search
3
0
null
null
null
null
null
null
null
null
null
null
train
1,587
Harj
2007-02-28T21:06:21
Social-Networking Sites Open Up
null
http://www.businessweek.com/technology/content/feb2007/tc20070213_172619.htm?chan=search
7
1
[ 1601 ]
null
null
null
null
null
null
null
null
null
train
1,588
Harj
2007-02-28T21:07:36
Yahoo Taps Its Inner Startup
null
http://www.businessweek.com/technology/content/feb2007/tc20070209_179924.htm?chan=search
16
13
[ 1640, 1652, 1627, 1686, 1678, 1625, 2090, 1592 ]
null
null
null
null
null
null
null
null
null
train
1,589
greg
2007-02-28T21:07:55
adobe is going to make an online photo editor
null
http://news.zdnet.com/2100-9588_22-6163015.html
5
2
[ 1636, 1629 ]
null
null
null
null
null
null
null
null
null
train
1,590
danw
2007-02-28T21:17:43
ETel LaunchPad - many interesting new telephony apps featured
null
http://www.oreillynet.com/etel/blog/2007/02/etel_coverage_launchpad_event.html
3
0
null
null
null
null
null
null
null
null
null
null
train
1,594
tzellman
2007-02-28T21:51:13
Encrypting your hard drive in Ubuntu
null
http://www.howtogeek.com/howto/ubuntu/install-truecrypt-on-ubuntu-edgy/
1
0
null
null
null
null
null
null
null
null
null
null
train
1,595
Elfan
2007-02-28T21:57:22
Why great coders get paid far too little
null
http://codecraft.info/index.php/archives/78/
9
8
[ 1611, 1630 ]
null
null
null
null
null
null
null
null
null
train
1,605
jamiequint
2007-02-28T23:08:16
Why Can't Programmers.. Program?
null
http://www.codinghorror.com/blog/archives/000781.html
9
7
[ 1608, 1620, 1708 ]
null
null
null
null
null
null
null
null
null
train
1,622
farmer
2007-03-01T00:39:40
TechCrunch: Is Spotplex a better Digg?
null
http://www.techcrunch.com/2007/02/28/exclusive-is-spotplex-a-better-digg/
11
3
[ 1632, 1650, 1697 ]
null
null
null
null
null
null
null
null
null
train
1,623
farmer
2007-03-01T00:41:24
Wesabe gets funded by O'Reilly Ventures
null
http://www.techcrunch.com/2007/02/28/wesabe-gets-money-from-tim-oreillys-oatv/
2
0
null
null
null
null
null
null
null
null
null
null
train
1,624
Elfan
2007-03-01T00:57:31
Interview With a 13 Year Old Entrepreneur
null
http://www.sitelead.com/blog/interview-with-a-13-year-old-entrepreneur/2007/02/28
1
0
null
null
null
null
null
null
null
null
null
null
train
1,628
amichail
2007-03-01T01:40:08
Seriosity tries to solve email spam -- with virtual currency
null
http://venturebeat.com/2007/02/28/seriosity-tries-to-solve-email-spam-with-virtual-currency/
1
0
null
null
null
null
null
null
null
null
null
null
train
1,631
pdsull
2007-03-01T01:50:06
5 Technologies that Will Impact the 2008 Elections
null
http://www.bivingsreport.com/2007/five-technologies-that-will-impact-the-2008-election-cycle/
2
0
null
null
null
null
null
null
null
null
null
null
train
1,643
jwecker
2007-03-01T03:37:11
Netscape Founder Tries To Build Online Communities
null
http://cbs5.com/business/local_story_059215430.html
3
0
null
null
null
null
null
null
null
null
null
null
train
1,645
brett
2007-03-01T03:58:26
Guy Kawasaki - Art of Start Video
null
http://blog.guykawasaki.com/2006/06/the_art_of_the_.html
5
1
[ 1646 ]
null
null
null
null
null
null
null
null
null
train
1,647
brett
2007-03-01T04:05:52
Firefox 3.0 opens door to Web apps, Mozilla says
null
http://news.yahoo.com/s/infoworld/20070227/tc_infoworld/86376;_ylt=ArVcNuzsHJF2q2hUReDfwZOor7oF
6
3
[ 1649, 1666 ]
null
null
null
null
null
null
null
null
null
train
1,651
abstractbill
2007-03-01T04:19:17
Marc Andreessen's latest startup - allows users to create social networks
null
http://sfgate.com/cgi-bin/article.cgi?file=/c/a/2007/02/27/BUG7NOBG0S1.DTL&type=printable
6
0
null
null
null
null
null
null
null
null
null
null
train
1,656
brett
2007-03-01T04:45:24
how equity dilution works
null
http://www.gaebler.com/How-Equity-Dilution-Works.htm
3
0
null
null
null
null
null
null
null
null
null
null
train
1,657
nostrademons
2007-03-01T04:51:40
What's The Optimal Number Of Co-Founders For A Startup? 2.09!
null
http://onstartups.com/home/tabid/3339/bid/1242/What-s-The-Optimal-Number-Of-Co-Founders-For-A-Startup-2-09.aspx
3
2
[ 1707 ]
null
null
null
null
null
null
null
null
null
train
1,658
danielha
2007-03-01T05:07:51
Startup Without Falling Down
null
http://www.technicat.com/writing/startup.html
11
0
null
null
null
null
null
null
null
null
null
null
train
1,659
danielha
2007-03-01T05:11:07
Employee vs. Entrepreneur: What's the Difference?
null
http://www.doingsuccess.com/article_514.shtml
2
0
null
null
null
null
null
null
null
null
null
null
train
1,661
gustaf
2007-03-01T05:14:29
New Travel-startup launched: 71miles.com
null
http://71miles.com/
2
0
null
null
null
null
null
null
null
null
null
null
train
1,662
Harj
2007-03-01T05:14:53
The incredibly shrinking VC model
null
http://money.cnn.com/2007/02/09/magazines/business2/vc_funding.biz2/index.htm?postversion=2007021207
4
0
null
null
null
null
null
null
null
null
null
null
train
1,664
vegai
2007-03-01T05:19:52
Factor 0.88 released
null
http://factor-language.blogspot.com/2007/02/factor-088-released.html
3
2
[ 1692, 1665 ]
null
null
null
null
null
null
null
null
null
train
1,667
reitzensteinm
2007-03-01T05:25:32
Newest web app: Photoshop!?
null
http://news.com.com/Adobe+to+take+Photoshop+online/2100-7345-6163015.html
1
1
[ 1668 ]
null
null
null
null
null
null
null
null
null
train
1,676
danielha
2007-03-01T07:53:14
The Web's Best Interface Design
null
http://businesslogs.com/design_and_usability/the_webs_best_interface_design.php
4
2
[ 1679, 1688 ]
null
null
null
null
null
null
null
null
null
train
1,677
staunch
2007-03-01T07:55:46
Great Stash of Top-Secret YC Talks & Presentations (MP3)
null
http://wiki.ycombinator.com/presentations/
23
6
[ 1810, 1685 ]
null
null
null
null
null
null
null
null
null
train
1,684
danw
2007-03-01T11:44:28
The Dangers of Infoprefixation (or, More Thoughts on the Impending Death of Information Architecture)
null
http://bokardo.com/archives/infoprefixation/
1
0
null
null
null
missing_parsing
More Thoughts on the Impending Death of Information Architecture
null
Joshua Porter
How “information architecture” is defined much too broadly, frames design in the wrong way, and suffers from infoprefixation. Editor’s Note: (This is a follow-up to Thoughts on the Impending Death of Information Architecture. Since I wrote that in November, I’ve had many conversations with information architects and designers alike, and in this piece I’ve tried to really outline the problem: IA at its most basic is the wrong frame with which to approach Design…) One of the more insightful social design books of the last decade is John Seely Brown and Paul Duguid’s The Social Life of Information (ch. 1), in which the authors suggest that we suffer from “tunnel vision” caused by an over-focus on technology. Certainly, the technological explosion of the Web has brought about huge changes, as Brown and Duguid should know: Brown works at Palo Alto Research Center (PARC) and Duguid works at UC Berkeley, two of the most distinguished technology havens on Earth. Infoprefixation One emergent problem Brown and Duguid describe is called “infoprefixation”, or being over-fixated on information instead of focusing on the people who use it to enrich their lives. Here’s how they explain it: “…you don’t need to look far these days to find much that is familiar in the world redefined as information. Books are portrayed as information containers, libraries as information warehouses, universities as information providers, and learning as information absorption. Organizations are depicted as information coordinators, meetings as information consolidators, talk as information exchange, markets as information-driven stimulus and response” This tendency to reframe things in terms of information echoes my frustrations with “information architecture”. Whereas “architecture” started off in the physical world, we now have to imagine (after merely placing “information” in front of it) what it means in the conceptual world. The once solid word “architecture” is now unclear. The ever-expanding definition of IA Worse, the term “information architecture” has over time come to encompass, as suggested by its principal promoters, nearly every facet of not just web design, but Design itself. Nowhere is this more apparent than in the latest update of Rosenfeld and Morville’s O’Reilly title, where the definition has become so expansive that there is now little left that isn’t information architecture. One definition in particular sounds exactly like a plausible definition of Design: “The art and science of shaping information products and experiences to support usability…” Sounds familiar, doesn’t it? In addition, the authors can’t seem to make up their minds about what IA actually is as the above definition is only one of 4 definitions in the book! (a similar affliction pervades the SIGIA mailing list, which has become infamous for never-ending definition battles) This is not just academic waffling, but evidence of a term too broadly defined. Many disciplines often reach out beyond their initial borders, after catching on and gaining converts, but IA is going to the extreme. One technologist and designer I know even referred to this ever-growing set of definitions as the “IA land-grab”, referring to the tendency that all things Design are being redefined as IA. Time for clarity and a return to design Normally all of this wouldn’t be a problem and we could continue to live while this confusion reigns. But at this point on the Web, when most people are comfortable with it becoming a real and lasting part of our lives, we need solid practices and clear direction. But the more I read anything about information architecture, the more confused I become. I continually ask myself: Aren’t we just talking about design here? And, if so, why aren’t we trying to find a common ground rather than trying to redefine everything? Brown and Duguid continue: This desire to see things in information’s light no doubt drives what we think of as “infoprefixation.” Info gives new life to a lot of old words in compounds such as infotainment, infomatics, infomating, and infomediary….Adding info or something similar to your name doesn’t simply add to but multiplies your market value. Undoubtedly, information is critical to every part of life. Nevertheless, some of the attempts to squeeze everything into an information perspective recall the work of the Greek mythological bandit Procrustes. He stretched travelers who were too short and cut off the legs of those who were too long until all fitted his bed. And we suspect that the stretching and cutting done to meet the requirements of the infobed distorts much that is critically human.” The Procrustes analogy is apt. When we begin to view human beings through a single lens (information), then the other rich threads of our existence are cut off. If we begin to see people as simply information finders, as the term information architecture inevitably leads us to, then we begin to cut people off when they don’t fit the architecture we’ve created for finding. Joel Spolsky, in his piece Architecture Astronauts, warns against viewing human activities in this way: “When great thinkers think about problems, they start to see patterns. They look at the problem of people sending each other word-processor files, and then they look at the problem of people sending each other spreadsheets, and they realize that there’s a general pattern: sending files. That’s one level of abstraction already. Then they go up one more level: people send files, but web browsers also “send” requests for web pages. And when you think about it, calling a method on an object is like sending a message to an object! It’s the same thing again! Those are all sending operations, so our clever thinker invents a new, higher, broader abstraction called messaging, but now it’s getting really vague and nobody really knows what they’re talking about any more. When you go too far up, abstraction-wise, you run out of oxygen. Sometimes smart thinkers just don’t know when to stop, and they create these absurd, all-encompassing, high-level pictures of the universe that are all good and fine, but don’t actually mean anything at all.” Focus on people’s problems, not information The danger of infoprefixation is that it recasts human problems in terms of information. It’s a subtle, but detrimental, shift because we risk losing sight of the reasons why people wanted or needed the information in the first place. If we see the world as a whole lot of information that needs to be catalogued, shared, and organized, then the problem becomes one of organization, not one that is based on the lives of the people we design for. It also moves us away from the rigor of design, which is to continually ask: Why do people do what they do? While it’s fun and academically interesting to talk about the millions of ways to structure information, the entire value proposition of design rests on whether or not the person we’re designing for is successful. Success means that they achieve what they want to achieve. Therefore, we must move away from an information-centric view of the world, as Brown and Duguid argue, and move toward an activity-centric view. This would alleviate the problem of focusing on the information and not the person. When we focus on activities, we are forced to continually consider: “what is the user trying to achieve?” instead of “how do we organize this information we think the user needs?”. Web applications and the shift toward experience This is already happening in the form of web applications. Web applications don’t fit into the world of information architecture very well, because they don’t take an information-centric view of the world. They take an activity-centric view instead. And, to that end, web applications look a lot different from much of the early Web. As Richard MacManus and I wrote two years ago “the web of documents is becoming a web of data”. And that data only has meaning when attached to the activities for which it is used. In addition, this shift is already happening to information architects, who, recognizing that information is only a byproduct of activity, increasingly adopt a different job title. Most are moving toward something in the realm of “user experience”, which is probably a good thing because it has the rigor of focusing on the user’s actual experience. Also, this as an inevitable move, given that most IAs are concerned about designing great things. IA Scott Weisbrod, in the comments to David Armano’s reply to my earlier piece, sees this happening too: “People who once identified themselves as Information Architects are now looking for more meaningful expressions to describe what they do – whether it’s interaction architect or experience designer” Scott’s examples are curious in that they don’t suffer from infoprefixation. This is not an aberration, but yet another signal that IA as it has lived is dying. Published: March 1st, 2007
2024-11-08T17:26:52
null
train
1,689
SimJapan2005
2007-03-01T13:01:47
Heard of Cebu City, Philippines?
null
http://cedfit.org/
1
1
[ 1690 ]
null
null
no_error
Cebu Educational Development Foundation for Information Technology
null
null
Upcoming Events and Activities Events News and Announcements Events You are cordially invited to the 2017 Transformation Summit on May 22, 2017 at Ballroom C, Marco Polo Plaza Hotel, Cebu City. For confirmation and further inquiries, you may call the CEDF-IT Office at Tel. No: 236-5081 and look for Erma or email us at [email protected]Thank you and we are looking forward to your participation! Cebu is now alternative to Silicon Valley! Cebu is a hub for social enterprises, those organizations dedicated to fighting poverty and improving quality of life in the developing world. According to Ravi Agarwal, who founded the social enterprise EngageSpark, Cebu is the perfect place for social enterprise startups because it’s got a large talent pool of locals and ex-pats who are English speakers, it’s got good infrastructure and the Philippines has a high concentration of urban poverty (60 to 70 million out of 100 million people), which makes it easy to target campaigns that aim to improve quality of life. Since it’s affordable, it’s a great place to build products, test them and then scale them to the global market at a low cost to your company. In terms of livability, Cebu is a beautiful and economical place to live, with lots of outdoorsy activities close by. read more Trainings and Seminars Trainings Seminars Trainings Stay Tuned for More Updates. Seminars Stay Tuned for More Updates.
2024-11-08T16:29:24
en
train
1,691
danw
2007-03-01T13:07:50
Startup Success 2006 [video] - with Guy Kawasaki, Reid Hoffman, Joe Kraus and more
null
http://video.google.com/videoplay?docid=2401538119328376288
2
1
[ 1702 ]
null
null
null
null
null
null
null
null
null
train
1,694
Harj
2007-03-01T13:27:54
How To Lose Your Users and Kill Your Web 2.0 Company: Zoto
null
http://mashable.com/2007/02/28/zoto/
5
0
null
null
null
null
null
null
null
null
null
null
train
1,695
Harj
2007-03-01T13:33:31
Google: Click Fraud Is 0.02% Of Clicks
null
http://searchengineland.com/070301-000001.php
6
2
[ 1711, 1736 ]
null
null
null
null
null
null
null
null
null
train
1,698
nate
2007-03-01T14:01:12
At 8AM Central 3/1/2007 Reddit is still down. I'm switching to Newsy!
null
http://reddit.com/
6
4
[ 1699, 1706, 1701 ]
null
null
null
null
null
null
null
null
null
train
1,700
mattculbreth
2007-03-01T14:03:11
Oracle to buy Hyperion for $3.3b
null
http://www.informationweek.com/news/showArticle.jhtml?articleID=197700346
1
0
null
null
null
null
null
null
null
null
null
null
train
1,712
msgbeepa
2007-03-01T15:23:08
How To Bring New Readers To Your Blog/site?
null
http://www.wikio.com/webinfo?id=13911648
2
0
null
null
null
null
null
null
null
null
null
null
train
1,717
Elfan
2007-03-01T15:42:26
Asking All Young Entrepreneurs: Are You Absolutely Sick of College Yet?
null
http://mindpetals.com/blog/2007/02/asking-all-young-entrepreneurs-are-you-absolutely-sick-of-college-yet/
8
6
[ 1793, 1724, 1742 ]
null
null
null
null
null
null
null
null
null
train
1,721
abstractbill
2007-03-01T15:52:14
Delaware corporate franchise tax is due today (March 1st)
null
http://www.dca.net/delawarecorp.com/sch-tax.htm
4
0
null
null
null
null
null
null
null
null
null
null
train
1,722
Harj
2007-03-01T15:55:15
How do you build the perfect local community Web site
null
http://venturebeat.com/2007/02/28/will-outsidein-nail-the-community-web-site-maybe/
1
2
[ 5185, 1750 ]
null
null
no_error
Will Outside.in nail the community Web site? Maybe
2007-03-01T02:07:42+00:00
Matt Marshall
February 28, 2007 6:07 PM Updated with full list of names of angel investors How do you build the perfect local community Web site — with news, events, comments and more? If you manage to, it will be a grand slam. It becomes the talk of the town, people spend more time going there, and local advertisers spend money there. A wave of companies have tried, but failed. But Outside.in, a new Brooklyn, NY start-up is looking very good — as good, if not better than any we’ve seen so far. Its visual presentation is nice and simple (see screenshot at bottom). It uses AJAX and other technologies to improve upon efforts preceding it. Here’s the background: Newspapers have largely dropped the ball. A dozen or so Internet companies have tried to adapt the community concept online, but none have nailed it. There’s Yelp, which specializes in reviews of bars and restaurants. There’s Judysbook, which began with a broader community feel, but has since moved toward shopping. There’s Insiderpages, which is struggling, and focused on business listings. Smalltown focuses on local business, too. Topix gives you community news. Backfence gets closer, as does ePodunk to coverage of wider community events — but their execution and user interfaces have remained unimpressive. Craigslist provides a local marketplace, but stops there. Outside.in takes both existing content (from local bloggers, city governments, movie listings) and user generated content, and packages them into local sites. For each town, Outside.in lets you see stories, comments, places and “neighbors,” or registered users. It has one useful, powerful feature we haven’t seen before: You can switch the focus of your region easily — using a map feature at the top left of your region. This lets you zoom in or out to include more or less surrounding regions or cities — and the information, news, events and comments all adjust in real time. So you can limit a search for crime to Park Slope, a neighborhood in Brooklyn, NY. Then you can search for Italian restaurants across the entire city. Or you can look for poetry readings in Park Slope and surrounding neighborhoods. All by just scrolling within a map. There’s a lot to look at here. Outside.in provides a URL for each city (it adds a +1 to the URL if you zoom out and see a mile of surrounding area, etc), but also for each place. For example, there’s an entry for the Whole Foods in Brooklyn, which is under development, and creating considerable community debate. People can go to the URL and see the latest stories by local bloggers, and can submit their own comments. In this way, Outside.in wants to be a Wikipedia for local places. How does it monitor the comments and entries? Well, like Wikipedia, it has the crowd controllers. Of its eight full-time employees, three are chaperoning the site, and 12 more freelancers are helping out. It is early days, and it is a little buggy. For example, in Palo Alto, Calif., some “top places” are actually based in places like Mountain View (in part, because Outside.in is still figuring out how to deal with regions like the Bay Area where cities merge into each other, and because it wants to show places with buzz within ten miles from you). Founder Steven Johnson gave us a demo today. He was the co-founder of the online magazine FEED and community site, Plastic.com. Hollywood producer Andy Karsch, and John Seely Brown seed-funded the company with $200,000. Yesterday, the company announced it raised $900,000 more from Union Square Ventures, Milestone, Village Ventures and individuals Marc Andreessen (Netscape co-founder), Esther Dyson, George Crowley, John Borthwick and Richard Smith. This will be fun to watch. We’ve been waiting for a decent site to come along. While Outside.in has a long way to go, it is looking very smart. VB Daily Stay in the know! Get the latest news in your inbox daily By subscribing, you agree to VentureBeat's Terms of Service. Thanks for subscribing. Check out more VB newsletters here. An error occured.
2024-11-08T09:42:46
en
train
1,723
veritas
2007-03-01T16:13:27
CRV Quickstart Facts: Those are some long odds.
null
http://paul.kedrosky.com/archives/2007/02/28/stats_on_charle.html
5
2
[ 1769 ]
null
null
null
null
null
null
null
null
null
train
1,726
jwecker
2007-03-01T16:25:41
iSkoot Gets $7 Million in Venture Capital Funding
null
http://www.teleclick.ca/2007/03/iskoot-gets-7-million-in-venture-capital-funding/
2
0
null
null
null
null
null
null
null
null
null
null
train
1,727
immad
2007-03-01T16:27:02
Ebay - Bebo partnership. Interesting monetisation option for social networks
null
http://users2.wsj.com/lmda/do/checkLogin?mg=wsj-users2&url=http%3A%2F%2Fonline.wsj.com%2Farticle%2FSB117271875199822976.html
1
1
[ 1729 ]
null
null
null
null
null
null
null
null
null
train
1,728
jwecker
2007-03-01T16:29:06
Are You Paid Enough?
null
http://money.cnn.com/magazines/business2/business2_archive/2007/03/01/8401032/
3
1
[ 1762 ]
null
null
null
null
null
null
null
null
null
train
1,730
jwecker
2007-03-01T16:34:17
It's not about what you start, it's about what you finish
null
http://www.gobignetwork.com/wil/2007/1/27/its-not-about-what-you-start-its-about-what-you-finish/10092/view.aspx
2
0
null
null
null
null
null
null
null
null
null
null
train
1,732
jwecker
2007-03-01T16:38:43
Why Big Company Strategies Don't Matter to Startup Companies
null
http://www.gobignetwork.com/wil/2007/2/28/why-big-company-strategies-dont-matter-to-startup-companies/10111/view.aspx
3
0
null
null
null
null
null
null
null
null
null
null
train
1,734
jwecker
2007-03-01T16:45:36
Starting a Company is a Crap Sandwich
null
http://www.gobignetwork.com/wil/2007/2/21/starting-a-company-is-a-crap-sandwich/10108/view.aspx
2
0
null
null
null
null
null
null
null
null
null
null
train
1,735
Alex3917
2007-03-01T16:52:00
My college professor: "Startups are not real work, and starting a business is not rational."
null
http://alexkrupp.com/midterm.html
5
10
[ 1832, 1745, 1794 ]
null
null
null
null
null
null
null
null
null
train
1,737
brett
2007-03-01T17:03:37
Presentation on the process of gettting VC funding
null
http://localglobe.blogspot.com/2007/02/bens-presentation-on-vc-funding-at-fowa.html
2
0
null
null
null
null
null
null
null
null
null
null
train
1,738
jwecker
2007-03-01T17:03:40
Web 2.0 revenue models
null
http://opengardensblog.futuretext.com/archives/2006/07/web_20_show_me.html
3
0
null
null
null
null
null
null
null
null
null
null
train
1,739
socmoth
2007-03-01T17:13:03
markdown in javascript. (don't hit your server while doing a live preview)
null
http://www.attacklab.net/showdown-gui.html
24
2
[ 1748 ]
null
null
null
null
null
null
null
null
null
train
1,744
brett
2007-03-01T17:55:00
Insider Pages Acquired By CitySearch
null
http://www.techcrunch.com/2007/03/01/troubled-insider-pages-acquired-by-citysearch/
4
0
null
null
null
null
null
null
null
null
null
null
train
1,751
danielha
2007-03-01T18:32:55
Interview with reddit (part 2)
null
http://www.folksonomy.org/2007/02/interview_with_alexis_ohanian/
20
2
[ 1763 ]
null
null
null
null
null
null
null
null
null
train
1,756
Readmore
2007-03-01T18:59:31
Klipboardz Blog - Using Emergence for Social News
null
http://www.klipboardz.com/klipz/comments/1570
4
0
null
null
null
null
null
null
null
null
null
null
train
1,758
nostrademons
2007-03-01T19:50:36
Moonlighter's Dilemma: Guide to Starting a Startup PartTime
null
http://blog.buzzoo.net/2007/03/01/moonlighters-dilema-guide-to-starting-a-startup-partime/
45
8
[ 1808, 2250, 1790, 1797, 1761, 8516 ]
null
null
null
null
null
null
null
null
null
train
1,759
wbornor
2007-03-01T19:57:13
New House leadership has lively Internet agenda
null
http://www.boston.com/business/globe/articles/2007/02/27/markey_plans_push_in_telecom/
2
0
null
null
null
http_404
Page not found | Boston.com
null
null
404; This page isn't the first thing to get lost in Boston. Keep calm and return to the previous page, or check out some our most popular stories from today.
2024-11-08T10:28:36
null
train
1,764
rms
2007-03-01T21:56:29
Free online version of Photoshop coming soon
null
http://www.techcrunch.com/2007/02/28/adobe-photoshop-online-edition/
5
1
[ 1767 ]
null
null
null
null
null
null
null
null
null
train
1,768
msgbeepa
2007-03-01T22:21:00
How To Become Rich From Making A Simple Video - Part 2
null
http://www.wikio.com/webinfo?id=13938298
2
0
null
null
null
null
null
null
null
null
null
null
train
1,770
bhb
2007-03-01T22:33:16
Capturing your start-to-be with a wiki
null
http://blog.pretheory.com/arch/000428.php
12
4
[ 1862, 1838, 1803 ]
null
null
null
null
null
null
null
null
null
train
1,771
davidw
2007-03-01T22:56:43
Internet Bubble 2.0
null
http://econlog.econlib.org/archives/2007/03/internet_bubble_2.html
4
0
null
null
null
null
null
null
null
null
null
null
train
1,772
eric
2007-03-01T23:06:52
Perhaps Entrepreneurs Can Stay East After All
null
http://onstartups.com/home/tabid/3339/bid/1249/Massachusetts-Ranked-1-Perhaps-Entrepreneurs-Can-Stay-East-After-All.aspx
3
1
[ 1773 ]
null
null
null
null
null
null
null
null
null
train