Skip to main content

Home/ Sensorica Knowledge/ Group items tagged argument

Rss Feed Group items tagged

Tiberius Brastaviceanu

Google Apps Script - introduction - 0 views

  • Google Apps Script provides you with the ability to build a user interface for displaying or capturing information.
  • Viewing the Available User Interface Elements
  • Your scripts can display the user interface in two ways:
  • ...48 more annotations...
  • from a Spreadsheet
  • from a Site
  • As a stand-alone servlet
  • Deciding Whether to Run a Script from a Spreadsheet or as a Service
  • The built-in code autocomplete functionality in the editor requires you to type the trailing period that follows app.
  • Plan the script. What tasks should the script accomplish?
  • Write down the specific information you want to display to or collect from your users.
  • Draw the user interface
  • Determine what the script and interface should do in response to any user input.
  • Determine the conditions for exiting the script.
  • you need a UiApp application object to contain the user interface elements. After you create the UiApp application object, you can add buttons, dialog boxes, panels, and other elements to the UiApp application object.
  • The general syntax for these operations is as follows:
  • To create a UiApp application object, use the syntax var your_application_object_name = UiApp.createApplication();
  • To create a user interface element and associate it with your UiApp application object, use the syntax var your_ui_element_name= your_application_object_name.createElement_Name();.
  • To add one user interface element to another
  • use the syntax your_ui_element_name1.add(your_ui_element_name2);
  • a button with the text Press Me on it:
  • creates a vertical panel.
  • other kinds of panels
  • pop-up panels, stack panels, focus panels, form panels, and so on.
  • code for displaying your button on the panel:
  • add the panel to the application:
  • nstruct Google Apps Script to display the interface elements:
  • You can create the user interface elements in any order.
  • the display order
  • Creating the elements and adding them to your application are separate steps requiring separate instructions.
  • a short script that does nothing but display a panel with a button on it.
  • You can chain together setter methods
  • sets its title
  • set the size of the object:
  • how to use Grid objects and the setWidget method to create a more complex layout and also how to create text boxes and label them.
  • To make a user interface useful, you need the ability to update a Spreadsheet with information a user enters from the interface.
  • a short script that responds to an action in the interface by updating the Spreadsheet.
  • looping structure in the script to keep the panel displayed and active
  • Server-side means that the actions are performed by a server
  • same script, with functions added that enable the form to be used multiple times before a user chooses to exit.
  • script collects some information from text fields on a panel and writes that information into the Spreadsheet.
  • You can make a script's user interface available to users from inside a Spreadsheet or Site or by running it separately as a service.
  • how to make the user interface as a service.
  • A script that provides a stand-alone user interface must invoke the doGet(e) function or the doPost(e) function for an HTML form submit.
  • A script that provides the user interface from the Spreadsheet invokes doc.show(app).
  • The doGet(e) function takes the argument e, passing in the arguments for the user interface, including the user name of the person invoking the script.
  • After you write the script, you publish it as a service. During the publishing process, you define who has access to the script.
  • In a Google Apps domain, you can publish the script so that only you have access or so that everyone in the domain has access.
  • In a Google consumer account, you can publish the script so that only you have access or so that everyone in the world has access.
  • Updating a Spreadsheet from the User Interface, the user interface is displayed from the Spreadsheet where the script is stored. The following code defines how the user interface is displayed:
  • Here's the skeleton code for displaying a user interface as a stand-alone service:
  • some aspects of the two ways to display a user interface.
Tiberius Brastaviceanu

Google Apps Script - introduction - 0 views

  • script that you want to run every day at a specific time
  • script that should run after a user submits a data-collection form.
  • Google Apps Script provides simple event handlers and installable event handlers, which are easy ways for you to specify functions to run at a particular time or in response to an event.
  • ...39 more annotations...
  • let's consider the terminology we use for events
  • event triggers
  • triggers
  • in response
  • event handler
  • event
  • onInstall function
  • onOpen function.
  • onEdit function
  • the simple event handlers are restricted in what they are permitted to do:
  • The spreadsheet containing the script must be opened for editing
  • cannot determine the current user
  • cannot access any services that require authentication as that user
  • Calendar, Mail and Site are not anonymous and the simple event handlers cannot access those services.
  • can only modify the current spreadsheet. Access to other spreadsheets is forbidden.
  • see Understanding Permissions and Script Execution.
  • The onOpen function runs automatically when a user opens a spreadsheet.
  • add custom menu items to the spreadsheet's menu bar.
  • onEdit function runs automatically when any cell of the spreadsheet is edited.
  • record the last modified time in a comment on the cell that was edited.
  • The onInstall function is called when a script is installed from the Script Gallery.
  • setting up custom menus for the user.
  • the script can call onOpen from onInstall.
  • Installable event handlers are set on the Triggers menu within the Script Editor, and they're called triggers in this document.
  • When a specific time is reached
  • When a form is submitted
  • When a Spreadsheet is edited
  • When a Spreadsheet is opened.
  • They can potentially access all services available to the user who installed the handler.
  • are fully-capable scripts with none of the access limitations of simple event handlers
  • may not be able to determine which user triggered the event being handled
  • The spreadsheet containing the script does not have to be open for the event to be triggered and the script to run.
  • You can connect triggers to one or more functions in a script. Any function can have multiple triggers attached. In addition, you can add trigger attributes to a function to further refine how the trigger behaves.
  • When a script runs because of a trigger, the script runs using the identity of the person who installed the trigger, not the identity of the user whose action triggered the event. This is for security reasons.
  • Installing an event handler may prompt for authorization to access
  • An event is passed to every event handler as the argument (e). You can add attributes to the (e) argument that further define how the trigger works or that capture information about how the script was triggered.
  • an example of a function that sends email to a designated individual containing information captured by a Spreadsheet when a form is submitted.
  • With Google Apps, forms have the option to automatically record the submitter's username, and this is available to the script as e.namedValues["Username"]. Note: e.namedValues are only available for Google Apps domains and not for consumer Google accounts.
  • The available attributes for triggers are described in the following tables.
  •  
    script that you want to run every day at a specific time
Tiberius Brastaviceanu

Google Apps Script - introduction - 0 views

  • installing and running existing scripts from the Script Gallery
  • Spreadsheet
  • Insert
  • ...27 more annotations...
  • Install
  • Close
  • Choose a script and click Run
  • The onOpen function adds the Finance menu and the menu item Get Stock to the Spreadsheet
  • the onOpen() function
  • code function onOpen() declares the function and its name
  • code between the curly braces is the code that performs actions when you run the onOpen() function
  • the SpreadsheetApp.getActiveSpreadsheet method to obtain a spreadsheet object representing the currently-active spreadsheet.
  • invoking methods on ss, the script can manipulate the currently-active spreadsheet.
  • method is code that is associate exclusively with a class and performs a particular task on objects of that class
  • insert the column headers into the corresponding cells
  • the getRange() method
  • setValue() method
  • identify
  • arguments
  • You use arguments to pass data to a method.
  • String data
  • is in quotation marks
  • line var row = 2; creates a variable row with an initial value of 2
  • a counter
  • while (true) loop
  • if loop
  • if (!symbol) break; causes the script to exit from the while loop when there is no stock symbol in the variable symbol
  • The exclamation point states a negative (not) condition
  • continues to run, incrementing the row each time until it reaches an empty row
  • the break causes the script to exit from the loop and finish.
  • To comment out the code, put two forward slashes at the beginning of each line:
Kurt Laitner

What do we need corporations for and how does Valve's management structure fit into tod... - 0 views

  • Valve’s management model; one in which there are no bosses, no delegation, no commands, no attempt by anyone to tell someone what to do
  • Every social order, including that of ants and bees, must allocate its scarce resources between different productive activities and processes, as well as establish patterns of distribution among individuals and groups of output collectively produced.
  • the allocation of resources, as well as the distribution of the produce, is based on a decentralised mechanism functioning by means of price signals:
  • ...18 more annotations...
  • Interestingly, however, there is one last bastion of economic activity that proved remarkably resistant to the triumph of the market: firms, companies and, later, corporations. Think about it: market-societies, or capitalism, are synonymous with firms, companies, corporations. And yet, quite paradoxically, firms can be thought of as market-free zones. Within their realm, firms (like societies) allocate scarce resources (between different productive activities and processes). Nevertheless they do so by means of some non-price, more often than not hierarchical, mechanism!
  • they are the last remaining vestiges of pre-capitalist organisation within… capitalism
  • The miracle of the market, according to Hayek, was that it managed to signal to each what activity is best for herself and for society as a whole without first aggregating all the disparate and local pieces of knowledge that lived in the minds and subconscious of each consumer, each designer, each producer. How does this signalling happen? Hayek’s answer (borrowed from Smith) was devastatingly simple: through the movement of prices
  • The idea of spontaneous order comes from the Scottish Enlightenment, and in particular David Hume who, famously, argued against Thomas Hobbes’ assumption that, without some Leviathan ruling over us (keeping us “all in awe”), we would end up in a hideous State of Nature in which life would be “nasty, brutish and short”
  • Hume’s counter-argument was that, in the absence of a system of centralised command, conventions emerge that minimise conflict and organise social activities (including production) in a manner that is most conducive to the Good Life
  • Hayek’s argument was predicated upon the premise that knowledge is always ‘local’ and all attempts to aggregate it are bound to fail. The world, in his eyes, is too complex for its essence to be distilled in some central node; e.g. the state.
  • The idea here is that, through this ever-evolving process, people’s capacities, talents and ideas are given the best chance possible to develop and produce synergies that promote the Common Good. It is as if an invisible hand guides Valve’s individual members to decisions that both unleash each person’s potential and serve the company’s collective interest (which does not necessarily coincide with profit maximisation).
  • Valve differs in that it insists that its employees allocate 100% of their time on projects of their choosing
  • In contrast, Smith and Hayek concentrate their analysis on a single passion: the passion for profit-making
  • Hume also believed in a variety of signals, as opposed to Hayek’s exclusive reliance on price signalling
  • One which, instead of price signals, is based on the signals Valve employees emit to one another by selecting how to allocate their labour time, a decision that is bound up with where to wheel their tables to (i.e. whom to work with and on what)
  • He pointed out simply and convincingly that the cost of subcontracting a good or service, through some market, may be much larger than the cost of producing that good or service internally. He attributed this difference to transactions costs and explained that they were due to the costs of bargaining (with contractors), of enforcing incomplete contracts (whose incompleteness is due to the fact that some activities and qualities cannot be fully described in a written contract), of imperfect monitoring and asymmetrically distributed information, of keeping trade secrets… secret, etc. In short, contractual obligations can never be perfectly stipulated or enforced, especially when information is scarce and unequally distributed, and this gives rise to transaction costs which can become debilitating unless joint production takes place within the hierarchically structured firm. Optimal corporation size corresponds, in Coase’s scheme of things, to a ‘point’ where the net marginal cost of contracting out a service or good (including transaction costs) tends to zero 
  • As Coase et al explained in the previous section, the whole point about a corporation is that its internal organisation cannot turn on price signals (for if it could, it would not exist as a corporation but would, instead, contract out all the goods and services internally produced)
  • Each employee chooses (a) her partners (or team with which she wants to work) and (b) how much time she wants to devote to various competing projects. In making this decision, each Valve employee takes into account not only the attractiveness of projects and teams competing for their time but, also, the decisions of others.
  • Hume thought that humans are prone to all sorts of incommensurable passions (e.g. the passion for a video game, the passion for chocolate, the passion for social justice) the pursuit of which leads to many different types of conventions that, eventually, make up our jointly produced spontaneous order
  • Valve is, at least in one way, more radical than a traditional co-operative firm. Co-ops are companies whose ownership is shared equally among its members. Nonetheless, co-ops are usually hierarchical organisations. Democratic perhaps, but hierarchical nonetheless. Managers may be selected through some democratic or consultative process involving members but, once selected, they delegate and command their ‘underlings’ in a manner not at all dissimilar to a standard corporation. At Valve, by contrast, each person manages herself while teams operate on the basis of voluntarism, with collective activities regulated and coordinated spontaneously via the operations of the time allocation-based spontaneous order mechanism described above.
  • In contrast, co-ops and Valve feature peer-based systems for determining the distribution of a firm’s surplus among employees.
  • There is one important aspect of Valve that I did not focus on: the link between its horizontal management structure and its ‘vertical’ ownership structure. Valve is a private company owned mostly by few individuals. In that sense, it is an enlightened oligarchy: an oligarchy in that it is owned by a few and enlightened in that those few are not using their property rights to boss people around. The question arises: what happens to the alternative spontaneous order within Valve if some or all of the owners decide to sell up?
Tiberius Brastaviceanu

The Baffler - 0 views

  • This tendency to view questions of freedom primarily through the lens of economic competition, to focus on the producer and the entrepreneur at the expense of everyone else, shaped O’Reilly’s thinking about technology.
  • the O’Reilly brand essence is ultimately a story about the hacker as hero, the kid who is playing with technology because he loves it, but one day falls into a situation where he or she is called on to go forth and change the world,
  • His true hero is the hacker-cum-entrepreneur, someone who overcomes the insurmountable obstacles erected by giant corporations and lazy bureaucrats in order to fulfill the American Dream 2.0: start a company, disrupt an industry, coin a buzzword.
  • ...139 more annotations...
  • gospel of individualism, small government, and market fundamentalism
  • innovation is the new selfishness
  • mastery of public relations
  • making it seem as if the language of economics was, in fact, the only reasonable way to talk about the subject
  • memes are for losers; the real money is in epistemes.
  • “Open source software” was also the first major rebranding exercise overseen by Team O’Reill
  • It’s easy to forget this today, but there was no such idea as open source software before 1998; the concept’s seeming contemporary coherence is the result of clever manipulation and marketing.
  • ideological cleavage between two groups
  • Richard Stallman
  • Free Software Foundation, preoccupied with ensuring that users had rights with respect to their computer programs. Those rights weren’t many—users should be able to run the program for any purpose, to study how it works, to redistribute copies of it, and to release their improved version (if there was one) to the public
  • “free software.”
  • association with “freedom” rather than “free beer”
  • copyleft
  • profound critique of the role that patent law had come to play in stifling innovation and creativity.
  • Plenty of developers contributed to “free software” projects for reasons that had nothing to do with politics. Some, like Linus Torvalds, the Finnish creator of the much-celebrated Linux operating system, did so for fun; some because they wanted to build more convenient software; some because they wanted to learn new and much-demanded skills.
  • Stallman’s rights-talk, however, risked alienating the corporate types
  • he was trying to launch a radical social movement, not a complacent business association
  • By early 1998 several business-minded members of the free software community were ready to split from Stallman, so they masterminded a coup, formed their own advocacy outlet—the Open Source Initiative—and brought in O’Reilly to help them rebrand.
  • “open source”
  • The label “open source” may have been new, but the ideas behind it had been in the air for some time.
  • In those early days, the messaging around open source occasionally bordered on propaganda
  • This budding movement prided itself on not wanting to talk about the ends it was pursuing; except for improving efficiency and decreasing costs, those were left very much undefined.
  • extremely decentralized manner, using Internet platforms, with little central coordination.
  • In contrast to free software, then, open source had no obvious moral component.
  • “open source is not particularly a moral or a legal issue. It’s an engineering issue. I advocate open source, because . . . it leads to better engineering results and better economic results
  • While free software was meant to force developers to lose sleep over ethical dilemmas, open source software was meant to end their insomnia.
  • Stallman the social reformer could wait for decades until his ethical argument for free software prevailed in the public debate
  • O’Reilly the savvy businessman had a much shorter timeline: a quick embrace of open source software by the business community guaranteed steady demand for O’Reilly books and events
  • The coup succeeded. Stallman’s project was marginalized. But O’Reilly and his acolytes didn’t win with better arguments; they won with better PR.
  • A decade after producing a singular vision of the Internet to justify his ideas about the supremacy of the open source paradigm, O’Reilly is close to pulling a similar trick on how we talk about government reform.
  • much of Stallman’s efforts centered on software licenses
  • O’Reilly’s bet wa
  • the “cloud”
  • licenses would cease to matter
  • Since no code changed hands
  • So what did matter about open source? Not “freedom”
  • O’Reilly cared for only one type of freedom: the freedom of developers to distribute software on whatever terms they fancied.
  • the freedom of the producer
  • who must be left to innovate, undisturbed by laws and ethics.
  • The most important freedom,
  • is that which protects “my choice as a creator to give, or not to give, the fruits of my work to you, as a ‘user’ of that work, and for you, as a user, to accept or reject the terms I place on that gift.”
  • O’Reilly opposed this agenda: “I completely support the right of Richard [Stallman] or any individual author to make his or her work available under the terms of the GPL; I balk when they say that others who do not do so are doing something wrong.”
  • The right thing to do, according to O’Reilly, was to leave developers alone.
  • According to this Randian interpretation of open source, the goal of regulation and public advocacy should be to ensure that absolutely nothing—no laws or petty moral considerations—stood in the way of the open source revolution
  • Any move to subject the fruits of developers’ labor to public regulation
  • must be opposed, since it would taint the reputation of open source as technologically and economically superior to proprietary software
  • the advent of the Internet made Stallman’s obsession with licenses obsolete
  • Many developers did stop thinking about licenses, and, having stopped thinking about licenses, they also stopped thinking about broader moral issues that would have remained central to the debates had “open source” not displaced “free software” as the paradigm du jour.
  • Profiting from the term’s ambiguity, O’Reilly and his collaborators likened the “openness” of open source software to the “openness” of the academic enterprise, markets, and free speech.
  • “open to intellectual exchange”
  • “open to competition”
  • “For me, ‘open source’ in the broader sense means any system in which open access to code lowers the barriers to entry into the market”).
  • “Open” allowed O’Reilly to build the largest possible tent for the movement.
  • The language of economics was less alienating than Stallman’s language of ethics; “openness” was the kind of multipurpose term that allowed one to look political while advancing an agenda that had very little to do with politics
  • highlight the competitive advantages of openness.
  • the availability of source code for universal examination soon became the one and only benchmark of openness
  • What the code did was of little importance—the market knows best!—as long as anyone could check it for bugs.
  • The new paradigm was presented as something that went beyond ideology and could attract corporate executives without losing its appeal to the hacker crowd.
  • What Raymond and O’Reilly failed to grasp, or decided to overlook, is that their effort to present open source as non-ideological was underpinned by a powerful ideology of its own—an ideology that worshiped innovation and efficiency at the expense of everything else.
  • What they had in common was disdain for Stallman’s moralizing—barely enough to justify their revolutionary agenda, especially among the hacker crowds who were traditionally suspicious of anyone eager to suck up to the big corporations that aspired to dominate the open source scene.
  • linking this new movement to both the history of the Internet and its future
  • As long as everyone believed that “open source” implied “the Internet” and that “the Internet” implied “open source,” it would be very hard to resist the new paradigm
  • Telling a coherent story about open source required finding some inner logic to the history of the Internet
  • “If you believe me that open source is about Internet-enabled collaboration, rather than just about a particular style of software license,”
  • everything on the Internet was connected to everything else—via open source.
  • The way O’Reilly saw it, many of the key developments of Internet culture were already driven by what he called “open source behavior,” even if such behavior was not codified in licenses.
  • No moralizing (let alone legislation) was needed; the Internet already lived and breathed open source
  • apps might be displacing the browser
  • the openness once taken for granted is no more
  • Openness as a happenstance of market conditions is a very different beast from openness as a guaranteed product of laws.
  • One of the key consequences of linking the Internet to the world of open source was to establish the primacy of the Internet as the new, reinvented desktop
  • This is where the now-forgotten language of “freedom” made a comeback, since it was important to ensure that O’Reilly’s heroic Randian hacker-entrepreneurs were allowed to roam freely.
  • Soon this “freedom to innovate” morphed into “Internet freedom,” so that what we are trying to preserve is the innovative potential of the platform, regardless of the effects on individual users.
  • Lumping everything under the label of “Internet freedom” did have some advantages for those genuinely interested in promoting rights such as freedom of expression
  • Forced to choose between preserving the freedom of the Internet or that of its users, we were supposed to choose the former—because “the Internet” stood for progress and enlightenment.
  • infoware
  • Yahoo
  • their value proposition lay in the information they delivered, not in the software function they executed.
  • The “infoware” buzzword didn’t catch on, so O’Reilly turned to the work of Douglas Engelbart
  • to argue that the Internet could help humanity augment its “collective intelligence” and that, once again, open source software was crucial to this endeavor.
  • Now it was all about Amazon learning from its customers and Google learning from the sites in its index.
  • The idea of the Internet as both a repository and incubator of “collective intelligence”
  • in 2004, O’Reilly and his business partner Dale Dougherty hit on the idea of “Web 2.0.” What did “2.0” mean, exactly?
  • he primary goal was to show that the 2001 market crash did not mean the end of the web and that it was time to put the crash behind us and start learning from those who survived.
  • Tactically, “Web 2.0” could also be much bigger than “open source”; it was the kind of sexy umbrella term that could allow O’Reilly to branch out from boring and highly technical subjects to pulse-quickening futurology
  • O’Reilly couldn’t improve on a concept as sexy as “collective intelligence,” so he kept it as the defining feature of this new phenomenon.
  • What set Web 2.0 apart from Web 1.0, O’Reilly claimed, was the simple fact that those firms that didn’t embrace it went bust
  • find a way to harness collective intelligence and make it part of their business model.
  • By 2007, O’Reilly readily admitted that “Web 2.0 was a pretty crappy name for what’s happening.”
  • O’Reilly eventually stuck a 2.0 label on anything that suited his business plan, running events with titles like “Gov 2.0” and “Where 2.0.” Today, as everyone buys into the 2.0 paradigm, O’Reilly is quietly dropping it
  • assumption that, thanks to the coming of Web 2.0, we are living through unique historical circumstances
  • Take O’Reilly’s musings on “Enterprise 2.0.” What is it, exactly? Well, it’s the same old enterprise—for all we know, it might be making widgets—but now it has learned something from Google and Amazon and found a way to harness “collective intelligence.”
  • tendency to redescribe reality in terms of Internet culture, regardless of how spurious and tenuous the connection might be, is a fine example of what I call “Internet-centrism.”
  • “Open source” gave us the “the Internet,” “the Internet” gave us “Web 2.0,” “Web 2.0” gave us “Enterprise 2.0”: in this version of history, Tim O’Reilly is more important than the European Union
  • For Postman, each human activity—religion, law, marriage, commerce—represents a distinct “semantic environment” with its own tone, purpose, and structure. Stupid talk is relatively harmless; it presents no threat to its semantic environment and doesn’t cross into other ones.
  • Since it mostly consists of falsehoods and opinions
  • it can be easily corrected with facts
  • to say that Tehran is the capital of Iraq is stupid talk
  • Crazy talk, in contrast, challenges a semantic environment, as it “establishes different purposes and assumptions from those we normally accept.” To argue, as some Nazis did, that the German soldiers ended up far more traumatized than their victims is crazy talk.
  • For Postman, one of the main tasks of language is to codify and preserve distinctions among different semantic environments.
  • As he put it, “When language becomes undifferentiated, human situations disintegrate: Science becomes indistinguishable from religion, which becomes indistinguishable from commerce, which becomes indistinguishable from law, and so on.
  • pollution
  • Some words—like “law”—are particularly susceptible to crazy talk, as they mean so many different things: from scientific “laws” to moral “laws” to “laws” of the market to administrative “laws,” the same word captures many different social relations. “Open,” “networks,” and “information” function much like “law” in our own Internet discourse today.
  • For Korzybski, the world has a relational structure that is always in flux; like Heraclitus, who argued that everything flows, Korzybski believed that an object A at time x1 is not the same object as object A at time x2
  • Our language could never properly account for the highly fluid and relational structure of our reality—or as he put it in his most famous aphorism, “the map is not the territory.”
  • Korzybski argued that we relate to our environments through the process of “abstracting,” whereby our neurological limitations always produce an incomplete and very selective summary of the world around us.
  • nothing harmful in this per se—Korzybski simply wanted to make people aware of the highly selective nature of abstracting and give us the tools to detect it in our everyday conversations.
  • Korzybski developed a number of mental tools meant to reveal all the abstracting around us
  • He also encouraged his followers to start using “etc.” at the end of their statements as a way of making them aware of their inherent inability to say everything about a given subject and to promote what he called the “consciousness of abstraction.”
  • There was way too much craziness and bad science in Korzybski’s theories
  • but his basic question
  • “What are the characteristics of language which lead people into making false evaluations of the world around them?”
  • Tim O’Reilly is, perhaps, the most high-profile follower of Korzybski’s theories today.
  • O’Reilly openly acknowledges his debt to Korzybski, listing Science and Sanity among his favorite books
  • It would be a mistake to think that O’Reilly’s linguistic interventions—from “open source” to “Web 2.0”—are random or spontaneous.
  • There is a philosophy to them: a philosophy of knowledge and language inspired by Korzybski. However, O’Reilly deploys Korzybski in much the same way that the advertising industry deploys the latest findings in neuroscience: the goal is not to increase awareness, but to manipulate.
  • O’Reilly, of course, sees his role differently, claiming that all he wants is to make us aware of what earlier commentators may have overlooked. “A metaphor is just that: a way of framing the issues such that people can see something they might otherwise miss,
  • But Korzybski’s point, if fully absorbed, is that a metaphor is primarily a way of framing issues such that we don’t see something we might otherwise see.
  • In public, O’Reilly modestly presents himself as someone who just happens to excel at detecting the “faint signals” of emerging trends. He does so by monitoring a group of überinnovators that he dubs the “alpha geeks.” “The ‘alpha geeks’ show us where technology wants to go. Smart companies follow and support their ingenuity rather than trying to suppress it,
  • His own function is that of an intermediary—someone who ensures that the alpha geeks are heard by the right executives: “The alpha geeks are often a few years ahead of their time. . . . What we do at O’Reilly is watch these folks, learn from them, and try to spread the word by writing down (
  • The name of his company’s blog—O’Reilly Radar—is meant to position him as an independent intellectual who is simply ahead of his peers in grasping the obvious.
  • “the skill of writing is to create a context in which other people can think”
  • As Web 2.0 becomes central to everything, O’Reilly—the world’s biggest exporter of crazy talk—is on a mission to provide the appropriate “context” to every field.
  • In a fascinating essay published in 2000, O’Reilly sheds some light on his modus operandi.
  • The thinker who emerges there is very much at odds with the spirit of objectivity that O’Reilly seeks to cultivate in public
  • meme-engineering lets us organize and shape ideas so that they can be transmitted more effectively, and have the desired effect once they are transmitted
  • O’Reilly meme-engineers a nice euphemism—“meme-engineering”—to describe what has previously been known as “propaganda.”
  • how one can meme-engineer a new meaning for “peer-to-peer” technologies—traditionally associated with piracy—and make them appear friendly and not at all threatening to the entertainment industry.
  • O’Reilly and his acolytes “changed the canonical list of projects that we wanted to hold up as exemplars of the movement,” while also articulating what broader goals the projects on the new list served. He then proceeds to rehash the already familiar narrative: O’Reilly put the Internet at the center of everything, linking some “free software” projects like Apache or Perl to successful Internet start-ups and services. As a result, the movement’s goal was no longer to produce a completely free, independent, and fully functional operating system but to worship at the altar of the Internet gods.
  • Could it be that O’Reilly is right in claiming that “open source” has a history that predates 1998?
  • Seen through the prism of meme-engineering, O’Reilly’s activities look far more sinister.
  • His “correspondents” at O’Reilly Radar don’t work beats; they work memes and epistemes, constantly reframing important public issues in accordance with the templates prophesied by O’Reilly.
  • Or take O’Reilly’s meme-engineering efforts around cyberwarfare.
  • Now, who stands to benefit from “cyberwarfare” being defined more broadly? Could it be those who, like O’Reilly, can’t currently grab a share of the giant pie that is cybersecurity funding?
  • Frank Luntz lists ten rules of effective communication: simplicity, brevity, credibility, consistency, novelty, sound, aspiration, visualization, questioning, and context.
  • Thus, O’Reilly’s meme-engineering efforts usually result in “meme maps,” where the meme to be defined—whether it’s “open source” or “Web 2.0”—is put at the center, while other blob-like terms are drawn as connected to it.
  • The exact nature of these connections is rarely explained in full, but this is all for the better, as the reader might eventually interpret connections with their own agendas in mind. This is why the name of the meme must be as inclusive as possible: you never know who your eventual allies might be. “A big part of meme engineering is giving a name that creates a big tent that a lot of people want to be under, a train that takes a lot of people where they want to go,”
  • News April 4 mail date March 29, 2013 Baffler party March 6, 2013 Žižek on seduction February 13, 2013 More Recent Press I’ve Seen the Worst Memes of My Generation Destroyed by Madness io9, April 02, 2013 The Baffler’s New Colors Imprint, March 21, 2013
  • There is considerable continuity across O’Reilly’s memes—over time, they tend to morph into one another.
Tiberius Brastaviceanu

Designing the Void | Management Innovation eXchange - 0 views

    • Tiberius Brastaviceanu
       
      This is about self-organization, putting in place bounderies and internal mechanisms to make the the system self-organize into something desirable.  You can see this from a game theory perspective - how to set a game which will drive a specific human behavior. 
    • Tiberius Brastaviceanu
       
      This is about self-organization, putting in place bounderies and internal mechanisms to make the the system self-organize into something desirable.  You can see this from a game theory perspective - how to set a game which will drive a specific human behavior. 
    • Tiberius Brastaviceanu
       
      Very similar to SENSORICA, an environment of entrepreneurs. The argument against this is that not everyone is a risk taker or has initiative. The answer to it is that not every role in the organization requires that. 
    • Tiberius Brastaviceanu
       
      Very similar to SENSORICA, an environment of entrepreneurs. The argument against this is that not everyone is a risk taker or has initiative. The answer to it is that not every role in the organization requires that. 
  • The system is not made up of artifacts but rather an elegantly designed void. He says “I prefer to use the analogy of rescuing an endangered species from extinction, rather than engaging in an invasive breeding program the focus should be on the habitat that supports the species. Careful crafting of the habitat by identifying the influential factors; removing those that are detrimental, together with reinforcing those that are encouraging, the species will naturally re-establish itself. Crafting the habitat is what I mean by designing the void.”
  • ...75 more annotations...
  • It is essential that autonomy is combined with responsibility.
  • staff typically manage the whole work process from making sales, manufacture, accounts, to dispatch
  • they are also responsible for managing their own capitalization; a form of virtual ownership develops. Everything they need for their work, from office furniture to high-end machinery will appear on their individual balance sheet; or it will need to be bought in from somewhere else in the company on a pay-as-you go or lease basis. All aspects of the capital deployed in their activities must be accounted for and are therefore treated with the respect one accords one’s own property.
    • Tiberius Brastaviceanu
       
      So they have a value accounting system, like SENSORICA, where they log "uses" and "consumes". 
    • Tiberius Brastaviceanu
       
      ...
    • Tiberius Brastaviceanu
       
      So they have a value accounting system, like SENSORICA, where they log "uses" and "consumes".  
  • The result is not simply a disparate set of individuals doing their own thing under the same roof. Together they benefit from an economy of scale as well as their combined resources to tackle large projects; they are an interconnected whole. They have in common a brand, which they jointly represent, and also a business management system (the Say-Do-Prove system) - consisting not only of system-wide boundaries but also proprietary business management software which helps each take care of the back-end accounting and administrative processing. The effect is a balance between freedom and constraint, individualism and social process.
  • embodiment of meaning
  • But culture is a much more personal phenomenon
  • Culture is like climate- it does not exist in and of itself- it cannot exist in a vacuum, it must exist within a medium.
  • underlying culture
  • Incompatibility between the presenting culture and the underlying one provide a great source of tension
  • The truth of course is that when tension builds to a critical level it takes just a small perturbation to burst the bubble and the hidden culture reveals itself powered by the considerable pent-up energy.
    • Tiberius Brastaviceanu
       
      SENSORICA had this problem of different cultures, and it caused the 2 crisis in 2014. 
    • Tiberius Brastaviceanu
       
      SENSORICA had this problem of different cultures, and it caused the 2 crisis in 2014. 
  • Consider again the idea that for the health of an endangered species; the conditions in their habitat must be just right. In business, the work environment can be considered analogous to this idea of habitat.
  • A healthy environment is one that provides a blank canvas; it should be invisible in that it allows culture to be expressed without taint
  • The over-arching, high-level obligations are applied to the organization via contractual and legal terms.
  • But it is these obligations that the traditional corporate model separates out into functions and then parcels off to distinct groups. The effect is that a clear sight of these ‘higher’ obligations by the people at the front-end is obstructed. The overall sense of responsibility is not transmitted but gets lost in the distortions, discontinuities and contradictions inherent in the corporate systems of hierarchy and functionalization.
  • employees are individually rewarded for their contribution to each product. They are not “compensated” for the hours spent at work. If an employee wants to calculate their hourly rate, then they are free to do so however, they are only rewarded for the outcome not the duration of their endeavors.
  • Another simplification is the application of virtual accounts (Profit and Loss (P&L) account and Balance Sheet) on each person within the business.
  • The company systems simply provide a mechanism for cheaply measuring the success of each individual’s choices. For quality the measure is customer returns, for delivery it is an on-time-and-in-full metric and profit is expressed in terms of both pounds sterling and ROI (return on investment).
    • Tiberius Brastaviceanu
       
      They have a value accounting system. 
    • Tiberius Brastaviceanu
       
      They have a value accounting system. 
  • The innumerable direct links back to an external reality -like the fragile ties that bound giant Gulliver, seem much more effective at aligning the presenting culture and the underlying embodied culture, and in doing so work to remove the existing tension.
  • With a culture that responds directly to reality, the rules in the environment can be “bounding” rather than “binding”- limiting rather than instructive; this way individual behavior need not be directed at all. The goal is to free the individual to express himself fully through his work, bounded only by the limits of the law. With clever feedback (self-referencing feedback loops) integrated into the design, the individuals can themselves grow to collectively take charge of the system boundaries, culture and even the environment itself, always minded of the inherent risks they are balancing, leaving the law of the land as the sole artificial boundary.
  • the conventional company, which, instead of rewarding enterprise, trains compliance by suppressing individual initiative under layer upon layer of translation tools.
  • apply accountability to the individual not command-and-control.
  • without the divisive and overbearing management cabal the natural reaction of humans is to combine their efforts
  • a new member of staff at Matt Black Systems
  • recruited by another staff member (sponsor) and they will help you learn the basics of the business management system- they will help you get to know the ropes.
  • jobs are passed to new staff members, a royalty payment can be established on the work passed over.
  • Along with that job you will be given a cash float (risk capital), P&L Account, a Balance Sheet and computer software to help plan and record your activities. Your operation is monitored by your sponsor to see if you increase the margin or volume, and so establish a sustainable operation. Training and mentoring is provided to support the steep learning curve - but without removing the responsibility of producing a return on the sponsor’s risk capital.
  • You will, in the meantime be looking to establish some of your own work for which you will not have to pay a commission or royalty to your sponsor and this will provide you with more profitable operations such that eventually you might pass back to the sponsor the original operation, as it has become your lowest margin activity. It will then find its way to a new employee (along with the associated Balance Sheet risk capital) where the process is repeated by the sponsor.[4]
  • Remuneration for staff is calibrated in a way that reflects the balance of different forces around ‘pay’
  • there is an obligation upon the company to pay a minimum wage even if the profitability of the operation does not support this
  • there are therefore two aspects of the basic pay structure: one is “absolute” and reflects the entrepreneurial skill level of the employee according to a sophisticated grading scale
  • A further 20% of the original profit will be paid into his risk capital account, which will be his responsibility to deploy in any way he sees fit as part of his Balance Sheet. Of the three remaining 20% slices of the original profit, one is paid out as corporation tax, another as a dividend to the shareholders and the last retained as collective risk capital on the company’s balance sheet- a war chest so to speak.
  • Julian Wilson and Andrew Holm sell products / services to their staff (such as office space and software) they have an identical customer/supplier relationship with the other employees.
  • Naturally there are some people that can’t generate a profit. The sponsor’s risk capital will eventually be consumed through pay. After a process of rescue and recovery- where their shortcomings are identified and they are given the opportunity to put them right, they either improve or leave, albeit with a sizeable increase in their skills.
  • there is a gradual process of accustomisation; the void of the new employee is surrounded by others dealing with their particular activities, offering both role models and operations they may wish to relinquish. One step at a time the new employee acquires the skills to become completely self-managing, to increase their margins, to make investments, to find new business, to become a creator of their own success. Ultimately, they learn to be an entrepreneur.
  • responsible autonomy as an alternative vision to traditional hierarchy
  • Matt Black Systems it is not simply commitment that they targeted in their employees, rather they aim for the specific human qualities they sum up as magic- those of curiosity, imagination, creativity, cooperation, self-discipline and realization (bringing ideas to reality).
  • a new form of association of individuals working together under the umbrella of a company structure: a kind of collective autonomy
  • The business is called Matt Black Systems, based in Poole in dorset
  • Turning an organisation on its head- removing all management, establishing a P&L account and Balance Sheet on everyone in the organisation and having customers payment go first into the respective persons P&L account has revolutionised this company. 
  • This innovative company’s approach views business success as wholly reliant upon human agency, and its wellspring at the individual level.
  • problem (of unnecessarily high overheads placed on production) that arguably is behind the decline in western manufacturing
  • over-managed business
  • Autonomy Enables Productivity
  • organizational design brings to light the unconscious socio-philosophical paradigm of the society in which it exists, organizational development points to how change occurs.
  • a mechanistic approach to organization
  • scientific management employs rationalism and determinism in pursuit of efficiency, but leaves no place for self-determination for most people within the system.
  • Command and Control
  • today, a really “modern” view of an organization is more likely to be depicted in terms that are akin to an organism.
  • When it comes to getting work done, the simple question is: are people the problem or the solution?
  • the Taylorist approach may be more real in theory than in practice: its instrumentalist view of the workforce is cursed by unintended consequences. When workers have no space for their own creative expression, when they are treated like automata not unique individuals, when they become demotivated and surly, when they treat their work as a necessary evil; this is no recipe for a functional organization.
  • The natural, human reaction to this is unionization, defiance and even outright rebellion; to counter this, management grows larger and more rigid in pursuit of compliance, organizations become top heavy with staff who do not contribute directly to the process of value creation but wield power over those who do.
  • voluntary slavery of ‘wagery’
  • Even when disgruntled employees strike free and start their own businesses they seem unable to resist the hegemony of the conventional command-and-control approach
  • Making the transition involves adherence to a whole new sociology of work with all the challenging social and psychological implications that brings.
  • first principal that people in the business have the ability to provide the solution
  • In the “theory of constraints” the goal is to align front-line staff into a neat, compact line for maximum efficiency. Surely the most considered approach is to have front-line staff self-align in pursuit of their individual goals?
  • The removal of hierarchy and specialization is key to a massive improvement in both profitability and productivity. In summary: there are no managers in the company, or foremen, or sales staff, or finance departments; the company is not functionally compartmentalized and there is no hierarchy of command. In fact every member of staff operates as a virtual micro-business with their own Profit & Loss account and Balance Sheet, they manage their own work and see processes through from end to end
  • Formal interaction between colleagues takes place via “customer and supplier” relationships.
  • autonomy enables productivity
  • if one creates a space in which staff pursue their own goals and are not paid by the hour, they will focus on their activities not the clock; if they are not told what to do, they will need to develop their own initiative; if they are free to develop their own processes, they will discover through their own creative faculties how to work more productively- in pursuit of their goals
  • The human qualities which are of greatest potential value to the business are: curiosity, imagination, creativity, cooperation, self-discipline and realization (bringing ideas to reality)
  • These qualities are the very ones most likely to be withheld by an individual when the environment is ‘wrong’.
  • Any elements in the business environment that undermine the autonomy and purpose of the individual will see the above qualities withheld
  • High on the list of undermining elements come power-hierarchy and over-specialization
  • the responsibility of the individual is formalized, specified and restricted. An improved system is not one where responsibility is distributed perfectly but rather one where there is simply no opportunity for responsibility to be lost (via the divisions between the chunks). Systems must be reorganized so responsibility -the most essential of qualities -is protected and wholly preserved.
  • Matt Black Systems believe this can only be done by containing the whole responsibility within an individual, holding them both responsible and giving them ‘response-ability’
  • The experience of Matt Black Systems demonstrates that radical change is possible
  • productivity is up 300%, the profit margin is up 10%[3], customer perception has shifted from poor to outstanding, product returns are at less than 1%, “on time and in full” delivery is greater than 96%, pay has increased 100%.
  • staff develop broader and deeper skills and feel greater job security; they get direct feedback from their customers which all go to fuel self-confidence and self-esteem.
  • the staff manage themselves
  • “only variety can absorb variety”.
  • What is particular about their story is that behind it is a very consciously crafted design that surrounds the individualism of each person with hard boundaries of the customer, the law and the business. It is these boundaries rather than the instructive persona of ‘the boss’ that gives rise to the discipline in which individuals can develop. Autonomy is not the same as freedom, at least not in the loose sense of ‘do as you please’. An autonomous person is a person who has become self-governing, who has developed a capacity for self-regulation, quite a different notion from the absence of boundaries. Indeed, it is with establishing the right boundaries that the business philosophy is most concerned. The company provides the crucible in which the individual can develop self-expression but the container itself is bounded. Wilson calls this “designing the void”. This crucible is carefully constructed from an all-encompassing, interconnecting set of boundaries that provide an ultimate limit to behaviours (where they would fall foul of the law or take risks with catastrophic potential). It is an illusion to think, as a director of a company, that you are not engaged in a process of social conditioning; the basis of the culture is both your responsibility and the result of your influence. The trick is to know what needs to be defined and what needs to be left open. The traditional authoritarian, controlling characters that often dominate business are the antithesis of this in their drive to fill this void with process, persona and instruction. Alternatively, creating an environment that fosters enterprise, individuals discover how to be enterprising.
Tiberius Brastaviceanu

Google Apps Script - introduction - 0 views

  • Use the Script Editor to write and run scripts, to set triggers, and to perform other actions such as sharing scripts.
  • start the Script Editor from a Google Site
  • declares a function called myFunction()
  • ...69 more annotations...
  • You can perform the following tasks from the Script Editor.
  • pening, deleting, renaming, and saving scripts
  • Cutting, copying, and pasting text
  • Find and replace
  • Setting a time zone
  • scripts with time-based triggers
  • Running functions
  • Viewing log messages
  • revision history
  • write pseudocode first
  • When you're planning a script
  • narrative version of what the script needs to do.
  • A particular script is associated with one and only one Google Spreadsheet.
  • If you make a copy of the Spreadsheet, the script is also copied.
  • A particular Spreadsheet can have multiple scripts associated with it.
  • use the onOpen event handler in more than one script associated with a particular Spreadsheet, all scripts begin to execute when you open the Spreadsheet and the order in which the scripts are executed is indeterminate.
  • event handler is a function executed when a particular event takes place.
  • see Running Scripts in Response to an Event.
  • A script cannot currently call or create another script and cannot call functions in another script.
  • If you want to store the results of a function, you must copy them into a spreadsheet cell.
  • You can trigger Apps Script events from links that are embedded in a Google Site. For information about how to do this, see Using Apps Scrip in Your Ssite.
  • You can insert a script into a Site as a gadget.
  • you must grant permission for the script to run as a service.
  • You also designate whether only you can invoke the service or whether all members of your domain can invoke the service.
  • you can assign functions within the script any arbitrary name.
  • The instructions in a function must be enclosed within curly braces.
  • event handler
  • when a spreadsheet is opened,
  • when a script is installed
  • when a spreadsheet is edited
  • at times you choose
  • menu item
  • Using a drawing or button embedded in a Spreadsheet
  • Using a custom function that is referenced as a Spreadsheet function
  • Clicking the Run button
  • object-oriented programming languages
  • Google Apps Script uses the JavaScript language.
  • Operations
  • are performed using the objects and methods described in the API documentation.
  • An API provides pre-packaged code for standard tasks you need to accomplish in scripts or programs.
  • API includes objects that you use to accomplish tasks such as sending email, creating calendar entries
  • A method describes the behavior of an object and is a function attached to an object.
  • MailApp
  • use to create and send email
  • To send email, you invoke the sendEmail method and provide values for the method arguments.
  • Google Apps Script can access or retrieve data in different formats in different ways.
  • A custom function
  • is called directly from a cell in a Spreadsheet using the syntax =myFunctionName()
  • they cannot set values outside the cells
  • have some restrictions not shared by other functions
  • cannot send email
  • cannot operate on a Google Site
  • cannot perform any operations that require user authorization
  • cannot perform any operations that require knowledge of who the user
  • onInstall function
  • onOpen function
  • Other functions run when you run them manually or when they are triggered by clicking
  • Custom functions and formulas in the spreadsheet execute any time the entire Spreadsheet is evaluated or when the data changes in the function or formula's cell.
  • share the Spreadsheet
  • publish the script to the Script Gallery
  • spreadsheet template
  • the color coding for that line will not be correct
  • A script with incorrect syntax or other errors does not run.
  • The Script Editor includes a debugger.
  • view the current state of variables and objects created by a script while that script runs.
  • step through the code line by line as it executes or set breakpoints
  • The debugger does not work with custom functions, onEdit functions, event triggers, or scripts running as a service.
  • use the debugger to find errors in scripts that are syntactically correct but still do not function correctly.
  • Functions ending in an underscore (_), for example, internalStuff_(), are treated differently from other functions. You do not see these function in the Run field in the Script Editor and they do not appear in the Script Manager in the Spreadsheet. You can use the underscore to indicate that users should not attempt to run the function and the function is available only to other functions.
Kurt Laitner

Crowding Out - P2P Foundation - 1 views

  • The curve indicates that while workers will initially chose to work more when paid more per hour, there is a point after which rational workers will choose to work less
    • Kurt Laitner
       
      in other words, people are financially motivated until they are financially secure, then other motivations come in
  • "leaders" elsewhere will come and become your low-paid employees
  • At that point, the leaders are no longer leaders of a community, and they turn out to be suckers after all, working for pittance, comparatively speaking
    • Kurt Laitner
       
      so part of the dynamic is that everyone is paid fairly, if not there is the feeling of exploitation
  • ...36 more annotations...
  • under certain structural conditions non-price-based production is extraordinarily robust
    • Kurt Laitner
       
      which are... abundance?
  • There is, in fact, a massive amount of research that supports the idea that when you pay people to do something for you, they stop enjoying it, and distrust their own motivations. The mysterious something that goes away, and that “Factor X” even has a name: intrinsic motivation.
    • Kurt Laitner
       
      the real question though is why, and whether it is the paying them that is the problem, or perhaps how that is determined, and who else gets what on what basis..  if you have to have them question the fairness of the situation, they will likely check out
  • giving rewards to customers can actually undermine a company’s relationship with them
  • It just is not so easy to assume that because people behave productively in one framework (the social process of peer production that is Wikipedia, free and open source software, or Digg), that you can take the same exact behavior, with the same exact set of people, and harness them to your goals by attaching a price to what previously they were doing in a social process.
  • Extrinsic rewards suggest that there is actually an instrumental relationship at work, that you do the activity in order to get something else
  • If you pay me for it, it must be work
    • Kurt Laitner
       
      only because a dichotomy of work and play exists in western culture
  • It’s what we would call a robust effect. It shows up in many contexts. And there’s been considerable testing to try to find out exactly why it works. A major school of thought is that there is an “Overjustification Effect.” (http://kozinets.net/archives/133)
    • Kurt Laitner
       
      yes, why is key
  • interesting examples of an effect called crowding
  • Offering financial rewards for contributions to online communities basically means mixing external and intrinsic motivation.
  • A good example is children who are paid by their parents for mowing the family lawn. Once they expect to receive money for that task, they are only willing to do it again if they indeed receive monetary compensation. The induced unwillingness to do anything for free may also extend to other household chores.
  • Once ‘gold-stars’ were introduced as a symbolic reward for a certain amount of time spent practicing the instrument, the girl lost all interest in trying new, difficult pieces. Instead of aiming at improving her skills, her goal shifted towards spending time playing well-learned, easy pieces in order to receive the award (Deci with Flaste 1995)
    • Kurt Laitner
       
      this is a more troubling example, as playing the harder pieces is also practicing - I would take this as a more complex mechanism at work - perhaps the reinterpretation by the girl that all playing was considered equal, due to the pricing mechanism, in which case the proximal solution would be to pay more for more complex pieces, or for levels of achievement - the question remains of why the extrinsic reward was introduced in the first place (unwillingness to practice as much as her parents wanted?) - which would indicate intrinsic motivation was insufficient in this case
  • Suddenly, she managed to follow the prescription, as her own (intrinsic) motivation was recognized and thereby reinforced.
    • Kurt Laitner
       
      or perhaps the key was to help her fit the medication into her day, which she was having trouble with...
  • The introduction of a monetary fine transforms the relationship between parents and teachers from a non-monetary into a monetary one
    • Kurt Laitner
       
      absolutely, in some sense the guilt of being late is replaced by a rationalization that you are paying them - it is still a rationalization, and parents in this case need to be reminded that staff have lives too to reinforce the moral suasion
  • "The effects of external interventions on intrinsic motivation have been attributed to two psychological processes: (a) Impaired self-determination. When individuals perceive an external intervention to reduce their self-determination, they substitute intrinsic motivation by extrinsic control. Following Rotter (1966), the locus of control shifts from the inside to the outside of the person affected. Individuals who are forced to behave in a specific way by outside intervention, feel overjustified if they maintained their intrinsic motivation. (b) Impaired self-esteem. When an intervention from outside carries the notion that the actor's motivation is not acknowledged, his or her intrinsic motivation is effectively rejected. The person affected feels that his or her involvement and competence is not appreciated which debases its value. An intrinsically motivated person is taken away the chance to display his or her own interest and involvement in an activity when someone else offers a reward, or commands, to undertake it. As a result of impaired self-esteem, individuals reduce effort.
    • Kurt Laitner
       
      these are finally very useful - so from (a) as long as self determination is maintained (actively) extrinsic reward should not shut down intrinsic motivation AND (b) so long as motivations are recognized and reward dimensions OTHER THAN financial continue to operate, extrinsic reward should not affect intrinsic motivation
  • External interventions crowd-out intrinsic motivation if the individuals affected perceive them to be controlling
    • Kurt Laitner
       
      emphasis on "if" and replacing that with "in so far as"
  • External interventions crowd-in intrinsic motivation if the individuals concerned perceive it as supportive
    • Kurt Laitner
       
      interesting footnote
  • In that case, self-esteem is fostered, and individuals feel that they are given more freedom to act, thus enlarging self-determination
    • Kurt Laitner
       
      so effectively a system needs to ensure it is acting on all dimensions of reward, or at least those most important to the particular participant, ego (pride, recognition, guilt reduction, feeling needed, being helpful, etc), money (sustenance, beyond which it is less potent), meaning/purpose etc.  If one ran experiments controlling for financial self sufficiency, then providing appreciation and recognition as well as the introduced financial reward, they might yield different results
  • cultural categories that oppose marketplace modes of behavior (or “market logics”) with the more family-like modes of behavior of caring and sharing that we observe in close-knit communities (”community logics”)
    • Kurt Laitner
       
      are these learned or intrinsic?
  • this is labor, this is work, just do it.
    • Kurt Laitner
       
      except that this cultural meme is already a bias, not a fact
  • When communal logics are in effect, all sorts of norms of reciprocity, sacrifice, and gift-giving come into play: this is cool, this is right, this is fun
    • Kurt Laitner
       
      true, and part of our challenge then is to remove this dichotomy
  • So think about paying a kid to clean up their room, paying parishioners to go to church, paying people in a neighborhood to attend a town hall meeting, paying people to come out and vote. All these examples seem a little strange or forced. Why? Because they mix and match the communal with the market-oriented.
    • Kurt Laitner
       
      and perhaps the problem is simply the conversion to money, rather than simply tracking these activities themselves (went to church 50 times this year!, helped 50 orphans get families!) (the latter being more recognition than reward
  • Payment as disincentive. In his interesting book Freakonomics, economist Steven Levitt describes some counterintuitive facts about payment. One of the most interesting is that charging people who do the wrong thing often causes them to do it more, and paying people to do the right thing causes them to do it less.
    • Kurt Laitner
       
      and tracking them causes them to conform to cultural expectations
  • You direct people _away_ from any noble purpose you have, and instead towards grubbing for dollars
    • Kurt Laitner
       
      and we are left with the challenge, how to work to purpose but still have our scarce goods needs sufficiently provided for?  it has to be for love AND money
  • When people work for a noble purpose, they are told that their work is highly valued. When people work for $0.75/hour, they are told that their work is very low-valued
    • Kurt Laitner
       
      so pay them highly for highly valued labour, and don't forget to recognize them as well... no?
  • you're going to have to fight your way through labour laws and tax issues all the way to bankruptcy
    • Kurt Laitner
       
      this is a non argument, these are just interacting but separate problems, use ether or bitcoin, change legislation, what have you
  • Market economics. If you have open content, I can copy your content to another wiki, not pay people, and still make money. So by paying contributors, you're pricing yourself out of the market.
    • Kurt Laitner
       
      exactly, so use commonsource, they can use it all they want, but they have to flow through benefit (provide attribution, recognition, and any financial reward must be split fairly)
  • You don't have to pay people to do what they want to do anyways. The labour cost for leisure activities is $0. And nobody is going to work on a wiki doing things they don't want to do.
    • Kurt Laitner
       
      wow, exploitative in the extreme - no one can afford to do work for free, it cuts into paid work, family time etc.  if they are passionate about something they will do it for free if they cannot get permission to do it for sustenance, but they still need to sustain themselves, and they are making opportunity cost sacrifices, and if you are in turn making money off of this you are an asshole.. go ahead look in the mirror and say "I am an asshole"
  • No fair system. There's simply no fair, automated and auditable way to divvy up the money
    • Kurt Laitner
       
      this is an utter cop out - figure out what is close enough to fair and iterate forward to improve it, wow
  • too complicated to do automatically. But if you have a subjective system -- have a human being evaluate contributions to an article and portion out payments -- it will be subject to constant challenges, endless debates, and a lot of community frustration.
    • Kurt Laitner
       
      yes to the human evaluation part, but "it's too complicated" is disingenuous at the least
  • Gaming the system. People are really smart. If there's money to be made, they'll figure out how to game your payment system to get more money than they actually deserve
    • Kurt Laitner
       
      yes indeed, so get your metrics right, and be prepared to adjust them as they are gamed - and ultimately, as financial penalties are to BP, even if some people game the system, can we better the gaming of the capitalist system.. it's a low bar I know
  • They'll be trying to get as much money out of you as possible, and you'll be trying to give as little as you can to them
    • Kurt Laitner
       
      it doesn't have to be this way, unless you think that way already
  • If you can't convince people that working on your project is worth their unpaid time, then there's probably something wrong with your project.
    • Kurt Laitner
       
      wow, talk about entrepreneurial taker attitude rationalization
  • People are going to be able to sense that -- it's going to look like a cover-up, something sleazy
    • Kurt Laitner
       
      and getting paid for others free work isn't sleazy, somehow...?
  • Donate.
    • Kurt Laitner
       
      better yet, give yourself a reasonable salary, and give the rest away
  • Thank-you gifts
    • Kurt Laitner
       
      cynical.. here have a shiny bobble you idiot
  • Pay bounties
    • Kurt Laitner
       
      good way to get people to compete ineffectively instead of cooperating on a solution, the lottery mechanism is evil
  •  
    while good issue are brought up in this article, the solutions offered are myopic and the explanations of the observed effects not satisfying
Kurt Laitner

Stigmergy | GeorgieBC's Blog - 0 views

  • As no one owns the system, there is no need for a competing group to be started to change ownership to a different group
    • Kurt Laitner
       
      but one needs a mechanism to ensure accidental duplication doesn't happen
  • there is no need for communication outside of task completion
    • Kurt Laitner
       
      disagree
  • endless discussion
  • ...12 more annotations...
  • personality conflicts
  • begin to steer direction
  • more interested and dedicated personalities emerge
    • Kurt Laitner
       
      as opposed to the 'strong' personalities earlier panned?
  • work most valued by the rest of the user group
    • Kurt Laitner
       
      determined how?
  • As more members are added, more will experience frustration at limited usefulness or autonomy
    • Kurt Laitner
       
      how to avoid this duplication of skills?
  • stigmergy encourages splintering
    • Kurt Laitner
       
      I would need to see a convincing argument for this, ant colonies are pretty large
  • as communication is easier and there is more autonomy in smaller groups, splintering is the more likely outcome of growth.
    • Kurt Laitner
       
      not convinced that splintering should be the outcome, fractal growth would be preferable, also communication is not limited to small groups, nor is it necessarily 'better' in them
  • Transparency allows information to travel freely between the various nodes
  • Information sharing is driven by the information, not personal relationships
  • it is inefficient to have the same task performed twice
    • Kurt Laitner
       
      that depends on the type of task, and the way it is being done, if it is repetative with a well understood solution, then yes, otherwise less so
  • It is neither reasonable nor desirable for individual thought and action to be subjugated to group consensus in matters which do not affect the group
  • it is frankly impossible to accomplish complex tasks if every decision must be presented for approval
Tiberius Brastaviceanu

Innovation Is About Arguing, Not Brainstorming. Here's How To Argue Productively - 0 views

  • Science shows that brainstorms can activate a neurological fear of rejection and that groups are not necessarily more creative than individuals.
  • To innovate, we need environments that support imaginative thinking, where we can go through many crazy, tangential, and even bad ideas to come up with good ones.
  • work both collaboratively and individually
  • ...20 more annotations...
  • healthy amount of heated discussion, even arguing.
  • not feel so judged
  • become defensive and shut down
  • deliberative discourse
  • “Argue. Discuss. Argue. Discuss.”
  • It refers to participative and collaborative (but not critique-free) communication.
  • Multiple positions and views are expressed with a shared understanding that everyone is focused on a common goal. There is no hierarchy. It’s not debate because there are no opposing sides trying to “win.” Rather, it’s about working together to solve a problem and create new ideas.
  • Here are five key rules of engagement that we’ve found to yield fruitful sessions and ultimately lead to meaningful ideas.
  • creating a space where everyone can truly contribute.
  • “Yes, AND”
  • “no, BECAUSE.”
  • if you’re going to say no, you better be able to say why.
    • Tiberius Brastaviceanu
       
      inter-subjectivity as a criteria for objectivity  
  • We conduct ethnographic research to inform our intuition, so we can understand people’s needs, problems, and values.
  • accountable to something other than our own opinions, and it means we can push back on colleagues’ ideas without getting personal.
  • We curate teams to create diversity
  • bring different ways of looking at the world and solving problems to the table.
  • Argument is productive for us because everyone knows that we’re working toward a shared goal.
  • The statement of purpose establishes the rules: It reminds us that we are working together to move the ball down the field. As much as we may argue and disagree, anything that happens in the room counts toward our shared goal. This enables us to argue and discuss without hurting one another.
  • Deliberative discourse is a form of play, and for play to yield great ideas, we have to take it seriously.
Tiberius Brastaviceanu

Dark Intellectual Property. Why We Need a Kickstarter for Patents - 0 views

  • “dark IP,” the intellectual property (IP) that remains on the shelf: undiscovered, unexplored, untapped
  • our ability to catch so much in the net by dragging the surface (to use Mike Bergman’s analogy) actually still misses the invisible wealth of what lies beneath.
  • But dark IP is different than the other hidden-depths knowledge since it’s also unfair. Because taxpayers paid for much of the research — whether basic understanding with long-term benefits or more applied research with shorter-term benefits — that now lies collecting dust on university shelves.
  • ...31 more annotations...
  • the people of the United States spent an average of nearly $40 billion every year supporting institutional research
  • 65 percent of invention disclosure bundles remain, on average, unlicensed and unused … each year.
  • ”…the street finds its own uses for things.”
  • most of the IP (much of which we paid for) isn’t actually on the street, where entrepreneurial folks can do something with it.
  • the overworked and understaffed tech transfer offices
  • their models
  • There’s not necessarily room for exploration and discovery
  • byzantine bureaucracy of large organizations
  • But let’s face it, there’s also the hoarding and the overprotecting
  • So much IP is generated that it’s far too much for any one entity to ever make sense of
  • very few people are aware of — let alone able to access — an invention outside the social circle of its inventors, the scientific community involved, or even the “crowd” that’s sometimes harnessed in open innovation
  • we need new ways of democratizing it
  • Not democratizing the IP itself — institutions should still own and generate profits from the intellectual property they’ve created — but democratizing the ways in which we allow this IP to be discovered and licensed.
  • idea contests
  • marketplaces
  • competitions to find uses for on-the-shelf IP
  • missing out on the transformative potential of what technology can do here
  • promoting new ways of interacting around intellectual property
  • Marblar, where I’m an advisor
    • Tiberius Brastaviceanu
       
      The guy is not entirely for open innovation but proposes an intermediary model to democratize the use of IP
  • This turns off the average entrepreneur, who doesn’t have the patience and bandwidth to engage in all the unnecessary overhead of searching, browsing, and licensing IP.
  • Many small startups don’t even bother with IP
  • Another missing piece is ways of allowing the crowd to interact with each other and decide which technologies should be licensed
  • bidding wars
    • Tiberius Brastaviceanu
       
      competitive dynamic for acquiring IP and using it effectively. This doesn't solve the problem, because some companies will still buy it for defensive purposes or block others from using it, unlike with truly open innovation. 
  • Most of the examples I listed above haven’t changed much over the past decade or broken into the mainstream.
  • why not a Kickstarter for IP?
  • Such a website would bring together not just funds and transactions, but communities — with their attendant feedback mechanisms — that are interested in creating something novel around unused patents.
  • such a model would help get the ideas of a few into the minds of many.
  • open up the currently closed shelf to virtual browsing
  • inventions are not only ‘filed’ or ‘granted’ but ‘browsed’ or ‘licensed’.
1 - 11 of 11
Showing 20 items per page